diff --git a/backend/app/Console/Commands/BackfillPlatformFeesCommand.php b/backend/app/Console/Commands/BackfillPlatformFeesCommand.php new file mode 100644 index 0000000000..d6c448d6ab --- /dev/null +++ b/backend/app/Console/Commands/BackfillPlatformFeesCommand.php @@ -0,0 +1,164 @@ +info('Starting platform fees backfill...'); + + $payoutId = $this->option('payout-id'); + $limit = (int)$this->option('limit'); + $dryRun = $this->option('dry-run'); + + if ($dryRun) { + $this->warn('DRY RUN MODE - No changes will be made'); + } + + // Find stripe_payments that have payout_id + $where = []; + + if ($payoutId) { + $where[StripePaymentDomainObjectAbstract::PAYOUT_ID] = $payoutId; + $this->info("Filtering by payout ID: {$payoutId}"); + } + + // Get all payments (or filtered by payout_id) + $allPayments = $this->stripePaymentsRepository + ->loadRelation(new Relationship(OrderDomainObject::class, name: 'order')) + ->findWhere($payoutId ? $where : []); + + // Filter to only those without platform fees and with charge_id + $stripePayments = $allPayments->filter(function ($payment) { + /** @var StripePaymentDomainObject $payment */ + + // Must have charge_id and payout_id + if (!$payment->getChargeId() || !$payment->getPayoutId()) { + return false; + } + + $order = $payment->getOrder(); + if (!$order) { + return false; + } + + // Check if platform fee already exists for this order using count + $existsCount = $this->orderPaymentPlatformFeeRepository->countWhere([ + 'order_id' => $order->getId(), + ]); + + return $existsCount === 0; + })->take($limit); + + if ($stripePayments->isEmpty()) { + $this->info('No stripe payments found that need platform fee backfill.'); + return self::SUCCESS; + } + + $this->info("Found {$stripePayments->count()} payments to process"); + + $progressBar = $this->output->createProgressBar($stripePayments->count()); + $progressBar->start(); + + $successCount = 0; + $errorCount = 0; + $skippedCount = 0; + + foreach ($stripePayments as $stripePayment) { + /** @var StripePaymentDomainObject $stripePayment */ + $order = $stripePayment->getOrder(); + + if (!$order) { + $this->newLine(); + $this->warn("Order not found for stripe_payment ID: {$stripePayment->getId()}"); + $skippedCount++; + $progressBar->advance(); + continue; + } + + try { + if (!$dryRun) { + // Fetch charge from Stripe with expanded balance_transaction + $stripeClient = $this->stripeClientFactory->createForPlatform( + $stripePayment->getStripePlatformEnum() + ); + + $params = ['expand' => ['balance_transaction']]; + $opts = []; + + if ($stripePayment->getConnectedAccountId()) { + $opts['stripe_account'] = $stripePayment->getConnectedAccountId(); + } + + $charge = $stripeClient->charges->retrieve( + $stripePayment->getChargeId(), + $params, + $opts + ); + + $this->platformFeeExtractionService->extractAndStorePlatformFee( + order: $order, + charge: $charge, + stripePayment: $stripePayment + ); + + } else { + $this->newLine(); + $this->line("Would process: Order #{$order->getId()}, Charge: {$stripePayment->getChargeId()}"); + } + $successCount++; + } catch (Throwable $exception) { + $this->newLine(); + $this->error("Failed to process order #{$order->getId()}: {$exception->getMessage()}"); + $errorCount++; + } + + $progressBar->advance(); + } + + $progressBar->finish(); + $this->newLine(2); + + $this->info('Backfill complete!'); + $this->table( + ['Status', 'Count'], + [ + ['Success', $successCount], + ['Errors', $errorCount], + ['Skipped', $skippedCount], + ['Total', $stripePayments->count()], + ] + ); + + return $errorCount > 0 ? self::FAILURE : self::SUCCESS; + } +} diff --git a/backend/app/DomainObjects/AccountDomainObject.php b/backend/app/DomainObjects/AccountDomainObject.php index 92b24cad9f..55aa50cd93 100644 --- a/backend/app/DomainObjects/AccountDomainObject.php +++ b/backend/app/DomainObjects/AccountDomainObject.php @@ -13,6 +13,8 @@ class AccountDomainObject extends Generated\AccountDomainObjectAbstract /** @var Collection|null */ private ?Collection $stripePlatforms = null; + private ?AccountVatSettingDomainObject $accountVatSetting = null; + public function getApplicationFee(): AccountApplicationFeeDTO { /** @var AccountConfigurationDomainObject $applicationFee */ @@ -44,6 +46,16 @@ public function setAccountStripePlatforms(Collection $stripePlatforms): void $this->stripePlatforms = $stripePlatforms; } + public function getAccountVatSetting(): ?AccountVatSettingDomainObject + { + return $this->accountVatSetting; + } + + public function setAccountVatSetting(AccountVatSettingDomainObject $accountVatSetting): void + { + $this->accountVatSetting = $accountVatSetting; + } + /** * Get the primary active Stripe platform for this account * Returns the platform with setup completed, preferring the most recent diff --git a/backend/app/DomainObjects/AccountVatSettingDomainObject.php b/backend/app/DomainObjects/AccountVatSettingDomainObject.php new file mode 100644 index 0000000000..9b36d5184c --- /dev/null +++ b/backend/app/DomainObjects/AccountVatSettingDomainObject.php @@ -0,0 +1,7 @@ + $this->account_verified_at ?? null, 'stripe_connect_account_type' => $this->stripe_connect_account_type ?? null, 'is_manually_verified' => $this->is_manually_verified ?? null, + 'country' => $this->country ?? null, ]; } @@ -227,4 +230,15 @@ public function getIsManuallyVerified(): bool { return $this->is_manually_verified; } + + public function setCountry(?string $country): self + { + $this->country = $country; + return $this; + } + + public function getCountry(): ?string + { + return $this->country; + } } diff --git a/backend/app/DomainObjects/Generated/AccountVatSettingDomainObjectAbstract.php b/backend/app/DomainObjects/Generated/AccountVatSettingDomainObjectAbstract.php new file mode 100644 index 0000000000..de1773e277 --- /dev/null +++ b/backend/app/DomainObjects/Generated/AccountVatSettingDomainObjectAbstract.php @@ -0,0 +1,188 @@ + $this->id ?? null, + 'account_id' => $this->account_id ?? null, + 'vat_registered' => $this->vat_registered ?? null, + 'vat_number' => $this->vat_number ?? null, + 'vat_validated' => $this->vat_validated ?? null, + 'vat_validation_date' => $this->vat_validation_date ?? null, + 'business_name' => $this->business_name ?? null, + 'business_address' => $this->business_address ?? null, + 'vat_country_code' => $this->vat_country_code ?? null, + 'created_at' => $this->created_at ?? null, + 'updated_at' => $this->updated_at ?? null, + 'deleted_at' => $this->deleted_at ?? null, + ]; + } + + public function setId(int $id): self + { + $this->id = $id; + return $this; + } + + public function getId(): int + { + return $this->id; + } + + public function setAccountId(int $account_id): self + { + $this->account_id = $account_id; + return $this; + } + + public function getAccountId(): int + { + return $this->account_id; + } + + public function setVatRegistered(bool $vat_registered): self + { + $this->vat_registered = $vat_registered; + return $this; + } + + public function getVatRegistered(): bool + { + return $this->vat_registered; + } + + public function setVatNumber(?string $vat_number): self + { + $this->vat_number = $vat_number; + return $this; + } + + public function getVatNumber(): ?string + { + return $this->vat_number; + } + + public function setVatValidated(bool $vat_validated): self + { + $this->vat_validated = $vat_validated; + return $this; + } + + public function getVatValidated(): bool + { + return $this->vat_validated; + } + + public function setVatValidationDate(?string $vat_validation_date): self + { + $this->vat_validation_date = $vat_validation_date; + return $this; + } + + public function getVatValidationDate(): ?string + { + return $this->vat_validation_date; + } + + public function setBusinessName(?string $business_name): self + { + $this->business_name = $business_name; + return $this; + } + + public function getBusinessName(): ?string + { + return $this->business_name; + } + + public function setBusinessAddress(?string $business_address): self + { + $this->business_address = $business_address; + return $this; + } + + public function getBusinessAddress(): ?string + { + return $this->business_address; + } + + public function setVatCountryCode(?string $vat_country_code): self + { + $this->vat_country_code = $vat_country_code; + return $this; + } + + public function getVatCountryCode(): ?string + { + return $this->vat_country_code; + } + + public function setCreatedAt(?string $created_at): self + { + $this->created_at = $created_at; + return $this; + } + + public function getCreatedAt(): ?string + { + return $this->created_at; + } + + public function setUpdatedAt(?string $updated_at): self + { + $this->updated_at = $updated_at; + return $this; + } + + public function getUpdatedAt(): ?string + { + return $this->updated_at; + } + + public function setDeletedAt(?string $deleted_at): self + { + $this->deleted_at = $deleted_at; + return $this; + } + + public function getDeletedAt(): ?string + { + return $this->deleted_at; + } +} diff --git a/backend/app/DomainObjects/Generated/OrderPaymentPlatformFeeDomainObjectAbstract.php b/backend/app/DomainObjects/Generated/OrderPaymentPlatformFeeDomainObjectAbstract.php index 1b0627db1b..1d8e2b2b1c 100644 --- a/backend/app/DomainObjects/Generated/OrderPaymentPlatformFeeDomainObjectAbstract.php +++ b/backend/app/DomainObjects/Generated/OrderPaymentPlatformFeeDomainObjectAbstract.php @@ -15,26 +15,32 @@ abstract class OrderPaymentPlatformFeeDomainObjectAbstract extends \HiEvents\Dom final public const PAYMENT_PLATFORM = 'payment_platform'; final public const FEE_ROLLUP = 'fee_rollup'; final public const PAYMENT_PLATFORM_FEE_AMOUNT = 'payment_platform_fee_amount'; - final public const APPLICATION_FEE_AMOUNT = 'application_fee_amount'; + final public const APPLICATION_FEE_GROSS_AMOUNT = 'application_fee_gross_amount'; final public const CURRENCY = 'currency'; final public const TRANSACTION_ID = 'transaction_id'; final public const PAID_AT = 'paid_at'; final public const DELETED_AT = 'deleted_at'; final public const CREATED_AT = 'created_at'; final public const UPDATED_AT = 'updated_at'; + final public const APPLICATION_FEE_NET_AMOUNT = 'application_fee_net_amount'; + final public const APPLICATION_FEE_VAT_AMOUNT = 'application_fee_vat_amount'; + final public const CHARGE_ID = 'charge_id'; protected int $id; protected int $order_id; protected string $payment_platform; protected array|string|null $fee_rollup = null; protected float $payment_platform_fee_amount; - protected float $application_fee_amount = 0.0; + protected float $application_fee_gross_amount = 0.0; protected string $currency = 'USD'; protected ?string $transaction_id = null; protected ?string $paid_at = null; protected ?string $deleted_at = null; protected ?string $created_at = null; protected ?string $updated_at = null; + protected ?float $application_fee_net_amount = null; + protected ?float $application_fee_vat_amount = null; + protected ?string $charge_id = null; public function toArray(): array { @@ -44,13 +50,16 @@ public function toArray(): array 'payment_platform' => $this->payment_platform ?? null, 'fee_rollup' => $this->fee_rollup ?? null, 'payment_platform_fee_amount' => $this->payment_platform_fee_amount ?? null, - 'application_fee_amount' => $this->application_fee_amount ?? null, + 'application_fee_gross_amount' => $this->application_fee_gross_amount ?? null, 'currency' => $this->currency ?? null, 'transaction_id' => $this->transaction_id ?? null, 'paid_at' => $this->paid_at ?? null, 'deleted_at' => $this->deleted_at ?? null, 'created_at' => $this->created_at ?? null, 'updated_at' => $this->updated_at ?? null, + 'application_fee_net_amount' => $this->application_fee_net_amount ?? null, + 'application_fee_vat_amount' => $this->application_fee_vat_amount ?? null, + 'charge_id' => $this->charge_id ?? null, ]; } @@ -109,15 +118,15 @@ public function getPaymentPlatformFeeAmount(): float return $this->payment_platform_fee_amount; } - public function setApplicationFeeAmount(float $application_fee_amount): self + public function setApplicationFeeGrossAmount(float $application_fee_gross_amount): self { - $this->application_fee_amount = $application_fee_amount; + $this->application_fee_gross_amount = $application_fee_gross_amount; return $this; } - public function getApplicationFeeAmount(): float + public function getApplicationFeeGrossAmount(): float { - return $this->application_fee_amount; + return $this->application_fee_gross_amount; } public function setCurrency(string $currency): self @@ -185,4 +194,37 @@ public function getUpdatedAt(): ?string { return $this->updated_at; } + + public function setApplicationFeeNetAmount(?float $application_fee_net_amount): self + { + $this->application_fee_net_amount = $application_fee_net_amount; + return $this; + } + + public function getApplicationFeeNetAmount(): ?float + { + return $this->application_fee_net_amount; + } + + public function setApplicationFeeVatAmount(?float $application_fee_vat_amount): self + { + $this->application_fee_vat_amount = $application_fee_vat_amount; + return $this; + } + + public function getApplicationFeeVatAmount(): ?float + { + return $this->application_fee_vat_amount; + } + + public function setChargeId(?string $charge_id): self + { + $this->charge_id = $charge_id; + return $this; + } + + public function getChargeId(): ?string + { + return $this->charge_id; + } } diff --git a/backend/app/DomainObjects/Generated/StripePaymentDomainObjectAbstract.php b/backend/app/DomainObjects/Generated/StripePaymentDomainObjectAbstract.php index 29c02c9241..d02d15bc91 100644 --- a/backend/app/DomainObjects/Generated/StripePaymentDomainObjectAbstract.php +++ b/backend/app/DomainObjects/Generated/StripePaymentDomainObjectAbstract.php @@ -21,8 +21,17 @@ abstract class StripePaymentDomainObjectAbstract extends \HiEvents\DomainObjects final public const DELETED_AT = 'deleted_at'; final public const LAST_ERROR = 'last_error'; final public const CONNECTED_ACCOUNT_ID = 'connected_account_id'; - final public const APPLICATION_FEE = 'application_fee'; + final public const APPLICATION_FEE_GROSS = 'application_fee_gross'; final public const STRIPE_PLATFORM = 'stripe_platform'; + final public const APPLICATION_FEE_NET = 'application_fee_net'; + final public const APPLICATION_FEE_VAT = 'application_fee_vat'; + final public const CURRENCY = 'currency'; + final public const PAYOUT_ID = 'payout_id'; + final public const PAYOUT_STRIPE_FEE = 'payout_stripe_fee'; + final public const PAYOUT_NET_AMOUNT = 'payout_net_amount'; + final public const PAYOUT_CURRENCY = 'payout_currency'; + final public const PAYOUT_EXCHANGE_RATE = 'payout_exchange_rate'; + final public const BALANCE_TRANSACTION_ID = 'balance_transaction_id'; protected int $id; protected int $order_id; @@ -35,8 +44,17 @@ abstract class StripePaymentDomainObjectAbstract extends \HiEvents\DomainObjects protected ?string $deleted_at = null; protected array|string|null $last_error = null; protected ?string $connected_account_id = null; - protected int $application_fee = 0; + protected int $application_fee_gross = 0; protected ?string $stripe_platform = null; + protected ?int $application_fee_net = null; + protected ?int $application_fee_vat = null; + protected string $currency = 'USD'; + protected ?string $payout_id = null; + protected ?int $payout_stripe_fee = null; + protected ?int $payout_net_amount = null; + protected ?string $payout_currency = null; + protected ?float $payout_exchange_rate = null; + protected ?string $balance_transaction_id = null; public function toArray(): array { @@ -52,8 +70,17 @@ public function toArray(): array 'deleted_at' => $this->deleted_at ?? null, 'last_error' => $this->last_error ?? null, 'connected_account_id' => $this->connected_account_id ?? null, - 'application_fee' => $this->application_fee ?? null, + 'application_fee_gross' => $this->application_fee_gross ?? null, 'stripe_platform' => $this->stripe_platform ?? null, + 'application_fee_net' => $this->application_fee_net ?? null, + 'application_fee_vat' => $this->application_fee_vat ?? null, + 'currency' => $this->currency ?? null, + 'payout_id' => $this->payout_id ?? null, + 'payout_stripe_fee' => $this->payout_stripe_fee ?? null, + 'payout_net_amount' => $this->payout_net_amount ?? null, + 'payout_currency' => $this->payout_currency ?? null, + 'payout_exchange_rate' => $this->payout_exchange_rate ?? null, + 'balance_transaction_id' => $this->balance_transaction_id ?? null, ]; } @@ -178,15 +205,15 @@ public function getConnectedAccountId(): ?string return $this->connected_account_id; } - public function setApplicationFee(int $application_fee): self + public function setApplicationFeeGross(int $application_fee_gross): self { - $this->application_fee = $application_fee; + $this->application_fee_gross = $application_fee_gross; return $this; } - public function getApplicationFee(): int + public function getApplicationFeeGross(): int { - return $this->application_fee; + return $this->application_fee_gross; } public function setStripePlatform(?string $stripe_platform): self @@ -199,4 +226,103 @@ public function getStripePlatform(): ?string { return $this->stripe_platform; } + + public function setApplicationFeeNet(?int $application_fee_net): self + { + $this->application_fee_net = $application_fee_net; + return $this; + } + + public function getApplicationFeeNet(): ?int + { + return $this->application_fee_net; + } + + public function setApplicationFeeVat(?int $application_fee_vat): self + { + $this->application_fee_vat = $application_fee_vat; + return $this; + } + + public function getApplicationFeeVat(): ?int + { + return $this->application_fee_vat; + } + + public function setCurrency(string $currency): self + { + $this->currency = $currency; + return $this; + } + + public function getCurrency(): string + { + return $this->currency; + } + + public function setPayoutId(?string $payout_id): self + { + $this->payout_id = $payout_id; + return $this; + } + + public function getPayoutId(): ?string + { + return $this->payout_id; + } + + public function setPayoutStripeFee(?int $payout_stripe_fee): self + { + $this->payout_stripe_fee = $payout_stripe_fee; + return $this; + } + + public function getPayoutStripeFee(): ?int + { + return $this->payout_stripe_fee; + } + + public function setPayoutNetAmount(?int $payout_net_amount): self + { + $this->payout_net_amount = $payout_net_amount; + return $this; + } + + public function getPayoutNetAmount(): ?int + { + return $this->payout_net_amount; + } + + public function setPayoutCurrency(?string $payout_currency): self + { + $this->payout_currency = $payout_currency; + return $this; + } + + public function getPayoutCurrency(): ?string + { + return $this->payout_currency; + } + + public function setPayoutExchangeRate(?float $payout_exchange_rate): self + { + $this->payout_exchange_rate = $payout_exchange_rate; + return $this; + } + + public function getPayoutExchangeRate(): ?float + { + return $this->payout_exchange_rate; + } + + public function setBalanceTransactionId(?string $balance_transaction_id): self + { + $this->balance_transaction_id = $balance_transaction_id; + return $this; + } + + public function getBalanceTransactionId(): ?string + { + return $this->balance_transaction_id; + } } diff --git a/backend/app/DomainObjects/Generated/StripePayoutDomainObjectAbstract.php b/backend/app/DomainObjects/Generated/StripePayoutDomainObjectAbstract.php new file mode 100644 index 0000000000..3d0a0c2218 --- /dev/null +++ b/backend/app/DomainObjects/Generated/StripePayoutDomainObjectAbstract.php @@ -0,0 +1,202 @@ + $this->id ?? null, + 'payout_id' => $this->payout_id ?? null, + 'stripe_platform' => $this->stripe_platform ?? null, + 'amount_minor' => $this->amount_minor ?? null, + 'currency' => $this->currency ?? null, + 'payout_date' => $this->payout_date ?? null, + 'payout_status' => $this->payout_status ?? null, + 'total_application_fee_vat_minor' => $this->total_application_fee_vat_minor ?? null, + 'total_application_fee_net_minor' => $this->total_application_fee_net_minor ?? null, + 'metadata' => $this->metadata ?? null, + 'reconciled' => $this->reconciled ?? null, + 'created_at' => $this->created_at ?? null, + 'updated_at' => $this->updated_at ?? null, + ]; + } + + public function setId(int $id): self + { + $this->id = $id; + return $this; + } + + public function getId(): int + { + return $this->id; + } + + public function setPayoutId(string $payout_id): self + { + $this->payout_id = $payout_id; + return $this; + } + + public function getPayoutId(): string + { + return $this->payout_id; + } + + public function setStripePlatform(?string $stripe_platform): self + { + $this->stripe_platform = $stripe_platform; + return $this; + } + + public function getStripePlatform(): ?string + { + return $this->stripe_platform; + } + + public function setAmountMinor(?int $amount_minor): self + { + $this->amount_minor = $amount_minor; + return $this; + } + + public function getAmountMinor(): ?int + { + return $this->amount_minor; + } + + public function setCurrency(?string $currency): self + { + $this->currency = $currency; + return $this; + } + + public function getCurrency(): ?string + { + return $this->currency; + } + + public function setPayoutDate(?string $payout_date): self + { + $this->payout_date = $payout_date; + return $this; + } + + public function getPayoutDate(): ?string + { + return $this->payout_date; + } + + public function setPayoutStatus(?string $payout_status): self + { + $this->payout_status = $payout_status; + return $this; + } + + public function getPayoutStatus(): ?string + { + return $this->payout_status; + } + + public function setTotalApplicationFeeVatMinor(?int $total_application_fee_vat_minor): self + { + $this->total_application_fee_vat_minor = $total_application_fee_vat_minor; + return $this; + } + + public function getTotalApplicationFeeVatMinor(): ?int + { + return $this->total_application_fee_vat_minor; + } + + public function setTotalApplicationFeeNetMinor(?int $total_application_fee_net_minor): self + { + $this->total_application_fee_net_minor = $total_application_fee_net_minor; + return $this; + } + + public function getTotalApplicationFeeNetMinor(): ?int + { + return $this->total_application_fee_net_minor; + } + + public function setMetadata(array|string|null $metadata): self + { + $this->metadata = $metadata; + return $this; + } + + public function getMetadata(): array|string|null + { + return $this->metadata; + } + + public function setReconciled(bool $reconciled): self + { + $this->reconciled = $reconciled; + return $this; + } + + public function getReconciled(): bool + { + return $this->reconciled; + } + + public function setCreatedAt(?string $created_at): self + { + $this->created_at = $created_at; + return $this; + } + + public function getCreatedAt(): ?string + { + return $this->created_at; + } + + public function setUpdatedAt(?string $updated_at): self + { + $this->updated_at = $updated_at; + return $this; + } + + public function getUpdatedAt(): ?string + { + return $this->updated_at; + } +} diff --git a/backend/app/DomainObjects/StripePayoutDomainObject.php b/backend/app/DomainObjects/StripePayoutDomainObject.php new file mode 100644 index 0000000000..1b552d945d --- /dev/null +++ b/backend/app/DomainObjects/StripePayoutDomainObject.php @@ -0,0 +1,11 @@ +minimumAllowedRole(Role::ORGANIZER); + + if ($accountId !== $this->getAuthenticatedAccountId()) { + return $this->errorResponse(__('Unauthorized')); + } + + $vatSetting = $this->handler->handle($accountId); + + if (!$vatSetting) { + return $this->jsonResponse(['data' => null]); + } + + return $this->resourceResponse(AccountVatSettingResource::class, $vatSetting); + } +} diff --git a/backend/app/Http/Actions/Accounts/Vat/UpsertAccountVatSettingAction.php b/backend/app/Http/Actions/Accounts/Vat/UpsertAccountVatSettingAction.php new file mode 100644 index 0000000000..63280b6958 --- /dev/null +++ b/backend/app/Http/Actions/Accounts/Vat/UpsertAccountVatSettingAction.php @@ -0,0 +1,43 @@ +minimumAllowedRole(Role::ADMIN); + + if ($accountId !== $this->getAuthenticatedAccountId()) { + return $this->errorResponse(__('Unauthorized')); + } + + $validated = $request->validate([ + 'vat_registered' => 'required|boolean', + 'vat_number' => 'nullable|string|max:20', + ]); + + $vatSetting = $this->handler->handle(new UpsertAccountVatSettingDTO( + accountId: $accountId, + vatRegistered: $validated['vat_registered'], + vatNumber: $validated['vat_number'] ?? null, + )); + + return $this->resourceResponse(AccountVatSettingResource::class, $vatSetting); + } +} diff --git a/backend/app/Http/Actions/BaseAction.php b/backend/app/Http/Actions/BaseAction.php index a7de55784f..9b26d98de4 100644 --- a/backend/app/Http/Actions/BaseAction.php +++ b/backend/app/Http/Actions/BaseAction.php @@ -63,7 +63,7 @@ protected function filterableResourceResponse( /** * @param class-string $resource - * @param Collection|DomainObjectInterface|LengthAwarePaginator|BaseDTO|Paginator $data + * @param Collection|DomainObjectInterface|LengthAwarePaginator|BaseDTO|Paginator|BaseDataObject $data * @param int $statusCode * @param array $meta * @param array $headers diff --git a/backend/app/Models/Account.php b/backend/app/Models/Account.php index 15405fb473..1becf59b96 100644 --- a/backend/app/Models/Account.php +++ b/backend/app/Models/Account.php @@ -9,6 +9,7 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\BelongsToMany; use Illuminate\Database\Eloquent\Relations\HasMany; +use Illuminate\Database\Eloquent\Relations\HasOne; use Illuminate\Database\Eloquent\SoftDeletes; class Account extends BaseModel @@ -45,4 +46,9 @@ public function account_stripe_platforms(): HasMany { return $this->hasMany(AccountStripePlatform::class); } + + public function account_vat_setting(): HasOne + { + return $this->hasOne(AccountVatSetting::class); + } } diff --git a/backend/app/Models/AccountStripePlatform.php b/backend/app/Models/AccountStripePlatform.php index dd9b0961ec..c899a6a336 100644 --- a/backend/app/Models/AccountStripePlatform.php +++ b/backend/app/Models/AccountStripePlatform.php @@ -6,18 +6,26 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\SoftDeletes; +use Illuminate\Support\Carbon; +/** + * @property array|null $stripe_account_details + * @property Carbon|null $stripe_setup_completed_at + */ class AccountStripePlatform extends BaseModel { use SoftDeletes; - protected $casts = [ - 'stripe_account_details' => 'array', - 'stripe_setup_completed_at' => 'datetime', - ]; + protected function getCastMap(): array + { + return [ + 'stripe_account_details' => 'array', + 'stripe_setup_completed_at' => 'datetime', + ]; + } public function account(): BelongsTo { return $this->belongsTo(Account::class); } -} \ No newline at end of file +} diff --git a/backend/app/Models/AccountVatSetting.php b/backend/app/Models/AccountVatSetting.php new file mode 100644 index 0000000000..4a31fd7610 --- /dev/null +++ b/backend/app/Models/AccountVatSetting.php @@ -0,0 +1,54 @@ + 'boolean', + 'vat_validated' => 'boolean', + 'vat_validation_date' => 'datetime', + ]; + } + + public function account(): BelongsTo + { + return $this->belongsTo(Account::class); + } +} diff --git a/backend/app/Models/OrderPaymentPlatformFee.php b/backend/app/Models/OrderPaymentPlatformFee.php index 66468a593f..6250f1be3f 100644 --- a/backend/app/Models/OrderPaymentPlatformFee.php +++ b/backend/app/Models/OrderPaymentPlatformFee.php @@ -13,6 +13,10 @@ protected function getCastMap(): array { return [ 'fee_rollup' => 'array', + 'payment_platform_fee_amount' => 'float', + 'application_fee_gross_amount' => 'float', + 'application_fee_net_amount' => 'float', + 'application_fee_vat_amount' => 'float', ]; } diff --git a/backend/app/Models/StripePayment.php b/backend/app/Models/StripePayment.php index 119b86ffa5..6064d448fd 100644 --- a/backend/app/Models/StripePayment.php +++ b/backend/app/Models/StripePayment.php @@ -2,7 +2,6 @@ namespace HiEvents\Models; -use HiEvents\DomainObjects\Generated\StripePaymentDomainObjectAbstract; use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\SoftDeletes; @@ -19,18 +18,8 @@ protected function getCastMap(): array { return [ 'last_error' => 'array', - ]; - } + 'payout_exchange_rate' => 'float', - protected function getFillableFields(): array - { - return [ - StripePaymentDomainObjectAbstract::ORDER_ID, - StripePaymentDomainObjectAbstract::CHARGE_ID, - StripePaymentDomainObjectAbstract::PAYMENT_INTENT_ID, - StripePaymentDomainObjectAbstract::PAYMENT_METHOD_ID, - StripePaymentDomainObjectAbstract::CONNECTED_ACCOUNT_ID, - StripePaymentDomainObjectAbstract::STRIPE_PLATFORM, ]; } diff --git a/backend/app/Models/StripePayout.php b/backend/app/Models/StripePayout.php new file mode 100644 index 0000000000..3bfbc79b48 --- /dev/null +++ b/backend/app/Models/StripePayout.php @@ -0,0 +1,47 @@ + 'array', + 'metadata' => 'array', + ]; + } + + protected function getFillableFields(): array + { + return [ + 'payout_id', + 'stripe_platform', + 'amount_minor', + 'currency', + 'payout_date', + 'payout_status', + 'payout_stripe_fee_minor', + 'payout_net_amount_minor', + 'payout_exchange_rate', + 'balance_transaction_id', + 'total_application_fee_vat_minor', + 'total_application_fee_net_minor', + 'fee_breakdown', + 'metadata', + 'reconciled', + ]; + } + + public function stripePayments(): HasMany + { + return $this->hasMany(StripePayment::class, 'payout_id', 'payout_id'); + } +} diff --git a/backend/app/Providers/RepositoryServiceProvider.php b/backend/app/Providers/RepositoryServiceProvider.php index fb9b6e146b..af6950e970 100644 --- a/backend/app/Providers/RepositoryServiceProvider.php +++ b/backend/app/Providers/RepositoryServiceProvider.php @@ -8,6 +8,7 @@ use HiEvents\Repository\Eloquent\AccountRepository; use HiEvents\Repository\Eloquent\AccountStripePlatformRepository; use HiEvents\Repository\Eloquent\AccountUserRepository; +use HiEvents\Repository\Eloquent\AccountVatSettingRepository; use HiEvents\Repository\Eloquent\AffiliateRepository; use HiEvents\Repository\Eloquent\AttendeeCheckInRepository; use HiEvents\Repository\Eloquent\AttendeeRepository; @@ -40,6 +41,7 @@ use HiEvents\Repository\Eloquent\QuestionRepository; use HiEvents\Repository\Eloquent\StripeCustomerRepository; use HiEvents\Repository\Eloquent\StripePaymentsRepository; +use HiEvents\Repository\Eloquent\StripePayoutsRepository; use HiEvents\Repository\Eloquent\TaxAndFeeRepository; use HiEvents\Repository\Eloquent\TicketLookupTokenRepository; use HiEvents\Repository\Eloquent\UserRepository; @@ -49,6 +51,7 @@ use HiEvents\Repository\Interfaces\AccountRepositoryInterface; use HiEvents\Repository\Interfaces\AccountStripePlatformRepositoryInterface; use HiEvents\Repository\Interfaces\AccountUserRepositoryInterface; +use HiEvents\Repository\Interfaces\AccountVatSettingRepositoryInterface; use HiEvents\Repository\Interfaces\AffiliateRepositoryInterface; use HiEvents\Repository\Interfaces\AttendeeCheckInRepositoryInterface; use HiEvents\Repository\Interfaces\AttendeeRepositoryInterface; @@ -81,6 +84,7 @@ use HiEvents\Repository\Interfaces\QuestionRepositoryInterface; use HiEvents\Repository\Interfaces\StripeCustomerRepositoryInterface; use HiEvents\Repository\Interfaces\StripePaymentsRepositoryInterface; +use HiEvents\Repository\Interfaces\StripePayoutsRepositoryInterface; use HiEvents\Repository\Interfaces\TaxAndFeeRepositoryInterface; use HiEvents\Repository\Interfaces\TicketLookupTokenRepositoryInterface; use HiEvents\Repository\Interfaces\UserRepositoryInterface; @@ -128,12 +132,14 @@ class RepositoryServiceProvider extends ServiceProvider WebhookLogRepositoryInterface::class => WebhookLogRepository::class, OrderApplicationFeeRepositoryInterface::class => OrderApplicationFeeRepository::class, OrderPaymentPlatformFeeRepositoryInterface::class => OrderPaymentPlatformFeeRepository::class, + StripePayoutsRepositoryInterface::class => StripePayoutsRepository::class, AccountConfigurationRepositoryInterface::class => AccountConfigurationRepository::class, QuestionAndAnswerViewRepositoryInterface::class => QuestionAndAnswerViewRepository::class, OutgoingMessageRepositoryInterface::class => OutgoingMessageRepository::class, OrganizerSettingsRepositoryInterface::class => OrganizerSettingsRepository::class, EmailTemplateRepositoryInterface::class => EmailTemplateRepository::class, AccountStripePlatformRepositoryInterface::class => AccountStripePlatformRepository::class, + AccountVatSettingRepositoryInterface::class => AccountVatSettingRepository::class, TicketLookupTokenRepositoryInterface::class => TicketLookupTokenRepository::class, ]; diff --git a/backend/app/Repository/Eloquent/AccountVatSettingRepository.php b/backend/app/Repository/Eloquent/AccountVatSettingRepository.php new file mode 100644 index 0000000000..4aad332342 --- /dev/null +++ b/backend/app/Repository/Eloquent/AccountVatSettingRepository.php @@ -0,0 +1,25 @@ +findFirstWhere(['account_id' => $accountId]); + } +} diff --git a/backend/app/Repository/Eloquent/BaseRepository.php b/backend/app/Repository/Eloquent/BaseRepository.php index 3e1b850fd1..973ac658dc 100644 --- a/backend/app/Repository/Eloquent/BaseRepository.php +++ b/backend/app/Repository/Eloquent/BaseRepository.php @@ -21,6 +21,7 @@ use Illuminate\Pagination\LengthAwarePaginator; use Illuminate\Support\Collection; use Illuminate\Support\Str; +use TypeError; /** * @template T @@ -69,7 +70,7 @@ public function all(array $columns = self::DEFAULT_COLUMNS): Collection } public function paginate( - ?int $limit = null, + ?int $limit = null, array $columns = self::DEFAULT_COLUMNS ): LengthAwarePaginator { @@ -81,9 +82,9 @@ public function paginate( public function paginateWhere( array $where, - ?int $limit = null, + ?int $limit = null, array $columns = self::DEFAULT_COLUMNS, - ?int $page = null, + ?int $page = null, ): LengthAwarePaginator { $this->applyConditions($where); @@ -112,7 +113,7 @@ public function simplePaginateWhere( public function paginateEloquentRelation( Relation $relation, - ?int $limit = null, + ?int $limit = null, array $columns = self::DEFAULT_COLUMNS ): LengthAwarePaginator { @@ -343,8 +344,35 @@ protected function applyConditions(array $where): void $this->model = $this->model->where($value); } elseif (is_array($value)) { [$field, $condition, $val] = $value; - $this->model = $this->model->where($field, $condition, $val); + $condition = strtolower($condition); + + switch ($condition) { + case 'in': + if (is_array($val)) { + $this->model = $this->model->whereIn($field, $val); + } + break; + + case 'not in': + if (is_array($val)) { + $this->model = $this->model->whereNotIn($field, $val); + } + break; + + case 'null': + $this->model = $this->model->whereNull($field); + break; + + case 'not null': + $this->model = $this->model->whereNotNull($field); + break; + + default: + $this->model = $this->model->where($field, $condition, $val); + break; + } } else { + // Simple equality condition $this->model = $this->model->where($field, '=', $value); } } @@ -377,7 +405,7 @@ protected function handleResults($results, ?string $domainObjectOverride = null) protected function handleSingleResult( ?BaseModel $model, - ?string $domainObjectOverride = null + ?string $domainObjectOverride = null ): ?DomainObjectInterface { if (!$model) { @@ -464,9 +492,9 @@ private function getPaginationPerPage(?int $perPage): int * @todo use hydrate method from AbstractDomainObject */ private function hydrateDomainObjectFromModel( - Model $model, + Model $model, ?string $domainObjectOverride = null, - ?array $relationships = null, + ?array $relationships = null, ): DomainObjectInterface { /** @var DomainObjectInterface $object */ @@ -476,7 +504,22 @@ private function hydrateDomainObjectFromModel( foreach ($model->attributesToArray() as $attribute => $value) { $method = 'set' . ucfirst(Str::camel($attribute)); if (is_callable(array($object, $method))) { - $object->$method($value); + try { + $object->$method($value); + } catch (TypeError $e) { + throw new TypeError( + sprintf( + 'Type error when calling %s::%s with value %s: %s', + get_class($object), + $method, + var_export($value, true), + $e->getMessage() + ), + (int)$e->getCode(), + $e + ); + } + } } diff --git a/backend/app/Repository/Eloquent/StripePayoutsRepository.php b/backend/app/Repository/Eloquent/StripePayoutsRepository.php new file mode 100644 index 0000000000..167d5abc89 --- /dev/null +++ b/backend/app/Repository/Eloquent/StripePayoutsRepository.php @@ -0,0 +1,20 @@ + $this->getId(), + 'account_id' => $this->getAccountId(), + 'vat_registered' => $this->getVatRegistered(), + 'vat_number' => $this->getVatNumber(), + 'vat_validated' => $this->getVatValidated(), + 'vat_validation_date' => $this->getVatValidationDate(), + 'business_name' => $this->getBusinessName(), + 'business_address' => $this->getBusinessAddress(), + 'vat_country_code' => $this->getVatCountryCode(), + 'created_at' => $this->getCreatedAt(), + 'updated_at' => $this->getUpdatedAt(), + ]; + } +} diff --git a/backend/app/Resources/Account/Stripe/StripeConnectAccountsResponseResource.php b/backend/app/Resources/Account/Stripe/StripeConnectAccountsResponseResource.php index 5a0570a75e..e816112267 100644 --- a/backend/app/Resources/Account/Stripe/StripeConnectAccountsResponseResource.php +++ b/backend/app/Resources/Account/Stripe/StripeConnectAccountsResponseResource.php @@ -27,6 +27,7 @@ public function toArray(Request $request): array 'platform' => $account->platform?->value, 'account_type' => $account->accountType, 'is_primary' => $account->isPrimary, + 'country' => $account->country, ]; })->toArray(), 'primary_stripe_account_id' => $this->primaryStripeAccountId, diff --git a/backend/app/Services/Application/Handlers/Account/Payment/Stripe/DTO/StripeConnectAccountDTO.php b/backend/app/Services/Application/Handlers/Account/Payment/Stripe/DTO/StripeConnectAccountDTO.php index 4c9d4a6aa2..9e69db969e 100644 --- a/backend/app/Services/Application/Handlers/Account/Payment/Stripe/DTO/StripeConnectAccountDTO.php +++ b/backend/app/Services/Application/Handlers/Account/Payment/Stripe/DTO/StripeConnectAccountDTO.php @@ -8,12 +8,14 @@ class StripeConnectAccountDTO extends BaseDataObject { public function __construct( - public readonly ?string $stripeAccountId = null, - public readonly ?string $connectUrl = null, - public readonly bool $isSetupComplete = false, + public readonly ?string $stripeAccountId = null, + public readonly ?string $connectUrl = null, + public readonly bool $isSetupComplete = false, public readonly ?StripePlatform $platform = null, - public readonly ?string $accountType = null, - public readonly bool $isPrimary = false, - ) { + public readonly ?string $accountType = null, + public readonly bool $isPrimary = false, + public readonly ?string $country = null, + ) + { } -} \ No newline at end of file +} diff --git a/backend/app/Services/Application/Handlers/Account/Payment/Stripe/GetStripeConnectAccountsHandler.php b/backend/app/Services/Application/Handlers/Account/Payment/Stripe/GetStripeConnectAccountsHandler.php index 8f193fbf5b..2046ccf3a5 100644 --- a/backend/app/Services/Application/Handlers/Account/Payment/Stripe/GetStripeConnectAccountsHandler.php +++ b/backend/app/Services/Application/Handlers/Account/Payment/Stripe/GetStripeConnectAccountsHandler.php @@ -97,6 +97,7 @@ private function getStripeAccount(AccountStripePlatformDomainObject $stripePlatf platform: $platform, accountType: $stripeAccount->type, isPrimary: $stripePlatform->getStripeSetupCompletedAt() !== null, + country: is_array($stripePlatform->getStripeAccountDetails()) ? ($stripePlatform->getStripeAccountDetails()['country'] ?? null) : null, ); } catch (StripeClientConfigurationException $e) { $this->logger->warning('Failed to retrieve Stripe account due to configuration issue', [ diff --git a/backend/app/Services/Application/Handlers/Account/Vat/DTO/UpsertAccountVatSettingDTO.php b/backend/app/Services/Application/Handlers/Account/Vat/DTO/UpsertAccountVatSettingDTO.php new file mode 100644 index 0000000000..3c6168f66f --- /dev/null +++ b/backend/app/Services/Application/Handlers/Account/Vat/DTO/UpsertAccountVatSettingDTO.php @@ -0,0 +1,15 @@ +vatSettingRepository->findByAccountId($accountId); + } +} diff --git a/backend/app/Services/Application/Handlers/Account/Vat/UpsertAccountVatSettingHandler.php b/backend/app/Services/Application/Handlers/Account/Vat/UpsertAccountVatSettingHandler.php new file mode 100644 index 0000000000..d4d63ac720 --- /dev/null +++ b/backend/app/Services/Application/Handlers/Account/Vat/UpsertAccountVatSettingHandler.php @@ -0,0 +1,69 @@ +vatSettingRepository->findByAccountId($command->accountId); + + $data = [ + 'account_id' => $command->accountId, + 'vat_registered' => $command->vatRegistered, + ]; + + if ($command->vatRegistered && $command->vatNumber) { + $vatNumber = strtoupper(trim($command->vatNumber)); + + if (preg_match('/^[A-Z]{2}[0-9A-Z]{8,15}$/', $vatNumber)) { + $validationResult = $this->viesValidationService->validateVatNumber($vatNumber); + + $data['vat_number'] = $vatNumber; + $data['vat_validated'] = $validationResult->valid; + $data['vat_country_code'] = $validationResult->countryCode; + $data['business_name'] = $validationResult->businessName; + $data['business_address'] = $validationResult->businessAddress; + + if ($validationResult->valid) { + $data['vat_validation_date'] = now(); + } + } else { + $data['vat_number'] = $vatNumber; + $data['vat_validated'] = false; + $data['vat_country_code'] = substr($vatNumber, 0, 2); + $data['business_name'] = null; + $data['business_address'] = null; + } + } else { + $data['vat_number'] = null; + $data['vat_validated'] = false; + $data['vat_country_code'] = null; + $data['business_name'] = null; + $data['business_address'] = null; + $data['vat_validation_date'] = null; + } + + if ($existing) { + return $this->vatSettingRepository->updateFromArray( + id: $existing->getId(), + attributes: $data + ); + } + + return $this->vatSettingRepository->create($data); + } +} diff --git a/backend/app/Services/Application/Handlers/Order/Payment/Stripe/CreatePaymentIntentHandler.php b/backend/app/Services/Application/Handlers/Order/Payment/Stripe/CreatePaymentIntentHandler.php index efc6145041..d2ede81091 100644 --- a/backend/app/Services/Application/Handlers/Order/Payment/Stripe/CreatePaymentIntentHandler.php +++ b/backend/app/Services/Application/Handlers/Order/Payment/Stripe/CreatePaymentIntentHandler.php @@ -8,6 +8,7 @@ use Brick\Money\Exception\UnknownCurrencyException; use HiEvents\DomainObjects\AccountConfigurationDomainObject; use HiEvents\DomainObjects\AccountStripePlatformDomainObject; +use HiEvents\DomainObjects\AccountVatSettingDomainObject; use HiEvents\DomainObjects\Generated\StripePaymentDomainObjectAbstract; use HiEvents\DomainObjects\OrderItemDomainObject; use HiEvents\DomainObjects\Status\OrderStatus; @@ -19,12 +20,12 @@ use HiEvents\Repository\Interfaces\AccountRepositoryInterface; use HiEvents\Repository\Interfaces\OrderRepositoryInterface; use HiEvents\Repository\Interfaces\StripePaymentsRepositoryInterface; -use HiEvents\Services\Infrastructure\Stripe\StripeClientFactory; -use HiEvents\Services\Infrastructure\Stripe\StripeConfigurationService; use HiEvents\Services\Domain\Payment\Stripe\DTOs\CreatePaymentIntentRequestDTO; use HiEvents\Services\Domain\Payment\Stripe\DTOs\CreatePaymentIntentResponseDTO; use HiEvents\Services\Domain\Payment\Stripe\StripePaymentIntentCreationService; use HiEvents\Services\Infrastructure\Session\CheckoutSessionManagementService; +use HiEvents\Services\Infrastructure\Stripe\StripeClientFactory; +use HiEvents\Services\Infrastructure\Stripe\StripeConfigurationService; use HiEvents\Values\MoneyValue; use Stripe\Exception\ApiErrorException; use Throwable; @@ -75,6 +76,10 @@ public function handle(string $orderShortId): CreatePaymentIntentResponseDTO name: 'configuration', )) ->loadRelation(AccountStripePlatformDomainObject::class) + ->loadRelation(new Relationship( + domainObject: AccountVatSettingDomainObject::class, + name: 'account_vat_setting', + )) ->findByEventId($order->getEventId()); $stripePlatform = $account->getActiveStripePlatform() @@ -113,14 +118,20 @@ public function handle(string $orderShortId): CreatePaymentIntentResponseDTO 'account' => $account, 'order' => $order, 'stripeAccountId' => $stripeAccountId, + 'vatSettings' => $account->getAccountVatSetting(), ]) ); + $applicationFeeData = $paymentIntent->applicationFeeData; + $this->stripePaymentsRepository->create([ StripePaymentDomainObjectAbstract::ORDER_ID => $order->getId(), StripePaymentDomainObjectAbstract::PAYMENT_INTENT_ID => $paymentIntent->paymentIntentId, StripePaymentDomainObjectAbstract::CONNECTED_ACCOUNT_ID => $stripeAccountId, - StripePaymentDomainObjectAbstract::APPLICATION_FEE => $paymentIntent->applicationFeeAmount, + StripePaymentDomainObjectAbstract::APPLICATION_FEE_GROSS => $applicationFeeData->grossApplicationFee?->toMinorUnit(), + StripePaymentDomainObjectAbstract::APPLICATION_FEE_NET => $applicationFeeData->netApplicationFee?->toMinorUnit(), + StripePaymentDomainObjectAbstract::APPLICATION_FEE_VAT => $applicationFeeData->applicationFeeVatAmount?->toMinorUnit(), + StripePaymentDomainObjectAbstract::CURRENCY => strtoupper($order->getCurrency()), StripePaymentDomainObjectAbstract::STRIPE_PLATFORM => $stripePlatform?->value, ]); @@ -128,7 +139,7 @@ public function handle(string $orderShortId): CreatePaymentIntentResponseDTO paymentIntentId: $paymentIntent->paymentIntentId, clientSecret: $paymentIntent->clientSecret, accountId: $paymentIntent->accountId, - applicationFeeAmount: $paymentIntent->applicationFeeAmount, + applicationFeeData: $paymentIntent->applicationFeeData, stripePlatform: $stripePlatform, publicKey: $publicKey, ); diff --git a/backend/app/Services/Application/Handlers/Order/Payment/Stripe/IncomingWebhookHandler.php b/backend/app/Services/Application/Handlers/Order/Payment/Stripe/IncomingWebhookHandler.php index b5deb944b8..78b3792c68 100644 --- a/backend/app/Services/Application/Handlers/Order/Payment/Stripe/IncomingWebhookHandler.php +++ b/backend/app/Services/Application/Handlers/Order/Payment/Stripe/IncomingWebhookHandler.php @@ -9,6 +9,7 @@ use HiEvents\Services\Domain\Payment\Stripe\EventHandlers\ChargeSucceededHandler; use HiEvents\Services\Domain\Payment\Stripe\EventHandlers\PaymentIntentFailedHandler; use HiEvents\Services\Domain\Payment\Stripe\EventHandlers\PaymentIntentSucceededHandler; +use HiEvents\Services\Domain\Payment\Stripe\EventHandlers\PayoutPaidHandler; use Illuminate\Cache\Repository; use Illuminate\Log\Logger; use JsonException; @@ -28,6 +29,8 @@ class IncomingWebhookHandler Event::REFUND_UPDATED, Event::CHARGE_SUCCEEDED, Event::CHARGE_UPDATED, + Event::PAYOUT_PAID, + Event::PAYOUT_UPDATED, ]; public function __construct( @@ -36,6 +39,7 @@ public function __construct( private readonly PaymentIntentSucceededHandler $paymentIntentSucceededHandler, private readonly PaymentIntentFailedHandler $paymentIntentFailedHandler, private readonly AccountUpdateHandler $accountUpdateHandler, + private readonly PayoutPaidHandler $payoutPaidHandler, private readonly Logger $logger, private readonly Repository $cache, private readonly StripeConfigurationService $stripeConfigurationService, @@ -71,7 +75,7 @@ public function handle(StripeWebhookDTO $webhookDTO): void 'data' => $event->data->object->toArray(), ]); - return; +// return; } $this->logger->debug('Stripe event received: ' . $event->type, $event->data->object->toArray()); @@ -93,6 +97,10 @@ public function handle(StripeWebhookDTO $webhookDTO): void case Event::ACCOUNT_UPDATED: $this->accountUpdateHandler->handleEvent($event->data->object); break; + case Event::PAYOUT_PAID: + case Event::PAYOUT_UPDATED: + $this->payoutPaidHandler->handleEvent($event->data->object); + break; } $this->markEventAsHandled($event); diff --git a/backend/app/Services/Domain/Order/DTO/ApplicationFeeValuesDTO.php b/backend/app/Services/Domain/Order/DTO/ApplicationFeeValuesDTO.php new file mode 100644 index 0000000000..daff42e679 --- /dev/null +++ b/backend/app/Services/Domain/Order/DTO/ApplicationFeeValuesDTO.php @@ -0,0 +1,18 @@ +orderApplicationFeeCalculationService->calculateApplicationFee( accountConfiguration: $config, order: $updatedOrder, - )->toMinorUnit(), + )->netApplicationFee->toMinorUnit(), orderApplicationFeeStatus: OrderApplicationFeeStatus::AWAITING_PAYMENT, paymentMethod: PaymentProviders::OFFLINE, currency: $updatedOrder->getCurrency(), diff --git a/backend/app/Services/Domain/Order/OrderApplicationFeeCalculationService.php b/backend/app/Services/Domain/Order/OrderApplicationFeeCalculationService.php index b744e0eb10..31d7de5c4f 100644 --- a/backend/app/Services/Domain/Order/OrderApplicationFeeCalculationService.php +++ b/backend/app/Services/Domain/Order/OrderApplicationFeeCalculationService.php @@ -4,7 +4,10 @@ use Brick\Money\Currency; use HiEvents\DomainObjects\AccountConfigurationDomainObject; +use HiEvents\DomainObjects\AccountVatSettingDomainObject; use HiEvents\DomainObjects\OrderDomainObject; +use HiEvents\Services\Domain\Order\DTO\ApplicationFeeValuesDTO; +use HiEvents\Services\Domain\Order\Vat\VatRateDeterminationService; use HiEvents\Services\Infrastructure\CurrencyConversion\CurrencyConversionClientInterface; use HiEvents\Values\MoneyValue; use Illuminate\Config\Repository; @@ -15,7 +18,8 @@ class OrderApplicationFeeCalculationService public function __construct( private readonly Repository $config, - private readonly CurrencyConversionClientInterface $currencyConversionClient + private readonly CurrencyConversionClientInterface $currencyConversionClient, + private readonly VatRateDeterminationService $vatRateDeterminationService, ) { } @@ -23,22 +27,36 @@ public function __construct( public function calculateApplicationFee( AccountConfigurationDomainObject $accountConfiguration, OrderDomainObject $order, - ): MoneyValue + ?AccountVatSettingDomainObject $vatSettings = null + ): ?ApplicationFeeValuesDTO { $currency = $order->getCurrency(); $quantityPurchased = $this->getChargeableQuantityPurchased($order); if (!$this->config->get('app.saas_mode_enabled')) { - return MoneyValue::zero($currency); + return null; } $fixedFee = $this->getConvertedFixedFee($accountConfiguration, $currency); $percentageFee = $accountConfiguration->getPercentageApplicationFee(); - return MoneyValue::fromFloat( + $netApplicationFee = MoneyValue::fromFloat( amount: ($fixedFee->toFloat() * $quantityPurchased) + ($order->getTotalGross() * $percentageFee / 100), currency: $currency ); + + if (!$vatSettings) { + return new ApplicationFeeValuesDTO( + grossApplicationFee: $netApplicationFee, + netApplicationFee: $netApplicationFee, + ); + } + + return $this->calculateFeeWithVat( + vatSettings: $vatSettings, + netApplicationFee: $netApplicationFee, + currency: $currency, + ); } private function getConvertedFixedFee( @@ -68,4 +86,47 @@ private function getChargeableQuantityPurchased(OrderDomainObject $order): int return $quantityPurchased; } + + /** + * Calculate application fee with VAT added on top. + * + * Note: This uses a VAT-exclusive approach where VAT is calculated on top of the + * net application fee and added to reach the gross amount charged to the customer. + * For example, with a 12% application fee on a £5.00 order and 20% VAT: + * - Net application fee: £0.60 (12% of order) + * - VAT: £0.12 (20% of £0.60) + * - Gross charged: £0.72 (£0.60 + £0.12) + */ + private function calculateFeeWithVat( + AccountVatSettingDomainObject $vatSettings, + MoneyValue $netApplicationFee, + string $currency, + ): ApplicationFeeValuesDTO + { + $vatRate = $this->vatRateDeterminationService->determineVatRatePercentage($vatSettings); + + if ($vatRate <= 0) { + return new ApplicationFeeValuesDTO( + grossApplicationFee: $netApplicationFee, + netApplicationFee: $netApplicationFee, + ); + } + + $vatAmount = MoneyValue::fromFloat( + amount: $netApplicationFee->toFloat() * ($vatRate), + currency: $currency + ); + + $grossApplicationFee = MoneyValue::fromFloat( + amount: $netApplicationFee->toFloat() + $vatAmount->toFloat(), + currency: $currency + ); + + return new ApplicationFeeValuesDTO( + grossApplicationFee: $grossApplicationFee, + netApplicationFee: $netApplicationFee, + applicationFeeVatRate: $vatRate, + applicationFeeVatAmount: $vatAmount, + ); + } } diff --git a/backend/app/Services/Domain/Order/OrderPaymentPlatformFeeService.php b/backend/app/Services/Domain/Order/OrderPaymentPlatformFeeService.php index 05af58ed2c..3539a7ec02 100644 --- a/backend/app/Services/Domain/Order/OrderPaymentPlatformFeeService.php +++ b/backend/app/Services/Domain/Order/OrderPaymentPlatformFeeService.php @@ -19,9 +19,12 @@ public function createOrderPaymentPlatformFee( string $paymentPlatform, ?array $feeRollup, int $paymentPlatformFeeAmountMinorUnit, - int $applicationFeeAmountMinorUnit, + int $applicationFeeGrossAmountMinorUnit, string $currency, ?string $transactionId = null, + ?string $chargeId = null, + ?int $applicationFeeNetAmountMinorUnit = null, + ?int $applicationFeeVatAmountMinorUnit = null, ): void { $isZeroDecimalCurrency = Currency::isZeroDecimalCurrency($currency); @@ -30,18 +33,35 @@ public function createOrderPaymentPlatformFee( ? $paymentPlatformFeeAmountMinorUnit : $paymentPlatformFeeAmountMinorUnit / 100; - $applicationFeeAmount = $isZeroDecimalCurrency - ? $applicationFeeAmountMinorUnit - : $applicationFeeAmountMinorUnit / 100; + $applicationFeeGrossAmount = $isZeroDecimalCurrency + ? $applicationFeeGrossAmountMinorUnit + : $applicationFeeGrossAmountMinorUnit / 100; + + $applicationFeeNetAmount = null; + if ($applicationFeeNetAmountMinorUnit !== null) { + $applicationFeeNetAmount = $isZeroDecimalCurrency + ? $applicationFeeNetAmountMinorUnit + : $applicationFeeNetAmountMinorUnit / 100; + } + + $applicationFeeVatAmount = null; + if ($applicationFeeVatAmountMinorUnit !== null) { + $applicationFeeVatAmount = $isZeroDecimalCurrency + ? $applicationFeeVatAmountMinorUnit + : $applicationFeeVatAmountMinorUnit / 100; + } $this->orderPaymentPlatformFeeRepository->create([ OrderPaymentPlatformFeeDomainObjectAbstract::ORDER_ID => $orderId, OrderPaymentPlatformFeeDomainObjectAbstract::PAYMENT_PLATFORM => $paymentPlatform, OrderPaymentPlatformFeeDomainObjectAbstract::FEE_ROLLUP => $feeRollup, OrderPaymentPlatformFeeDomainObjectAbstract::PAYMENT_PLATFORM_FEE_AMOUNT => $paymentPlatformFeeAmount, - OrderPaymentPlatformFeeDomainObjectAbstract::APPLICATION_FEE_AMOUNT => $applicationFeeAmount, + OrderPaymentPlatformFeeDomainObjectAbstract::APPLICATION_FEE_GROSS_AMOUNT => $applicationFeeGrossAmount, + OrderPaymentPlatformFeeDomainObjectAbstract::APPLICATION_FEE_NET_AMOUNT => $applicationFeeNetAmount, + OrderPaymentPlatformFeeDomainObjectAbstract::APPLICATION_FEE_VAT_AMOUNT => $applicationFeeVatAmount, OrderPaymentPlatformFeeDomainObjectAbstract::CURRENCY => strtoupper($currency), OrderPaymentPlatformFeeDomainObjectAbstract::TRANSACTION_ID => $transactionId, + OrderPaymentPlatformFeeDomainObjectAbstract::CHARGE_ID => $chargeId, OrderPaymentPlatformFeeDomainObjectAbstract::PAID_AT => now()->toDateTimeString(), ]); } diff --git a/backend/app/Services/Domain/Order/Vat/VatRateDeterminationService.php b/backend/app/Services/Domain/Order/Vat/VatRateDeterminationService.php new file mode 100644 index 0000000000..22b5213273 --- /dev/null +++ b/backend/app/Services/Domain/Order/Vat/VatRateDeterminationService.php @@ -0,0 +1,61 @@ +defaultVatRate = $this->config->get('app.tax.default_vat_rate', 0.23); + $this->defaultVatCountry = $this->config->get('app.tax.default_vat_country', CountryCode::IE->value); + } + + public function determineVatRatePercentage(AccountVatSettingDomainObject $vatSetting): float + { + $country = $vatSetting->getVatCountryCode(); + + // If no country code, user said they're not VAT registered → charge default VAT + if ($country === null) { + return $this->defaultVatRate; + } + + $hasVatNumber = !empty($vatSetting->getVatNumber()); + $validated = $vatSetting->getVatValidated(); + + // Try to determine if EU country, default to charging VAT if invalid country code + try { + $isEu = CountryCode::isEuCountry(CountryCode::from($country)); + } catch (ValueError) { + return $this->defaultVatRate; + } + + // 1. Default VAT country (e.g. IE) → Always charge VAT, regardless of VAT number + if ($country === $this->defaultVatCountry) { + return $this->defaultVatRate; + } + + // 2. If outside EU → No VAT + if (!$isEu) { + return 0.0; + } + + // 3. EU B2B with valid VAT → Reverse charge (0%) + if ($validated && $hasVatNumber) { + return 0.0; + } + + // 4. EU but no valid VAT → Charge VAT + return $this->defaultVatRate; + } +} diff --git a/backend/app/Services/Domain/Payment/Stripe/DTOs/CreatePaymentIntentRequestDTO.php b/backend/app/Services/Domain/Payment/Stripe/DTOs/CreatePaymentIntentRequestDTO.php index cc09890ae8..de4ac4b329 100644 --- a/backend/app/Services/Domain/Payment/Stripe/DTOs/CreatePaymentIntentRequestDTO.php +++ b/backend/app/Services/Domain/Payment/Stripe/DTOs/CreatePaymentIntentRequestDTO.php @@ -4,17 +4,19 @@ use HiEvents\DataTransferObjects\BaseDTO; use HiEvents\DomainObjects\AccountDomainObject; +use HiEvents\DomainObjects\AccountVatSettingDomainObject; use HiEvents\DomainObjects\OrderDomainObject; use HiEvents\Values\MoneyValue; class CreatePaymentIntentRequestDTO extends BaseDTO { public function __construct( - public readonly MoneyValue $amount, - public readonly string $currencyCode, - public readonly AccountDomainObject $account, - public readonly OrderDomainObject $order, - public readonly ?string $stripeAccountId = null, + public readonly MoneyValue $amount, + public readonly string $currencyCode, + public readonly AccountDomainObject $account, + public readonly OrderDomainObject $order, + public readonly ?string $stripeAccountId = null, + public readonly ?AccountVatSettingDomainObject $vatSettings = null, ) { } diff --git a/backend/app/Services/Domain/Payment/Stripe/DTOs/CreatePaymentIntentResponseDTO.php b/backend/app/Services/Domain/Payment/Stripe/DTOs/CreatePaymentIntentResponseDTO.php index c556045a8f..7b8202112b 100644 --- a/backend/app/Services/Domain/Payment/Stripe/DTOs/CreatePaymentIntentResponseDTO.php +++ b/backend/app/Services/Domain/Payment/Stripe/DTOs/CreatePaymentIntentResponseDTO.php @@ -3,17 +3,18 @@ namespace HiEvents\Services\Domain\Payment\Stripe\DTOs; use HiEvents\DomainObjects\Enums\StripePlatform; +use HiEvents\Services\Domain\Order\DTO\ApplicationFeeValuesDTO; readonly class CreatePaymentIntentResponseDTO { public function __construct( - public ?string $paymentIntentId = null, - public ?string $clientSecret = null, - public ?string $accountId = null, - public ?string $error = null, - public int $applicationFeeAmount = 0, - public ?StripePlatform $stripePlatform = null, - public ?string $publicKey = null, + public ?string $paymentIntentId = null, + public ?string $clientSecret = null, + public ?string $accountId = null, + public ?string $error = null, + public ?ApplicationFeeValuesDTO $applicationFeeData = null, + public ?StripePlatform $stripePlatform = null, + public ?string $publicKey = null, ) { } diff --git a/backend/app/Services/Domain/Payment/Stripe/DTOs/StripePayoutCreationDTO.php b/backend/app/Services/Domain/Payment/Stripe/DTOs/StripePayoutCreationDTO.php new file mode 100644 index 0000000000..3f8044096c --- /dev/null +++ b/backend/app/Services/Domain/Payment/Stripe/DTOs/StripePayoutCreationDTO.php @@ -0,0 +1,20 @@ + $paymentIntent->last_payment_error?->toArray(), StripePaymentDomainObjectAbstract::AMOUNT_RECEIVED => $paymentIntent->amount_received, - StripePaymentDomainObjectAbstract::APPLICATION_FEE => $paymentIntent->application_fee_amount ?? 0, StripePaymentDomainObjectAbstract::PAYMENT_METHOD_ID => is_string($paymentIntent->payment_method) ? $paymentIntent->payment_method : $paymentIntent->payment_method?->id, @@ -160,6 +160,7 @@ private function updateStripePaymentInfo(PaymentIntent $paymentIntent, StripePay * @throws MathException * @throws UnknownCurrencyException * @throws NumberFormatException + * @throws StripeClientConfigurationException * @todo We could check to see if there are products available, and if so, complete the order. * This would be a better user experience. * @@ -190,7 +191,7 @@ private function handleExpiredOrder( * @throws CannotAcceptPaymentException * @throws MathException * @throws UnknownCurrencyException - * @throws NumberFormatException + * @throws NumberFormatException|StripeClientConfigurationException */ private function validatePaymentAndOrderStatus( StripePaymentDomainObjectAbstract $stripePayment, diff --git a/backend/app/Services/Domain/Payment/Stripe/EventHandlers/PayoutPaidHandler.php b/backend/app/Services/Domain/Payment/Stripe/EventHandlers/PayoutPaidHandler.php new file mode 100644 index 0000000000..9904d6398f --- /dev/null +++ b/backend/app/Services/Domain/Payment/Stripe/EventHandlers/PayoutPaidHandler.php @@ -0,0 +1,198 @@ +logger->info('Processing payout.paid event', [ + 'payout_id' => $payout->id, + 'amount' => $payout->amount, + 'currency' => $payout->currency, + 'status' => $payout->status, + ]); + + if ($payout->status !== 'paid') { + $this->logger->info('Payout not in paid status, skipping', [ + 'payout_id' => $payout->id, + 'status' => $payout->status, + ]); + return; + } + + $stripeClient = $this->stripeClientFactory->createForPlatform( + platform: $this->stripeConfigurationService->getPrimaryPlatform() + ); + + $page = 1; + $reconciledCount = 0; + $notFoundCount = 0; + $lastId = null; + + do { + $params = [ + 'payout' => $payout->id, + 'limit' => self::PAGE_LIMIT, + 'expand' => ['data.source'], + ]; + + if ($lastId) { + $params['starting_after'] = $lastId; + } + + $transactions = $stripeClient->balanceTransactions->all($params); + $this->logger->debug("Fetched page $page of payout transactions", [ + 'payout_id' => $payout->id, + 'count' => count($transactions->data), + ]); + + $applicationFeeTxns = collect($transactions->data) + ->filter(fn($txn) => $txn->type === 'application_fee' && $txn->source instanceof ApplicationFee) + ->values(); + + if ($applicationFeeTxns->isEmpty()) { + $this->logger->debug('No application_fee transactions found for this page'); + $lastId = count($transactions->data) ? end($transactions->data)->id : null; + $page++; + continue; + } + + $chargeIds = $applicationFeeTxns + ->map(fn($txn) => $txn->source->originating_transaction ?? $txn->source->charge ?? $txn->source->fee_source->charge ?? null) + ->filter() + ->unique() + ->values(); + + if ($chargeIds->isEmpty()) { + $this->logger->debug('No valid charge IDs found for this payout page'); + $lastId = count($transactions->data) ? end($transactions->data)->id : null; + $page++; + continue; + } + + // Create mapping of charge ID to balance transaction data + $chargeToTxnData = []; + foreach ($applicationFeeTxns as $txn) { + $chargeId = $txn->source->originating_transaction ?? $txn->source->charge ?? $txn->source->fee_source->charge ?? null; + if ($chargeId) { + $chargeToTxnData[$chargeId] = [ + 'balance_transaction_id' => $txn->id, + 'payout_stripe_fee' => abs($txn->fee ?? 0), + 'payout_net_amount' => $txn->net ?? null, + 'payout_currency' => strtoupper($txn->currency ?? ''), + 'payout_exchange_rate' => $txn->exchange_rate ? (float)$txn->exchange_rate : null, + ]; + } + } + + $payments = $this->stripePaymentsRepository + ->findWhereIn(StripePaymentDomainObjectAbstract::CHARGE_ID, $chargeIds->toArray()); + + $foundPayments = $payments + ->filter(fn($payment) => $payment->getChargeId() !== null); + + $this->logger->debug('Found matching Stripe payments for payout reconciliation', [ + 'payout_id' => $payout->id, + 'found_count' => $foundPayments->count(), + 'total_charge_ids' => $chargeIds->count(), + ]); + + $foundChargeIds = $foundPayments->map(fn($payment) => $payment->getChargeId())->values(); + $missing = $chargeIds->diff($foundChargeIds); + + if ($missing->isNotEmpty()) { + foreach ($missing as $missingId) { + $this->logger->warning('Stripe payment not found for charge in payout reconciliation', [ + 'charge_id' => $missingId, + 'payout_id' => $payout->id, + ]); + $notFoundCount++; + } + } + + // Update each payment with payout reconciliation data + foreach ($foundPayments as $payment) { + $chargeId = $payment->getChargeId(); + $txnData = $chargeToTxnData[$chargeId] ?? null; + + if (!$txnData) { + continue; + } + + $updateData = [ + StripePaymentDomainObjectAbstract::PAYOUT_ID => $payout->id, + StripePaymentDomainObjectAbstract::BALANCE_TRANSACTION_ID => $txnData['balance_transaction_id'], + StripePaymentDomainObjectAbstract::PAYOUT_STRIPE_FEE => $txnData['payout_stripe_fee'], + StripePaymentDomainObjectAbstract::PAYOUT_NET_AMOUNT => $txnData['payout_net_amount'], + StripePaymentDomainObjectAbstract::PAYOUT_CURRENCY => $txnData['payout_currency'], + StripePaymentDomainObjectAbstract::PAYOUT_EXCHANGE_RATE => $txnData['payout_exchange_rate'], + ]; + + $this->stripePaymentsRepository->updateWhere( + $updateData, + [StripePaymentDomainObjectAbstract::ID => $payment->getId()] + ); + + $reconciledCount++; + } + + $lastId = count($transactions->data) ? end($transactions->data)->id : null; + $page++; + + usleep(500000); // 0.5 second delay to avoid hitting rate limits + } while ($transactions->has_more); + + $this->logger->info('Payout reconciliation completed', [ + 'payout_id' => $payout->id, + 'reconciled_count' => $reconciledCount, + 'not_found_count' => $notFoundCount, + 'total_pages' => $page - 1, + ]); + + $dto = new StripePayoutCreationDTO( + payoutId: $payout->id, + stripePlatform: $this->stripeConfigurationService->getPrimaryPlatform()?->value ?? null, + amountMinor: $payout->amount ?? null, + currency: $payout->currency ?? null, + payoutDate: isset($payout->arrival_date) ? (new \DateTimeImmutable())->setTimestamp($payout->arrival_date) : null, + status: $payout->status, + metadata: $payout->metadata?->toArray(), + ); + + $this->stripePayoutService->createOrUpdatePayout($dto); + } catch (Throwable $exception) { + $this->logger->error('Failed to process payout.paid event', [ + 'exception' => $exception->getMessage(), + 'payout_id' => $payout->id ?? null, + 'trace' => $exception->getTraceAsString(), + ]); + + throw $exception; + } + } +} diff --git a/backend/app/Services/Domain/Payment/Stripe/StripeAccountSyncService.php b/backend/app/Services/Domain/Payment/Stripe/StripeAccountSyncService.php index 7eebe91a0a..6081fc19a1 100644 --- a/backend/app/Services/Domain/Payment/Stripe/StripeAccountSyncService.php +++ b/backend/app/Services/Domain/Payment/Stripe/StripeAccountSyncService.php @@ -4,9 +4,12 @@ use HiEvents\DomainObjects\AccountStripePlatformDomainObject; use HiEvents\DomainObjects\Generated\AccountStripePlatformDomainObjectAbstract; +use HiEvents\DomainObjects\Generated\AccountVatSettingDomainObjectAbstract; use HiEvents\Helper\Url; use HiEvents\Repository\Interfaces\AccountRepositoryInterface; use HiEvents\Repository\Interfaces\AccountStripePlatformRepositoryInterface; +use HiEvents\Repository\Interfaces\AccountVatSettingRepositoryInterface; +use Illuminate\Config\Repository; use Psr\Log\LoggerInterface; use Stripe\Account; use Stripe\StripeClient; @@ -18,6 +21,8 @@ public function __construct( private readonly LoggerInterface $logger, private readonly AccountRepositoryInterface $accountRepository, private readonly AccountStripePlatformRepositoryInterface $accountStripePlatformRepository, + private readonly AccountVatSettingRepositoryInterface $vatSettingRepository, + private readonly Repository $config, ) { } @@ -27,29 +32,28 @@ public function __construct( */ public function syncStripeAccountStatus( AccountStripePlatformDomainObject $accountStripePlatform, - Account $stripeAccount - ): void { + Account $stripeAccount + ): void + { $isAccountSetupCompleted = $this->isStripeAccountComplete($stripeAccount); $isCurrentlyComplete = $accountStripePlatform->getStripeSetupCompletedAt() !== null; // Only update if status has actually changed if ($isCurrentlyComplete === $isAccountSetupCompleted) { // Still update account details even if status hasn't changed - $this->updateAccountDetails($accountStripePlatform, $stripeAccount); + $this->updateAccountDetails($stripeAccount); return; } - $this->logger->info(sprintf( - 'Stripe Connect account status change. Updating account stripe platform %s with stripe account setup completed %s', - $stripeAccount->id, - $isAccountSetupCompleted ? 'true' : 'false' - )); - - $this->updateAccountStatusAndDetails($accountStripePlatform, $stripeAccount, $isAccountSetupCompleted); - - // Also update account verification status if setup is complete if ($isAccountSetupCompleted) { - $this->updateAccountVerificationStatus($accountStripePlatform); + $this->markAccountAsComplete($accountStripePlatform, $stripeAccount); + } else { + $this->logger->info(sprintf( + 'Stripe Connect account is no longer complete. Updating account stripe platform %s', + $stripeAccount->id + )); + $this->updateAccountStatusAndDetails($stripeAccount, isAccountSetupCompleted: false); + $this->updateAccountDetails($stripeAccount); } } @@ -59,16 +63,18 @@ public function syncStripeAccountStatus( */ public function markAccountAsComplete( AccountStripePlatformDomainObject $accountStripePlatform, - Account $stripeAccount - ): void { + Account $stripeAccount + ): void + { $this->logger->info(sprintf( 'Marking Stripe Connect account as complete for account stripe platform %s with Stripe account ID %s', $accountStripePlatform->getId(), $stripeAccount->id )); - $this->updateAccountStatusAndDetails($accountStripePlatform, $stripeAccount, true); - $this->updateAccountVerificationStatus($accountStripePlatform); + $this->updateAccountStatusAndDetails($stripeAccount, isAccountSetupCompleted: true); + $this->updateAccountCountryAndVerificationStatus($accountStripePlatform, $stripeAccount); + $this->createVatSettingIfMissing($accountStripePlatform); } public function isStripeAccountComplete(Account $stripeAccount): bool @@ -77,10 +83,10 @@ public function isStripeAccountComplete(Account $stripeAccount): bool } private function updateAccountStatusAndDetails( - AccountStripePlatformDomainObject $accountStripePlatform, Account $stripeAccount, - bool $isAccountSetupCompleted - ): void { + bool $isAccountSetupCompleted + ): void + { $this->accountStripePlatformRepository->updateWhere( attributes: [ AccountStripePlatformDomainObjectAbstract::STRIPE_SETUP_COMPLETED_AT => $isAccountSetupCompleted ? now() : null, @@ -92,10 +98,8 @@ private function updateAccountStatusAndDetails( ); } - private function updateAccountDetails( - AccountStripePlatformDomainObject $accountStripePlatform, - Account $stripeAccount - ): void { + private function updateAccountDetails(Account $stripeAccount): void + { $this->accountStripePlatformRepository->updateWhere( attributes: [ AccountStripePlatformDomainObjectAbstract::STRIPE_ACCOUNT_DETAILS => $this->buildAccountDetails($stripeAccount), @@ -152,18 +156,53 @@ public function createStripeAccountSetupUrl(Account $stripeAccount, StripeClient } } - private function updateAccountVerificationStatus(AccountStripePlatformDomainObject $accountStripePlatform): void + private function updateAccountCountryAndVerificationStatus( + AccountStripePlatformDomainObject $accountStripePlatform, + Account $stripeAccount, + ): void { $account = $this->accountRepository->findById($accountStripePlatform->getAccountId()); + + $updates = []; + if (!$account->getCountry()) { + $updates['country'] = strtoupper($stripeAccount->country); + } + if (!$account->getIsManuallyVerified()) { + $updates['is_manually_verified'] = true; + } + + if (!empty($updates)) { $this->accountRepository->updateWhere( - attributes: [ - 'is_manually_verified' => true, - ], + attributes: $updates, where: [ 'id' => $accountStripePlatform->getAccountId(), ] ); } } + + private function createVatSettingIfMissing(AccountStripePlatformDomainObject $accountStripePlatform): void + { + if ($this->config->get('app.tax.eu_vat_handling_enabled') !== true) { + $this->logger->info('EU VAT handling is disabled, skipping VAT setting creation.', [ + 'account_stripe_platform_id' => $accountStripePlatform->getId(), + 'account_id' => $accountStripePlatform->getAccountId(), + ]); + return; + } + + $existingVatSetting = $this->vatSettingRepository->findFirstWhere([ + AccountVatSettingDomainObjectAbstract::ACCOUNT_ID => $accountStripePlatform->getAccountId(), + ]); + + if ($existingVatSetting === null) { + $this->vatSettingRepository->create([ + AccountVatSettingDomainObjectAbstract::ACCOUNT_ID => $accountStripePlatform->getAccountId(), + AccountVatSettingDomainObjectAbstract::VAT_VALIDATED => false, + AccountVatSettingDomainObjectAbstract::VAT_COUNTRY_CODE => $accountStripePlatform + ->getStripeAccountDetails()['country'] ?? null, + ]); + } + } } diff --git a/backend/app/Services/Domain/Payment/Stripe/StripePaymentIntentCreationService.php b/backend/app/Services/Domain/Payment/Stripe/StripePaymentIntentCreationService.php index abe204e346..bd38c4f463 100644 --- a/backend/app/Services/Domain/Payment/Stripe/StripePaymentIntentCreationService.php +++ b/backend/app/Services/Domain/Payment/Stripe/StripePaymentIntentCreationService.php @@ -5,6 +5,7 @@ use HiEvents\DomainObjects\StripeCustomerDomainObject; use HiEvents\Exceptions\Stripe\CreatePaymentIntentFailedException; use HiEvents\Repository\Interfaces\StripeCustomerRepositoryInterface; +use HiEvents\Services\Domain\Order\DTO\ApplicationFeeValuesDTO; use HiEvents\Services\Domain\Order\OrderApplicationFeeCalculationService; use HiEvents\Services\Domain\Payment\Stripe\DTOs\CreatePaymentIntentRequestDTO; use HiEvents\Services\Domain\Payment\Stripe\DTOs\CreatePaymentIntentResponseDTO; @@ -68,22 +69,18 @@ public function createPaymentIntentWithClient( $applicationFee = $this->orderApplicationFeeCalculationService->calculateApplicationFee( accountConfiguration: $paymentIntentDTO->account->getConfiguration(), order: $paymentIntentDTO->order, - )->toMinorUnit(); + vatSettings: $paymentIntentDTO->vatSettings, + ); $paymentIntent = $stripeClient->paymentIntents->create([ 'amount' => $paymentIntentDTO->amount->toMinorUnit(), 'currency' => $paymentIntentDTO->currencyCode, 'customer' => $this->upsertStripeCustomerWithClient($stripeClient, $paymentIntentDTO)->getStripeCustomerId(), - 'metadata' => [ - 'order_id' => $paymentIntentDTO->order->getId(), - 'event_id' => $paymentIntentDTO->order->getEventId(), - 'order_short_id' => $paymentIntentDTO->order->getShortId(), - 'account_id' => $paymentIntentDTO->account->getId(), - ], + 'metadata' => $this->getPaymentIntentMetadata($paymentIntentDTO, $applicationFee), 'automatic_payment_methods' => [ 'enabled' => true, ], - $applicationFee ? ['application_fee_amount' => $applicationFee] : [], + ...($applicationFee ? ['application_fee_amount' => $applicationFee->grossApplicationFee->toMinorUnit()] : []), ], $this->getStripeAccountData($paymentIntentDTO)); $this->logger->debug('Stripe payment intent created', [ @@ -97,7 +94,7 @@ public function createPaymentIntentWithClient( paymentIntentId: $paymentIntent->id, clientSecret: $paymentIntent->client_secret, accountId: $paymentIntentDTO->stripeAccountId, - applicationFeeAmount: $applicationFee, + applicationFeeData: $applicationFee, ); } catch (ApiErrorException $exception) { $this->logger->error("Stripe payment intent creation failed: {$exception->getMessage()}", [ @@ -189,4 +186,27 @@ private function upsertStripeCustomerWithClient( return $customer; } + + private function getPaymentIntentMetadata( + CreatePaymentIntentRequestDTO $paymentIntentDTO, + ?ApplicationFeeValuesDTO $applicationFee + ): array + { + $metaData = [ + 'order_id' => $paymentIntentDTO->order->getId(), + 'event_id' => $paymentIntentDTO->order->getEventId(), + 'order_short_id' => $paymentIntentDTO->order->getShortId(), + 'account_id' => $paymentIntentDTO->account->getId(), + + ]; + + if ($applicationFee) { + $metaData['application_fee_gross_amount'] = $applicationFee->grossApplicationFee?->toFloat(); + $metaData['application_fee_vat_amount'] = $applicationFee->applicationFeeVatAmount?->toFloat(); + $metaData['application_fee_net_amount'] = $applicationFee->netApplicationFee?->toFloat(); + $metaData['application_fee_vat_rate'] = $applicationFee->applicationFeeVatRate; + } + + return $metaData; + } } diff --git a/backend/app/Services/Domain/Payment/Stripe/StripePaymentPlatformFeeExtractionService.php b/backend/app/Services/Domain/Payment/Stripe/StripePaymentPlatformFeeExtractionService.php index 6446a60474..3e3e085b6a 100644 --- a/backend/app/Services/Domain/Payment/Stripe/StripePaymentPlatformFeeExtractionService.php +++ b/backend/app/Services/Domain/Payment/Stripe/StripePaymentPlatformFeeExtractionService.php @@ -84,31 +84,42 @@ public function extractAndStorePlatformFee( $feeDetails = $this->extractFeeDetails($balanceTransaction); $totalFee = $balanceTransaction->fee ?? 0; - $applicationFee = $this->extractApplicationFee($feeDetails); + $applicationFeeGross = $this->extractApplicationFee($feeDetails); $paymentPlatformFee = $this->extractStripeFee($feeDetails); + $applicationFeeBreakdown = $this->convertApplicationFeeToSettlementCurrency( + stripePayment: $stripePayment, + balanceTransaction: $balanceTransaction + ); + $this->orderPaymentPlatformFeeService->createOrderPaymentPlatformFee( orderId: $order->getId(), paymentPlatform: PaymentProviders::STRIPE->value, feeRollup: [ 'total_fee' => $totalFee, 'payment_platform_fee' => $paymentPlatformFee, - 'application_fee' => $applicationFee, + 'application_fee' => $applicationFeeGross, 'fee_details' => $feeDetails, 'net' => $balanceTransaction->net ?? 0, + 'gross' => $balanceTransaction->amount ?? 0, 'exchange_rate' => $balanceTransaction->exchange_rate ?? null, ], paymentPlatformFeeAmountMinorUnit: $paymentPlatformFee, - applicationFeeAmountMinorUnit: $applicationFee, + applicationFeeGrossAmountMinorUnit: $applicationFeeGross, currency: $balanceTransaction->currency ?? $order->getCurrency(), transactionId: $balanceTransaction->id ?? null, + chargeId: $charge->id ?? null, + applicationFeeNetAmountMinorUnit: $applicationFeeBreakdown['net'], + applicationFeeVatAmountMinorUnit: $applicationFeeBreakdown['vat'], ); $this->logger->info(__('Platform fee stored successfully'), [ 'order_id' => $order->getId(), 'total_fee' => $totalFee, 'payment_platform_fee' => $paymentPlatformFee, - 'application_fee' => $applicationFee, + 'application_fee_gross' => $applicationFeeGross, + 'application_fee_net' => $applicationFeeBreakdown['net'], + 'application_fee_vat' => $applicationFeeBreakdown['vat'], 'currency' => strtoupper($balanceTransaction->currency ?? $order->getCurrency()), ]); } catch (Throwable $exception) { @@ -161,4 +172,57 @@ private function extractApplicationFee(array $feeDetails): int return 0; } + + /** + * Convert application fee VAT breakdown from transaction currency to settlement currency. + * + * Retrieves VAT data from stripe_payments table (already stored in transaction currency, minor units) + * and converts to settlement currency using the exchange rate from the balance transaction. + */ + private function convertApplicationFeeToSettlementCurrency( + StripePaymentDomainObject $stripePayment, + $balanceTransaction + ): array + { + if (!config('app.tax.eu_vat_handling_enabled')) { + return [ + 'net' => null, + 'vat' => null, + ]; + } + + // Get VAT data from DB (transaction currency, minor units) + $netMinor = $stripePayment->getApplicationFeeNet(); + $vatMinor = $stripePayment->getApplicationFeeVat(); + + if ($netMinor === null && $vatMinor === null) { + return [ + 'net' => null, + 'vat' => null, + ]; + } + + $exchangeRate = $balanceTransaction->exchange_rate ?? null; + + // Convert to major units (transaction currency) + $netMajor = $netMinor !== null ? $netMinor / 100 : null; + $vatMajor = $vatMinor !== null ? $vatMinor / 100 : null; + + // Apply exchange rate to convert to settlement currency (major units) + $netConverted = $netMajor !== null && $exchangeRate + ? $netMajor * $exchangeRate + : $netMajor; + $vatConverted = $vatMajor !== null && $exchangeRate + ? $vatMajor * $exchangeRate + : $vatMajor; + + // Convert to minor units (settlement currency) + $netAmountMinorUnit = $netConverted !== null ? (int)round($netConverted * 100) : null; + $vatAmountMinorUnit = $vatConverted !== null ? (int)round($vatConverted * 100) : null; + + return [ + 'net' => $netAmountMinorUnit, + 'vat' => $vatAmountMinorUnit, + ]; + } } diff --git a/backend/app/Services/Domain/Payment/Stripe/StripePayoutService.php b/backend/app/Services/Domain/Payment/Stripe/StripePayoutService.php new file mode 100644 index 0000000000..cc8292f74b --- /dev/null +++ b/backend/app/Services/Domain/Payment/Stripe/StripePayoutService.php @@ -0,0 +1,153 @@ +logger->info('Creating/updating stripe_payouts record', ['payout_id' => $dto->payoutId]); + + $payments = $this->stripePaymentsRepository->findWhere([ + 'payout_id' => $dto->payoutId, + ]); + + if ($payments->isEmpty()) { + $this->logger->warning('No payments found for payout', ['payout_id' => $dto->payoutId]); + return; + } + + // Get charge IDs to query order_payment_platform_fees + $chargeIds = $payments + ->map(fn($payment) => $payment->getChargeId()) + ->filter() + ->unique() + ->values() + ->toArray(); + + if (empty($chargeIds)) { + $this->logger->warning('No charge IDs found for payout payments', ['payout_id' => $dto->payoutId]); + return; + } + + $this->logger->debug('Fetching platform fees for payout', [ + 'payout_id' => $dto->payoutId, + 'charge_ids' => $chargeIds, + ]); + + // Get settlement currency VAT/net from order_payment_platform_fees + $platformFees = $this->orderPaymentPlatformFeeRepository->findWhereIn('charge_id', $chargeIds); + + $this->logger->debug('Found platform fees for payout', [ + 'payout_id' => $dto->payoutId, + 'platform_fees_count' => $platformFees->count(), + ]); + + if ($platformFees->isEmpty()) { + $this->logger->warning('No platform fees found for payout', ['payout_id' => $dto->payoutId]); + + // Still create the payout record without VAT data + $this->createOrUpdatePayoutRecord($dto, null, null, false); + return; + } + + $totalVatMinor = 0; + $totalNetMinor = 0; + $foundVat = false; + $settlementCurrency = null; + + foreach ($platformFees as $platformFee) { + $vatMajor = $platformFee->getApplicationFeeVatAmount(); + $netMajor = $platformFee->getApplicationFeeNetAmount(); + + $this->logger->debug('Processing platform fee for payout', [ + 'payout_id' => $dto->payoutId, + 'charge_id' => $platformFee->getChargeId(), + 'vat_major' => $vatMajor, + 'net_major' => $netMajor, + ]); + + if ($vatMajor === null && $netMajor === null) { + continue; + } + + $foundVat = true; + + // Get settlement currency from platform fee + $settlementCurrency = $settlementCurrency ?? strtoupper($platformFee->getCurrency() ?? ''); + $payoutCurrency = strtoupper($dto->currency ?? ''); + + // Only handle cases where settlement and payout currencies match + if ($settlementCurrency !== $payoutCurrency) { + $this->logger->error('Payout currency differs from settlement currency - VAT aggregation not supported', [ + 'payout_id' => $dto->payoutId, + 'settlement_currency' => $settlementCurrency, + 'payout_currency' => $payoutCurrency, + 'charge_id' => $platformFee->getChargeId(), + ]); + continue; // Skip this payment + } + + // Simple conversion: settlement currency (major units) → payout currency (minor units) + // Since currencies match, just multiply by 100 + if ($vatMajor !== null) { + $totalVatMinor += (int)round($vatMajor * 100); + } + + if ($netMajor !== null) { + $totalNetMinor += (int)round($netMajor * 100); + } + } + + $this->createOrUpdatePayoutRecord($dto, $totalVatMinor, $totalNetMinor, $foundVat); + } + + private function createOrUpdatePayoutRecord( + StripePayoutCreationDTO $dto, + ?int $totalVatMinor, + ?int $totalNetMinor, + bool $reconciled + ): void + { + $attributes = [ + 'payout_id' => $dto->payoutId, + 'stripe_platform' => $dto->stripePlatform, + 'amount_minor' => $dto->amountMinor, + 'currency' => strtoupper($dto->currency ?? ''), + 'payout_date' => $dto->payoutDate?->format('Y-m-d H:i:s'), + 'payout_status' => $dto->status, + 'total_application_fee_vat_minor' => $totalVatMinor, + 'total_application_fee_net_minor' => $totalNetMinor, + 'metadata' => $dto->metadata, + 'reconciled' => $reconciled, + ]; + + $existing = $this->stripePayoutsRepository->findFirstByField('payout_id', $dto->payoutId); + if ($existing) { + $this->stripePayoutsRepository->updateFromArray($existing->getId(), $attributes); + } else { + $this->stripePayoutsRepository->create($attributes); + } + + $this->logger->info('Stripe payout stored', [ + 'payout_id' => $dto->payoutId, + 'vat_minor' => $attributes['total_application_fee_vat_minor'], + 'currency' => $attributes['currency'], + 'reconciled' => $reconciled, + ]); + } +} diff --git a/backend/app/Services/Infrastructure/Vat/ViesValidationService.php b/backend/app/Services/Infrastructure/Vat/ViesValidationService.php new file mode 100644 index 0000000000..43cf983e9d --- /dev/null +++ b/backend/app/Services/Infrastructure/Vat/ViesValidationService.php @@ -0,0 +1,83 @@ +httpClient->timeout(self::TIMEOUT_SECONDS)->post(self::VIES_API_URL, [ + 'countryCode' => $countryCode, + 'vatNumber' => $vatNumberOnly, + ]); + + if (!$response->successful()) { + $this->logger->warning('VIES API request failed', [ + 'status' => $response->status(), + 'body' => $response->body(), + 'vat_number' => $vatNumber, + ]); + + return new ViesValidationResponseDTO( + valid: false, + countryCode: $countryCode, + vatNumber: $vatNumberOnly, + ); + } + + $data = $response->json(); + + return new ViesValidationResponseDTO( + valid: $data['valid'] ?? false, + businessName: $data['name'] ?? null, + businessAddress: $data['address'] ?? null, + countryCode: $countryCode, + vatNumber: $vatNumberOnly, + ); + } catch (ConnectionException $e) { + $this->logger->error('VIES API connection error', [ + 'error' => $e->getMessage(), + 'vat_number' => $vatNumber, + ]); + + return new ViesValidationResponseDTO( + valid: false, + countryCode: $countryCode, + vatNumber: $vatNumberOnly, + ); + } catch (Exception $e) { + $this->logger->error('VIES validation exception', [ + 'error' => $e->getMessage(), + 'vat_number' => $vatNumber, + ]); + + return new ViesValidationResponseDTO( + valid: false, + countryCode: $countryCode, + vatNumber: $vatNumberOnly, + ); + } + } +} diff --git a/backend/config/app.php b/backend/config/app.php index a82d164ba8..c354b3b83e 100644 --- a/backend/config/app.php +++ b/backend/config/app.php @@ -37,6 +37,9 @@ */ 'homepage_product_quantities_cache_ttl' => env('APP_HOMEPAGE_TICKET_QUANTITIES_CACHE_TTL', 2), + /** + * Frontend URL patterns for various actions. It is unlikely you will need to change these + */ 'frontend_urls' => [ 'confirm_email_address' => '/manage/profile/confirm-email-address/%s', 'reset_password' => '/auth/reset-password/%s', @@ -51,14 +54,32 @@ 'ticket_lookup' => '/my-tickets/%s', ], + /** + * Email customization settings + */ 'email_logo_url' => env('APP_EMAIL_LOGO_URL'), 'email_logo_link_url' => env('APP_EMAIL_LOGO_LINK_URL', env('APP_FRONTEND_URL', 'http://localhost')), 'email_footer_text' => env('APP_EMAIL_FOOTER_TEXT'), + /** + * Default color theme for organizer homepages + */ 'organizer_homepage_default_theme' => ColorTheme::MIDNIGHT, + /** + * Path to default event category cover images + */ 'event_categories_cover_images_path' => 'event_cover/system-covers', + /** + * Tax Settings - Unlikely you will need these unless EU based and using SAAS mode and charging tax + */ + 'tax' => [ + 'eu_vat_handling_enabled' => env('APP_TAX_EU_VAT_HANDLING_ENABLED', env('APP_IS_HI_EVENTS')), + 'default_vat_rate' => env('APP_TAX_DEFAULT_VAT_RATE', 0.23), + 'default_vat_country' => env('APP_TAX_DEFAULT_VAT_COUNTRY', 'IE'), + ], + /* |-------------------------------------------------------------------------- | Application Environment diff --git a/backend/database/factories/AccountVatSettingFactory.php b/backend/database/factories/AccountVatSettingFactory.php new file mode 100644 index 0000000000..93f7aa0d00 --- /dev/null +++ b/backend/database/factories/AccountVatSettingFactory.php @@ -0,0 +1,72 @@ + + */ +class AccountVatSettingFactory extends Factory +{ + protected $model = AccountVatSetting::class; + + public function definition(): array + { + return [ + 'account_id' => Account::factory(), + 'vat_registered' => fake()->boolean(), + 'vat_number' => null, + 'vat_validated' => false, + 'vat_validation_date' => null, + 'business_name' => null, + 'business_address' => null, + 'vat_country_code' => null, + ]; + } + + public function registered(): self + { + $countryCode = fake()->randomElement(['IE', 'DE', 'FR', 'ES', 'NL', 'IT']); + $vatNumber = $countryCode . fake()->numerify('########'); + + return $this->state(fn(array $attributes) => [ + 'vat_registered' => true, + 'vat_number' => $vatNumber, + 'vat_country_code' => $countryCode, + ]); + } + + public function validated(): self + { + $countryCode = fake()->randomElement(['IE', 'DE', 'FR', 'ES', 'NL', 'IT']); + $vatNumber = $countryCode . fake()->numerify('########'); + + return $this->state(fn(array $attributes) => [ + 'vat_registered' => true, + 'vat_number' => $vatNumber, + 'vat_validated' => true, + 'vat_validation_date' => now(), + 'business_name' => fake()->company(), + 'business_address' => fake()->address(), + 'vat_country_code' => $countryCode, + ]); + } + + public function notRegistered(): self + { + return $this->state(fn(array $attributes) => [ + 'vat_registered' => false, + 'vat_number' => null, + 'vat_validated' => false, + 'vat_validation_date' => null, + 'business_name' => null, + 'business_address' => null, + 'vat_country_code' => null, + ]); + } +} diff --git a/backend/database/migrations/2025_11_06_134601_add_create_account_vat_settings.php b/backend/database/migrations/2025_11_06_134601_add_create_account_vat_settings.php new file mode 100644 index 0000000000..46d25cb1fa --- /dev/null +++ b/backend/database/migrations/2025_11_06_134601_add_create_account_vat_settings.php @@ -0,0 +1,39 @@ +id(); + $table->unsignedBigInteger('account_id'); + $table->boolean('vat_registered')->default(false); + $table->string('vat_number', 20)->nullable(); + $table->boolean('vat_validated')->default(false); + $table->timestamp('vat_validation_date')->nullable(); + $table->string('business_name')->nullable(); + $table->string('business_address')->nullable(); + $table->string('vat_country_code', 2)->nullable(); + $table->timestamps(); + $table->softDeletes(); + + $table->foreign('account_id') + ->references('id') + ->on('accounts') + ->onDelete('cascade'); + + $table->unique('account_id'); + $table->index('vat_number'); + $table->index('vat_validated'); + }); + } + + public function down(): void + { + Schema::dropIfExists('account_vat_settings'); + } +}; diff --git a/backend/database/migrations/2025_11_07_134601_add_country_to_accounts.php b/backend/database/migrations/2025_11_07_134601_add_country_to_accounts.php new file mode 100644 index 0000000000..dbae11eff6 --- /dev/null +++ b/backend/database/migrations/2025_11_07_134601_add_country_to_accounts.php @@ -0,0 +1,27 @@ +string('country', 2)->nullable(); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::table('accounts', function (Blueprint $table) { + $table->dropColumn('country'); + }); + } +}; diff --git a/backend/database/migrations/2025_11_07_153308_backfill_account_vat_settings.php b/backend/database/migrations/2025_11_07_153308_backfill_account_vat_settings.php new file mode 100644 index 0000000000..4e2ff157d6 --- /dev/null +++ b/backend/database/migrations/2025_11_07_153308_backfill_account_vat_settings.php @@ -0,0 +1,49 @@ + $stripeAccounts */ + $stripeAccounts = AccountStripePlatform::query() + ->whereNotNull('stripe_setup_completed_at') + ->get(); + + foreach ($stripeAccounts as $accountStripePlatform) { + $stripeCountry = $accountStripePlatform->stripe_account_details['country'] ?? null; + + if ($stripeCountry === null) { + continue; + } + + if (CountryCode::isEuCountry(CountryCode::from(strtoupper($stripeCountry)))) { + $vatSettings = new AccountVatSetting(); + $vatSettings->account()->associate($accountStripePlatform->account); + $vatSettings->vat_country_code = strtoupper($stripeCountry); + $vatSettings->vat_validated = false; + $vatSettings->save(); + } + } + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + //no-op + } +}; diff --git a/backend/database/migrations/2025_11_08_211326_update_order_payment_platform_fees_add_vat_columns.php b/backend/database/migrations/2025_11_08_211326_update_order_payment_platform_fees_add_vat_columns.php new file mode 100644 index 0000000000..82bceef440 --- /dev/null +++ b/backend/database/migrations/2025_11_08_211326_update_order_payment_platform_fees_add_vat_columns.php @@ -0,0 +1,31 @@ +renameColumn('application_fee_amount', 'application_fee_gross_amount'); + $table->decimal('application_fee_net_amount', 10, 2)->nullable(); + $table->decimal('application_fee_vat_amount', 10, 2)->nullable(); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::table('order_payment_platform_fees', static function (Blueprint $table) { + $table->dropColumn(['application_fee_net_amount', 'application_fee_vat_amount']); + $table->renameColumn('application_fee_gross_amount', 'application_fee_amount'); + }); + } +}; diff --git a/backend/database/migrations/2025_11_08_212909_update_stripe_payments_add_vat_and_currency.php b/backend/database/migrations/2025_11_08_212909_update_stripe_payments_add_vat_and_currency.php new file mode 100644 index 0000000000..4c3d9f8def --- /dev/null +++ b/backend/database/migrations/2025_11_08_212909_update_stripe_payments_add_vat_and_currency.php @@ -0,0 +1,32 @@ +renameColumn('application_fee', 'application_fee_gross'); + $table->bigInteger('application_fee_net')->nullable(); + $table->bigInteger('application_fee_vat')->nullable(); + $table->string('currency', 10)->nullable(); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::table('stripe_payments', static function (Blueprint $table) { + $table->dropColumn(['application_fee_net', 'application_fee_vat', 'currency']); + $table->renameColumn('application_fee_gross', 'application_fee'); + }); + } +}; diff --git a/backend/database/migrations/2025_11_09_215552_add_payout_id_to_stripe_payments.php b/backend/database/migrations/2025_11_09_215552_add_payout_id_to_stripe_payments.php new file mode 100644 index 0000000000..d57de176a8 --- /dev/null +++ b/backend/database/migrations/2025_11_09_215552_add_payout_id_to_stripe_payments.php @@ -0,0 +1,28 @@ +string('payout_id')->nullable()->after('currency'); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::table('stripe_payments', function (Blueprint $table) { + $table->dropColumn('payout_id'); + }); + } +}; diff --git a/backend/database/migrations/2025_11_11_074035_add_enhanced_payout_reconciliation_to_stripe_payments.php b/backend/database/migrations/2025_11_11_074035_add_enhanced_payout_reconciliation_to_stripe_payments.php new file mode 100644 index 0000000000..fcf93afc5b --- /dev/null +++ b/backend/database/migrations/2025_11_11_074035_add_enhanced_payout_reconciliation_to_stripe_payments.php @@ -0,0 +1,38 @@ +bigInteger('payout_stripe_fee')->nullable()->after('payout_id'); + $table->bigInteger('payout_net_amount')->nullable()->after('payout_stripe_fee'); + $table->string('payout_currency', 10)->nullable()->after('payout_net_amount'); + $table->decimal('payout_exchange_rate', 20, 10)->nullable()->after('payout_currency'); + $table->string('balance_transaction_id')->nullable()->after('payout_exchange_rate'); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::table('stripe_payments', function (Blueprint $table) { + $table->dropColumn([ + 'balance_transaction_id', + 'payout_exchange_rate', + 'payout_currency', + 'payout_net_amount', + 'payout_stripe_fee', + ]); + }); + } +}; diff --git a/backend/database/migrations/2025_11_11_113432_add_charge_id_to_order_payment_platform_fees.php b/backend/database/migrations/2025_11_11_113432_add_charge_id_to_order_payment_platform_fees.php new file mode 100644 index 0000000000..43260e2cca --- /dev/null +++ b/backend/database/migrations/2025_11_11_113432_add_charge_id_to_order_payment_platform_fees.php @@ -0,0 +1,30 @@ +string('charge_id')->nullable()->after('transaction_id'); + $table->index('charge_id'); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::table('order_payment_platform_fees', function (Blueprint $table) { + $table->dropIndex(['charge_id']); + $table->dropColumn('charge_id'); + }); + } +}; diff --git a/backend/database/migrations/2025_11_11_200000_create_stripe_payouts_table.php b/backend/database/migrations/2025_11_11_200000_create_stripe_payouts_table.php new file mode 100644 index 0000000000..705dcee675 --- /dev/null +++ b/backend/database/migrations/2025_11_11_200000_create_stripe_payouts_table.php @@ -0,0 +1,32 @@ +id(); + $table->string('payout_id')->unique(); + $table->string('stripe_platform')->nullable(); + $table->bigInteger('amount_minor')->nullable(); + $table->string('currency', 10)->nullable(); + $table->timestamp('payout_date')->nullable(); + $table->string('payout_status', 50)->nullable(); + $table->bigInteger('total_application_fee_vat_minor')->nullable(); + $table->bigInteger('total_application_fee_net_minor')->nullable(); + $table->jsonb('metadata')->nullable(); + $table->boolean('reconciled')->default(false); + $table->timestamps(); + }); + } + + public function down(): void + { + Schema::dropIfExists('stripe_payouts'); + } +}; + diff --git a/backend/routes/api.php b/backend/routes/api.php index 6429b89ee4..01c5d5817d 100644 --- a/backend/routes/api.php +++ b/backend/routes/api.php @@ -5,6 +5,8 @@ use HiEvents\Http\Actions\Accounts\Stripe\CreateStripeConnectAccountAction; use HiEvents\Http\Actions\Accounts\Stripe\GetStripeConnectAccountsAction; use HiEvents\Http\Actions\Accounts\UpdateAccountAction; +use HiEvents\Http\Actions\Accounts\Vat\GetAccountVatSettingAction; +use HiEvents\Http\Actions\Accounts\Vat\UpsertAccountVatSettingAction; use HiEvents\Http\Actions\Affiliates\CreateAffiliateAction; use HiEvents\Http\Actions\Affiliates\DeleteAffiliateAction; use HiEvents\Http\Actions\Affiliates\ExportAffiliatesAction; @@ -222,6 +224,10 @@ function (Router $router): void { $router->get('/accounts/{account_id}/stripe/connect_accounts', GetStripeConnectAccountsAction::class); $router->post('/accounts/{account_id}/stripe/connect', CreateStripeConnectAccountAction::class); + // VAT Settings + $router->get('/accounts/{account_id}/vat-settings', GetAccountVatSettingAction::class); + $router->post('/accounts/{account_id}/vat-settings', UpsertAccountVatSettingAction::class); + // Organizers $router->post('/organizers', CreateOrganizerAction::class); // This is POST instead of PUT because you can't upload files via PUT in PHP (at least not easily) diff --git a/backend/tests/Unit/Services/Application/Handlers/Account/Vat/GetAccountVatSettingHandlerTest.php b/backend/tests/Unit/Services/Application/Handlers/Account/Vat/GetAccountVatSettingHandlerTest.php new file mode 100644 index 0000000000..b2fb87b3b9 --- /dev/null +++ b/backend/tests/Unit/Services/Application/Handlers/Account/Vat/GetAccountVatSettingHandlerTest.php @@ -0,0 +1,59 @@ +repository = Mockery::mock(AccountVatSettingRepositoryInterface::class); + $this->handler = new GetAccountVatSettingHandler($this->repository); + } + + public function testHandleReturnsVatSetting(): void + { + $accountId = 123; + $vatSetting = Mockery::mock(AccountVatSettingDomainObject::class); + + $this->repository + ->shouldReceive('findByAccountId') + ->with($accountId) + ->once() + ->andReturn($vatSetting); + + $result = $this->handler->handle($accountId); + + $this->assertSame($vatSetting, $result); + } + + public function testHandleReturnsNullWhenNotFound(): void + { + $accountId = 456; + + $this->repository + ->shouldReceive('findByAccountId') + ->with($accountId) + ->once() + ->andReturn(null); + + $result = $this->handler->handle($accountId); + + $this->assertNull($result); + } + + protected function tearDown(): void + { + Mockery::close(); + parent::tearDown(); + } +} diff --git a/backend/tests/Unit/Services/Application/Handlers/Account/Vat/UpsertAccountVatSettingHandlerTest.php b/backend/tests/Unit/Services/Application/Handlers/Account/Vat/UpsertAccountVatSettingHandlerTest.php new file mode 100644 index 0000000000..2650185a28 --- /dev/null +++ b/backend/tests/Unit/Services/Application/Handlers/Account/Vat/UpsertAccountVatSettingHandlerTest.php @@ -0,0 +1,257 @@ +repository = Mockery::mock(AccountVatSettingRepositoryInterface::class); + $this->viesService = Mockery::mock(ViesValidationService::class); + $this->handler = new UpsertAccountVatSettingHandler($this->repository, $this->viesService); + } + + public function testHandleCreatesVatSettingWithValidatedNumber(): void + { + $accountId = 123; + $vatNumber = 'IE1234567A'; + $dto = new UpsertAccountVatSettingDTO( + accountId: $accountId, + vatRegistered: true, + vatNumber: $vatNumber, + ); + + $validationResponse = new ViesValidationResponseDTO( + valid: true, + businessName: 'Test Company Ltd', + businessAddress: '123 Test Street', + countryCode: 'IE', + vatNumber: '1234567A' + ); + + $vatSetting = Mockery::mock(AccountVatSettingDomainObject::class); + + $this->repository + ->shouldReceive('findByAccountId') + ->with($accountId) + ->once() + ->andReturn(null); + + $this->viesService + ->shouldReceive('validateVatNumber') + ->with($vatNumber) + ->once() + ->andReturn($validationResponse); + + $this->repository + ->shouldReceive('create') + ->once() + ->withArgs(function ($data) use ($accountId, $vatNumber) { + return $data['account_id'] === $accountId + && $data['vat_registered'] === true + && $data['vat_number'] === $vatNumber + && $data['vat_validated'] === true + && $data['business_name'] === 'Test Company Ltd' + && isset($data['vat_validation_date']); + }) + ->andReturn($vatSetting); + + $result = $this->handler->handle($dto); + + $this->assertSame($vatSetting, $result); + } + + public function testHandleCreatesVatSettingWithInvalidNumber(): void + { + $accountId = 123; + $vatNumber = 'IE9999999ZZ'; + $dto = new UpsertAccountVatSettingDTO( + accountId: $accountId, + vatRegistered: true, + vatNumber: $vatNumber, + ); + + $validationResponse = new ViesValidationResponseDTO( + valid: false, + countryCode: 'IE', + vatNumber: '9999999ZZ' + ); + + $vatSetting = Mockery::mock(AccountVatSettingDomainObject::class); + + $this->repository + ->shouldReceive('findByAccountId') + ->with($accountId) + ->once() + ->andReturn(null); + + $this->viesService + ->shouldReceive('validateVatNumber') + ->with($vatNumber) + ->once() + ->andReturn($validationResponse); + + $this->repository + ->shouldReceive('create') + ->once() + ->withArgs(function ($data) use ($accountId, $vatNumber) { + return $data['account_id'] === $accountId + && $data['vat_registered'] === true + && $data['vat_number'] === $vatNumber + && $data['vat_validated'] === false + && $data['business_name'] === null; + }) + ->andReturn($vatSetting); + + $result = $this->handler->handle($dto); + + $this->assertSame($vatSetting, $result); + } + + public function testHandleCreatesVatSettingWithInvalidFormat(): void + { + $accountId = 123; + $vatNumber = 'INVALID'; + $dto = new UpsertAccountVatSettingDTO( + accountId: $accountId, + vatRegistered: true, + vatNumber: $vatNumber, + ); + + $vatSetting = Mockery::mock(AccountVatSettingDomainObject::class); + + $this->repository + ->shouldReceive('findByAccountId') + ->with($accountId) + ->once() + ->andReturn(null); + + $this->viesService + ->shouldNotReceive('validateVatNumber'); + + $this->repository + ->shouldReceive('create') + ->once() + ->withArgs(function ($data) use ($accountId) { + return $data['account_id'] === $accountId + && $data['vat_registered'] === true + && $data['vat_number'] === 'INVALID' + && $data['vat_validated'] === false + && $data['business_name'] === null; + }) + ->andReturn($vatSetting); + + $result = $this->handler->handle($dto); + + $this->assertSame($vatSetting, $result); + } + + public function testHandleCreatesVatSettingForNonRegistered(): void + { + $accountId = 123; + $dto = new UpsertAccountVatSettingDTO( + accountId: $accountId, + vatRegistered: false, + ); + + $vatSetting = Mockery::mock(AccountVatSettingDomainObject::class); + + $this->repository + ->shouldReceive('findByAccountId') + ->with($accountId) + ->once() + ->andReturn(null); + + $this->viesService + ->shouldNotReceive('validateVatNumber'); + + $this->repository + ->shouldReceive('create') + ->once() + ->withArgs(function ($data) use ($accountId) { + return $data['account_id'] === $accountId + && $data['vat_registered'] === false + && $data['vat_number'] === null + && $data['vat_validated'] === false; + }) + ->andReturn($vatSetting); + + $result = $this->handler->handle($dto); + + $this->assertSame($vatSetting, $result); + } + + public function testHandleUpdatesExistingVatSetting(): void + { + $accountId = 123; + $existingId = 456; + $vatNumber = 'DE123456789'; + + $existing = Mockery::mock(AccountVatSettingDomainObject::class); + $existing->shouldReceive('getId')->andReturn($existingId); + + $dto = new UpsertAccountVatSettingDTO( + accountId: $accountId, + vatRegistered: true, + vatNumber: $vatNumber, + ); + + $validationResponse = new ViesValidationResponseDTO( + valid: true, + businessName: 'Test GmbH', + businessAddress: 'Berlin, Germany', + countryCode: 'DE', + vatNumber: '123456789' + ); + + $updated = Mockery::mock(AccountVatSettingDomainObject::class); + + $this->repository + ->shouldReceive('findByAccountId') + ->with($accountId) + ->once() + ->andReturn($existing); + + $this->viesService + ->shouldReceive('validateVatNumber') + ->with($vatNumber) + ->once() + ->andReturn($validationResponse); + + $this->repository + ->shouldReceive('updateFromArray') + ->once() + ->with($existingId, Mockery::on(function ($data) use ($accountId, $vatNumber) { + return $data['account_id'] === $accountId + && $data['vat_registered'] === true + && $data['vat_number'] === $vatNumber + && $data['vat_validated'] === true + && $data['business_name'] === 'Test GmbH'; + })) + ->andReturn($updated); + + $result = $this->handler->handle($dto); + + $this->assertSame($updated, $result); + } + + protected function tearDown(): void + { + Mockery::close(); + parent::tearDown(); + } +} diff --git a/backend/tests/Unit/Services/Domain/Order/OrderApplicationFeeCalculationServiceTest.php b/backend/tests/Unit/Services/Domain/Order/OrderApplicationFeeCalculationServiceTest.php index 3f20cd7a50..19e6ce5c79 100644 --- a/backend/tests/Unit/Services/Domain/Order/OrderApplicationFeeCalculationServiceTest.php +++ b/backend/tests/Unit/Services/Domain/Order/OrderApplicationFeeCalculationServiceTest.php @@ -6,6 +6,7 @@ use HiEvents\DomainObjects\OrderDomainObject; use HiEvents\DomainObjects\OrderItemDomainObject; use HiEvents\Services\Domain\Order\OrderApplicationFeeCalculationService; +use HiEvents\Services\Domain\Order\Vat\VatRateDeterminationService; use HiEvents\Services\Infrastructure\CurrencyConversion\CurrencyConversionClientInterface; use HiEvents\Values\MoneyValue; use Illuminate\Config\Repository; @@ -16,12 +17,18 @@ class OrderApplicationFeeCalculationServiceTest extends TestCase private Repository $config; private CurrencyConversionClientInterface $currencyConversionClient; private OrderApplicationFeeCalculationService $service; + private VatRateDeterminationService $vatRateDeterminationService; protected function setUp(): void { $this->config = $this->createMock(Repository::class); $this->currencyConversionClient = $this->createMock(CurrencyConversionClientInterface::class); - $this->service = new OrderApplicationFeeCalculationService($this->config, $this->currencyConversionClient); + $this->vatRateDeterminationService = $this->createMock(VatRateDeterminationService::class); + $this->service = new OrderApplicationFeeCalculationService( + $this->config, + $this->currencyConversionClient, + $this->vatRateDeterminationService + ); } private function createOrderWithItems(array $items, string $currency = 'USD'): OrderDomainObject @@ -67,7 +74,7 @@ public function testNoFeeWhenSaasModeDisabled(): void $fee = $this->service->calculateApplicationFee($account, $order); - $this->assertEquals(0.0, $fee->toFloat()); + $this->assertNull($fee); } public function testNoFeeForFreeOrder(): void @@ -79,7 +86,7 @@ public function testNoFeeForFreeOrder(): void $fee = $this->service->calculateApplicationFee($account, $order); - $this->assertEquals(0.0, $fee->toFloat()); + $this->assertEquals(0.0, $fee->grossApplicationFee->toFloat()); } public function testFixedAndPercentageFeeSameCurrency(): void @@ -99,7 +106,7 @@ public function testFixedAndPercentageFeeSameCurrency(): void // Total = $6.50 $fee = $this->service->calculateApplicationFee($account, $order); - $this->assertEquals(6.50, $fee->toFloat()); + $this->assertEquals(6.50, $fee->grossApplicationFee->toFloat()); } public function testCurrencyConversionForFixedFee(): void @@ -121,6 +128,6 @@ public function testCurrencyConversionForFixedFee(): void // Total = €5 $fee = $this->service->calculateApplicationFee($account, $order); - $this->assertEquals(5.00, $fee->toFloat()); + $this->assertEquals(5.00, $fee->grossApplicationFee->toFloat()); } } diff --git a/backend/tests/Unit/Services/Domain/Payment/Stripe/EventHandlers/PayoutPaidHandlerTest.php b/backend/tests/Unit/Services/Domain/Payment/Stripe/EventHandlers/PayoutPaidHandlerTest.php new file mode 100644 index 0000000000..a69b5f014a --- /dev/null +++ b/backend/tests/Unit/Services/Domain/Payment/Stripe/EventHandlers/PayoutPaidHandlerTest.php @@ -0,0 +1,326 @@ +stripePaymentsRepository = m::mock(StripePaymentsRepository::class); + $this->stripeClientFactory = m::mock(StripeClientFactory::class); + $this->logger = m::mock(LoggerInterface::class); + $this->stripeConfigurationService = m::mock(StripeConfigurationService::class); + $this->stripePayoutService = m::mock(StripePayoutService::class); + + $this->handler = new PayoutPaidHandler( + $this->stripePaymentsRepository, + $this->stripeClientFactory, + $this->logger, + $this->stripeConfigurationService, + $this->stripePayoutService + ); + } + + public function testHandleEventReconcilesPayout(): void + { + $payout = Payout::constructFrom([ + 'id' => 'po_123', + 'amount' => 10000, + 'currency' => 'eur', + 'status' => 'paid', + ]); + + $appFee1 = ApplicationFee::constructFrom([ + 'id' => 'fee_123', + 'charge' => 'ch_123', + ]); + + $appFee2 = ApplicationFee::constructFrom([ + 'id' => 'fee_456', + 'charge' => 'ch_456', + ]); + + $balanceTxn1 = BalanceTransaction::constructFrom([ + 'id' => 'txn_123', + 'type' => 'application_fee', + 'source' => $appFee1, + 'amount' => 585, + 'fee' => 50, + 'net' => 535, + 'currency' => 'eur', + 'exchange_rate' => null, + ]); + + $balanceTxn2 = BalanceTransaction::constructFrom([ + 'id' => 'txn_456', + 'type' => 'application_fee', + 'source' => $appFee2, + 'amount' => 1170, + 'fee' => 100, + 'net' => 1070, + 'currency' => 'eur', + 'exchange_rate' => null, + ]); + + $transactions = Collection::constructFrom([ + 'data' => [$balanceTxn1, $balanceTxn2], + 'has_more' => false, + ]); + + $stripeClient = m::mock(StripeClient::class); + $balanceTransactionsService = m::mock(); + $stripeClient->balanceTransactions = $balanceTransactionsService; + + $this->stripeConfigurationService->shouldReceive('getPrimaryPlatform') + ->andReturn(null); + + $this->stripeClientFactory->shouldReceive('createForPlatform') + ->with(null) + ->andReturn($stripeClient); + + $balanceTransactionsService->shouldReceive('all') + ->with([ + 'payout' => 'po_123', + 'limit' => 100, + 'expand' => ['data.source'], + ]) + ->andReturn($transactions); + + $stripePayment1 = m::mock(StripePaymentDomainObject::class); + $stripePayment1->shouldReceive('getId')->andReturn(1); + $stripePayment1->shouldReceive('getChargeId')->andReturn('ch_123'); + + $stripePayment2 = m::mock(StripePaymentDomainObject::class); + $stripePayment2->shouldReceive('getId')->andReturn(2); + $stripePayment2->shouldReceive('getChargeId')->andReturn('ch_456'); + + $this->stripePaymentsRepository->shouldReceive('findWhereIn') + ->with(StripePaymentDomainObjectAbstract::CHARGE_ID, ['ch_123', 'ch_456']) + ->andReturn(collect([$stripePayment1, $stripePayment2])); + + $this->stripePaymentsRepository->shouldReceive('updateWhere') + ->with( + m::on(fn($attrs) => $attrs[StripePaymentDomainObjectAbstract::PAYOUT_ID] === 'po_123' && + $attrs[StripePaymentDomainObjectAbstract::BALANCE_TRANSACTION_ID] === 'txn_123' && + $attrs[StripePaymentDomainObjectAbstract::PAYOUT_STRIPE_FEE] === 50 && + $attrs[StripePaymentDomainObjectAbstract::PAYOUT_NET_AMOUNT] === 535 && + $attrs[StripePaymentDomainObjectAbstract::PAYOUT_CURRENCY] === 'EUR' && + $attrs[StripePaymentDomainObjectAbstract::PAYOUT_EXCHANGE_RATE] === null + ), + [StripePaymentDomainObjectAbstract::ID => 1] + ) + ->once(); + + $this->stripePaymentsRepository->shouldReceive('updateWhere') + ->with( + m::on(fn($attrs) => $attrs[StripePaymentDomainObjectAbstract::PAYOUT_ID] === 'po_123' && + $attrs[StripePaymentDomainObjectAbstract::BALANCE_TRANSACTION_ID] === 'txn_456' && + $attrs[StripePaymentDomainObjectAbstract::PAYOUT_STRIPE_FEE] === 100 && + $attrs[StripePaymentDomainObjectAbstract::PAYOUT_NET_AMOUNT] === 1070 && + $attrs[StripePaymentDomainObjectAbstract::PAYOUT_CURRENCY] === 'EUR' && + $attrs[StripePaymentDomainObjectAbstract::PAYOUT_EXCHANGE_RATE] === null + ), + [StripePaymentDomainObjectAbstract::ID => 2] + ) + ->once(); + + $this->logger->shouldReceive('info')->atLeast()->once(); + $this->logger->shouldReceive('debug')->atLeast()->once(); + $this->logger->shouldReceive('error')->never(); + + $this->stripePayoutService->shouldReceive('createOrUpdatePayout') + ->once() + ->with(m::on(function ($dto) { + $this->assertEquals('po_123', $dto->payoutId); + return true; + })); + + $this->handler->handleEvent($payout); + + $this->assertTrue(true); + } + + public function testHandleEventSkipsNonPaidPayout(): void + { + $payout = Payout::constructFrom([ + 'id' => 'po_123', + 'amount' => 10000, + 'currency' => 'eur', + 'status' => 'pending', + ]); + + $this->logger->shouldReceive('info')->twice(); + + $this->stripeConfigurationService->shouldNotReceive('getPrimaryPlatform'); + $this->stripeClientFactory->shouldNotReceive('createForPlatform'); + $this->stripePaymentsRepository->shouldNotReceive('findWhereIn'); + $this->stripePaymentsRepository->shouldNotReceive('updateWhere'); + $this->stripePayoutService->shouldNotReceive('createOrUpdatePayout'); + + $this->handler->handleEvent($payout); + + $this->assertTrue(true); + } + + public function testHandleEventSkipsTransactionsWithNoChargeId(): void + { + $payout = Payout::constructFrom([ + 'id' => 'po_123', + 'amount' => 10000, + 'currency' => 'eur', + 'status' => 'paid', + ]); + + $appFee = ApplicationFee::constructFrom([ + 'id' => 'fee_123', + 'charge' => null, + 'originating_transaction' => null, + ]); + + $balanceTxn = BalanceTransaction::constructFrom([ + 'id' => 'txn_123', + 'type' => 'application_fee', + 'source' => $appFee, + 'amount' => 585, + 'fee' => 50, + 'net' => 535, + 'currency' => 'eur', + ]); + + $transactions = Collection::constructFrom([ + 'data' => [$balanceTxn], + 'has_more' => false, + ]); + + $stripeClient = m::mock(StripeClient::class); + $balanceTransactionsService = m::mock(); + $stripeClient->balanceTransactions = $balanceTransactionsService; + + $this->stripeConfigurationService->shouldReceive('getPrimaryPlatform') + ->andReturn(null); + + $this->stripeClientFactory->shouldReceive('createForPlatform') + ->with(null) + ->andReturn($stripeClient); + + $balanceTransactionsService->shouldReceive('all') + ->with([ + 'payout' => 'po_123', + 'limit' => 100, + 'expand' => ['data.source'], + ]) + ->andReturn($transactions); + + $this->logger->shouldReceive('info')->twice(); + $this->logger->shouldReceive('debug')->twice(); + + $this->stripePaymentsRepository->shouldNotReceive('findWhereIn'); + $this->stripePaymentsRepository->shouldNotReceive('updateWhere'); + + $this->stripePayoutService->shouldReceive('createOrUpdatePayout') + ->once() + ->with(m::on(fn($dto) => $dto->payoutId === 'po_123')); + + $this->handler->handleEvent($payout); + + $this->assertTrue(true); + } + + public function testHandleEventLogsWarningWhenPaymentNotFound(): void + { + $payout = Payout::constructFrom([ + 'id' => 'po_123', + 'amount' => 10000, + 'currency' => 'eur', + 'status' => 'paid', + ]); + + $appFee = ApplicationFee::constructFrom([ + 'id' => 'fee_123', + 'charge' => 'ch_123', + ]); + + $balanceTxn = BalanceTransaction::constructFrom([ + 'id' => 'txn_123', + 'type' => 'application_fee', + 'source' => $appFee, + 'amount' => 585, + 'fee' => 50, + 'net' => 535, + 'currency' => 'eur', + ]); + + $transactions = Collection::constructFrom([ + 'data' => [$balanceTxn], + 'has_more' => false, + ]); + + $stripeClient = m::mock(StripeClient::class); + $balanceTransactionsService = m::mock(); + $stripeClient->balanceTransactions = $balanceTransactionsService; + + $this->stripeConfigurationService->shouldReceive('getPrimaryPlatform') + ->andReturn(null); + + $this->stripeClientFactory->shouldReceive('createForPlatform') + ->with(null) + ->andReturn($stripeClient); + + $balanceTransactionsService->shouldReceive('all') + ->with([ + 'payout' => 'po_123', + 'limit' => 100, + 'expand' => ['data.source'], + ]) + ->andReturn($transactions); + + $this->stripePaymentsRepository->shouldReceive('findWhereIn') + ->with(StripePaymentDomainObjectAbstract::CHARGE_ID, ['ch_123']) + ->andReturn(collect([])); + + $this->logger->shouldReceive('info')->twice(); + $this->logger->shouldReceive('debug')->twice(); + $this->logger->shouldReceive('warning')->once(); + + $this->stripePaymentsRepository->shouldNotReceive('updateWhere'); + + $this->stripePayoutService->shouldReceive('createOrUpdatePayout') + ->once() + ->with(m::on(fn($dto) => $dto->payoutId === 'po_123')); + + $this->handler->handleEvent($payout); + + $this->assertTrue(true); + } + + protected function tearDown(): void + { + m::close(); + parent::tearDown(); + } +} diff --git a/backend/tests/Unit/Services/Domain/Payment/Stripe/StripeAccountSyncServiceTest.php b/backend/tests/Unit/Services/Domain/Payment/Stripe/StripeAccountSyncServiceTest.php index 2e61804974..b31d1814c7 100644 --- a/backend/tests/Unit/Services/Domain/Payment/Stripe/StripeAccountSyncServiceTest.php +++ b/backend/tests/Unit/Services/Domain/Payment/Stripe/StripeAccountSyncServiceTest.php @@ -6,7 +6,9 @@ use HiEvents\DomainObjects\AccountStripePlatformDomainObject; use HiEvents\Repository\Interfaces\AccountRepositoryInterface; use HiEvents\Repository\Interfaces\AccountStripePlatformRepositoryInterface; +use HiEvents\Repository\Interfaces\AccountVatSettingRepositoryInterface; use HiEvents\Services\Domain\Payment\Stripe\StripeAccountSyncService; +use Illuminate\Config\Repository; use Mockery as m; use Psr\Log\LoggerInterface; use Stripe\Account; @@ -18,6 +20,8 @@ class StripeAccountSyncServiceTest extends TestCase private LoggerInterface $logger; private AccountRepositoryInterface $accountRepository; private AccountStripePlatformRepositoryInterface $accountStripePlatformRepository; + private AccountVatSettingRepositoryInterface $vatSettingRepository; + private Repository $config; protected function setUp(): void { @@ -26,11 +30,15 @@ protected function setUp(): void $this->logger = m::mock(LoggerInterface::class); $this->accountRepository = m::mock(AccountRepositoryInterface::class); $this->accountStripePlatformRepository = m::mock(AccountStripePlatformRepositoryInterface::class); + $this->vatSettingRepository = m::mock(AccountVatSettingRepositoryInterface::class); + $this->config = m::mock(Repository::class); $this->service = new StripeAccountSyncService( $this->logger, $this->accountRepository, $this->accountStripePlatformRepository, + $this->vatSettingRepository, + $this->config, ); } diff --git a/backend/tests/Unit/Services/Domain/Payment/Stripe/StripePaymentPlatformFeeExtractionServiceTest.php b/backend/tests/Unit/Services/Domain/Payment/Stripe/StripePaymentPlatformFeeExtractionServiceTest.php index bc0985594f..b1c1d16f63 100644 --- a/backend/tests/Unit/Services/Domain/Payment/Stripe/StripePaymentPlatformFeeExtractionServiceTest.php +++ b/backend/tests/Unit/Services/Domain/Payment/Stripe/StripePaymentPlatformFeeExtractionServiceTest.php @@ -8,6 +8,7 @@ use HiEvents\Services\Domain\Order\OrderPaymentPlatformFeeService; use HiEvents\Services\Domain\Payment\Stripe\StripePaymentPlatformFeeExtractionService; use HiEvents\Services\Infrastructure\Stripe\StripeClientFactory; +use Illuminate\Support\Facades\Config; use Mockery as m; use Psr\Log\LoggerInterface; use Stripe\Charge; @@ -214,6 +215,176 @@ public function testExtractAndStorePlatformFeeHandlesException(): void $this->service->extractAndStorePlatformFee($order, $charge, $stripePayment); } + public function testExtractAndStorePlatformFeeWithVatAndExchangeRate(): void + { + Config::set('app.tax.eu_vat_handling_enabled', true); + + $order = m::mock(OrderDomainObject::class); + $order->shouldReceive('getId')->andReturn(123); + $order->shouldReceive('getCurrency')->andReturn('gbp'); + + $stripePayment = m::mock(StripePaymentDomainObject::class); + $stripePayment->shouldReceive('getApplicationFeeNet')->andReturn(417); + $stripePayment->shouldReceive('getApplicationFeeVat')->andReturn(83); + + $balanceTransaction = (object)[ + 'id' => 'txn_123', + 'fee' => 1000, + 'net' => 9000, + 'currency' => 'eur', + 'exchange_rate' => 1.17, + 'fee_details' => [ + (object)[ + 'type' => 'stripe_fee', + 'amount' => 500, + 'currency' => 'eur', + 'description' => 'Stripe processing fee', + ], + (object)[ + 'type' => 'application_fee', + 'amount' => 500, + 'currency' => 'eur', + 'description' => 'Application fee', + ], + ], + ]; + + $paymentIntent = (object)[ + 'metadata' => [ + 'application_fee_gross_amount' => 5.00, + 'application_fee_net_amount' => 4.17, + 'application_fee_vat_amount' => 0.83, + 'application_fee_vat_rate' => 0.20, + ], + ]; + + $charge = Charge::constructFrom([ + 'id' => 'ch_123', + 'balance_transaction' => $balanceTransaction, + 'payment_intent' => $paymentIntent, + 'metadata' => [], + ]); + + $this->orderPaymentPlatformFeeRepository->shouldReceive('findFirstWhere') + ->once() + ->andReturn(null); + + $this->logger->shouldReceive('info') + ->with(__('Extracting platform fee for order'), m::type('array')) + ->once(); + + $this->orderPaymentPlatformFeeService->shouldReceive('createOrderPaymentPlatformFee') + ->once() + ->withArgs(function ( + $orderId, + $paymentPlatform, + $feeRollup, + $paymentPlatformFeeAmountMinorUnit, + $applicationFeeGrossAmountMinorUnit, + $currency, + $transactionId, + $chargeId, + $applicationFeeNetAmountMinorUnit, + $applicationFeeVatAmountMinorUnit + ) { + return $orderId === 123 + && $paymentPlatformFeeAmountMinorUnit === 500 + && $applicationFeeGrossAmountMinorUnit === 500 + && $chargeId === 'ch_123' + && $applicationFeeNetAmountMinorUnit === 488 + && $applicationFeeVatAmountMinorUnit === 97 + && $currency === 'eur'; + }); + + $this->logger->shouldReceive('info') + ->with(__('Platform fee stored successfully'), m::type('array')) + ->once(); + + $this->service->extractAndStorePlatformFee($order, $charge, $stripePayment); + + $this->assertTrue(true); + } + + public function testExtractAndStorePlatformFeeWithVatDisabled(): void + { + Config::set('app.tax.eu_vat_handling_enabled', false); + + $order = m::mock(OrderDomainObject::class); + $order->shouldReceive('getId')->andReturn(123); + $order->shouldReceive('getCurrency')->andReturn('eur'); + + $stripePayment = m::mock(StripePaymentDomainObject::class); + $stripePayment->shouldReceive('getApplicationFeeNet')->never(); + $stripePayment->shouldReceive('getApplicationFeeVat')->never(); + + $balanceTransaction = (object)[ + 'id' => 'txn_123', + 'fee' => 1000, + 'net' => 9000, + 'currency' => 'eur', + 'exchange_rate' => null, + 'fee_details' => [ + (object)[ + 'type' => 'stripe_fee', + 'amount' => 500, + 'currency' => 'eur', + 'description' => 'Stripe processing fee', + ], + (object)[ + 'type' => 'application_fee', + 'amount' => 500, + 'currency' => 'eur', + 'description' => 'Application fee', + ], + ], + ]; + + $charge = Charge::constructFrom([ + 'id' => 'ch_123', + 'balance_transaction' => $balanceTransaction, + 'metadata' => [], + ]); + + $this->orderPaymentPlatformFeeRepository->shouldReceive('findFirstWhere') + ->once() + ->andReturn(null); + + $this->logger->shouldReceive('info') + ->with(__('Extracting platform fee for order'), m::type('array')) + ->once(); + + $this->orderPaymentPlatformFeeService->shouldReceive('createOrderPaymentPlatformFee') + ->once() + ->withArgs(function ( + $orderId, + $paymentPlatform, + $feeRollup, + $paymentPlatformFeeAmountMinorUnit, + $applicationFeeGrossAmountMinorUnit, + $currency, + $transactionId, + $chargeId, + $applicationFeeNetAmountMinorUnit, + $applicationFeeVatAmountMinorUnit + ) { + return $orderId === 123 + && $paymentPlatformFeeAmountMinorUnit === 500 + && $applicationFeeGrossAmountMinorUnit === 500 + && $chargeId === 'ch_123' + && $applicationFeeNetAmountMinorUnit === null + && $applicationFeeVatAmountMinorUnit === null + && $currency === 'eur'; + }); + + $this->logger->shouldReceive('info') + ->with(__('Platform fee stored successfully'), m::type('array')) + ->once(); + + $this->service->extractAndStorePlatformFee($order, $charge, $stripePayment); + + $this->assertTrue(true); + } + protected function tearDown(): void { m::close(); diff --git a/backend/tests/Unit/Services/Infrastructure/Vat/ViesValidationServiceTest.php b/backend/tests/Unit/Services/Infrastructure/Vat/ViesValidationServiceTest.php new file mode 100644 index 0000000000..9a51f3d3ae --- /dev/null +++ b/backend/tests/Unit/Services/Infrastructure/Vat/ViesValidationServiceTest.php @@ -0,0 +1,187 @@ +httpClient = Mockery::mock(HttpClient::class); + $this->logger = Mockery::mock(LoggerInterface::class); + $this->service = new ViesValidationService($this->httpClient, $this->logger); + } + + public function testValidVatNumberReturnsSuccessResponse(): void + { + $vatNumber = 'IE1234567A'; + $response = Mockery::mock(Response::class); + + $this->httpClient + ->shouldReceive('timeout') + ->with(10) + ->andReturnSelf(); + + $this->httpClient + ->shouldReceive('post') + ->with(Mockery::any(), [ + 'countryCode' => 'IE', + 'vatNumber' => '1234567A', + ]) + ->once() + ->andReturn($response); + + $response + ->shouldReceive('successful') + ->andReturn(true); + + $response + ->shouldReceive('json') + ->andReturn([ + 'valid' => true, + 'name' => 'Test Company Ltd', + 'address' => '123 Test Street, Dublin', + ]); + + $result = $this->service->validateVatNumber($vatNumber); + + $this->assertTrue($result->valid); + $this->assertEquals('Test Company Ltd', $result->businessName); + $this->assertEquals('123 Test Street, Dublin', $result->businessAddress); + $this->assertEquals('IE', $result->countryCode); + } + + public function testInvalidVatNumberReturnsFailureResponse(): void + { + $vatNumber = 'IE9999999ZZ'; + $response = Mockery::mock(Response::class); + + $this->httpClient + ->shouldReceive('timeout') + ->andReturnSelf(); + + $this->httpClient + ->shouldReceive('post') + ->andReturn($response); + + $response + ->shouldReceive('successful') + ->andReturn(true); + + $response + ->shouldReceive('json') + ->andReturn(['valid' => false]); + + $result = $this->service->validateVatNumber($vatNumber); + + $this->assertFalse($result->valid); + $this->assertNull($result->businessName); + } + + public function testApiErrorLogsWarningAndReturnsFalse(): void + { + $vatNumber = 'DE123456789'; + $response = Mockery::mock(Response::class); + + $this->httpClient + ->shouldReceive('timeout') + ->andReturnSelf(); + + $this->httpClient + ->shouldReceive('post') + ->andReturn($response); + + $response + ->shouldReceive('successful') + ->andReturn(false); + + $response + ->shouldReceive('status') + ->andReturn(503); + + $response + ->shouldReceive('body') + ->andReturn('Service Unavailable'); + + $this->logger + ->shouldReceive('warning') + ->once() + ->with('VIES API request failed', Mockery::on(function ($context) use ($vatNumber) { + return $context['status'] === 503 + && $context['vat_number'] === $vatNumber; + })); + + $result = $this->service->validateVatNumber($vatNumber); + + $this->assertFalse($result->valid); + } + + public function testConnectionExceptionLogsErrorAndReturnsFalse(): void + { + $vatNumber = 'FR12345678901'; + + $this->httpClient + ->shouldReceive('timeout') + ->andReturnSelf(); + + $this->httpClient + ->shouldReceive('post') + ->andThrow(new ConnectionException('Connection timeout')); + + $this->logger + ->shouldReceive('error') + ->once() + ->with('VIES API connection error', Mockery::on(function ($context) use ($vatNumber) { + return str_contains($context['error'], 'Connection timeout') + && $context['vat_number'] === $vatNumber; + })); + + $result = $this->service->validateVatNumber($vatNumber); + + $this->assertFalse($result->valid); + $this->assertEquals('FR', $result->countryCode); + } + + public function testUnexpectedExceptionLogsErrorAndReturnsFalse(): void + { + $vatNumber = 'ES12345678'; + + $this->httpClient + ->shouldReceive('timeout') + ->andReturnSelf(); + + $this->httpClient + ->shouldReceive('post') + ->andThrow(new \RuntimeException('Unexpected error')); + + $this->logger + ->shouldReceive('error') + ->once() + ->with('VIES validation exception', Mockery::on(function ($context) { + return str_contains($context['error'], 'Unexpected error'); + })); + + $result = $this->service->validateVatNumber($vatNumber); + + $this->assertFalse($result->valid); + } + + protected function tearDown(): void + { + Mockery::close(); + parent::tearDown(); + } +} diff --git a/frontend/src/api/vat.client.ts b/frontend/src/api/vat.client.ts new file mode 100644 index 0000000000..825c8e7bfd --- /dev/null +++ b/frontend/src/api/vat.client.ts @@ -0,0 +1,38 @@ +import {api} from "./client.ts"; +import {GenericDataResponse, IdParam} from "../types.ts"; + +export interface AccountVatSetting { + id: number; + account_id: number; + vat_registered: boolean; + vat_number: string | null; + vat_validated: boolean; + vat_validation_date: string | null; + business_name: string | null; + business_address: string | null; + vat_country_code: string | null; + created_at: string; + updated_at: string; +} + +export interface UpsertVatSettingRequest { + vat_registered: boolean; + vat_number?: string | null; +} + +export const vatClient = { + getVatSetting: async (accountId: IdParam) => { + const response = await api.get>( + `accounts/${accountId}/vat-settings` + ); + return response.data; + }, + + upsertVatSetting: async (accountId: IdParam, data: UpsertVatSettingRequest) => { + const response = await api.post>( + `accounts/${accountId}/vat-settings`, + data + ); + return response.data; + }, +}; diff --git a/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx new file mode 100644 index 0000000000..b2f1bebb7b --- /dev/null +++ b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx @@ -0,0 +1,53 @@ +import {t} from '@lingui/macro'; +import {Text} from '@mantine/core'; + +const EU_COUNTRIES = [ + 'AT', 'BE', 'BG', 'HR', 'CY', 'CZ', 'DK', 'EE', 'FI', 'FR', + 'DE', 'GR', 'HU', 'IE', 'IT', 'LV', 'LT', 'LU', 'MT', 'NL', + 'PL', 'PT', 'RO', 'SK', 'SI', 'ES', 'SE' +]; + +interface VatNoticeProps { + stripeCountry?: string; +} + +export const getVatInfo = (stripeCountry?: string) => { + if (!stripeCountry || !EU_COUNTRIES.includes(stripeCountry.toUpperCase())) { + return { + isEU: false, + isIreland: false, + showVatForm: false, + }; + } + + const isIreland = stripeCountry.toUpperCase() === 'IE'; + + return { + isEU: true, + isIreland, + showVatForm: !isIreland, + }; +}; + +export const VatNotice = ({stripeCountry}: VatNoticeProps) => { + const vatInfo = getVatInfo(stripeCountry); + + if (!vatInfo.isEU) { + return null; + } + + if (vatInfo.isIreland) { + return ( + + {t`Irish VAT at 23% will be applied to platform fees (domestic supply).`} + + ); + } + + // Other EU countries + return ( + + {t`VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below.`} + + ); +}; diff --git a/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettings.module.scss b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettings.module.scss new file mode 100644 index 0000000000..6e9c5af870 --- /dev/null +++ b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettings.module.scss @@ -0,0 +1,3 @@ +.vatSettings { + margin-top: 2rem; +} diff --git a/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx new file mode 100644 index 0000000000..630cd88e91 --- /dev/null +++ b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx @@ -0,0 +1,182 @@ +import {useEffect, useState} from 'react'; +import {t} from '@lingui/macro'; +import {Alert, Button, Group, Radio, Stack, Text, TextInput} from '@mantine/core'; +import {IconAlertCircle, IconCheck} from '@tabler/icons-react'; +import {Card} from '../../../../../../common/Card'; +import {useGetAccountVatSetting} from '../../../../../../../queries/useGetAccountVatSetting.ts'; +import {useUpsertAccountVatSetting} from '../../../../../../../mutations/useUpsertAccountVatSetting.ts'; +import {showError, showSuccess} from '../../../../../../../utilites/notifications.tsx'; +import {Account} from '../../../../../../../types.ts'; + +interface VatSettingsFormProps { + account: Account; + onSuccess?: () => void; + showCard?: boolean; +} + +const EU_VAT_REGEX = /^[A-Z]{2}[0-9A-Z]{8,15}$/; + +const validateVatNumber = (vatNumber: string): {valid: boolean; error?: string} => { + const trimmed = vatNumber.trim(); + + if (trimmed.includes(' ')) { + return {valid: false, error: t`VAT number must not contain spaces`}; + } + + const upperCase = trimmed.toUpperCase(); + + if (!EU_VAT_REGEX.test(upperCase)) { + return { + valid: false, + error: t`VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)` + }; + } + + return {valid: true}; +}; + +export const VatSettingsForm = ({account, onSuccess, showCard = true}: VatSettingsFormProps) => { + const [vatRegistered, setVatRegistered] = useState(''); + const [vatNumber, setVatNumber] = useState(''); + const [vatError, setVatError] = useState(); + + const vatSettingQuery = useGetAccountVatSetting(account.id); + const upsertMutation = useUpsertAccountVatSetting(account.id); + + const existingSettings = vatSettingQuery.data; + + useEffect(() => { + if (existingSettings && !vatRegistered) { + setVatRegistered(existingSettings.vat_registered ? 'yes' : 'no'); + setVatNumber(existingSettings.vat_number || ''); + } + }, [existingSettings, vatRegistered]); + + const handleVatNumberChange = (value: string) => { + setVatNumber(value); + if (vatError) { + setVatError(undefined); + } + }; + + const handleSave = async () => { + if (vatRegistered === 'yes' && !vatNumber) { + showError(t`Please enter your VAT number`); + return; + } + + if (vatRegistered === 'yes') { + const validation = validateVatNumber(vatNumber); + if (!validation.valid) { + setVatError(validation.error); + showError(validation.error || t`Invalid VAT number format`); + return; + } + } + + try { + const result = await upsertMutation.mutateAsync({ + vat_registered: vatRegistered === 'yes', + vat_number: vatRegistered === 'yes' ? vatNumber.toUpperCase().trim() : null, + }); + + if (result.data.vat_registered && result.data.vat_validated) { + showSuccess(t`VAT settings saved and validated successfully`); + } else if (result.data.vat_registered && !result.data.vat_validated) { + showError(t`VAT settings saved but validation failed. Please check your VAT number.`); + } else { + showSuccess(t`VAT settings saved successfully`); + } + + onSuccess?.(); + } catch (error) { + showError(t`Failed to save VAT settings. Please try again.`); + } + }; + + const canSave = vatRegistered && ( + vatRegistered === 'no' || + (vatRegistered === 'yes' && vatNumber.trim().length >= 10) + ); + + const formContent = ( + + + + + + + + + {vatRegistered === 'yes' && ( + + handleVatNumberChange(e.target.value)} + maxLength={17} + required + error={vatError} + /> + + {existingSettings?.vat_validated && !vatError && + existingSettings.vat_number?.toUpperCase() === vatNumber.toUpperCase().trim() && ( + }> + + {t`Valid VAT number`} + + {existingSettings.business_name && ( + + {existingSettings.business_name} + + )} + + )} + + {existingSettings?.vat_number && !existingSettings.vat_validated && !vatError && + existingSettings.vat_number?.toUpperCase() === vatNumber.toUpperCase().trim() && ( + }> + + {t`VAT number validation failed. Please check your number and try again.`} + + + )} + + )} + + + + {vatRegistered === 'yes' && ( + + {t`Your VAT number will be validated automatically when you save`} + + )} + + + ); + + if (showCard) { + return {formContent}; + } + + return formContent; +}; diff --git a/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx new file mode 100644 index 0000000000..7d3c2f544a --- /dev/null +++ b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx @@ -0,0 +1,41 @@ +import {t} from '@lingui/macro'; +import {Text} from '@mantine/core'; +import {Modal} from '../../../../../../common/Modal'; +import {Account} from '../../../../../../../types.ts'; +import {VatSettingsForm} from './VatSettingsForm.tsx'; + +interface VatSettingsModalProps { + account: Account; + opened: boolean; + onClose: () => void; +} + +export const VatSettingsModal = ({account, opened, onClose}: VatSettingsModalProps) => { + return ( + + + {t`As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:`} + +
+ • {t`EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)`} + • {t`Non-VAT registered businesses or individuals: Irish VAT at 23% applies`} +
+ + +
+ ); +}; diff --git a/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx new file mode 100644 index 0000000000..811ed0a6b5 --- /dev/null +++ b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx @@ -0,0 +1,93 @@ +import {t} from '@lingui/macro'; +import {Alert, Text, Title} from '@mantine/core'; +import {IconAlertCircle, IconInfoCircle} from '@tabler/icons-react'; +import {Account} from '../../../../../../../types.ts'; +import {getVatInfo} from '../VatNotice'; +import {VatSettingsForm} from './VatSettingsForm.tsx'; +import {useGetAccountVatSetting} from '../../../../../../../queries/useGetAccountVatSetting.ts'; +import classes from './VatSettings.module.scss'; + +interface VatSettingsProps { + account: Account; + stripeCountry?: string; +} + +export const VatSettings = ({account, stripeCountry}: VatSettingsProps) => { + const vatSettingQuery = useGetAccountVatSetting(account.id); + const vatInfo = getVatInfo(stripeCountry); + + if (!vatInfo.isEU) { + return null; + } + + const existingSettings = vatSettingQuery.data; + const needsVatInfo = !existingSettings || existingSettings.vat_registered === null || existingSettings.vat_registered === undefined; + + // Irish customers: Show informational message only, no form + if (vatInfo.isIreland) { + return ( +
+ {t`VAT Information`} + } mb="lg"> + {t`VAT Treatment for Platform Fees`} + + {t`As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees.`} + + +
+ ); + } + + // Other EU customers: Show warning banner and form + return ( +
+ {t`VAT Registration Information`} + + {needsVatInfo && ( + } + mb="lg" + styles={{ + root: { + borderLeft: '4px solid var(--mantine-color-orange-6)', + } + }} + > + {t`Action Required: VAT Information Needed`} + + {t`As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:`} + +
+ • {t`EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)`} + • {t`Non-VAT registered businesses or individuals: Irish VAT at 23% applies`} +
+
+ {t`What you need to do:`} + • {t`Indicate whether you're VAT-registered in the EU`} + • {t`If registered, provide your VAT number for validation`} +
+
+ )} + + {!needsVatInfo && ( + + {t`VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%.`} + + )} + + +
+ ); +}; diff --git a/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx index 5b359e5266..9b1ad0326f 100644 --- a/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx +++ b/frontend/src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx @@ -15,6 +15,10 @@ import {formatCurrency} from "../../../../../../utilites/currency.ts"; import {showSuccess} from "../../../../../../utilites/notifications.tsx"; import {getConfig} from "../../../../../../utilites/config.ts"; import {isHiEvents} from "../../../../../../utilites/helpers.ts"; +import {VatSettings} from './VatSettings'; +import {VatSettingsModal} from './VatSettings/VatSettingsModal.tsx'; +import {VatNotice, getVatInfo} from './VatNotice'; +import {useGetAccountVatSetting} from '../../../../../../queries/useGetAccountVatSetting.ts'; interface FeePlanDisplayProps { configuration?: { @@ -25,6 +29,7 @@ interface FeePlanDisplayProps { }; is_system_default: boolean; }; + stripeCountry?: string; } const formatPercentage = (value: number) => { @@ -233,7 +238,7 @@ const PlatformPanel = ({ ); }; -const FeePlanDisplay = ({configuration}: FeePlanDisplayProps) => { +const FeePlanDisplay = ({configuration, stripeCountry}: FeePlanDisplayProps) => { if (!configuration) return null; return ( @@ -245,6 +250,8 @@ const FeePlanDisplay = ({configuration}: FeePlanDisplayProps) => { These fees are automatically deducted from each transaction. + + {configuration.name} @@ -709,9 +716,79 @@ const PaymentSettings = () => { enabled: !!accountQuery.data?.id } ); + const vatSettingQuery = useGetAccountVatSetting( + accountQuery.data?.id || 0, + { + enabled: !!accountQuery.data?.id && isHiEvents() + } + ); + + const [showVatModal, setShowVatModal] = useState(false); + const [hasCheckedVatModal, setHasCheckedVatModal] = useState(false); + + // Check if user is returning from Stripe and needs to fill VAT info + // Only for Hi.Events Cloud - open-source doesn't have VAT handling + useEffect(() => { + if (typeof window === 'undefined') return; + if (hasCheckedVatModal) return; + if (!isHiEvents()) { + setHasCheckedVatModal(true); + return; + } + if (!accountQuery.data || !stripeAccountsQuery.data || vatSettingQuery.isLoading) return; + + const urlParams = new URLSearchParams(window.location.search); + const isReturn = urlParams.get('is_return') === '1'; + + if (!isReturn) { + setHasCheckedVatModal(true); + return; + } + + // Check if Stripe onboarding is complete + const completedAccount = stripeAccountsQuery.data.stripe_connect_accounts.find( + acc => acc.is_setup_complete + ); + + if (!completedAccount) { + setHasCheckedVatModal(true); + return; + } + + // Check if user is in an EU country (not Ireland - they don't need the form) + const vatInfo = getVatInfo(completedAccount.country); + if (!vatInfo.isEU || vatInfo.isIreland) { + setHasCheckedVatModal(true); + return; + } + + // Check if VAT info is already filled out + const existingSettings = vatSettingQuery.data; + if (existingSettings && existingSettings.vat_registered !== null && existingSettings.vat_registered !== undefined) { + setHasCheckedVatModal(true); + return; + } + + // All conditions met - show the modal + setShowVatModal(true); + setHasCheckedVatModal(true); + }, [accountQuery.data, stripeAccountsQuery.data, vatSettingQuery.data, vatSettingQuery.isLoading, hasCheckedVatModal]); + + const handleVatModalClose = () => { + setShowVatModal(false); + vatSettingQuery.refetch(); + }; return ( <> + {isHiEvents() && accountQuery.data && ( + + )} + { {(accountQuery.data) && ( + {accountQuery.isFetched && ( @@ -731,9 +809,30 @@ const PaymentSettings = () => { {accountQuery.data?.configuration && ( - + acc.is_setup_complete + )?.country + } + /> )} + {isHiEvents() && ( + + {accountQuery.data && stripeAccountsQuery.data && ( + acc.is_setup_complete + )?.country + } + /> + )} + + )} )} diff --git a/frontend/src/locales/de.js b/frontend/src/locales/de.js index ec6102e687..63152323f4 100644 --- a/frontend/src/locales/de.js +++ b/frontend/src/locales/de.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"„Hier gibt es noch nichts zu sehen“\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>erfolgreich eingecheckt\"],\"yxhYRZ\":[[\"0\"],\" <0>erfolgreich ausgecheckt\"],\"KMgp2+\":[[\"0\"],\" verfügbar\"],\"Pmr5xp\":[[\"0\"],\" erfolgreich erstellt\"],\"FImCSc\":[[\"0\"],\" erfolgreich aktualisiert\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" eingecheckt\"],\"Vjij1k\":[[\"days\"],\" Tage, \",[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"f3RdEk\":[[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"fyE7Au\":[[\"minutes\"],\" Minuten und \",[\"seconds\"],\" 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>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://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.\",\"ZjMs6e\":\"<0>Die Anzahl der für dieses Produkt verfügbaren Produkte<1>Dieser Wert kann überschrieben werden, wenn mit diesem Produkt <2>Kapazitätsgrenzen verbunden sind.\",\"E15xs8\":\"⚡️ Richten Sie Ihre Veranstaltung ein\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Veranstaltungsseite anpassen\",\"3VPPdS\":\"💳 Mit Stripe verbinden\",\"cjdktw\":\"🚀 Veröffentliche dein Event\",\"rmelwV\":\"0 Minuten und 0 Sekunden\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"Hauptstraße 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Ein Datumseingabefeld. Perfekt, um nach einem Geburtsdatum o.ä. zu fragen.\",\"6euFZ/\":[\"Ein standardmäßiger \",[\"type\"],\" wird automatisch auf alle neuen Produkte angewendet. Sie können dies für jedes Produkt einzeln überschreiben.\"],\"SMUbbQ\":\"Eine Dropdown-Eingabe erlaubt nur eine Auswahl\",\"qv4bfj\":\"Eine Gebühr, beispielsweise eine Buchungsgebühr oder eine Servicegebühr\",\"POT0K/\":\"Ein fester Betrag pro Produkt. Z.B., 0,50 $ pro Produkt\",\"f4vJgj\":\"Eine mehrzeilige Texteingabe\",\"OIPtI5\":\"Ein Prozentsatz des Produktpreises. Z.B., 3,5 % des Produktpreises\",\"ZthcdI\":\"Ein Promo-Code ohne Rabatt kann verwendet werden, um versteckte Produkte anzuzeigen.\",\"AG/qmQ\":\"Eine Radiooption hat mehrere Optionen, aber nur eine kann ausgewählt werden.\",\"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\",\"BHZbFy\":\"Eine einzelne Frage pro Bestellung. Z.B., Wie lautet Ihre Lieferadresse?\",\"Fuh+dI\":\"Eine einzelne Frage pro Produkt. Z.B., Welche T-Shirt-Größe haben Sie?\",\"RlJmQg\":\"Eine Standardsteuer wie Mehrwertsteuer oder GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Akzeptieren Sie Banküberweisungen, Schecks oder andere Offline-Zahlungsmethoden\",\"hrvLf4\":\"Akzeptieren Sie Kreditkartenzahlungen über Stripe\",\"bfXQ+N\":\"Einladung annehmen\",\"AeXO77\":\"Konto\",\"lkNdiH\":\"Kontoname\",\"Puv7+X\":\"Account Einstellungen\",\"OmylXO\":\"Konto erfolgreich aktualisiert\",\"7L01XJ\":\"Aktionen\",\"FQBaXG\":\"Aktivieren\",\"5T2HxQ\":\"Aktivierungsdatum\",\"F6pfE9\":\"Aktiv\",\"/PN1DA\":\"Fügen Sie eine Beschreibung für diese Eincheckliste hinzu\",\"0/vPdA\":\"Fügen Sie Anmerkungen über den Teilnehmer hinzu. Diese sind für den Teilnehmer nicht sichtbar.\",\"Or1CPR\":\"Fügen Sie Anmerkungen über den Teilnehmer hinzu...\",\"l3sZO1\":\"Fügen Sie Notizen zur Bestellung hinzu. Diese sind für den Kunden nicht sichtbar.\",\"xMekgu\":\"Fügen Sie Notizen zur Bestellung hinzu...\",\"PGPGsL\":\"Beschreibung hinzufügen\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Fügen Sie Anweisungen für Offline-Zahlungen hinzu (z. B. Überweisungsdetails, wo Schecks hingeschickt werden sollen, Zahlungsfristen)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Neue hinzufügen\",\"TZxnm8\":\"Option hinzufügen\",\"24l4x6\":\"Produkt hinzufügen\",\"8q0EdE\":\"Produkt zur Kategorie hinzufügen\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Frage hinzufügen\",\"yWiPh+\":\"Steuern oder Gebühren hinzufügen\",\"goOKRY\":\"Ebene hinzufügen\",\"oZW/gT\":\"Zum Kalender hinzufügen\",\"pn5qSs\":\"Zusätzliche Informationen\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Alle Teilnehmer dieser Veranstaltung\",\"cde2hc\":\"Alle Produkte\",\"5CQ+r0\":\"Erlauben Sie Teilnehmern, die mit unbezahlten Bestellungen verbunden sind, einzuchecken\",\"ipYKgM\":\"Suchmaschinenindizierung zulassen\",\"LRbt6D\":\"Suchmaschinen erlauben, dieses Ereignis zu indizieren\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Erstaunlich, Ereignis, Schlüsselwörter...\",\"hehnjM\":\"Betrag\",\"R2O9Rg\":[\"Bezahlter Betrag (\",[\"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\",\"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\":\"Ein unerwarteter Fehler ist aufgetreten.\",\"byKna+\":\"Ein unerwarteter Fehler ist aufgetreten. Bitte versuchen Sie es erneut.\",\"ubdMGz\":\"Alle Anfragen von Produktinhabern werden an diese E-Mail-Adresse gesendet. Diese wird auch als „Antwort-an“-Adresse für alle von dieser Veranstaltung gesendeten E-Mails verwendet.\",\"aAIQg2\":\"Aussehen\",\"Ym1gnK\":\"angewandt\",\"sy6fss\":[\"Gilt für \",[\"0\"],\" Produkte\"],\"kadJKg\":\"Gilt für 1 Produkt\",\"DB8zMK\":\"Anwenden\",\"GctSSm\":\"Promo-Code anwenden\",\"ARBThj\":[\"Diesen \",[\"type\"],\" auf alle neuen Produkte anwenden\"],\"S0ctOE\":\"Veranstaltung archivieren\",\"TdfEV7\":\"Archiviert\",\"A6AtLP\":\"Archived Events\",\"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?\",\"LBLOqH\":\"Einmal pro Bestellung anfragen\",\"wu98dY\":\"Einmal pro Produkt fragen\",\"ss9PbX\":\"Teilnehmer\",\"m0CFV2\":\"Teilnehmerdetails\",\"QKim6l\":\"Teilnehmer nicht gefunden\",\"R5IT/I\":\"Teilnehmernotizen\",\"lXcSD2\":\"Fragen der Teilnehmer\",\"HT/08n\":\"Teilnehmer-Ticket\",\"9SZT4E\":\"Teilnehmer\",\"iPBfZP\":\"Registrierte Teilnehmer\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"Warten auf Offline-Zahlung\",\"2rHwhl\":\"Warten auf Offline-Zahlung\",\"3wF4Q/\":\"Zahlung ausstehend\",\"ioG+xt\":\"Zahlung steht aus\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Zurück zur Veranstaltungsseite\",\"VCoEm+\":\"Zurück zur Anmeldung\",\"k1bLf+\":\"Hintergrundfarbe\",\"I7xjqg\":\"Hintergrundtyp\",\"1mwMl+\":\"Bevor Sie versenden!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Rechnungsadresse\",\"/xC/im\":\"Rechnungseinstellungen\",\"rp/zaT\":\"Brasilianisches Portugiesisch\",\"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.\",\"dEgA5A\":\"Abbrechen\",\"Gjt/py\":\"E-Mail-Änderung abbrechen\",\"tVJk4q\":\"Bestellung stornieren\",\"Os6n2a\":\"Bestellung stornieren\",\"Mz7Ygx\":[\"Bestellung stornieren \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Abgesagt\",\"U7nGvl\":\"Check-in nicht möglich\",\"QyjCeq\":\"Kapazität\",\"V6Q5RZ\":\"Kapazitätszuweisung erfolgreich erstellt\",\"k5p8dz\":\"Kapazitätszuweisung erfolgreich gelöscht\",\"nDBs04\":\"Kapazitätsmanagement\",\"ddha3c\":\"Kategorien ermöglichen es Ihnen, Produkte zusammenzufassen. Zum Beispiel könnten Sie eine Kategorie für \\\"Tickets\\\" und eine andere für \\\"Merchandise\\\" haben.\",\"iS0wAT\":\"Kategorien helfen Ihnen, Ihre Produkte zu organisieren. Dieser Titel wird auf der öffentlichen Veranstaltungsseite angezeigt.\",\"eorM7z\":\"Kategorien erfolgreich neu geordnet.\",\"3EXqwa\":\"Kategorie erfolgreich erstellt\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Kennwort ändern\",\"xMDm+I\":\"Einchecken\",\"p2WLr3\":[\"Check-in \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Einchecken und Bestellung als bezahlt markieren\",\"QYLpB4\":\"Nur einchecken\",\"/Ta1d4\":\"Auschecken\",\"5LDT6f\":\"Schau dir dieses Event an!\",\"gXcPxc\":\"Einchecken\",\"fVUbUy\":\"Check-In List created successfully\",\"+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\",\"znIg+z\":\"Zur Kasse\",\"1WnhCL\":\"Checkout-Einstellungen\",\"6imsQS\":\"Vereinfachtes Chinesisch\",\"JjkX4+\":\"Wählen Sie eine Farbe für Ihren Hintergrund\",\"/Jizh9\":\"Wähle einen Account\",\"3wV73y\":\"Stadt\",\"FG98gC\":\"Suchtext löschen\",\"EYeuMv\":\"click here\",\"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\",\"oqr9HB\":\"Dieses Produkt einklappen, wenn die Veranstaltungsseite initial geladen wird\",\"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\":\"Complete payment\",\"C8HNV2\":\"Jetzt bezahlen\",\"qqWcBV\":\"Vollendet\",\"6HK5Ct\":\"Abgeschlossene Bestellungen\",\"NWVRtl\":\"Abgeschlossene Bestellungen\",\"DwF9eH\":\"Komponentencode\",\"Tf55h7\":\"Konfigurierter Rabatt\",\"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 …\",\"pbAk7a\":\"Stripe verbinden\",\"UMGQOh\":\"Mit Stripe verbinden\",\"QKLP1W\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen.\",\"5lcVkL\":\"Verbindungsdetails\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Weitermachen\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Text der Schaltfläche „Weiter“\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Weiter einrichten\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Kopiert\",\"T5rdis\":\"in die Zwischenablage kopiert\",\"he3ygx\":\"Kopieren\",\"r2B2P8\":\"Eincheck-URL kopieren\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Link kopieren\",\"E6nRW7\":\"URL kopieren\",\"JNCzPW\":\"Land\",\"IF7RiR\":\"Abdeckung\",\"hYgDIe\":\"Erstellen\",\"b9XOHo\":[\"Erstellen Sie \",[\"0\"]],\"k9RiLi\":\"Ein Produkt erstellen\",\"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\",\"EwoMtl\":\"Kategorie erstellen\",\"XletzW\":\"Kategorie erstellen\",\"WVbTwK\":\"Eincheckliste erstellen\",\"uN355O\":\"Ereignis erstellen\",\"BOqY23\":\"Neu erstellen\",\"kpJAeS\":\"Organizer erstellen\",\"a0EjD+\":\"Produkt erstellen\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Promo-Code erstellen\",\"B3Mkdt\":\"Frage erstellen\",\"UKfi21\":\"Steuer oder Gebühr erstellen\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Währung\",\"DCKkhU\":\"Aktuelles Passwort\",\"uIElGP\":\"Benutzerdefinierte Karten-URL\",\"UEqXyt\":\"Benutzerdefinierter Bereich\",\"876pfE\":\"Kunde\",\"QOg2Sf\":\"Passen Sie die E-Mail- und Benachrichtigungseinstellungen für dieses Ereignis an\",\"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\":\"Dashboard\",\"mYGY3B\":\"Datum\",\"JvUngl\":\"Datum & Zeit\",\"JJhRbH\":\"Kapazität am ersten Tag\",\"cnGeoo\":\"Löschen\",\"jRJZxD\":\"Kapazität löschen\",\"VskHIx\":\"Kategorie löschen\",\"Qrc8RZ\":\"Eincheckliste löschen\",\"WHf154\":\"Code löschen\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Frage löschen\",\"Nu4oKW\":\"Beschreibung\",\"YC3oXa\":\"Beschreibung für das Eincheckpersonal\",\"URmyfc\":\"Einzelheiten\",\"1lRT3t\":\"Das Deaktivieren dieser Kapazität wird Verkäufe verfolgen, aber nicht stoppen, wenn das Limit erreicht ist\",\"H6Ma8Z\":\"Rabatt\",\"ypJ62C\":\"Rabatt %\",\"3LtiBI\":[\"Rabatt in \",[\"0\"]],\"C8JLas\":\"Rabattart\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Dokumentenbeschriftung\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Spende / Produkt mit freier Preiswahl\",\"OvNbls\":\".ics herunterladen\",\"kodV18\":\"CSV herunterladen\",\"CELKku\":\"Rechnung herunterladen\",\"LQrXcu\":\"Rechnung herunterladen\",\"QIodqd\":\"QR-Code herunterladen\",\"yhjU+j\":\"Rechnung wird heruntergeladen\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Dropdown-Auswahl\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Ereignis duplizieren\",\"3ogkAk\":\"Ereignis duplizieren\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Optionen duplizieren\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Früher Vogel\",\"ePK91l\":\"Bearbeiten\",\"N6j2JH\":[\"Bearbeiten \",[\"0\"]],\"kBkYSa\":\"Kapazität bearbeiten\",\"oHE9JT\":\"Kapazitätszuweisung bearbeiten\",\"j1Jl7s\":\"Kategorie bearbeiten\",\"FU1gvP\":\"Eincheckliste bearbeiten\",\"iFgaVN\":\"Code bearbeiten\",\"jrBSO1\":\"Organisator bearbeiten\",\"tdD/QN\":\"Produkt bearbeiten\",\"n143Tq\":\"Produktkategorie bearbeiten\",\"9BdS63\":\"Aktionscode bearbeiten\",\"O0CE67\":\"Frage bearbeiten\",\"EzwCw7\":\"Frage 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\",\"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\",\"NTZ/NX\":\"Code einbetten\",\"4rnJq4\":\"Skript einbetten\",\"8oPbg1\":\"Rechnungsstellung aktivieren\",\"j6w7d/\":\"Aktivieren Sie diese Kapazität, um den Produktverkauf zu stoppen, wenn das Limit erreicht ist\",\"VFv2ZC\":\"Enddatum\",\"237hSL\":\"Beendet\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Englisch\",\"MhVoma\":\"Geben Sie einen Betrag ohne Steuern und Gebühren ein.\",\"SlfejT\":\"Fehler\",\"3Z223G\":\"Fehler beim Bestätigen der E-Mail-Adresse\",\"a6gga1\":\"Fehler beim Bestätigen der E-Mail-Änderung\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Ereignis\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Veranstaltungsdatum\",\"0Zptey\":\"Ereignisstandards\",\"QcCPs8\":\"Veranstaltungsdetails\",\"6fuA9p\":\"Ereignis erfolgreich dupliziert\",\"AEuj2m\":\"Veranstaltungsstartseite\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Veranstaltungsort & Details zum Veranstaltungsort\",\"OopDbA\":\"Event page\",\"4/If97\":\"Die Aktualisierung des Ereignisstatus ist fehlgeschlagen. Bitte versuchen Sie es später erneut\",\"btxLWj\":\"Veranstaltungsstatus aktualisiert\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Rechnung konnte nicht heruntergeladen werden. Bitte versuchen Sie es erneut.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Laden der Eincheckliste fehlgeschlagen\",\"ZQ15eN\":\"Ticket-E-Mail konnte nicht erneut gesendet werden\",\"ejXy+D\":\"Produkte konnten nicht sortiert werden\",\"PLUB/s\":\"Gebühr\",\"/mfICu\":\"Gebühren\",\"LyFC7X\":\"Bestellungen filtern\",\"cSev+j\":\"Filter\",\"CVw2MU\":[\"Filter (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Erste Rechnungsnummer\",\"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.\",\"Rs/IcB\":\"Erstmals verwendet\",\"TpqW74\":\"Fest\",\"irpUxR\":\"Fester Betrag\",\"TF9opW\":\"Flash ist auf diesem Gerät nicht verfügbar\",\"UNMVei\":\"Passwort vergessen?\",\"2POOFK\":\"Frei\",\"P/OAYJ\":\"Kostenloses Produkt\",\"vAbVy9\":\"Kostenloses Produkt, keine Zahlungsinformationen erforderlich\",\"nLC6tu\":\"Französisch\",\"Weq9zb\":\"Allgemein\",\"DDcvSo\":\"Deutsch\",\"4GLxhy\":\"Erste Schritte\",\"4D3rRj\":\"Zurück zum Profil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Kalender\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Bruttoumsatz\",\"yRg26W\":\"Bruttoverkäufe\",\"R4r4XO\":\"Gäste\",\"26pGvx\":\"Haben Sie einen Promo-Code?\",\"V7yhws\":\"hello@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Hallo \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"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.\",\"vLyv1R\":\"Verstecken\",\"Mkkvfd\":\"Seite „Erste Schritte“ ausblenden\",\"mFn5Xz\":\"Versteckte Fragen ausblenden\",\"YHsF9c\":\"Produkt nach Verkaufsenddatum ausblenden\",\"06s3w3\":\"Produkt vor Verkaufsstartdatum ausblenden\",\"axVMjA\":\"Produkt ausblenden, es sei denn, der Benutzer hat einen gültigen Promo-Code\",\"ySQGHV\":\"Produkt bei Ausverkauf ausblenden\",\"SCimta\":\"Blenden Sie die Seite „Erste Schritte“ in der Seitenleiste aus.\",\"5xR17G\":\"Dieses Produkt vor Kunden verbergen\",\"Da29Y6\":\"Diese Frage verbergen\",\"fvDQhr\":\"Diese Ebene vor Benutzern verbergen\",\"lNipG+\":\"Das Ausblenden eines Produkts verhindert, dass Benutzer es auf der Veranstaltungsseite sehen.\",\"ZOBwQn\":\"Homepage-Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage-Vorschau\",\"c3E/kw\":\"Homer\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Wenn leer, wird die Adresse verwendet, um einen Google Maps-Link zu erstellen\",\"UYT+c8\":\"Wenn aktiviert, kann das Check-in-Personal Teilnehmer entweder als eingecheckt markieren oder die Bestellung als bezahlt markieren und die Teilnehmer einchecken. Wenn deaktiviert, können Teilnehmer mit unbezahlten Bestellungen nicht eingecheckt werden.\",\"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\",\"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\":\"Bild erfolgreich hochgeladen\",\"VyUuZb\":\"Bild-URL\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inaktiv\",\"T0K0yl\":\"Inaktive Benutzer können sich nicht anmelden.\",\"kO44sp\":\"Fügen Sie Verbindungsdetails für Ihr Online-Event hinzu. Diese Details werden auf der Bestellübersichtsseite und der Teilnehmer-Ticketseite angezeigt.\",\"FlQKnG\":\"Steuern und Gebühren im Preis einbeziehen\",\"Vi+BiW\":[\"Beinhaltet \",[\"0\"],\" Produkte\"],\"lpm0+y\":\"Beinhaltet 1 Produkt\",\"UiAk5P\":\"Bild einfügen\",\"OyLdaz\":\"Einladung erneut verschickt!\",\"HE6KcK\":\"Einladung widerrufen!\",\"SQKPvQ\":\"Benutzer einladen\",\"bKOYkd\":\"Rechnung erfolgreich heruntergeladen\",\"alD1+n\":\"Rechnungsnotizen\",\"kOtCs2\":\"Rechnungsnummerierung\",\"UZ2GSZ\":\"Rechnungseinstellungen\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Artikel\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Etikett\",\"vXIe7J\":\"Sprache\",\"2LMsOq\":\"Letzte 12 Monate\",\"vfe90m\":\"Letzte 14 Tage\",\"aK4uBd\":\"Letzte 24 Stunden\",\"uq2BmQ\":\"Letzte 30 Tage\",\"bB6Ram\":\"Letzte 48 Stunden\",\"VlnB7s\":\"Letzte 6 Monate\",\"ct2SYD\":\"Letzte 7 Tage\",\"XgOuA7\":\"Letzte 90 Tage\",\"I3yitW\":\"Letzte Anmeldung\",\"1ZaQUH\":\"Nachname\",\"UXBCwc\":\"Nachname\",\"tKCBU0\":\"Zuletzt verwendet\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Leer lassen, um das Standardwort \\\"Rechnung\\\" zu verwenden\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Wird geladen...\",\"wJijgU\":\"Standort\",\"sQia9P\":\"Anmelden\",\"zUDyah\":\"Einloggen\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Ausloggen\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Ich habe das Element platziert …\",\"NJahlc\":\"Rechnungsadresse beim Checkout erforderlich machen\",\"MU3ijv\":\"Machen Sie diese Frage obligatorisch\",\"wckWOP\":\"Verwalten\",\"onpJrA\":\"Teilnehmer verwalten\",\"n4SpU5\":\"Veranstaltung verwalten\",\"WVgSTy\":\"Bestellung verwalten\",\"1MAvUY\":\"Zahlungs- und Rechnungseinstellungen für diese Veranstaltung verwalten.\",\"cQrNR3\":\"Profil verwalten\",\"AtXtSw\":\"Verwalten Sie Steuern und Gebühren, die auf Ihre Produkte angewendet werden können\",\"ophZVW\":\"Tickets verwalten\",\"DdHfeW\":\"Verwalten Sie Ihre Kontodetails und Standardeinstellungen\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Als bezahlt markieren\",\"g9dPPQ\":\"Maximal pro Bestellung\",\"l5OcwO\":\"Nachricht an Teilnehmer\",\"Gv5AMu\":\"Nachrichten an Teilnehmer senden\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Sonstiges\",\"mYLhkl\":\"Verschiedene Einstellungen\",\"KYveV8\":\"Mehrzeiliges Textfeld\",\"VD0iA7\":\"Mehrere Preisoptionen. Perfekt für Frühbucherprodukte usw.\",\"/bhMdO\":\"Meine tolle Eventbeschreibung...\",\"vX8/tc\":\"Mein toller Veranstaltungstitel …\",\"hKtWk2\":\"Mein Profil\",\"fj5byd\":\"N/V\",\"pRjx4L\":\"Ich habe das Element platziert …\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigieren Sie zu Teilnehmer\",\"qqeAJM\":\"Niemals\",\"7vhWI8\":\"Neues Kennwort\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Keine archivierten Veranstaltungen anzuzeigen.\",\"q2LEDV\":\"Für diese Bestellung wurden keine Teilnehmer gefunden.\",\"zlHa5R\":\"Zu dieser Bestellung wurden keine Teilnehmer hinzugefügt.\",\"Wjz5KP\":\"Keine Teilnehmer zum Anzeigen\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Keine Kapazitätszuweisungen\",\"a/gMx2\":\"Keine Einchecklisten\",\"tMFDem\":\"Keine Daten verfügbar\",\"6Z/F61\":\"Keine Daten verfügbar. Bitte wählen Sie einen Datumsbereich aus.\",\"fFeCKc\":\"Kein Rabatt\",\"HFucK5\":\"Keine beendeten Veranstaltungen anzuzeigen.\",\"yAlJXG\":\"Keine Ereignisse zum Anzeigen\",\"GqvPcv\":\"Keine Filter verfügbar\",\"KPWxKD\":\"Keine Nachrichten zum Anzeigen\",\"J2LkP8\":\"Keine Bestellungen anzuzeigen\",\"RBXXtB\":\"Derzeit sind keine Zahlungsmethoden verfügbar. Bitte wenden Sie sich an den Veranstalter, um Unterstützung zu erhalten.\",\"ZWEfBE\":\"Keine Zahlung erforderlich\",\"ZPoHOn\":\"Kein Produkt mit diesem Teilnehmer verknüpft.\",\"Ya1JhR\":\"Keine Produkte in dieser Kategorie verfügbar.\",\"FTfObB\":\"Noch keine Produkte\",\"+Y976X\":\"Keine Promo-Codes anzuzeigen\",\"MAavyl\":\"Dieser Teilnehmer hat keine Fragen beantwortet.\",\"SnlQeq\":\"Für diese Bestellung wurden keine Fragen gestellt.\",\"Ev2r9A\":\"Keine Ergebnisse\",\"gk5uwN\":\"Keine Suchergebnisse\",\"RHyZUL\":\"Keine Suchergebnisse.\",\"RY2eP1\":\"Es wurden keine Steuern oder Gebühren hinzugefügt.\",\"EdQY6l\":\"Keine\",\"OJx3wK\":\"Nicht verfügbar\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notizen\",\"jtrY3S\":\"Noch nichts zu zeigen\",\"hFwWnI\":\"Benachrichtigungseinstellungen\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Veranstalter über neue Bestellungen benachrichtigen\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Anzahl der für die Zahlung zulässigen Tage (leer lassen, um Zahlungsbedingungen auf Rechnungen wegzulassen)\",\"n86jmj\":\"Nummernpräfix\",\"mwe+2z\":\"Offline-Bestellungen werden in der Veranstaltungsstatistik erst berücksichtigt, wenn die Bestellung als bezahlt markiert wurde.\",\"dWBrJX\":\"Offline-Zahlung fehlgeschlagen. Bitte versuchen Sie es erneut oder kontaktieren Sie den Veranstalter.\",\"fcnqjw\":\"Offline-Zahlungsanweisungen\",\"+eZ7dp\":\"Offline-Zahlungen\",\"ojDQlR\":\"Informationen zu Offline-Zahlungen\",\"u5oO/W\":\"Einstellungen für Offline-Zahlungen\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"Im Angebot\",\"Ug4SfW\":\"Sobald Sie ein Ereignis erstellt haben, wird es hier angezeigt.\",\"ZxnK5C\":\"Sobald Sie Daten sammeln, werden sie hier angezeigt.\",\"PnSzEc\":\"Sobald Sie bereit sind, setzen Sie Ihre Veranstaltung live und beginnen Sie mit dem Verkauf von Produkten.\",\"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\":\"Check-In-Seite öffnen\",\"OdnLE4\":\"Seitenleiste öffnen\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"oPknTP\":\"Optionale zusätzliche Informationen, die auf allen Rechnungen erscheinen (z. B. Zahlungsbedingungen, Gebühren für verspätete Zahlungen, Rückgaberichtlinien)\",\"OrXJBY\":\"Optionales Präfix für Rechnungsnummern (z. B. INV-)\",\"0zpgxV\":\"Optionen\",\"BzEFor\":\"oder\",\"UYUgdb\":\"Befehl\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Bestellung storniert\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Auftragsdatum\",\"Tol4BF\":\"Bestelldetails\",\"WbImlQ\":\"Die Bestellung wurde storniert und der Bestellinhaber wurde benachrichtigt.\",\"nAn4Oe\":\"Bestellung als bezahlt markiert\",\"uzEfRz\":\"Bestellnotizen\",\"VCOi7U\":\"Fragen zur Bestellung\",\"TPoYsF\":\"Bestellnummer\",\"acIJ41\":\"Bestellstatus\",\"GX6dZv\":\"Bestellübersicht\",\"tDTq0D\":\"Bestell-Timeout\",\"1h+RBg\":\"Aufträge\",\"3y+V4p\":\"Organisationsadresse\",\"GVcaW6\":\"Organisationsdetails\",\"nfnm9D\":\"Organisationsname\",\"G5RhpL\":\"Veranstalter\",\"mYygCM\":\"Veranstalter ist erforderlich\",\"Pa6G7v\":\"Name des Organisators\",\"l894xP\":\"Organisatoren können nur Veranstaltungen und Produkte verwalten. Sie können keine Benutzer, Kontoeinstellungen oder Abrechnungsinformationen verwalten.\",\"fdjq4c\":\"Polsterung\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Seite nicht gefunden\",\"QbrUIo\":\"Seitenaufrufe\",\"6D8ePg\":\"Seite.\",\"IkGIz8\":\"bezahlt\",\"HVW65c\":\"Bezahltes Produkt\",\"ZfxaB4\":\"Teilweise erstattet\",\"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\",\"621rYf\":\"Zahlung\",\"Lg+ewC\":\"Zahlung & Rechnungsstellung\",\"DZjk8u\":\"Einstellungen für Zahlung & Rechnungsstellung\",\"lflimf\":\"Zahlungsfrist\",\"JhtZAK\":\"Bezahlung fehlgeschlagen\",\"JEdsvQ\":\"Zahlungsanweisungen\",\"bLB3MJ\":\"Zahlungsmethoden\",\"QzmQBG\":\"Zahlungsanbieter\",\"lsxOPC\":\"Zahlung erhalten\",\"wJTzyi\":\"Zahlungsstatus\",\"xgav5v\":\"Zahlung erfolgreich abgeschlossen!\",\"R29lO5\":\"Zahlungsbedingungen\",\"/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\",\"hcX103\":\"Bitte erstellen Sie ein Produkt\",\"cdR8d6\":\"Bitte erstellen Sie ein Ticket\",\"x2mjl4\":\"Bitte geben Sie eine gültige Bild-URL ein, die auf ein Bild verweist.\",\"HnNept\":\"Bitte geben Sie Ihr neues Passwort ein\",\"5FSIzj\":\"Bitte beachten Sie\",\"C63rRe\":\"Bitte kehre zur Veranstaltungsseite zurück, um neu zu beginnen.\",\"pJLvdS\":\"Bitte auswählen\",\"Ewir4O\":\"Bitte wählen Sie mindestens ein Produkt aus\",\"igBrCH\":\"Bitte bestätigen Sie Ihre E-Mail-Adresse, um auf alle Funktionen zugreifen zu können\",\"/IzmnP\":\"Bitte warten Sie, während wir Ihre Rechnung vorbereiten...\",\"MOERNx\":\"Portugiesisch\",\"qCJyMx\":\"Checkout-Nachricht veröffentlichen\",\"g2UNkE\":\"Powered by\",\"Rs7IQv\":\"Nachricht vor dem Checkout\",\"rdUucN\":\"Vorschau\",\"a7u1N9\":\"Preis\",\"CmoB9j\":\"Preisanzeigemodus\",\"BI7D9d\":\"Preis nicht festgelegt\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Preistyp\",\"6RmHKN\":\"Primärfarbe\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primäre Textfarbe\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Alle Tickets ausdrucken\",\"DKwDdj\":\"Tickets drucken\",\"K47k8R\":\"Produkt\",\"1JwlHk\":\"Produktkategorie\",\"U61sAj\":\"Produktkategorie erfolgreich aktualisiert.\",\"1USFWA\":\"Produkt erfolgreich gelöscht\",\"4Y2FZT\":\"Produktpreistyp\",\"mFwX0d\":\"Produktfragen\",\"Lu+kBU\":\"Produktverkäufe\",\"U/R4Ng\":\"Produktebene\",\"sJsr1h\":\"Produkttyp\",\"o1zPwM\":\"Produkt-Widget-Vorschau\",\"ktyvbu\":\"Produkt(e)\",\"N0qXpE\":\"Produkte\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Verkaufte Produkte\",\"/u4DIx\":\"Verkaufte Produkte\",\"DJQEZc\":\"Produkte erfolgreich sortiert\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Profil erfolgreich aktualisiert\",\"cl5WYc\":[\"Aktionscode \",[\"promo_code\"],\" angewendet\"],\"P5sgAk\":\"Aktionscode\",\"yKWfjC\":\"Aktionscode-Seite\",\"RVb8Fo\":\"Promo-Codes\",\"BZ9GWa\":\"Mit Promo-Codes können Sie Rabatte oder Vorverkaufszugang anbieten oder Sonderzugang zu Ihrer Veranstaltung gewähren.\",\"OP094m\":\"Bericht zu Aktionscodes\",\"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.\",\"toutGW\":\"QR-Code\",\"LkMOWF\":\"Verfügbare Menge\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Frage gelöscht\",\"avf0gk\":\"Fragebeschreibung\",\"oQvMPn\":\"Fragentitel\",\"enzGAL\":\"Fragen\",\"ROv2ZT\":\"Fragen & Antworten\",\"K885Eq\":\"Fragen erfolgreich sortiert\",\"OMJ035\":\"Radio-Option\",\"C4TjpG\":\"Lese weniger\",\"I3QpvQ\":\"Empfänger\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Rückerstattung fehlgeschlagen\",\"n10yGu\":\"Rückerstattungsauftrag\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Rückerstattung ausstehend\",\"xHpVRl\":\"Rückerstattungsstatus\",\"/BI0y9\":\"Rückerstattung\",\"fgLNSM\":\"Registrieren\",\"9+8Vez\":\"Verbleibende Verwendungen\",\"tasfos\":\"entfernen\",\"t/YqKh\":\"Entfernen\",\"t9yxlZ\":\"Berichte\",\"prZGMe\":\"Rechnungsadresse erforderlich\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Zurücksetzen\",\"RfwZxd\":\"Passwort zurücksetzen\",\"KbS2K9\":\"Passwort zurücksetzen\",\"e99fHm\":\"Veranstaltung wiederherstellen\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Zur Veranstaltungsseite zurückkehren\",\"8YBH95\":\"Einnahmen\",\"PO/sOY\":\"Einladung widerrufen\",\"GDvlUT\":\"Rolle\",\"ELa4O9\":\"Verkaufsende\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Verkaufsstartdatum\",\"hBsw5C\":\"Verkauf beendet\",\"kpAzPe\":\"Verkaufsstart\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Speichern\",\"IUwGEM\":\"Änderungen speichern\",\"U65fiW\":\"Organizer speichern\",\"UGT5vp\":\"Einstellungen speichern\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Suche nach Teilnehmername, E-Mail oder Bestellnummer ...\",\"+pr/FY\":\"Suche nach Veranstaltungsnamen...\",\"3zRbWw\":\"Suchen Sie nach Namen, E-Mail oder Bestellnummer ...\",\"L22Tdf\":\"Suchen nach Name, Bestellnummer, Teilnehmernummer oder E-Mail...\",\"BiYOdA\":\"Suche mit Name...\",\"YEjitp\":\"Suche nach Thema oder Inhalt...\",\"Pjsch9\":\"Kapazitätszuweisungen suchen...\",\"r9M1hc\":\"Einchecklisten durchsuchen...\",\"+0Yy2U\":\"Produkte suchen\",\"YIix5Y\":\"Suchen...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Sekundäre Farbe\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Sekundäre Textfarbe\",\"02ePaq\":[[\"0\"],\" auswählen\"],\"QuNKRX\":\"Kamera auswählen\",\"9FQEn8\":\"Kategorie auswählen...\",\"kWI/37\":\"Veranstalter auswählen\",\"ixIx1f\":\"Produkt auswählen\",\"3oSV95\":\"Produktebene auswählen\",\"C4Y1hA\":\"Produkte auswählen\",\"hAjDQy\":\"Status auswählen\",\"QYARw/\":\"Ticket auswählen\",\"OMX4tH\":\"Tickets auswählen\",\"DrwwNd\":\"Zeitraum auswählen\",\"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.\",\"M/WIer\":\"Nachricht Senden\",\"D7ZemV\":\"Bestellbestätigung und Ticket-E-Mail senden\",\"v1rRtW\":\"Test senden\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO-Beschreibung\",\"/SIY6o\":\"SEO-Schlüsselwörter\",\"GfWoKv\":\"SEO-Einstellungen\",\"rXngLf\":\"SEO-Titel\",\"/jZOZa\":\"Servicegebühr\",\"Bj/QGQ\":\"Legen Sie einen Mindestpreis fest und lassen Sie die Nutzer mehr zahlen, wenn sie wollen.\",\"L0pJmz\":\"Legen Sie die Startnummer für die Rechnungsnummerierung fest. Dies kann nicht geändert werden, sobald Rechnungen generiert wurden.\",\"nYNT+5\":\"Richten Sie Ihre Veranstaltung ein\",\"A8iqfq\":\"Schalten Sie Ihr Event live\",\"Tz0i8g\":\"Einstellungen\",\"Z8lGw6\":\"Teilen\",\"B2V3cA\":\"Veranstaltung teilen\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Verfügbare Produktmenge anzeigen\",\"qDsmzu\":\"Versteckte Fragen anzeigen\",\"fMPkxb\":\"Zeig mehr\",\"izwOOD\":\"Steuern und Gebühren separat ausweisen\",\"1SbbH8\":\"Wird dem Kunden nach dem Checkout 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 schiefgelaufen\",\"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\":\"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.\",\"6a/UJE\":\"Dieser Aktionscode wird leider nicht erkannt\",\"65A04M\":\"Spanisch\",\"mFuBqb\":\"Standardprodukt mit festem Preis\",\"D3iCkb\":\"Startdatum\",\"/2by1f\":\"Staat oder Region\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Stripe-Zahlungen sind für diese Veranstaltung nicht aktiviert.\",\"UJmAAK\":\"Thema\",\"X2rrlw\":\"Zwischensumme\",\"zzDlyQ\":\"Erfolg\",\"b0HJ45\":[\"Erfolgreich! \",[\"0\"],\" erhält in Kürze eine E-Mail.\"],\"BJIEiF\":[\"Erfolgreich \",[\"0\"],\" Teilnehmer\"],\"OtgNFx\":\"E-Mail-Adresse erfolgreich bestätigt\",\"IKwyaF\":\"E-Mail-Änderung erfolgreich bestätigt\",\"zLmvhE\":\"Teilnehmer erfolgreich erstellt\",\"gP22tw\":\"Produkt erfolgreich erstellt\",\"9mZEgt\":\"Promo-Code erfolgreich erstellt\",\"aIA9C4\":\"Frage erfolgreich erstellt\",\"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\",\"4H80qv\":\"Bestellung erfolgreich aktualisiert\",\"6xCBVN\":\"Einstellungen für Zahlung & Rechnungsstellung erfolgreich aktualisiert\",\"1Ycaad\":\"Produkt erfolgreich aktualisiert\",\"70dYC8\":\"Promo-Code erfolgreich aktualisiert\",\"F+pJnL\":\"SEO-Einstellungen erfolgreich aktualisiert\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support-E-Mail\",\"uRfugr\":\"T-Shirt\",\"JpohL9\":\"Steuer\",\"geUFpZ\":\"Steuern & Gebühren\",\"dFHcIn\":\"Steuerdetails\",\"wQzCPX\":\"Steuerinformationen, die unten auf allen Rechnungen erscheinen sollen (z. B. USt-Nummer, Steuerregistrierung)\",\"0RXCDo\":\"Steuer oder Gebühr erfolgreich gelöscht\",\"ZowkxF\":\"Steuern\",\"qu6/03\":\"Steuern und Gebühren\",\"gypigA\":\"Dieser Aktionscode ist ungültig\",\"5ShqeM\":\"Die gesuchte Eincheckliste existiert nicht.\",\"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.\",\"HsFnrk\":[\"Die maximale Anzahl an Produkten für \",[\"0\"],\" ist \",[\"1\"]],\"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.\",\"vQkyB3\":\"Die Steuern und Gebühren, die auf dieses Produkt angewendet werden. Sie können neue Steuern und Gebühren erstellen auf der\",\"esY5SG\":\"Der Titel der Veranstaltung, der in Suchmaschinenergebnissen und beim Teilen in sozialen Medien angezeigt wird. Standardmäßig wird der Veranstaltungstitel verwendet\",\"wDx3FF\":\"Für diese Veranstaltung sind keine Produkte verfügbar\",\"pNgdBv\":\"In dieser Kategorie sind keine Produkte verfügbar\",\"rMcHYt\":\"Eine Rückerstattung steht aus. Bitte warten Sie, bis der Vorgang abgeschlossen ist, bevor Sie eine weitere Rückerstattung anfordern.\",\"F89D36\":\"Beim Markieren der Bestellung als bezahlt ist ein Fehler aufgetreten\",\"68Axnm\":\"Bei der Bearbeitung Ihrer Anfrage ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.\",\"mVKOW6\":\"Beim Senden Ihrer Nachricht ist ein Fehler aufgetreten\",\"AhBPHd\":\"Diese Details werden nur angezeigt, wenn die Bestellung erfolgreich abgeschlossen wurde. Bestellungen, die auf Zahlung warten, zeigen diese Nachricht nicht an.\",\"Pc/Wtj\":\"Dieser Teilnehmer hat eine unbezahlte Bestellung.\",\"mf3FrP\":\"Diese Kategorie hat noch keine Produkte.\",\"8QH2Il\":\"Diese Kategorie ist vor der öffentlichen Ansicht verborgen\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Diese E-Mail hat keinen Werbezweck und steht in direktem Zusammenhang mit der Veranstaltung.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Diese Informationen werden auf der Zahlungsseite, der Bestellübersichtsseite und in der Bestellbestätigungs-E-Mail angezeigt.\",\"XAHqAg\":\"Dies ist ein allgemeines Produkt, wie ein T-Shirt oder eine Tasse. Es wird kein Ticket ausgestellt\",\"CNk/ro\":\"Dies ist eine Online-Veranstaltung\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Diese Nachricht wird in die Fußzeile aller E-Mails aufgenommen, die von dieser Veranstaltung gesendet werden.\",\"55i7Fa\":\"Diese Nachricht wird nur angezeigt, wenn die Bestellung erfolgreich abgeschlossen wurde. Bestellungen, die auf Zahlung warten, zeigen diese Nachricht nicht an.\",\"RjwlZt\":\"Diese Bestellung wurde bereits bezahlt.\",\"5K8REg\":\"Diese Bestellung wurde bereits zurückerstattet.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Diese Bestellung wurde storniert.\",\"Q0zd4P\":\"Diese Bestellung ist abgelaufen. Bitte erneut beginnen.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Diese Bestellung ist abgeschlossen.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Diese Bestellseite ist nicht mehr verfügbar.\",\"i0TtkR\":\"Dies überschreibt alle Sichtbarkeitseinstellungen und verbirgt das Produkt vor allen Kunden.\",\"cRRc+F\":\"Dieses Produkt kann nicht gelöscht werden, da es mit einer Bestellung verknüpft ist. Sie können es stattdessen ausblenden.\",\"3Kzsk7\":\"Dieses Produkt ist ein Ticket. Käufer erhalten nach dem Kauf ein Ticket\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Diese Frage ist nur für den Veranstalter sichtbar\",\"os29v1\":\"Dieser Link zum Zurücksetzen des Passworts ist ungültig oder abgelaufen.\",\"IV9xTT\":\"Dieser Benutzer ist nicht aktiv, da er die Einladung nicht angenommen hat.\",\"5AnPaO\":\"Fahrkarte\",\"kjAL4v\":\"Fahrkarte\",\"dtGC3q\":\"Die Ticket-E-Mail wurde erneut an den Teilnehmer gesendet.\",\"54q0zp\":\"Tickets für\",\"xN9AhL\":[\"Stufe \",[\"0\"]],\"jZj9y9\":\"Gestuftes Produkt\",\"8wITQA\":\"Gestufte Produkte ermöglichen es Ihnen, mehrere Preisoptionen für dasselbe Produkt anzubieten. Dies ist ideal für Frühbucherprodukte oder um unterschiedliche Preisoptionen für verschiedene Personengruppen anzubieten.\\\" # de\",\"nn3mSR\":\"Verbleibende Zeit:\",\"s/0RpH\":\"Nutzungshäufigkeit\",\"y55eMd\":\"Anzahl der Verwendungen\",\"40Gx0U\":\"Zeitzone\",\"oDGm7V\":\"TIPP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Werkzeuge\",\"72c5Qo\":\"Gesamt\",\"YXx+fG\":\"Gesamt vor Rabatten\",\"NRWNfv\":\"Gesamtrabattbetrag\",\"BxsfMK\":\"Gesamtkosten\",\"2bR+8v\":\"Gesamtumsatz brutto\",\"mpB/d9\":\"Gesamtbestellwert\",\"m3FM1g\":\"Gesamtbetrag zurückerstattet\",\"jEbkcB\":\"Insgesamt erstattet\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Gesamtsteuer\",\"+zy2Nq\":\"Typ\",\"FMdMfZ\":\"Teilnehmer konnte nicht eingecheckt werden\",\"bPWBLL\":\"Teilnehmer konnte nicht ausgecheckt werden\",\"9+P7zk\":\"Produkt konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"WLxtFC\":\"Produkt konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"/cSMqv\":\"Frage konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"MH/lj8\":\"Frage kann nicht aktualisiert werden. Bitte überprüfen Sie Ihre Angaben\",\"nnfSdK\":\"Einzigartige Kunden\",\"Mqy/Zy\":\"Vereinigte Staaten\",\"NIuIk1\":\"Unbegrenzt\",\"/p9Fhq\":\"Unbegrenzt verfügbar\",\"E0q9qH\":\"Unbegrenzte Nutzung erlaubt\",\"h10Wm5\":\"Unbezahlte Bestellung\",\"ia8YsC\":\"Bevorstehende\",\"TlEeFv\":\"Bevorstehende Veranstaltungen\",\"L/gNNk\":[\"Aktualisierung \",[\"0\"]],\"+qqX74\":\"Aktualisieren Sie den Namen, die Beschreibung und die Daten der Veranstaltung\",\"vXPSuB\":\"Profil aktualisieren\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL in die Zwischenablage kopiert\",\"e5lF64\":\"Anwendungsbeispiel\",\"fiV0xj\":\"Verwendungslimit\",\"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\",\"jpctdh\":\"Ansehen\",\"Pte1Hv\":\"Teilnehmerdetails anzeigen\",\"/5PEQz\":\"Zur Veranstaltungsseite\",\"fFornT\":\"Vollständige Nachricht anzeigen\",\"YIsEhQ\":\"Ansichts Karte\",\"Ep3VfY\":\"Auf Google Maps anzeigen\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"Die Kategorie konnte nicht gelöscht werden. Bitte versuchen Sie es erneut.\",\"/DNy62\":[\"Wir konnten keine Tickets finden, die mit \",[\"0\"],\" übereinstimmen\"],\"1E0vyy\":\"Wir konnten die Daten nicht laden. Bitte versuchen Sie es erneut.\",\"NmpGKr\":\"Wir konnten die Kategorien nicht neu ordnen. Bitte versuchen Sie es erneut.\",\"BJtMTd\":\"Wir empfehlen Abmessungen von 2160 x 1080 Pixel und eine maximale Dateigröße von 5 MB.\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Was sind gestufte Produkte?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Was ist eine Kategorie?\",\"gxeWAU\":\"Für welche Produkte gilt dieser Code?\",\"hFHnxR\":\"Für welche Produkte gilt dieser Code? (Standardmäßig gilt er für alle)\",\"AeejQi\":\"Für welche Produkte soll diese Kapazität gelten?\",\"Rb0XUE\":\"Um wie viel Uhr werden Sie ankommen?\",\"5N4wLD\":\"Um welche Art von Frage handelt es sich?\",\"gyLUYU\":\"Wenn aktiviert, werden Rechnungen für Ticketbestellungen erstellt. Rechnungen werden zusammen mit der Bestellbestätigungs-E-Mail gesendet. Teilnehmer können ihre Rechnungen auch von der Bestellbestätigungsseite herunterladen.\",\"D3opg4\":\"Wenn Offline-Zahlungen aktiviert sind, können Benutzer ihre Bestellungen abschließen und ihre Tickets erhalten. Ihre Tickets werden klar anzeigen, dass die Bestellung nicht bezahlt ist, und das Check-in-Tool wird das Check-in-Personal benachrichtigen, wenn eine Bestellung eine Zahlung erfordert.\",\"D7C6XV\":\"When should this check-in list expire?\",\"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?\",\"VxFvXQ\":\"Widget einbetten\",\"v1P7Gm\":\"Widget-Einstellungen\",\"b4itZn\":\"Arbeiten\",\"hqmXmc\":\"Arbeiten...\",\"+G/XiQ\":\"Seit Jahresbeginn\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Ja, entfernen\",\"ySeBKv\":\"Sie haben dieses Ticket bereits gescannt\",\"P+Sty0\":[\"Sie ändern Ihre E-Mail zu <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Sie sind offline\",\"sdB7+6\":\"Sie können einen Promo-Code erstellen, der sich auf dieses Produkt richtet auf der\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Sie können den Produkttyp nicht ändern, da Teilnehmer mit diesem Produkt verknüpft sind.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Sie können Teilnehmer mit unbezahlten Bestellungen nicht einchecken. Diese Einstellung kann in den Veranstaltungsdetails geändert werden.\",\"c9Evkd\":\"Sie können die letzte Kategorie nicht löschen.\",\"6uwAvx\":\"Sie können diese Preiskategorie nicht löschen, da für diese Kategorie bereits Produkte verkauft wurden. Sie können sie stattdessen ausblenden.\",\"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\":\"You do not have permission to access this page\",\"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\":\"You have connected your Stripe account\",\"ofEncr\":\"Sie haben keine Teilnehmerfragen.\",\"CoZHDB\":\"Sie haben keine Bestellfragen.\",\"15qAvl\":\"Sie haben keine ausstehende E-Mail-Änderung.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Die Zeit für die Bestellung ist abgelaufen.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Sie haben noch keine Nachrichten gesendet. Sie können Nachrichten an alle Teilnehmer oder an bestimmte Produkthalter senden.\",\"R6i9o9\":\"Sie müssen bestätigen, dass diese E-Mail keinen Werbezweck hat\",\"3ZI8IL\":\"Sie müssen den Allgemeinen Geschäftsbedingungen zustimmen\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Sie müssen ein Ticket erstellen, bevor Sie einen Teilnehmer manuell hinzufügen können.\",\"jE4Z8R\":\"Sie müssen mindestens eine Preisstufe haben\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Sie müssen eine Bestellung manuell als bezahlt markieren. Dies kann auf der Bestellverwaltungsseite erfolgen.\",\"L/+xOk\":\"Sie benötigen ein Ticket, bevor Sie eine Eincheckliste erstellen können.\",\"Djl45M\":\"Sie benötigen ein Produkt, bevor Sie eine Kapazitätszuweisung erstellen können.\",\"y3qNri\":\"Sie benötigen mindestens ein Produkt, um loszulegen. Kostenlos, bezahlt oder lassen Sie den Benutzer entscheiden, was er zahlen möchte.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Deine Bestellung\",\"Jwiilf\":\"Deine Bestellung wurde storniert\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Ihre Rückerstattung wird bearbeitet.\",\"IFHV2p\":\"Ihr Ticket für\",\"x1PPdr\":\"Postleitzahl\",\"BM/KQm\":\"Postleitzahl\",\"+LtVBt\":\"Postleitzahl\",\"25QDJ1\":\"- Zum Veröffentlichen klicken\",\"WOyJmc\":\"- Zum Rückgängigmachen der Veröffentlichung klicken\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" ist bereits eingecheckt\"],\"S4PqS9\":[[\"0\"],\" aktive Webhooks\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" Logo\"],\"B7pZfX\":[[\"0\"],\" Veranstalter\"],\"/HkCs4\":[[\"0\"],\" Tickets\"],\"OJnhhX\":[[\"eventCount\"],\" Ereignisse\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Check-in-Listen helfen Ihnen, den Veranstaltungseinlass nach Tag, Bereich oder Tickettyp zu verwalten. Sie können Tickets mit bestimmten Listen wie VIP-Bereichen oder Tag-1-Pässen verknüpfen und einen sicheren Check-in-Link mit dem Personal teilen. Es ist kein Konto erforderlich. Check-in funktioniert auf Mobilgeräten, Desktop oder Tablet mit einer Gerätekamera oder einem HID-USB-Scanner. \",\"ZnVt5v\":\"<0>Webhooks benachrichtigen externe Dienste sofort, wenn Ereignisse eintreten, z. B. wenn ein neuer Teilnehmer zu deinem CRM oder deiner Mailingliste hinzugefügt wird, um eine nahtlose Automatisierung zu gewährleisten.<1>Nutze Drittanbieterdienste wie <2>Zapier, <3>IFTTT oder <4>Make, um benutzerdefinierte Workflows zu erstellen und Aufgaben zu automatisieren.\",\"fAv9QG\":\"🎟️ Tickets hinzufügen\",\"M2DyLc\":\"1 aktiver Webhook\",\"yTsaLw\":\"1 Ticket\",\"HR/cvw\":\"Musterstraße 123\",\"kMU5aM\":\"Eine Stornierungsbenachrichtigung wurde gesendet an\",\"V53XzQ\":\"Ein neuer Bestätigungscode wurde an Ihre E-Mail gesendet\",\"/z/bH1\":\"Eine kurze Beschreibung Ihres Veranstalters, die Ihren Nutzern angezeigt wird.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"Über\",\"WTk/ke\":\"Über Stripe Connect\",\"1uJlG9\":\"Akzentfarbe\",\"VTfZPy\":\"Zugriff verweigert\",\"iN5Cz3\":\"Konto bereits verbunden!\",\"bPwFdf\":\"Konten\",\"nMtNd+\":\"Handlung erforderlich: Verbinden Sie Ihr Stripe-Konto erneut\",\"a5KFZU\":\"Füge Veranstaltungsdetails hinzu und verwalte die Einstellungen.\",\"Fb+SDI\":\"Weitere Tickets hinzufügen\",\"6PNlRV\":\"Fügen Sie dieses Event zu Ihrem Kalender hinzu\",\"BGD9Yt\":\"Tickets hinzufügen\",\"QN2F+7\":\"Webhook hinzufügen\",\"NsWqSP\":\"Fügen Sie Ihre Social-Media-Konten und die Website-URL hinzu. Diese werden auf Ihrer öffentlichen Veranstalterseite angezeigt.\",\"0Zypnp\":\"Admin Dashboard\",\"YAV57v\":\"Partner\",\"I+utEq\":\"Partnercode kann nicht geändert werden\",\"/jHBj5\":\"Partner erfolgreich erstellt\",\"uCFbG2\":\"Partner erfolgreich gelöscht\",\"a41PKA\":\"Partnerverkäufe werden verfolgt\",\"mJJh2s\":\"Partnerverkäufe werden nicht verfolgt. Dies deaktiviert den Partner.\",\"jabmnm\":\"Partner erfolgreich aktualisiert\",\"CPXP5Z\":\"Partner\",\"9Wh+ug\":\"Partner exportiert\",\"3cqmut\":\"Partner helfen Ihnen, Verkäufe von Partnern und Influencern zu verfolgen. Erstellen Sie Partnercodes und teilen Sie diese, um die Leistung zu überwachen.\",\"7rLTkE\":\"Alle archivierten Veranstaltungen\",\"gKq1fa\":\"Alle Teilnehmer\",\"pMLul+\":\"Alle Währungen\",\"qlaZuT\":\"Fertig! Sie verwenden jetzt unser verbessertes Zahlungssystem.\",\"ZS/D7f\":\"Alle beendeten Veranstaltungen\",\"dr7CWq\":\"Alle bevorstehenden Veranstaltungen\",\"QUg5y1\":\"Fast geschafft! Schließen Sie die Verbindung Ihres Stripe-Kontos ab, um Zahlungen zu akzeptieren.\",\"c4uJfc\":\"Fast geschafft! Wir warten nur noch auf die Verarbeitung Ihrer Zahlung. Das sollte nur wenige Sekunden dauern.\",\"/H326L\":\"Bereits erstattet\",\"RtxQTF\":\"Diese Bestellung auch stornieren\",\"jkNgQR\":\"Diese Bestellung auch erstatten\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"Eine E-Mail-Adresse für diesen Partner. Der Partner wird nicht benachrichtigt.\",\"vRznIT\":\"Ein Fehler ist aufgetreten beim Überprüfen des Exportstatus.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Antwort erfolgreich aktualisiert.\",\"LchiNd\":\"Sind Sie sicher, dass Sie diesen Partner löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden.\",\"JmVITJ\":\"Sind Sie sicher, dass Sie diese Vorlage löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden und E-Mails werden auf die Standardvorlage zurückgreifen.\",\"aLS+A6\":\"Sind Sie sicher, dass Sie diese Vorlage löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden und E-Mails werden auf die Veranstalter- oder Standardvorlage zurückgreifen.\",\"5H3Z78\":\"Bist du sicher, dass du diesen Webhook löschen möchtest?\",\"147G4h\":\"Möchten Sie wirklich gehen?\",\"VDWChT\":\"Sind Sie sicher, dass Sie diesen Veranstalter auf Entwurf setzen möchten? Dadurch wird die Veranstalterseite für die Öffentlichkeit unsichtbar.\",\"pWtQJM\":\"Sind Sie sicher, dass Sie diesen Veranstalter veröffentlichen möchten? Dadurch wird die Veranstalterseite für die Öffentlichkeit sichtbar.\",\"WFHOlF\":\"Sind Sie sicher, dass Sie diese Veranstaltung veröffentlichen möchten? Nach der Veröffentlichung ist sie öffentlich sichtbar.\",\"4TNVdy\":\"Sind Sie sicher, dass Sie dieses Veranstalterprofil veröffentlichen möchten? Nach der Veröffentlichung ist es öffentlich sichtbar.\",\"ExDt3P\":\"Sind Sie sicher, dass Sie diese Veranstaltung zurückziehen möchten? Sie wird nicht mehr öffentlich sichtbar sein.\",\"5Qmxo/\":\"Sind Sie sicher, dass Sie dieses Veranstalterprofil zurückziehen möchten? Es wird nicht mehr öffentlich sichtbar sein.\",\"+QARA4\":\"Kunst\",\"F2rX0R\":\"Mindestens ein Ereignistyp muss ausgewählt werden\",\"6PecK3\":\"Anwesenheit und Check-in-Raten für alle Veranstaltungen\",\"AJ4rvK\":\"Teilnehmer storniert\",\"qvylEK\":\"Teilnehmer erstellt\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Teilnehmer-E-Mail\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Teilnehmerverwaltung\",\"av+gjP\":\"Teilnehmername\",\"cosfD8\":\"Teilnehmerstatus\",\"D2qlBU\":\"Teilnehmer aktualisiert\",\"x8Vnvf\":\"Ticket des Teilnehmers nicht in dieser Liste enthalten\",\"k3Tngl\":\"Teilnehmer exportiert\",\"5UbY+B\":\"Teilnehmer mit einem bestimmten Ticket\",\"4HVzhV\":\"Teilnehmer:\",\"VPoeAx\":\"Automatisierte Einlassverwaltung mit mehreren Check-in-Listen und Echtzeitvalidierung\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Zur Erstattung verfügbar\",\"NB5+UG\":\"Verfügbare Token\",\"EmYMHc\":\"Wartet auf Offline-Zahlung\",\"kNmmvE\":\"Awesome Events GmbH\",\"kYqM1A\":\"Zurück zum Event\",\"td/bh+\":\"Zurück zu Berichten\",\"jIPNJG\":\"Grundinformationen\",\"iMdwTb\":\"Bevor dein Event live gehen kann, musst du einige Schritte erledigen. Schließe alle folgenden Schritte ab, um zu beginnen.\",\"UabgBd\":\"Inhalt ist erforderlich\",\"9N+p+g\":\"Geschäftlich\",\"bv6RXK\":\"Schaltflächenbeschriftung\",\"ChDLlO\":\"Schaltflächentext\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Aktionsschaltfläche\",\"PUpvQe\":\"Kamera-Scanner\",\"H4nE+E\":\"Alle Produkte stornieren und in den Pool zurückgeben\",\"tOXAdc\":\"Das Stornieren wird alle mit dieser Bestellung verbundenen Teilnehmer stornieren und die Tickets in den verfügbaren Pool zurückgeben.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Kapazitätszuweisungen\",\"K7tIrx\":\"Kategorie\",\"2tbLdK\":\"Wohltätigkeit\",\"v4fiSg\":\"Überprüfen Sie Ihre E-Mail\",\"51AsAN\":\"Überprüfen Sie Ihren Posteingang! Wenn Tickets mit dieser E-Mail verknüpft sind, erhalten Sie einen Link, um sie anzuzeigen.\",\"udRwQs\":\"Check-in erstellt\",\"F4SRy3\":\"Check-in gelöscht\",\"9gPPUY\":\"Check-In-Liste erstellt!\",\"f2vU9t\":\"Check-in-Listen\",\"tMNBEF\":\"Check-In-Listen ermöglichen die Kontrolle des Einlasses über Tage, Bereiche oder Tickettypen hinweg. Sie können einen sicheren Check-In-Link mit dem Personal teilen – kein Konto erforderlich.\",\"SHJwyq\":\"Check-in-Rate\",\"qCqdg6\":\"Check-In-Status\",\"cKj6OE\":\"Check-in-Übersicht\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinesisch (Traditionell)\",\"pkk46Q\":\"Wählen Sie einen Veranstalter\",\"Crr3pG\":\"Kalender auswählen\",\"CySr+W\":\"Klicken, um Notizen anzuzeigen\",\"RG3szS\":\"schließen\",\"RWw9Lg\":\"Modal schließen\",\"XwdMMg\":\"Code darf nur Buchstaben, Zahlen, Bindestriche und Unterstriche enthalten\",\"+yMJb7\":\"Code ist erforderlich\",\"m9SD3V\":\"Code muss mindestens 3 Zeichen lang sein\",\"V1krgP\":\"Code darf maximal 20 Zeichen lang sein\",\"psqIm5\":\"Arbeiten Sie mit Ihrem Team zusammen, um gemeinsam großartige Veranstaltungen zu gestalten.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Stripe-Einrichtung abschließen\",\"OqEV/G\":\"Schließen Sie die folgende Einrichtung ab, um fortzufahren\",\"nqx+6h\":\"Schließen Sie diese Schritte ab, um mit dem Ticketverkauf für Ihre Veranstaltung zu beginnen.\",\"5YrKW7\":\"Schließen Sie Ihre Zahlung ab, um Ihre Tickets zu sichern.\",\"ih35UP\":\"Konferenzzentrum\",\"NGXKG/\":\"E-Mail-Adresse bestätigen\",\"Auz0Mz\":\"Bestätigen Sie Ihre E-Mail-Adresse, um alle Funktionen zu nutzen.\",\"7+grte\":\"Bestätigungs-E-Mail gesendet! Bitte überprüfen Sie Ihren Posteingang.\",\"n/7+7Q\":\"Bestätigung gesendet an\",\"o5A0Go\":\"Herzlichen Glückwunsch zur Erstellung eines Events!\",\"WNnP3w\":\"Verbinden & Upgraden\",\"Xe2tSS\":\"Verbindungsdokumentation\",\"1Xxb9f\":\"Zahlungsabwicklung verbinden\",\"LmvZ+E\":\"Stripe verbinden, um Nachrichten zu aktivieren\",\"EWnXR+\":\"Mit Stripe verbinden\",\"MOUF31\":\"Verbinden Sie sich mit dem CRM und automatisieren Sie Aufgaben mit Webhooks und Integrationen\",\"VioGG1\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen für Tickets und Produkte zu akzeptieren.\",\"4qmnU8\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu akzeptieren.\",\"E1eze1\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen für Ihre Veranstaltungen zu akzeptieren.\",\"ulV1ju\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu akzeptieren.\",\"/3017M\":\"Mit Stripe verbunden\",\"jfC/xh\":\"Kontakt\",\"LOFgda\":[\"Kontakt \",[\"0\"]],\"41BQ3k\":\"Kontakt-E-Mail\",\"KcXRN+\":\"Kontakt-E-Mail für Support\",\"m8WD6t\":\"Einrichtung fortsetzen\",\"0GwUT4\":\"Weiter zur Kasse\",\"sBV87H\":\"Weiter zur Veranstaltungserstellung\",\"nKtyYu\":\"Weiter zum nächsten Schritt\",\"F3/nus\":\"Weiter zur Zahlung\",\"1JnTgU\":\"Von oben kopiert\",\"FxVG/l\":\"In die Zwischenablage kopiert\",\"PiH3UR\":\"Kopiert!\",\"uUPbPg\":\"Partnerlink kopieren\",\"iVm46+\":\"Code kopieren\",\"+2ZJ7N\":\"Details zum ersten Teilnehmer kopieren\",\"ZN1WLO\":\"E-Mail Kopieren\",\"tUGbi8\":\"Meine Daten kopieren an:\",\"y22tv0\":\"Kopieren Sie diesen Link, um ihn überall zu teilen\",\"/4gGIX\":\"In die Zwischenablage kopieren\",\"P0rbCt\":\"Titelbild\",\"60u+dQ\":\"Das Titelbild wird oben auf Ihrer Veranstaltungsseite angezeigt\",\"2NLjA6\":\"Das Titelbild wird oben auf Ihrer Veranstalterseite angezeigt\",\"zg4oSu\":[[\"0\"],\"-Vorlage erstellen\"],\"xfKgwv\":\"Partner erstellen\",\"dyrgS4\":\"Erstellen und personalisieren Sie Ihre Veranstaltungsseite sofort\",\"BTne9e\":\"Erstellen Sie benutzerdefinierte E-Mail-Vorlagen für diese Veranstaltung, die die Veranstalter-Standards überschreiben\",\"YIDzi/\":\"Benutzerdefinierte Vorlage erstellen\",\"8AiKIu\":\"Ticket oder Produkt erstellen\",\"agZ87r\":\"Erstellen Sie Tickets für Ihre Veranstaltung, legen Sie Preise fest und verwalten Sie die verfügbare Menge.\",\"dkAPxi\":\"Webhook erstellen\",\"5slqwZ\":\"Erstellen Sie Ihre Veranstaltung\",\"JQNMrj\":\"Erstellen Sie Ihre erste Veranstaltung\",\"CCjxOC\":\"Erstellen Sie Ihre erste Veranstaltung, um Tickets zu verkaufen und Teilnehmer zu verwalten.\",\"ZCSSd+\":\"Erstellen Sie Ihre eigene Veranstaltung\",\"67NsZP\":\"Veranstaltung wird erstellt...\",\"H34qcM\":\"Veranstalter wird erstellt...\",\"1YMS+X\":\"Ihre Veranstaltung wird erstellt, bitte warten\",\"yiy8Jt\":\"Ihr Veranstalterprofil wird erstellt, bitte warten\",\"lfLHNz\":\"CTA-Beschriftung ist erforderlich\",\"BMtue0\":\"Aktueller Zahlungsdienstleister\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Benutzerdefinierte Nachricht nach dem Checkout\",\"axv/Mi\":\"Benutzerdefinierte Vorlage\",\"QMHSMS\":\"Der Kunde erhält eine E-Mail zur Bestätigung der Erstattung\",\"L/Qc+w\":\"E-Mail-Adresse des Kunden\",\"wpfWhJ\":\"Vorname des Kunden\",\"GIoqtA\":\"Nachname des Kunden\",\"NihQNk\":\"Kunden\",\"7gsjkI\":\"Passen Sie die an Ihre Kunden gesendeten E-Mails mit Liquid-Vorlagen an. Diese Vorlagen werden als Standards für alle Veranstaltungen in Ihrer Organisation verwendet.\",\"iX6SLo\":\"Passen Sie den Text auf dem Weiter-Button an\",\"pxNIxa\":\"Passen Sie Ihre E-Mail-Vorlage mit Liquid-Vorlagen an\",\"q9Jg0H\":\"Passen Sie Ihre Veranstaltungsseite und das Widget-Design perfekt an Ihre Marke an\",\"mkLlne\":\"Passen Sie das Erscheinungsbild Ihrer Veranstaltungsseite an\",\"3trPKm\":\"Passen Sie das Erscheinungsbild Ihrer Veranstalterseite an\",\"4df0iX\":\"Passen Sie das Erscheinungsbild Ihres Tickets an\",\"/gWrVZ\":\"Tägliche Einnahmen, Steuern, Gebühren und Rückerstattungen für alle Veranstaltungen\",\"zgCHnE\":\"Täglicher Verkaufsbericht\",\"nHm0AI\":\"Aufschlüsselung der täglichen Verkäufe, Steuern und Gebühren\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Datum der Veranstaltung\",\"gnBreG\":\"Datum der Bestellaufgabe\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Standardvorlage wird verwendet\",\"vu7gDm\":\"Partner löschen\",\"+jw/c1\":\"Bild löschen\",\"dPyJ15\":\"Vorlage löschen\",\"snMaH4\":\"Webhook löschen\",\"vYgeDk\":\"Alle abwählen\",\"NvuEhl\":\"Designelemente\",\"H8kMHT\":\"Code nicht erhalten?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Diese Nachricht schließen\",\"BREO0S\":\"Zeigen Sie ein Kontrollkästchen an, mit dem Kunden dem Erhalt von Marketing-Mitteilungen von diesem Veranstalter zustimmen können.\",\"TvY/XA\":\"Dokumentation\",\"Kdpf90\":\"Nicht vergessen!\",\"V6Jjbr\":\"Sie haben kein Konto? <0>Registrieren\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Fertig\",\"eneWvv\":\"Entwurf\",\"TnzbL+\":\"Aufgrund des hohen Spam-Risikos müssen Sie ein Stripe-Konto verbinden, bevor Sie Nachrichten an Teilnehmer senden können.\\nDies stellt sicher, dass alle Veranstalter verifiziert und rechenschaftspflichtig sind.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Produkt duplizieren\",\"KIjvtr\":\"Niederländisch\",\"SPKbfM\":\"z.\u202FB. Tickets kaufen, Jetzt registrieren\",\"LTzmgK\":[[\"0\"],\"-Vorlage bearbeiten\"],\"v4+lcZ\":\"Partner bearbeiten\",\"2iZEz7\":\"Antwort bearbeiten\",\"fW5sSv\":\"Webhook bearbeiten\",\"nP7CdQ\":\"Webhook bearbeiten\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Bildung\",\"zPiC+q\":\"Berechtigte Check-In-Listen\",\"V2sk3H\":\"E-Mail & Vorlagen\",\"hbwCKE\":\"E-Mail-Adresse in Zwischenablage kopiert\",\"dSyJj6\":\"E-Mail-Adressen stimmen nicht überein\",\"elW7Tn\":\"E-Mail-Inhalt\",\"ZsZeV2\":\"E-Mail ist erforderlich\",\"Be4gD+\":\"E-Mail-Vorschau\",\"6IwNUc\":\"E-Mail-Vorlagen\",\"H/UMUG\":\"E-Mail-Verifizierung erforderlich\",\"L86zy2\":\"E-Mail erfolgreich verifiziert!\",\"Upeg/u\":\"Diese Vorlage für das Senden von E-Mails aktivieren\",\"RxzN1M\":\"Aktiviert\",\"sGjBEq\":\"Enddatum & -zeit (optional)\",\"PKXt9R\":\"Das Enddatum muss nach dem Startdatum liegen\",\"48Y16Q\":\"Endzeit (optional)\",\"7YZofi\":\"Geben Sie einen Betreff und Inhalt ein, um die Vorschau zu sehen\",\"3bR1r4\":\"Partner-E-Mail eingeben (optional)\",\"ARkzso\":\"Partnername eingeben\",\"INDKM9\":\"E-Mail-Betreff eingeben...\",\"kWg31j\":\"Eindeutigen Partnercode eingeben\",\"C3nD/1\":\"Geben Sie Ihre E-Mail-Adresse ein\",\"n9V+ps\":\"Geben Sie Ihren Namen ein\",\"LslKhj\":\"Fehler beim Laden der Protokolle\",\"WgD6rb\":\"Veranstaltungskategorie\",\"b46pt5\":\"Veranstaltungs-Titelbild\",\"1Hzev4\":\"Event-benutzerdefinierte Vorlage\",\"imgKgl\":\"Veranstaltungsbeschreibung\",\"kJDmsI\":\"Veranstaltungsdetails\",\"m/N7Zq\":\"Vollständige Veranstaltungsadresse\",\"Nl1ZtM\":\"Veranstaltungsort\",\"PYs3rP\":\"Veranstaltungsname\",\"HhwcTQ\":\"Veranstaltungsname\",\"WZZzB6\":\"Veranstaltungsname ist erforderlich\",\"Wd5CDM\":\"Der Veranstaltungsname sollte weniger als 150 Zeichen lang sein\",\"4JzCvP\":\"Veranstaltung nicht verfügbar\",\"Gh9Oqb\":\"Name des Veranstalters\",\"mImacG\":\"Veranstaltungsseite\",\"cOePZk\":\"Veranstaltungszeit\",\"e8WNln\":\"Veranstaltungszeitzone\",\"GeqWgj\":\"Veranstaltungszeitzone\",\"XVLu2v\":\"Veranstaltungstitel\",\"YDVUVl\":\"Ereignistypen\",\"4K2OjV\":\"Veranstaltungsort\",\"19j6uh\":\"Veranstaltungsleistung\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Jede E-Mail-Vorlage muss eine Aktionsschaltfläche enthalten, die zur entsprechenden Seite verlinkt\",\"VlvpJ0\":\"Antworten exportieren\",\"JKfSAv\":\"Export fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"SVOEsu\":\"Export gestartet. Datei wird vorbereitet...\",\"9bpUSo\":\"Partner werden exportiert\",\"jtrqH9\":\"Teilnehmer werden exportiert\",\"R4Oqr8\":\"Export abgeschlossen. Datei wird heruntergeladen...\",\"UlAK8E\":\"Bestellungen werden exportiert\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Bestellung konnte nicht abgebrochen werden. Bitte versuchen Sie es erneut.\",\"cEFg3R\":\"Partner konnte nicht erstellt werden\",\"U66oUa\":\"Vorlage konnte nicht erstellt werden\",\"xFj7Yj\":\"Vorlage konnte nicht gelöscht werden\",\"jo3Gm6\":\"Partner konnten nicht exportiert werden\",\"Jjw03p\":\"Fehler beim Export der Teilnehmer\",\"ZPwFnN\":\"Fehler beim Export der Bestellungen\",\"X4o0MX\":\"Webhook konnte nicht geladen werden\",\"YQ3QSS\":\"Bestätigungscode konnte nicht erneut gesendet werden\",\"zTkTF3\":\"Vorlage konnte nicht gespeichert werden\",\"T6B2gk\":\"Nachricht konnte nicht gesendet werden. Bitte versuchen Sie es erneut.\",\"lKh069\":\"Exportauftrag konnte nicht gestartet werden\",\"t/KVOk\":\"Fehler beim Starten der Identitätswechsel. Bitte versuchen Sie es erneut.\",\"QXgjH0\":\"Fehler beim Beenden der Identitätswechsel. Bitte versuchen Sie es erneut.\",\"i0QKrm\":\"Partner konnte nicht aktualisiert werden\",\"NNc33d\":\"Fehler beim Aktualisieren der Antwort.\",\"7/9RFs\":\"Bild-Upload fehlgeschlagen.\",\"nkNfWu\":\"Fehler beim Hochladen des Bildes. Bitte versuchen Sie es erneut.\",\"rxy0tG\":\"E-Mail konnte nicht verifiziert werden\",\"T4BMxU\":\"Gebühren können sich ändern. Du wirst über Änderungen deiner Gebührenstruktur benachrichtigt.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Füllen Sie zuerst Ihre Daten oben aus\",\"8OvVZZ\":\"Teilnehmer filtern\",\"8BwQeU\":\"Einrichtung abschließen\",\"hg80P7\":\"Stripe-Einrichtung abschließen\",\"1vBhpG\":\"Ersten Teilnehmer\",\"YXhom6\":\"Feste Gebühr:\",\"KgxI80\":\"Flexibles Ticketing\",\"lWxAUo\":\"Essen & Trinken\",\"nFm+5u\":\"Fußzeilentext\",\"MY2SVM\":\"Vollständige Erstattung\",\"vAVBBv\":\"Fully Integrated\",\"T02gNN\":\"Allgemeiner Eintritt\",\"3ep0Gx\":\"Allgemeine Informationen über Ihren Veranstalter\",\"ziAjHi\":\"Generieren\",\"exy8uo\":\"Code generieren\",\"4CETZY\":\"Wegbeschreibung\",\"kfVY6V\":\"Starten Sie kostenlos, keine Abonnementgebühren\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Bereiten Sie Ihre Veranstaltung vor\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Zur Eventseite\",\"gHSuV/\":\"Zur Startseite gehen\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Bruttoeinnahmen\",\"kTSQej\":[\"Hallo \",[\"0\"],\", verwalten Sie Ihre Plattform von hier aus.\"],\"dORAcs\":\"Hier sind alle Tickets, die mit Ihrer E-Mail-Adresse verknüpft sind.\",\"g+2103\":\"Hier ist Ihr Partnerlink\",\"QlwJ9d\":\"Das können Sie erwarten:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Antworten ausblenden\",\"gtEbeW\":\"Hervorheben\",\"NF8sdv\":\"Hervorhebungsnachricht\",\"MXSqmS\":\"Dieses Produkt hervorheben\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Hervorgehobene Produkte haben eine andere Hintergrundfarbe, um sie auf der Event-Seite hervorzuheben.\",\"i0qMbr\":\"Startseite\",\"AVpmAa\":\"Wie man offline zahlt\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Ungarisch\",\"4/kP5a\":\"Wenn sich kein neues Tab automatisch geöffnet hat, klicke bitte unten auf die Schaltfläche, um mit dem Checkout fortzufahren.\",\"wOU3Tr\":\"Wenn du ein Konto bei uns hast, erhältst du eine E-Mail mit Anweisungen zum Zurücksetzen deines Passworts.\",\"an5hVd\":\"Bilder\",\"tSVr6t\":\"Identität annehmen\",\"TWXU0c\":\"Benutzer verkörpern\",\"5LAZwq\":\"Identitätswechsel gestartet\",\"IMwcdR\":\"Identitätswechsel beendet\",\"M8M6fs\":\"Wichtig: Stripe-Neuverbindung erforderlich\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"In-depth Analytics\",\"F1Xp97\":\"Einzelne Teilnehmer\",\"85e6zs\":\"Liquid-Token einfügen\",\"38KFY0\":\"Variable einfügen\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Ungültige E-Mail\",\"5tT0+u\":\"Ungültiges E-Mail-Format\",\"tnL+GP\":\"Ungültige Liquid-Syntax. Bitte korrigieren Sie sie und versuchen Sie es erneut.\",\"g+lLS9\":\"Teammitglied einladen\",\"1z26sk\":\"Teammitglied einladen\",\"KR0679\":\"Teammitglieder einladen\",\"aH6ZIb\":\"Laden Sie Ihr Team ein\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italienisch\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Von überall teilnehmen\",\"hTJ4fB\":\"Klicken Sie einfach auf die Schaltfläche unten, um Ihr Stripe-Konto erneut zu verbinden.\",\"MxjCqk\":\"Suchen Sie nur nach Ihren Tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Letzte Antwort\",\"gw3Ur5\":\"Zuletzt ausgelöst\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link abgelaufen oder ungültig\",\"psosdY\":\"Link zu Bestelldetails\",\"6JzK4N\":\"Link zum Ticket\",\"shkJ3U\":\"Verknüpfen Sie Ihr Stripe-Konto, um Gelder aus dem Ticketverkauf zu erhalten.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live-Veranstaltungen\",\"WdmJIX\":\"Vorschau wird geladen...\",\"IoDI2o\":\"Token werden geladen...\",\"NFxlHW\":\"Webhooks werden geladen\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Titelbild\",\"gddQe0\":\"Logo und Titelbild für Ihren Veranstalter\",\"TBEnp1\":\"Logo wird in der Kopfzeile angezeigt\",\"Jzu30R\":\"Logo wird auf dem Ticket angezeigt\",\"4wUIjX\":\"Machen Sie Ihre Veranstaltung live\",\"0A7TvI\":\"Veranstaltung verwalten\",\"2FzaR1\":\"Verwalten Sie Ihre Zahlungsabwicklung und sehen Sie die Plattformgebühren ein\",\"/x0FyM\":\"Match Your Brand\",\"xDAtGP\":\"Nachricht\",\"1jRD0v\":\"Teilnehmer mit bestimmten Tickets benachrichtigen\",\"97QrnA\":\"Kommunizieren Sie mit Teilnehmern, verwalten Sie Bestellungen und bearbeiten Sie Rückerstattungen an einem Ort\",\"48rf3i\":\"Nachricht darf 5000 Zeichen nicht überschreiten\",\"Vjat/X\":\"Nachricht ist erforderlich\",\"0/yJtP\":\"Nachricht an Bestelleigentümer mit bestimmten Produkten senden\",\"tccUcA\":\"Mobiler Check-in\",\"GfaxEk\":\"Musik\",\"oVGCGh\":\"Meine Tickets\",\"8/brI5\":\"Name ist erforderlich\",\"sCV5Yc\":\"Name der Veranstaltung\",\"xxU3NX\":\"Nettoeinnahmen\",\"eWRECP\":\"Nachtleben\",\"VHfLAW\":\"Keine Konten\",\"+jIeoh\":\"Keine Konten gefunden\",\"074+X8\":\"Keine aktiven Webhooks\",\"zxnup4\":\"Keine Partner vorhanden\",\"99ntUF\":\"Keine Check-In-Listen für diese Veranstaltung verfügbar.\",\"6r9SGl\":\"Keine Kreditkarte erforderlich\",\"eb47T5\":\"Keine Daten für die ausgewählten Filter gefunden. Versuchen Sie, den Datumsbereich oder die Währung anzupassen.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"Keine Events gefunden\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Noch keine Veranstaltungen\",\"54GxeB\":\"Keine Auswirkungen auf Ihre aktuellen oder vergangenen Transaktionen\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"Keine Protokolle gefunden\",\"NEmyqy\":\"Noch keine Bestellungen\",\"B7w4KY\":\"Keine weiteren Veranstalter verfügbar\",\"6jYQGG\":\"Keine vergangenen Veranstaltungen\",\"zK/+ef\":\"Keine Produkte zur Auswahl verfügbar\",\"QoAi8D\":\"Keine Antwort\",\"EK/G11\":\"Noch keine Antworten\",\"3sRuiW\":\"Keine Tickets gefunden\",\"yM5c0q\":\"Keine bevorstehenden Veranstaltungen\",\"qpC74J\":\"Keine Benutzer gefunden\",\"n5vdm2\":\"Für diesen Endpunkt wurden noch keine Webhook-Ereignisse aufgezeichnet. Ereignisse werden hier angezeigt, sobald sie ausgelöst werden.\",\"4GhX3c\":\"Keine Webhooks\",\"4+am6b\":\"Nein, hier bleiben\",\"x5+Lcz\":\"Nicht Eingecheckt\",\"8n10sz\":\"Nicht Berechtigt\",\"lQgMLn\":\"Name des Büros oder Veranstaltungsorts\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline-Zahlung\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Sobald Sie das Upgrade abgeschlossen haben, wird Ihr altes Konto nur noch für Erstattungen verwendet.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online-Veranstaltung\",\"bU7oUm\":\"Nur an Bestellungen mit diesen Status senden\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Stripe-Dashboard öffnen\",\"HXMJxH\":\"Optionaler Text für Haftungsausschlüsse, Kontaktinformationen oder Dankesnachrichten (nur einzeilig)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Bestellung storniert\",\"b6+Y+n\":\"Bestellung abgeschlossen\",\"x4MLWE\":\"Bestellbestätigung\",\"ppuQR4\":\"Bestellung erstellt\",\"0UZTSq\":\"Bestellwährung\",\"HdmwrI\":\"Bestell-E-Mail\",\"bwBlJv\":\"Vorname der Bestellung\",\"vrSW9M\":\"Die Bestellung wurde storniert und erstattet. Der Bestellinhaber wurde benachrichtigt.\",\"+spgqH\":[\"Bestellnummer: \",[\"0\"]],\"Pc729f\":\"Bestellung wartet auf Offline-Zahlung\",\"F4NXOl\":\"Nachname der Bestellung\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Bestellsprache\",\"vu6Arl\":\"Bestellung als bezahlt markiert\",\"sLbJQz\":\"Bestellung nicht gefunden\",\"i8VBuv\":\"Bestellnummer\",\"FaPYw+\":\"Bestelleigentümer\",\"eB5vce\":\"Bestelleigentümer mit einem bestimmten Produkt\",\"CxLoxM\":\"Bestelleigentümer mit Produkten\",\"DoH3fD\":\"Bestellzahlung ausstehend\",\"EZy55F\":\"Bestellung erstattet\",\"6eSHqs\":\"Bestellstatus\",\"oW5877\":\"Bestellsumme\",\"e7eZuA\":\"Bestellung aktualisiert\",\"KndP6g\":\"Bestell-URL\",\"3NT0Ck\":\"Bestellung wurde storniert\",\"5It1cQ\":\"Bestellungen exportiert\",\"B/EBQv\":\"Bestellungen:\",\"ucgZ0o\":\"Organisation\",\"S3CZ5M\":\"Veranstalter-Dashboard\",\"Uu0hZq\":\"Veranstalter-E-Mail\",\"Gy7BA3\":\"E-Mail-Adresse des Veranstalters\",\"SQqJd8\":\"Veranstalter nicht gefunden\",\"wpj63n\":\"Veranstaltereinstellungen\",\"coIKFu\":\"Statistiken zum Veranstalter sind für die ausgewählte Währung nicht verfügbar oder es ist ein Fehler aufgetreten.\",\"o1my93\":\"Aktualisierung des Veranstalterstatus fehlgeschlagen. Bitte versuchen Sie es später erneut.\",\"rLHma1\":\"Veranstalterstatus aktualisiert\",\"LqBITi\":\"Veranstalter-/Standardvorlage wird verwendet\",\"/IX/7x\":\"Sonstiges\",\"RsiDDQ\":\"Andere Listen (Ticket Nicht Enthalten)\",\"6/dCYd\":\"Übersicht\",\"8uqsE5\":\"Seite nicht mehr verfügbar\",\"QkLf4H\":\"Seiten-URL\",\"sF+Xp9\":\"Seitenaufrufe\",\"5F7SYw\":\"Teilerstattung\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Vergangenheit\",\"xTPjSy\":\"Vergangene Veranstaltungen\",\"/l/ckQ\":\"URL einfügen\",\"URAE3q\":\"Pausiert\",\"4fL/V7\":\"Bezahlen\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Zahlung & Plan\",\"ENEPLY\":\"Zahlungsmethode\",\"EyE8E6\":\"Zahlungsabwicklung\",\"8Lx2X7\":\"Zahlung erhalten\",\"vcyz2L\":\"Zahlungseinstellungen\",\"fx8BTd\":\"Zahlungen nicht verfügbar\",\"51U9mG\":\"Zahlungen fließen weiterhin ohne Unterbrechung\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Leistung\",\"zmwvG2\":\"Telefon\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Eine Veranstaltung planen?\",\"br3Y/y\":\"Plattformgebühren\",\"jEw0Mr\":\"Bitte geben Sie eine gültige URL ein\",\"n8+Ng/\":\"Bitte geben Sie den 5-stelligen Code ein\",\"Dvq0wf\":\"Bitte ein Bild angeben.\",\"2cUopP\":\"Bitte starten Sie den Bestellvorgang neu.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Bitte ein Bild auswählen.\",\"fuwKpE\":\"Bitte versuchen Sie es erneut.\",\"klWBeI\":\"Bitte warten Sie, bevor Sie einen neuen Code anfordern\",\"hfHhaa\":\"Bitte warten Sie, während wir Ihre Partner für den Export vorbereiten...\",\"o+tJN/\":\"Bitte warten Sie, während wir Ihre Teilnehmer für den Export vorbereiten...\",\"+5Mlle\":\"Bitte warten Sie, während wir Ihre Bestellungen für den Export vorbereiten...\",\"TjX7xL\":\"Nach-Checkout-Nachricht\",\"cs5muu\":\"Vorschau der Veranstaltungsseite\",\"+4yRWM\":\"Preis des Tickets\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Druckvorschau\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Als PDF drucken\",\"LcET2C\":\"Datenschutzerklärung\",\"8z6Y5D\":\"Erstattung verarbeiten\",\"JcejNJ\":\"Bestellung wird verarbeitet\",\"EWCLpZ\":\"Produkt erstellt\",\"XkFYVB\":\"Produkt gelöscht\",\"YMwcbR\":\"Produktverkäufe, Einnahmen und Steueraufschlüsselung\",\"ldVIlB\":\"Produkt aktualisiert\",\"mIqT3T\":\"Produkte, Waren und flexible Preisoptionen\",\"JoKGiJ\":\"Gutscheincode\",\"k3wH7i\":\"Nutzung von Rabattcodes und Rabattaufschlüsselung\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Veröffentlichen\",\"evDBV8\":\"Veranstaltung veröffentlichen\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR-Code-Scanning mit sofortigem Feedback und sicherem Teilen für den Mitarbeiterzugang\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Bereit für das Upgrade? Das dauert nur wenige Minuten.\",\"Fi3b48\":\"Neueste Bestellungen\",\"Edm6av\":\"Stripe neu verbinden →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Weiterleitung zu Stripe...\",\"ACKu03\":\"Vorschau aktualisieren\",\"fKn/k6\":\"Erstattungsbetrag\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Bestellung \",[\"0\"],\" erstatten\"],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Rückerstattungen\",\"CQeZT8\":\"Bericht nicht gefunden\",\"JEPMXN\":\"Neuen Link anfordern\",\"mdeIOH\":\"Code erneut senden\",\"bxoWpz\":\"Bestätigungs-E-Mail erneut senden\",\"G42SNI\":\"E-Mail erneut senden\",\"TTpXL3\":[\"Erneut senden in \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reserviert bis\",\"slOprG\":\"Setzen Sie Ihr Passwort zurück\",\"CbnrWb\":\"Zurück zum Event\",\"Oo/PLb\":\"Umsatzübersicht\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Verkäufe\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Verkäufe, Bestellungen und Leistungskennzahlen für alle Veranstaltungen\",\"3Q1AWe\":\"Verkäufe:\",\"8BRPoH\":\"Beispielort\",\"KZrfYJ\":\"Social-Media-Links speichern\",\"9Y3hAT\":\"Vorlage speichern\",\"C8ne4X\":\"Ticketdesign speichern\",\"I+FvbD\":\"Scannen\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Partner suchen...\",\"VY+Bdn\":\"Nach Kontoname oder E-Mail suchen...\",\"VX+B3I\":\"Suche nach Veranstaltungstitel oder Veranstalter...\",\"GHdjuo\":\"Nach Name, E-Mail oder Konto suchen...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Kategorie auswählen\",\"BFRSTT\":\"Konto auswählen\",\"mCB6Je\":\"Alle auswählen\",\"kYZSFD\":\"Wählen Sie einen Veranstalter, um dessen Dashboard und Veranstaltungen anzuzeigen.\",\"tVW/yo\":\"Währung auswählen\",\"n9ZhRa\":\"Enddatum und -zeit auswählen\",\"gTN6Ws\":\"Endzeit auswählen\",\"0U6E9W\":\"Veranstaltungskategorie auswählen\",\"j9cPeF\":\"Ereignistypen auswählen\",\"1nhy8G\":\"Scanner-Typ auswählen\",\"KizCK7\":\"Startdatum und -zeit auswählen\",\"dJZTv2\":\"Startzeit auswählen\",\"aT3jZX\":\"Zeitzone auswählen\",\"Ropvj0\":\"Wählen Sie aus, welche Ereignisse diesen Webhook auslösen\",\"BG3f7v\":\"Sell Anything\",\"VtX8nW\":\"Verkaufen Sie Waren zusammen mit Tickets mit integrierter Steuer- und Rabattcode-Unterstützung\",\"Cye3uV\":\"Verkaufen Sie mehr als nur Tickets\",\"j9b/iy\":\"Schnell verkauft 🔥\",\"1lNPhX\":\"Erstattungsbenachrichtigungs-E-Mail senden\",\"SPdzrs\":\"An Kunden gesendet, wenn sie eine Bestellung aufgeben\",\"LxSN5F\":\"An jeden Teilnehmer mit seinen Ticketdetails gesendet\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Richten Sie Ihre Organisation ein\",\"HbUQWA\":\"Einrichtung in Minuten\",\"GG7qDw\":\"Partnerlink teilen\",\"hL7sDJ\":\"Veranstalterseite teilen\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Alle Plattformen anzeigen (\",[\"0\"],\" weitere mit Werten)\"],\"UVPI5D\":\"Weniger Plattformen anzeigen\",\"Eu/N/d\":\"Marketing-Opt-in-Kontrollkästchen anzeigen\",\"SXzpzO\":\"Marketing-Opt-in-Kontrollkästchen standardmäßig anzeigen\",\"b33PL9\":\"Mehr Plattformen anzeigen\",\"v6IwHE\":\"Intelligentes Einchecken\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Soziales\",\"d0rUsW\":\"Social-Media-Links\",\"j/TOB3\":\"Social-Media-Links & Website\",\"2pxNFK\":\"verkauft\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Etwas ist schiefgelaufen. Bitte versuchen Sie es erneut oder kontaktieren Sie den Support, falls das Problem weiterhin besteht.\",\"H6Gslz\":\"Entschuldigung für die Unannehmlichkeiten.\",\"7JFNej\":\"Sport\",\"JcQp9p\":\"Startdatum & -zeit\",\"0m/ekX\":\"Startdatum & -zeit\",\"izRfYP\":\"Startdatum ist erforderlich\",\"2R1+Rv\":\"Startzeit der Veranstaltung\",\"2NbyY/\":\"Statistiken\",\"DRykfS\":\"Bearbeitet weiterhin Erstattungen für Ihre älteren Transaktionen.\",\"wuV0bK\":\"Identitätswechsel beenden\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe-Einrichtung ist bereits abgeschlossen.\",\"ii0qn/\":\"Betreff ist erforderlich\",\"M7Uapz\":\"Betreff wird hier angezeigt\",\"6aXq+t\":\"Betreff:\",\"JwTmB6\":\"Produkt erfolgreich dupliziert\",\"RuaKfn\":\"Adresse erfolgreich aktualisiert\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Veranstalter erfolgreich aktualisiert\",\"0Dk/l8\":\"SEO-Einstellungen erfolgreich aktualisiert\",\"MhOoLQ\":\"Social-Media-Links erfolgreich aktualisiert\",\"kj7zYe\":\"Webhook erfolgreich aktualisiert\",\"dXoieq\":\"Zusammenfassung\",\"/RfJXt\":[\"Sommermusikfestival \",[\"0\"]],\"CWOPIK\":\"Sommer Musik Festival 2025\",\"5gIl+x\":\"Unterstützung für gestaffelte, spendenbasierte und Produktverkäufe mit anpassbaren Preisen und Kapazitäten\",\"JZTQI0\":\"Veranstalter wechseln\",\"XX32BM\":\"Dauert nur wenige Minuten\",\"yT6dQ8\":\"Erhobene Steuern gruppiert nach Steuerart und Veranstaltung\",\"Ye321X\":\"Steuername\",\"WyCBRt\":\"Steuerübersicht\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Technologie\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Erzählen Sie den Leuten, was sie bei Ihrer Veranstaltung erwartet\",\"NiIUyb\":\"Erzählen Sie uns von Ihrer Veranstaltung\",\"DovcfC\":\"Erzählen Sie uns von Ihrer Organisation. Diese Informationen werden auf Ihren Veranstaltungsseiten angezeigt.\",\"7wtpH5\":\"Vorlage aktiv\",\"QHhZeE\":\"Vorlage erfolgreich erstellt\",\"xrWdPR\":\"Vorlage erfolgreich gelöscht\",\"G04Zjt\":\"Vorlage erfolgreich gespeichert\",\"xowcRf\":\"Nutzungsbedingungen\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Danke für Ihre Teilnahme!\",\"lhAWqI\":\"Vielen Dank für Ihre Unterstützung, während wir Hi.Events weiter ausbauen und verbessern!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"Der Code läuft in 10 Minuten ab. Überprüfen Sie Ihren Spam-Ordner, falls Sie die E-Mail nicht sehen.\",\"MJm4Tq\":\"Die Währung der Bestellung\",\"I/NNtI\":\"Der Veranstaltungsort\",\"tXadb0\":\"Die gesuchte Veranstaltung ist derzeit nicht verfügbar. Sie wurde möglicherweise entfernt, ist abgelaufen oder die URL ist falsch.\",\"EBzPwC\":\"Die vollständige Veranstaltungsadresse\",\"sxKqBm\":\"Der volle Bestellbetrag wird auf die ursprüngliche Zahlungsmethode des Kunden erstattet.\",\"5OmEal\":\"Die Sprache des Kunden\",\"sYLeDq\":\"Der gesuchte Veranstalter konnte nicht gefunden werden. Die Seite wurde möglicherweise verschoben oder gelöscht, oder die URL ist falsch.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"Der Vorlagenkörper enthält ungültige Liquid-Syntax. Bitte korrigieren Sie sie und versuchen Sie es erneut.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Thema & Farben\",\"HirZe8\":\"Diese Vorlagen werden als Standards für alle Veranstaltungen in Ihrer Organisation verwendet. Einzelne Veranstaltungen können diese Vorlagen mit ihren eigenen benutzerdefinierten Versionen überschreiben.\",\"lzAaG5\":\"Diese Vorlagen überschreiben die Veranstalter-Standards nur für diese Veranstaltung. Wenn hier keine benutzerdefinierte Vorlage festgelegt ist, wird stattdessen die Veranstaltervorlage verwendet.\",\"XBNC3E\":\"Dieser Code wird zur Verfolgung von Verkäufen verwendet. Nur Buchstaben, Zahlen, Bindestriche und Unterstriche erlaubt.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Diese Veranstaltung ist noch nicht veröffentlicht\",\"dFJnia\":\"Dies ist der Name Ihres Veranstalters, der Ihren Nutzern angezeigt wird.\",\"L7dIM7\":\"Dieser Link ist ungültig oder abgelaufen.\",\"j5FdeA\":\"Diese Bestellung wird verarbeitet.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"Diese Bestellung wurde storniert. Sie können jederzeit eine neue Bestellung aufgeben.\",\"lyD7rQ\":\"Dieses Veranstalterprofil ist noch nicht veröffentlicht\",\"9b5956\":\"Diese Vorschau zeigt, wie Ihre E-Mail mit Beispieldaten aussehen wird. Tatsächliche E-Mails verwenden echte Werte.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Dieses Ticket wurde gerade gescannt. Bitte warten Sie, bevor Sie erneut scannen.\",\"kvpxIU\":\"Dies wird für Benachrichtigungen und die Kommunikation mit Ihren Nutzern verwendet.\",\"rhsath\":\"Dies ist für Kunden nicht sichtbar, hilft Ihnen aber, den Partner zu identifizieren.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticketdesign\",\"EZC/Cu\":\"Ticketdesign erfolgreich gespeichert\",\"1BPctx\":\"Ticket für\",\"bgqf+K\":\"E-Mail des Ticketinhabers\",\"oR7zL3\":\"Name des Ticketinhabers\",\"HGuXjF\":\"Ticketinhaber\",\"awHmAT\":\"Ticket-ID\",\"6czJik\":\"Ticket-Logo\",\"OkRZ4Z\":\"Ticketname\",\"6tmWch\":\"Ticket oder Produkt\",\"1tfWrD\":\"Ticket-Vorschau für\",\"tGCY6d\":\"Ticketpreis\",\"8jLPgH\":\"Tickettyp\",\"X26cQf\":\"Ticket-URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets & Produkte\",\"EUnesn\":\"Tickets verfügbar\",\"AGRilS\":\"Verkaufte Tickets\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Um Kreditkartenzahlungen zu empfangen, musst du dein Stripe-Konto verbinden. Stripe ist unser Zahlungsabwicklungspartner, der sichere Transaktionen und pünktliche Auszahlungen gewährleistet.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Gesamtkonten\",\"EaAPbv\":\"Gezahlter Gesamtbetrag\",\"SMDzqJ\":\"Teilnehmer gesamt\",\"orBECM\":\"Insgesamt eingesammelt\",\"KSDwd5\":\"Gesamtbestellungen\",\"vb0Q0/\":\"Gesamtbenutzer\",\"/b6Z1R\":\"Verfolgen Sie Einnahmen, Seitenaufrufe und Verkäufe mit detaillierten Analysen und exportierbaren Berichten\",\"OpKMSn\":\"Transaktionsgebühr:\",\"uKOFO5\":\"Wahr bei Offline-Zahlung\",\"9GsDR2\":\"Wahr bei ausstehender Zahlung\",\"ouM5IM\":\"Andere E-Mail versuchen\",\"3DZvE7\":\"Hi.Events kostenlos testen\",\"Kz91g/\":\"Türkisch\",\"GdOhw6\":\"Ton ausschalten\",\"KUOhTy\":\"Ton einschalten\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Art des Tickets\",\"IrVSu+\":\"Produkt konnte nicht dupliziert werden. Bitte überprüfen Sie Ihre Angaben\",\"Vx2J6x\":\"Teilnehmer konnte nicht abgerufen werden\",\"b9SN9q\":\"Eindeutige Bestellreferenz\",\"Ef7StM\":\"Unbekannt\",\"ZBAScj\":\"Unbekannter Teilnehmer\",\"ZkS2p3\":\"Veranstaltung nicht mehr veröffentlichen\",\"Pp1sWX\":\"Partner aktualisieren\",\"KMMOAy\":\"Upgrade verfügbar\",\"gJQsLv\":\"Laden Sie ein Titelbild für Ihren Veranstalter hoch\",\"4kEGqW\":\"Laden Sie ein Logo für Ihren Veranstalter hoch\",\"lnCMdg\":\"Bild hochladen\",\"29w7p6\":\"Bild wird hochgeladen...\",\"HtrFfw\":\"URL ist erforderlich\",\"WBq1/R\":\"USB-Scanner bereits aktiv\",\"EV30TR\":\"USB-Scanner-Modus aktiviert. Beginnen Sie jetzt mit dem Scannen von Tickets.\",\"fovJi3\":\"USB-Scanner-Modus deaktiviert\",\"hli+ga\":\"USB/HID-Scanner\",\"OHJXlK\":\"Verwenden Sie <0>Liquid-Templating, um Ihre E-Mails zu personalisieren\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Verwendet für Rahmen, Hervorhebungen und QR-Code-Styling\",\"AdWhjZ\":\"Bestätigungscode\",\"wCKkSr\":\"E-Mail verifizieren\",\"/IBv6X\":\"Bestätigen Sie Ihre E-Mail-Adresse\",\"e/cvV1\":\"Wird verifiziert...\",\"fROFIL\":\"Vietnamesisch\",\"+WFMis\":\"Berichte für alle Ihre Veranstaltungen anzeigen und herunterladen. Nur abgeschlossene Bestellungen sind enthalten.\",\"gj5YGm\":\"Sehen Sie sich Berichte zu Ihrer Veranstaltung an und laden Sie sie herunter. Bitte beachten Sie, dass nur abgeschlossene Bestellungen in diesen Berichten enthalten sind.\",\"c7VN/A\":\"Antworten anzeigen\",\"FCVmuU\":\"Veranstaltung ansehen\",\"n6EaWL\":\"Protokolle anzeigen\",\"OaKTzt\":\"Karte ansehen\",\"67OJ7t\":\"Bestellung anzeigen\",\"tKKZn0\":\"Bestelldetails anzeigen\",\"9jnAcN\":\"Veranstalter-Startseite anzeigen\",\"1J/AWD\":\"Ticket anzeigen\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Nur für Check-In-Personal sichtbar. Hilft, diese Liste beim Check-In zu identifizieren.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Warten auf Zahlung\",\"RRZDED\":\"Wir konnten keine Bestellungen finden, die mit dieser E-Mail-Adresse verknüpft sind.\",\"miysJh\":\"Wir konnten diese Bestellung nicht finden. Möglicherweise wurde sie entfernt.\",\"HJKdzP\":\"Beim Laden dieser Seite ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.\",\"IfN2Qo\":\"Wir empfehlen ein quadratisches Logo mit mindestens 200x200px\",\"wJzo/w\":\"Wir empfehlen Abmessungen von 400 × 400 Pixeln und eine maximale Dateigröße von 5 MB\",\"q1BizZ\":\"Wir senden Ihre Tickets an diese E-Mail\",\"zCdObC\":\"Wir haben unseren Hauptsitz offiziell nach Irland 🇮🇪 verlegt. Als Teil dieses Übergangs verwenden wir jetzt Stripe Irland anstelle von Stripe Kanada. Um Ihre Auszahlungen reibungslos am Laufen zu halten, müssen Sie Ihr Stripe-Konto erneut verbinden.\",\"jh2orE\":\"Wir haben unseren Hauptsitz nach Irland verlegt. Daher müssen Sie Ihr Stripe-Konto neu verbinden. Dieser schnelle Vorgang dauert nur wenige Minuten. Ihre Verkäufe und bestehenden Daten bleiben völlig unberührt.\",\"Fq/Nx7\":\"Wir haben einen 5-stelligen Bestätigungscode gesendet an:\",\"GdWB+V\":\"Webhook erfolgreich erstellt\",\"2X4ecw\":\"Webhook erfolgreich gelöscht\",\"CThMKa\":\"Webhook-Protokolle\",\"nuh/Wq\":\"Webhook-URL\",\"8BMPMe\":\"Webhook sendet keine Benachrichtigungen\",\"FSaY52\":\"Webhook sendet Benachrichtigungen\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Willkommen zurück 👋\",\"kSYpfa\":[\"Willkommen bei \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Willkommen bei \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Willkommen bei \",[\"0\"],\", hier ist eine Übersicht all Ihrer Veranstaltungen\"],\"FaSXqR\":\"Welche Art von Veranstaltung?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Wenn ein Check-in gelöscht wird\",\"Gmd0hv\":\"Wenn ein neuer Teilnehmer erstellt wird\",\"Lc18qn\":\"Wenn eine neue Bestellung erstellt wird\",\"dfkQIO\":\"Wenn ein neues Produkt erstellt wird\",\"8OhzyY\":\"Wenn ein Produkt gelöscht wird\",\"tRXdQ9\":\"Wenn ein Produkt aktualisiert wird\",\"Q7CWxp\":\"Wenn ein Teilnehmer storniert wird\",\"IuUoyV\":\"Wenn ein Teilnehmer eingecheckt wird\",\"nBVOd7\":\"Wenn ein Teilnehmer aktualisiert wird\",\"ny2r8d\":\"Wenn eine Bestellung storniert wird\",\"c9RYbv\":\"Wenn eine Bestellung als bezahlt markiert wird\",\"ejMDw1\":\"Wenn eine Bestellung erstattet wird\",\"fVPt0F\":\"Wenn eine Bestellung aktualisiert wird\",\"bcYlvb\":\"Wann Check-In schließt\",\"XIG669\":\"Wann Check-In öffnet\",\"de6HLN\":\"Wenn Kunden Tickets kaufen, erscheinen deren Bestellungen hier.\",\"blXLKj\":\"Wenn aktiviert, zeigen neue Veranstaltungen beim Checkout ein Marketing-Opt-in-Kontrollkästchen an. Dies kann pro Veranstaltung überschrieben werden.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Schreiben Sie Ihre Nachricht hier...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Ja, Bestellung stornieren\",\"QlSZU0\":[\"Sie geben sich als <0>\",[\"0\"],\" (\",[\"1\"],\") aus\"],\"s14PLh\":[\"Sie geben eine Teilerstattung aus. Dem Kunden werden \",[\"0\"],\" \",[\"1\"],\" erstattet.\"],\"casL1O\":\"Sie haben Steuern und Gebühren zu einem kostenlosen Produkt hinzugefügt. Möchten Sie diese entfernen?\",\"FVTVBy\":\"Sie müssen Ihre E-Mail-Adresse bestätigen, bevor Sie den Veranstalterstatus aktualisieren können.\",\"FRl8Jv\":\"Sie müssen Ihre Konto-E-Mail-Adresse verifizieren, bevor Sie Nachrichten senden können.\",\"U3wiCB\":\"Sie sind startklar! Ihre Zahlungen werden reibungslos verarbeitet.\",\"MNFIxz\":[\"Sie gehen zu \",[\"0\"],\"!\"],\"x/xjzn\":\"Ihre Partner wurden erfolgreich exportiert.\",\"TF37u6\":\"Deine Teilnehmer wurden erfolgreich exportiert.\",\"79lXGw\":\"Ihre Check-In-Liste wurde erfolgreich erstellt. Teilen Sie den unten stehenden Link mit Ihrem Check-In-Personal.\",\"BnlG9U\":\"Ihre aktuelle Bestellung geht verloren.\",\"nBqgQb\":\"Ihre E-Mail\",\"R02pnV\":\"Ihr Event muss live sein, bevor Sie Tickets an Teilnehmer verkaufen können.\",\"ifRqmm\":\"Ihre Nachricht wurde erfolgreich gesendet!\",\"/Rj5P4\":\"Ihr Name\",\"naQW82\":\"Ihre Bestellung wurde storniert.\",\"bhlHm/\":\"Ihre Bestellung wartet auf Zahlung\",\"XeNum6\":\"Deine Bestellungen wurden erfolgreich exportiert.\",\"Xd1R1a\":\"Adresse Ihres Veranstalters\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Ihr Stripe-Konto ist verbunden und verarbeitet Zahlungen.\",\"vvO1I2\":\"Ihr Stripe-Konto ist verbunden und bereit zur Zahlungsabwicklung.\",\"CnZ3Ou\":\"Ihre Tickets wurden bestätigt.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"„Hier gibt es noch nichts zu sehen“\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>erfolgreich eingecheckt\"],\"yxhYRZ\":[[\"0\"],\" <0>erfolgreich ausgecheckt\"],\"KMgp2+\":[[\"0\"],\" verfügbar\"],\"Pmr5xp\":[[\"0\"],\" erfolgreich erstellt\"],\"FImCSc\":[[\"0\"],\" erfolgreich aktualisiert\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" eingecheckt\"],\"Vjij1k\":[[\"days\"],\" Tage, \",[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"f3RdEk\":[[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"fyE7Au\":[[\"minutes\"],\" Minuten und \",[\"seconds\"],\" 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>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://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.\",\"ZjMs6e\":\"<0>Die Anzahl der für dieses Produkt verfügbaren Produkte<1>Dieser Wert kann überschrieben werden, wenn mit diesem Produkt <2>Kapazitätsgrenzen verbunden sind.\",\"E15xs8\":\"⚡️ Richten Sie Ihre Veranstaltung ein\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Veranstaltungsseite anpassen\",\"3VPPdS\":\"💳 Mit Stripe verbinden\",\"cjdktw\":\"🚀 Veröffentliche dein Event\",\"rmelwV\":\"0 Minuten und 0 Sekunden\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"Hauptstraße 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Ein Datumseingabefeld. Perfekt, um nach einem Geburtsdatum o.ä. zu fragen.\",\"6euFZ/\":[\"Ein standardmäßiger \",[\"type\"],\" wird automatisch auf alle neuen Produkte angewendet. Sie können dies für jedes Produkt einzeln überschreiben.\"],\"SMUbbQ\":\"Eine Dropdown-Eingabe erlaubt nur eine Auswahl\",\"qv4bfj\":\"Eine Gebühr, beispielsweise eine Buchungsgebühr oder eine Servicegebühr\",\"POT0K/\":\"Ein fester Betrag pro Produkt. Z.B., 0,50 $ pro Produkt\",\"f4vJgj\":\"Eine mehrzeilige Texteingabe\",\"OIPtI5\":\"Ein Prozentsatz des Produktpreises. Z.B., 3,5 % des Produktpreises\",\"ZthcdI\":\"Ein Promo-Code ohne Rabatt kann verwendet werden, um versteckte Produkte anzuzeigen.\",\"AG/qmQ\":\"Eine Radiooption hat mehrere Optionen, aber nur eine kann ausgewählt werden.\",\"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\",\"BHZbFy\":\"Eine einzelne Frage pro Bestellung. Z.B., Wie lautet Ihre Lieferadresse?\",\"Fuh+dI\":\"Eine einzelne Frage pro Produkt. Z.B., Welche T-Shirt-Größe haben Sie?\",\"RlJmQg\":\"Eine Standardsteuer wie Mehrwertsteuer oder GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Akzeptieren Sie Banküberweisungen, Schecks oder andere Offline-Zahlungsmethoden\",\"hrvLf4\":\"Akzeptieren Sie Kreditkartenzahlungen über Stripe\",\"bfXQ+N\":\"Einladung annehmen\",\"AeXO77\":\"Konto\",\"lkNdiH\":\"Kontoname\",\"Puv7+X\":\"Account Einstellungen\",\"OmylXO\":\"Konto erfolgreich aktualisiert\",\"7L01XJ\":\"Aktionen\",\"FQBaXG\":\"Aktivieren\",\"5T2HxQ\":\"Aktivierungsdatum\",\"F6pfE9\":\"Aktiv\",\"/PN1DA\":\"Fügen Sie eine Beschreibung für diese Eincheckliste hinzu\",\"0/vPdA\":\"Fügen Sie Anmerkungen über den Teilnehmer hinzu. Diese sind für den Teilnehmer nicht sichtbar.\",\"Or1CPR\":\"Fügen Sie Anmerkungen über den Teilnehmer hinzu...\",\"l3sZO1\":\"Fügen Sie Notizen zur Bestellung hinzu. Diese sind für den Kunden nicht sichtbar.\",\"xMekgu\":\"Fügen Sie Notizen zur Bestellung hinzu...\",\"PGPGsL\":\"Beschreibung hinzufügen\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Fügen Sie Anweisungen für Offline-Zahlungen hinzu (z. B. Überweisungsdetails, wo Schecks hingeschickt werden sollen, Zahlungsfristen)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Neue hinzufügen\",\"TZxnm8\":\"Option hinzufügen\",\"24l4x6\":\"Produkt hinzufügen\",\"8q0EdE\":\"Produkt zur Kategorie hinzufügen\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Frage hinzufügen\",\"yWiPh+\":\"Steuern oder Gebühren hinzufügen\",\"goOKRY\":\"Ebene hinzufügen\",\"oZW/gT\":\"Zum Kalender hinzufügen\",\"pn5qSs\":\"Zusätzliche Informationen\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Alle Teilnehmer dieser Veranstaltung\",\"cde2hc\":\"Alle Produkte\",\"5CQ+r0\":\"Erlauben Sie Teilnehmern, die mit unbezahlten Bestellungen verbunden sind, einzuchecken\",\"ipYKgM\":\"Suchmaschinenindizierung zulassen\",\"LRbt6D\":\"Suchmaschinen erlauben, dieses Ereignis zu indizieren\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Erstaunlich, Ereignis, Schlüsselwörter...\",\"hehnjM\":\"Betrag\",\"R2O9Rg\":[\"Bezahlter Betrag (\",[\"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\",\"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\":\"Ein unerwarteter Fehler ist aufgetreten.\",\"byKna+\":\"Ein unerwarteter Fehler ist aufgetreten. Bitte versuchen Sie es erneut.\",\"ubdMGz\":\"Alle Anfragen von Produktinhabern werden an diese E-Mail-Adresse gesendet. Diese wird auch als „Antwort-an“-Adresse für alle von dieser Veranstaltung gesendeten E-Mails verwendet.\",\"aAIQg2\":\"Aussehen\",\"Ym1gnK\":\"angewandt\",\"sy6fss\":[\"Gilt für \",[\"0\"],\" Produkte\"],\"kadJKg\":\"Gilt für 1 Produkt\",\"DB8zMK\":\"Anwenden\",\"GctSSm\":\"Promo-Code anwenden\",\"ARBThj\":[\"Diesen \",[\"type\"],\" auf alle neuen Produkte anwenden\"],\"S0ctOE\":\"Veranstaltung archivieren\",\"TdfEV7\":\"Archiviert\",\"A6AtLP\":\"Archived Events\",\"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?\",\"LBLOqH\":\"Einmal pro Bestellung anfragen\",\"wu98dY\":\"Einmal pro Produkt fragen\",\"ss9PbX\":\"Teilnehmer\",\"m0CFV2\":\"Teilnehmerdetails\",\"QKim6l\":\"Teilnehmer nicht gefunden\",\"R5IT/I\":\"Teilnehmernotizen\",\"lXcSD2\":\"Fragen der Teilnehmer\",\"HT/08n\":\"Teilnehmer-Ticket\",\"9SZT4E\":\"Teilnehmer\",\"iPBfZP\":\"Registrierte Teilnehmer\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"Warten auf Offline-Zahlung\",\"2rHwhl\":\"Warten auf Offline-Zahlung\",\"3wF4Q/\":\"Zahlung ausstehend\",\"ioG+xt\":\"Zahlung steht aus\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Zurück zur Veranstaltungsseite\",\"VCoEm+\":\"Zurück zur Anmeldung\",\"k1bLf+\":\"Hintergrundfarbe\",\"I7xjqg\":\"Hintergrundtyp\",\"1mwMl+\":\"Bevor Sie versenden!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Rechnungsadresse\",\"/xC/im\":\"Rechnungseinstellungen\",\"rp/zaT\":\"Brasilianisches Portugiesisch\",\"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.\",\"dEgA5A\":\"Abbrechen\",\"Gjt/py\":\"E-Mail-Änderung abbrechen\",\"tVJk4q\":\"Bestellung stornieren\",\"Os6n2a\":\"Bestellung stornieren\",\"Mz7Ygx\":[\"Bestellung stornieren \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Abgesagt\",\"U7nGvl\":\"Check-in nicht möglich\",\"QyjCeq\":\"Kapazität\",\"V6Q5RZ\":\"Kapazitätszuweisung erfolgreich erstellt\",\"k5p8dz\":\"Kapazitätszuweisung erfolgreich gelöscht\",\"nDBs04\":\"Kapazitätsmanagement\",\"ddha3c\":\"Kategorien ermöglichen es Ihnen, Produkte zusammenzufassen. Zum Beispiel könnten Sie eine Kategorie für \\\"Tickets\\\" und eine andere für \\\"Merchandise\\\" haben.\",\"iS0wAT\":\"Kategorien helfen Ihnen, Ihre Produkte zu organisieren. Dieser Titel wird auf der öffentlichen Veranstaltungsseite angezeigt.\",\"eorM7z\":\"Kategorien erfolgreich neu geordnet.\",\"3EXqwa\":\"Kategorie erfolgreich erstellt\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Kennwort ändern\",\"xMDm+I\":\"Einchecken\",\"p2WLr3\":[\"Check-in \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Einchecken und Bestellung als bezahlt markieren\",\"QYLpB4\":\"Nur einchecken\",\"/Ta1d4\":\"Auschecken\",\"5LDT6f\":\"Schau dir dieses Event an!\",\"gXcPxc\":\"Einchecken\",\"fVUbUy\":\"Check-In List created successfully\",\"+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\",\"znIg+z\":\"Zur Kasse\",\"1WnhCL\":\"Checkout-Einstellungen\",\"6imsQS\":\"Vereinfachtes Chinesisch\",\"JjkX4+\":\"Wählen Sie eine Farbe für Ihren Hintergrund\",\"/Jizh9\":\"Wähle einen Account\",\"3wV73y\":\"Stadt\",\"FG98gC\":\"Suchtext löschen\",\"EYeuMv\":\"click here\",\"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\",\"oqr9HB\":\"Dieses Produkt einklappen, wenn die Veranstaltungsseite initial geladen wird\",\"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\":\"Complete payment\",\"C8HNV2\":\"Jetzt bezahlen\",\"qqWcBV\":\"Vollendet\",\"6HK5Ct\":\"Abgeschlossene Bestellungen\",\"NWVRtl\":\"Abgeschlossene Bestellungen\",\"DwF9eH\":\"Komponentencode\",\"Tf55h7\":\"Konfigurierter Rabatt\",\"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 …\",\"pbAk7a\":\"Stripe verbinden\",\"UMGQOh\":\"Mit Stripe verbinden\",\"QKLP1W\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen.\",\"5lcVkL\":\"Verbindungsdetails\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Weitermachen\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Text der Schaltfläche „Weiter“\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Weiter einrichten\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Kopiert\",\"T5rdis\":\"in die Zwischenablage kopiert\",\"he3ygx\":\"Kopieren\",\"r2B2P8\":\"Eincheck-URL kopieren\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Link kopieren\",\"E6nRW7\":\"URL kopieren\",\"JNCzPW\":\"Land\",\"IF7RiR\":\"Abdeckung\",\"hYgDIe\":\"Erstellen\",\"b9XOHo\":[\"Erstellen Sie \",[\"0\"]],\"k9RiLi\":\"Ein Produkt erstellen\",\"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\",\"EwoMtl\":\"Kategorie erstellen\",\"XletzW\":\"Kategorie erstellen\",\"WVbTwK\":\"Eincheckliste erstellen\",\"uN355O\":\"Ereignis erstellen\",\"BOqY23\":\"Neu erstellen\",\"kpJAeS\":\"Organizer erstellen\",\"a0EjD+\":\"Produkt erstellen\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Promo-Code erstellen\",\"B3Mkdt\":\"Frage erstellen\",\"UKfi21\":\"Steuer oder Gebühr erstellen\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Währung\",\"DCKkhU\":\"Aktuelles Passwort\",\"uIElGP\":\"Benutzerdefinierte Karten-URL\",\"UEqXyt\":\"Benutzerdefinierter Bereich\",\"876pfE\":\"Kunde\",\"QOg2Sf\":\"Passen Sie die E-Mail- und Benachrichtigungseinstellungen für dieses Ereignis an\",\"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\":\"Dashboard\",\"mYGY3B\":\"Datum\",\"JvUngl\":\"Datum & Zeit\",\"JJhRbH\":\"Kapazität am ersten Tag\",\"cnGeoo\":\"Löschen\",\"jRJZxD\":\"Kapazität löschen\",\"VskHIx\":\"Kategorie löschen\",\"Qrc8RZ\":\"Eincheckliste löschen\",\"WHf154\":\"Code löschen\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Frage löschen\",\"Nu4oKW\":\"Beschreibung\",\"YC3oXa\":\"Beschreibung für das Eincheckpersonal\",\"URmyfc\":\"Einzelheiten\",\"1lRT3t\":\"Das Deaktivieren dieser Kapazität wird Verkäufe verfolgen, aber nicht stoppen, wenn das Limit erreicht ist\",\"H6Ma8Z\":\"Rabatt\",\"ypJ62C\":\"Rabatt %\",\"3LtiBI\":[\"Rabatt in \",[\"0\"]],\"C8JLas\":\"Rabattart\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Dokumentenbeschriftung\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Spende / Produkt mit freier Preiswahl\",\"OvNbls\":\".ics herunterladen\",\"kodV18\":\"CSV herunterladen\",\"CELKku\":\"Rechnung herunterladen\",\"LQrXcu\":\"Rechnung herunterladen\",\"QIodqd\":\"QR-Code herunterladen\",\"yhjU+j\":\"Rechnung wird heruntergeladen\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Dropdown-Auswahl\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Ereignis duplizieren\",\"3ogkAk\":\"Ereignis duplizieren\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Optionen duplizieren\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Früher Vogel\",\"ePK91l\":\"Bearbeiten\",\"N6j2JH\":[\"Bearbeiten \",[\"0\"]],\"kBkYSa\":\"Kapazität bearbeiten\",\"oHE9JT\":\"Kapazitätszuweisung bearbeiten\",\"j1Jl7s\":\"Kategorie bearbeiten\",\"FU1gvP\":\"Eincheckliste bearbeiten\",\"iFgaVN\":\"Code bearbeiten\",\"jrBSO1\":\"Organisator bearbeiten\",\"tdD/QN\":\"Produkt bearbeiten\",\"n143Tq\":\"Produktkategorie bearbeiten\",\"9BdS63\":\"Aktionscode bearbeiten\",\"O0CE67\":\"Frage bearbeiten\",\"EzwCw7\":\"Frage 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\",\"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\",\"NTZ/NX\":\"Code einbetten\",\"4rnJq4\":\"Skript einbetten\",\"8oPbg1\":\"Rechnungsstellung aktivieren\",\"j6w7d/\":\"Aktivieren Sie diese Kapazität, um den Produktverkauf zu stoppen, wenn das Limit erreicht ist\",\"VFv2ZC\":\"Enddatum\",\"237hSL\":\"Beendet\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Englisch\",\"MhVoma\":\"Geben Sie einen Betrag ohne Steuern und Gebühren ein.\",\"SlfejT\":\"Fehler\",\"3Z223G\":\"Fehler beim Bestätigen der E-Mail-Adresse\",\"a6gga1\":\"Fehler beim Bestätigen der E-Mail-Änderung\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Ereignis\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Veranstaltungsdatum\",\"0Zptey\":\"Ereignisstandards\",\"QcCPs8\":\"Veranstaltungsdetails\",\"6fuA9p\":\"Ereignis erfolgreich dupliziert\",\"AEuj2m\":\"Veranstaltungsstartseite\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Veranstaltungsort & Details zum Veranstaltungsort\",\"OopDbA\":\"Event page\",\"4/If97\":\"Die Aktualisierung des Ereignisstatus ist fehlgeschlagen. Bitte versuchen Sie es später erneut\",\"btxLWj\":\"Veranstaltungsstatus aktualisiert\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Rechnung konnte nicht heruntergeladen werden. Bitte versuchen Sie es erneut.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Laden der Eincheckliste fehlgeschlagen\",\"ZQ15eN\":\"Ticket-E-Mail konnte nicht erneut gesendet werden\",\"ejXy+D\":\"Produkte konnten nicht sortiert werden\",\"PLUB/s\":\"Gebühr\",\"/mfICu\":\"Gebühren\",\"LyFC7X\":\"Bestellungen filtern\",\"cSev+j\":\"Filter\",\"CVw2MU\":[\"Filter (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Erste Rechnungsnummer\",\"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.\",\"Rs/IcB\":\"Erstmals verwendet\",\"TpqW74\":\"Fest\",\"irpUxR\":\"Fester Betrag\",\"TF9opW\":\"Flash ist auf diesem Gerät nicht verfügbar\",\"UNMVei\":\"Passwort vergessen?\",\"2POOFK\":\"Frei\",\"P/OAYJ\":\"Kostenloses Produkt\",\"vAbVy9\":\"Kostenloses Produkt, keine Zahlungsinformationen erforderlich\",\"nLC6tu\":\"Französisch\",\"Weq9zb\":\"Allgemein\",\"DDcvSo\":\"Deutsch\",\"4GLxhy\":\"Erste Schritte\",\"4D3rRj\":\"Zurück zum Profil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Kalender\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Bruttoumsatz\",\"yRg26W\":\"Bruttoverkäufe\",\"R4r4XO\":\"Gäste\",\"26pGvx\":\"Haben Sie einen Promo-Code?\",\"V7yhws\":\"hello@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Hallo \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"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.\",\"vLyv1R\":\"Verstecken\",\"Mkkvfd\":\"Seite „Erste Schritte“ ausblenden\",\"mFn5Xz\":\"Versteckte Fragen ausblenden\",\"YHsF9c\":\"Produkt nach Verkaufsenddatum ausblenden\",\"06s3w3\":\"Produkt vor Verkaufsstartdatum ausblenden\",\"axVMjA\":\"Produkt ausblenden, es sei denn, der Benutzer hat einen gültigen Promo-Code\",\"ySQGHV\":\"Produkt bei Ausverkauf ausblenden\",\"SCimta\":\"Blenden Sie die Seite „Erste Schritte“ in der Seitenleiste aus.\",\"5xR17G\":\"Dieses Produkt vor Kunden verbergen\",\"Da29Y6\":\"Diese Frage verbergen\",\"fvDQhr\":\"Diese Ebene vor Benutzern verbergen\",\"lNipG+\":\"Das Ausblenden eines Produkts verhindert, dass Benutzer es auf der Veranstaltungsseite sehen.\",\"ZOBwQn\":\"Homepage-Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage-Vorschau\",\"c3E/kw\":\"Homer\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Wenn leer, wird die Adresse verwendet, um einen Google Maps-Link zu erstellen\",\"UYT+c8\":\"Wenn aktiviert, kann das Check-in-Personal Teilnehmer entweder als eingecheckt markieren oder die Bestellung als bezahlt markieren und die Teilnehmer einchecken. Wenn deaktiviert, können Teilnehmer mit unbezahlten Bestellungen nicht eingecheckt werden.\",\"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\",\"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\":\"Bild erfolgreich hochgeladen\",\"VyUuZb\":\"Bild-URL\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inaktiv\",\"T0K0yl\":\"Inaktive Benutzer können sich nicht anmelden.\",\"kO44sp\":\"Fügen Sie Verbindungsdetails für Ihr Online-Event hinzu. Diese Details werden auf der Bestellübersichtsseite und der Teilnehmer-Ticketseite angezeigt.\",\"FlQKnG\":\"Steuern und Gebühren im Preis einbeziehen\",\"Vi+BiW\":[\"Beinhaltet \",[\"0\"],\" Produkte\"],\"lpm0+y\":\"Beinhaltet 1 Produkt\",\"UiAk5P\":\"Bild einfügen\",\"OyLdaz\":\"Einladung erneut verschickt!\",\"HE6KcK\":\"Einladung widerrufen!\",\"SQKPvQ\":\"Benutzer einladen\",\"bKOYkd\":\"Rechnung erfolgreich heruntergeladen\",\"alD1+n\":\"Rechnungsnotizen\",\"kOtCs2\":\"Rechnungsnummerierung\",\"UZ2GSZ\":\"Rechnungseinstellungen\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Artikel\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Etikett\",\"vXIe7J\":\"Sprache\",\"2LMsOq\":\"Letzte 12 Monate\",\"vfe90m\":\"Letzte 14 Tage\",\"aK4uBd\":\"Letzte 24 Stunden\",\"uq2BmQ\":\"Letzte 30 Tage\",\"bB6Ram\":\"Letzte 48 Stunden\",\"VlnB7s\":\"Letzte 6 Monate\",\"ct2SYD\":\"Letzte 7 Tage\",\"XgOuA7\":\"Letzte 90 Tage\",\"I3yitW\":\"Letzte Anmeldung\",\"1ZaQUH\":\"Nachname\",\"UXBCwc\":\"Nachname\",\"tKCBU0\":\"Zuletzt verwendet\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Leer lassen, um das Standardwort \\\"Rechnung\\\" zu verwenden\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Wird geladen...\",\"wJijgU\":\"Standort\",\"sQia9P\":\"Anmelden\",\"zUDyah\":\"Einloggen\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Ausloggen\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Ich habe das Element platziert …\",\"NJahlc\":\"Rechnungsadresse beim Checkout erforderlich machen\",\"MU3ijv\":\"Machen Sie diese Frage obligatorisch\",\"wckWOP\":\"Verwalten\",\"onpJrA\":\"Teilnehmer verwalten\",\"n4SpU5\":\"Veranstaltung verwalten\",\"WVgSTy\":\"Bestellung verwalten\",\"1MAvUY\":\"Zahlungs- und Rechnungseinstellungen für diese Veranstaltung verwalten.\",\"cQrNR3\":\"Profil verwalten\",\"AtXtSw\":\"Verwalten Sie Steuern und Gebühren, die auf Ihre Produkte angewendet werden können\",\"ophZVW\":\"Tickets verwalten\",\"DdHfeW\":\"Verwalten Sie Ihre Kontodetails und Standardeinstellungen\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Als bezahlt markieren\",\"g9dPPQ\":\"Maximal pro Bestellung\",\"l5OcwO\":\"Nachricht an Teilnehmer\",\"Gv5AMu\":\"Nachrichten an Teilnehmer senden\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Sonstiges\",\"mYLhkl\":\"Verschiedene Einstellungen\",\"KYveV8\":\"Mehrzeiliges Textfeld\",\"VD0iA7\":\"Mehrere Preisoptionen. Perfekt für Frühbucherprodukte usw.\",\"/bhMdO\":\"Meine tolle Eventbeschreibung...\",\"vX8/tc\":\"Mein toller Veranstaltungstitel …\",\"hKtWk2\":\"Mein Profil\",\"fj5byd\":\"N/V\",\"pRjx4L\":\"Ich habe das Element platziert …\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigieren Sie zu Teilnehmer\",\"qqeAJM\":\"Niemals\",\"7vhWI8\":\"Neues Kennwort\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Keine archivierten Veranstaltungen anzuzeigen.\",\"q2LEDV\":\"Für diese Bestellung wurden keine Teilnehmer gefunden.\",\"zlHa5R\":\"Zu dieser Bestellung wurden keine Teilnehmer hinzugefügt.\",\"Wjz5KP\":\"Keine Teilnehmer zum Anzeigen\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Keine Kapazitätszuweisungen\",\"a/gMx2\":\"Keine Einchecklisten\",\"tMFDem\":\"Keine Daten verfügbar\",\"6Z/F61\":\"Keine Daten verfügbar. Bitte wählen Sie einen Datumsbereich aus.\",\"fFeCKc\":\"Kein Rabatt\",\"HFucK5\":\"Keine beendeten Veranstaltungen anzuzeigen.\",\"yAlJXG\":\"Keine Ereignisse zum Anzeigen\",\"GqvPcv\":\"Keine Filter verfügbar\",\"KPWxKD\":\"Keine Nachrichten zum Anzeigen\",\"J2LkP8\":\"Keine Bestellungen anzuzeigen\",\"RBXXtB\":\"Derzeit sind keine Zahlungsmethoden verfügbar. Bitte wenden Sie sich an den Veranstalter, um Unterstützung zu erhalten.\",\"ZWEfBE\":\"Keine Zahlung erforderlich\",\"ZPoHOn\":\"Kein Produkt mit diesem Teilnehmer verknüpft.\",\"Ya1JhR\":\"Keine Produkte in dieser Kategorie verfügbar.\",\"FTfObB\":\"Noch keine Produkte\",\"+Y976X\":\"Keine Promo-Codes anzuzeigen\",\"MAavyl\":\"Dieser Teilnehmer hat keine Fragen beantwortet.\",\"SnlQeq\":\"Für diese Bestellung wurden keine Fragen gestellt.\",\"Ev2r9A\":\"Keine Ergebnisse\",\"gk5uwN\":\"Keine Suchergebnisse\",\"RHyZUL\":\"Keine Suchergebnisse.\",\"RY2eP1\":\"Es wurden keine Steuern oder Gebühren hinzugefügt.\",\"EdQY6l\":\"Keine\",\"OJx3wK\":\"Nicht verfügbar\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notizen\",\"jtrY3S\":\"Noch nichts zu zeigen\",\"hFwWnI\":\"Benachrichtigungseinstellungen\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Veranstalter über neue Bestellungen benachrichtigen\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Anzahl der für die Zahlung zulässigen Tage (leer lassen, um Zahlungsbedingungen auf Rechnungen wegzulassen)\",\"n86jmj\":\"Nummernpräfix\",\"mwe+2z\":\"Offline-Bestellungen werden in der Veranstaltungsstatistik erst berücksichtigt, wenn die Bestellung als bezahlt markiert wurde.\",\"dWBrJX\":\"Offline-Zahlung fehlgeschlagen. Bitte versuchen Sie es erneut oder kontaktieren Sie den Veranstalter.\",\"fcnqjw\":\"Offline-Zahlungsanweisungen\",\"+eZ7dp\":\"Offline-Zahlungen\",\"ojDQlR\":\"Informationen zu Offline-Zahlungen\",\"u5oO/W\":\"Einstellungen für Offline-Zahlungen\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"Im Angebot\",\"Ug4SfW\":\"Sobald Sie ein Ereignis erstellt haben, wird es hier angezeigt.\",\"ZxnK5C\":\"Sobald Sie Daten sammeln, werden sie hier angezeigt.\",\"PnSzEc\":\"Sobald Sie bereit sind, setzen Sie Ihre Veranstaltung live und beginnen Sie mit dem Verkauf von Produkten.\",\"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\":\"Check-In-Seite öffnen\",\"OdnLE4\":\"Seitenleiste öffnen\",\"ZZEYpT\":[\"Option \",[\"i\"]],\"oPknTP\":\"Optionale zusätzliche Informationen, die auf allen Rechnungen erscheinen (z. B. Zahlungsbedingungen, Gebühren für verspätete Zahlungen, Rückgaberichtlinien)\",\"OrXJBY\":\"Optionales Präfix für Rechnungsnummern (z. B. INV-)\",\"0zpgxV\":\"Optionen\",\"BzEFor\":\"oder\",\"UYUgdb\":\"Befehl\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Bestellung storniert\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Auftragsdatum\",\"Tol4BF\":\"Bestelldetails\",\"WbImlQ\":\"Die Bestellung wurde storniert und der Bestellinhaber wurde benachrichtigt.\",\"nAn4Oe\":\"Bestellung als bezahlt markiert\",\"uzEfRz\":\"Bestellnotizen\",\"VCOi7U\":\"Fragen zur Bestellung\",\"TPoYsF\":\"Bestellnummer\",\"acIJ41\":\"Bestellstatus\",\"GX6dZv\":\"Bestellübersicht\",\"tDTq0D\":\"Bestell-Timeout\",\"1h+RBg\":\"Aufträge\",\"3y+V4p\":\"Organisationsadresse\",\"GVcaW6\":\"Organisationsdetails\",\"nfnm9D\":\"Organisationsname\",\"G5RhpL\":\"Veranstalter\",\"mYygCM\":\"Veranstalter ist erforderlich\",\"Pa6G7v\":\"Name des Organisators\",\"l894xP\":\"Organisatoren können nur Veranstaltungen und Produkte verwalten. Sie können keine Benutzer, Kontoeinstellungen oder Abrechnungsinformationen verwalten.\",\"fdjq4c\":\"Polsterung\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Seite nicht gefunden\",\"QbrUIo\":\"Seitenaufrufe\",\"6D8ePg\":\"Seite.\",\"IkGIz8\":\"bezahlt\",\"HVW65c\":\"Bezahltes Produkt\",\"ZfxaB4\":\"Teilweise erstattet\",\"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\",\"621rYf\":\"Zahlung\",\"Lg+ewC\":\"Zahlung & Rechnungsstellung\",\"DZjk8u\":\"Einstellungen für Zahlung & Rechnungsstellung\",\"lflimf\":\"Zahlungsfrist\",\"JhtZAK\":\"Bezahlung fehlgeschlagen\",\"JEdsvQ\":\"Zahlungsanweisungen\",\"bLB3MJ\":\"Zahlungsmethoden\",\"QzmQBG\":\"Zahlungsanbieter\",\"lsxOPC\":\"Zahlung erhalten\",\"wJTzyi\":\"Zahlungsstatus\",\"xgav5v\":\"Zahlung erfolgreich abgeschlossen!\",\"R29lO5\":\"Zahlungsbedingungen\",\"/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\",\"hcX103\":\"Bitte erstellen Sie ein Produkt\",\"cdR8d6\":\"Bitte erstellen Sie ein Ticket\",\"x2mjl4\":\"Bitte geben Sie eine gültige Bild-URL ein, die auf ein Bild verweist.\",\"HnNept\":\"Bitte geben Sie Ihr neues Passwort ein\",\"5FSIzj\":\"Bitte beachten Sie\",\"C63rRe\":\"Bitte kehre zur Veranstaltungsseite zurück, um neu zu beginnen.\",\"pJLvdS\":\"Bitte auswählen\",\"Ewir4O\":\"Bitte wählen Sie mindestens ein Produkt aus\",\"igBrCH\":\"Bitte bestätigen Sie Ihre E-Mail-Adresse, um auf alle Funktionen zugreifen zu können\",\"/IzmnP\":\"Bitte warten Sie, während wir Ihre Rechnung vorbereiten...\",\"MOERNx\":\"Portugiesisch\",\"qCJyMx\":\"Checkout-Nachricht veröffentlichen\",\"g2UNkE\":\"Powered by\",\"Rs7IQv\":\"Nachricht vor dem Checkout\",\"rdUucN\":\"Vorschau\",\"a7u1N9\":\"Preis\",\"CmoB9j\":\"Preisanzeigemodus\",\"BI7D9d\":\"Preis nicht festgelegt\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Preistyp\",\"6RmHKN\":\"Primärfarbe\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primäre Textfarbe\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Alle Tickets ausdrucken\",\"DKwDdj\":\"Tickets drucken\",\"K47k8R\":\"Produkt\",\"1JwlHk\":\"Produktkategorie\",\"U61sAj\":\"Produktkategorie erfolgreich aktualisiert.\",\"1USFWA\":\"Produkt erfolgreich gelöscht\",\"4Y2FZT\":\"Produktpreistyp\",\"mFwX0d\":\"Produktfragen\",\"Lu+kBU\":\"Produktverkäufe\",\"U/R4Ng\":\"Produktebene\",\"sJsr1h\":\"Produkttyp\",\"o1zPwM\":\"Produkt-Widget-Vorschau\",\"ktyvbu\":\"Produkt(e)\",\"N0qXpE\":\"Produkte\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Verkaufte Produkte\",\"/u4DIx\":\"Verkaufte Produkte\",\"DJQEZc\":\"Produkte erfolgreich sortiert\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Profil erfolgreich aktualisiert\",\"cl5WYc\":[\"Aktionscode \",[\"promo_code\"],\" angewendet\"],\"P5sgAk\":\"Aktionscode\",\"yKWfjC\":\"Aktionscode-Seite\",\"RVb8Fo\":\"Promo-Codes\",\"BZ9GWa\":\"Mit Promo-Codes können Sie Rabatte oder Vorverkaufszugang anbieten oder Sonderzugang zu Ihrer Veranstaltung gewähren.\",\"OP094m\":\"Bericht zu Aktionscodes\",\"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.\",\"toutGW\":\"QR-Code\",\"LkMOWF\":\"Verfügbare Menge\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Frage gelöscht\",\"avf0gk\":\"Fragebeschreibung\",\"oQvMPn\":\"Fragentitel\",\"enzGAL\":\"Fragen\",\"ROv2ZT\":\"Fragen & Antworten\",\"K885Eq\":\"Fragen erfolgreich sortiert\",\"OMJ035\":\"Radio-Option\",\"C4TjpG\":\"Lese weniger\",\"I3QpvQ\":\"Empfänger\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Rückerstattung fehlgeschlagen\",\"n10yGu\":\"Rückerstattungsauftrag\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Rückerstattung ausstehend\",\"xHpVRl\":\"Rückerstattungsstatus\",\"/BI0y9\":\"Rückerstattung\",\"fgLNSM\":\"Registrieren\",\"9+8Vez\":\"Verbleibende Verwendungen\",\"tasfos\":\"entfernen\",\"t/YqKh\":\"Entfernen\",\"t9yxlZ\":\"Berichte\",\"prZGMe\":\"Rechnungsadresse erforderlich\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Zurücksetzen\",\"RfwZxd\":\"Passwort zurücksetzen\",\"KbS2K9\":\"Passwort zurücksetzen\",\"e99fHm\":\"Veranstaltung wiederherstellen\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Zur Veranstaltungsseite zurückkehren\",\"8YBH95\":\"Einnahmen\",\"PO/sOY\":\"Einladung widerrufen\",\"GDvlUT\":\"Rolle\",\"ELa4O9\":\"Verkaufsende\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Verkaufsstartdatum\",\"hBsw5C\":\"Verkauf beendet\",\"kpAzPe\":\"Verkaufsstart\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Speichern\",\"IUwGEM\":\"Änderungen speichern\",\"U65fiW\":\"Organizer speichern\",\"UGT5vp\":\"Einstellungen speichern\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Suche nach Teilnehmername, E-Mail oder Bestellnummer ...\",\"+pr/FY\":\"Suche nach Veranstaltungsnamen...\",\"3zRbWw\":\"Suchen Sie nach Namen, E-Mail oder Bestellnummer ...\",\"L22Tdf\":\"Suchen nach Name, Bestellnummer, Teilnehmernummer oder E-Mail...\",\"BiYOdA\":\"Suche mit Name...\",\"YEjitp\":\"Suche nach Thema oder Inhalt...\",\"Pjsch9\":\"Kapazitätszuweisungen suchen...\",\"r9M1hc\":\"Einchecklisten durchsuchen...\",\"+0Yy2U\":\"Produkte suchen\",\"YIix5Y\":\"Suchen...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Sekundäre Farbe\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Sekundäre Textfarbe\",\"02ePaq\":[[\"0\"],\" auswählen\"],\"QuNKRX\":\"Kamera auswählen\",\"9FQEn8\":\"Kategorie auswählen...\",\"kWI/37\":\"Veranstalter auswählen\",\"ixIx1f\":\"Produkt auswählen\",\"3oSV95\":\"Produktebene auswählen\",\"C4Y1hA\":\"Produkte auswählen\",\"hAjDQy\":\"Status auswählen\",\"QYARw/\":\"Ticket auswählen\",\"OMX4tH\":\"Tickets auswählen\",\"DrwwNd\":\"Zeitraum auswählen\",\"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.\",\"M/WIer\":\"Nachricht Senden\",\"D7ZemV\":\"Bestellbestätigung und Ticket-E-Mail senden\",\"v1rRtW\":\"Test senden\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO-Beschreibung\",\"/SIY6o\":\"SEO-Schlüsselwörter\",\"GfWoKv\":\"SEO-Einstellungen\",\"rXngLf\":\"SEO-Titel\",\"/jZOZa\":\"Servicegebühr\",\"Bj/QGQ\":\"Legen Sie einen Mindestpreis fest und lassen Sie die Nutzer mehr zahlen, wenn sie wollen.\",\"L0pJmz\":\"Legen Sie die Startnummer für die Rechnungsnummerierung fest. Dies kann nicht geändert werden, sobald Rechnungen generiert wurden.\",\"nYNT+5\":\"Richten Sie Ihre Veranstaltung ein\",\"A8iqfq\":\"Schalten Sie Ihr Event live\",\"Tz0i8g\":\"Einstellungen\",\"Z8lGw6\":\"Teilen\",\"B2V3cA\":\"Veranstaltung teilen\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Verfügbare Produktmenge anzeigen\",\"qDsmzu\":\"Versteckte Fragen anzeigen\",\"fMPkxb\":\"Zeig mehr\",\"izwOOD\":\"Steuern und Gebühren separat ausweisen\",\"1SbbH8\":\"Wird dem Kunden nach dem Checkout 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 schiefgelaufen\",\"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\":\"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.\",\"6a/UJE\":\"Dieser Aktionscode wird leider nicht erkannt\",\"65A04M\":\"Spanisch\",\"mFuBqb\":\"Standardprodukt mit festem Preis\",\"D3iCkb\":\"Startdatum\",\"/2by1f\":\"Staat oder Region\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Stripe-Zahlungen sind für diese Veranstaltung nicht aktiviert.\",\"UJmAAK\":\"Thema\",\"X2rrlw\":\"Zwischensumme\",\"zzDlyQ\":\"Erfolg\",\"b0HJ45\":[\"Erfolgreich! \",[\"0\"],\" erhält in Kürze eine E-Mail.\"],\"BJIEiF\":[\"Erfolgreich \",[\"0\"],\" Teilnehmer\"],\"OtgNFx\":\"E-Mail-Adresse erfolgreich bestätigt\",\"IKwyaF\":\"E-Mail-Änderung erfolgreich bestätigt\",\"zLmvhE\":\"Teilnehmer erfolgreich erstellt\",\"gP22tw\":\"Produkt erfolgreich erstellt\",\"9mZEgt\":\"Promo-Code erfolgreich erstellt\",\"aIA9C4\":\"Frage erfolgreich erstellt\",\"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\",\"4H80qv\":\"Bestellung erfolgreich aktualisiert\",\"6xCBVN\":\"Einstellungen für Zahlung & Rechnungsstellung erfolgreich aktualisiert\",\"1Ycaad\":\"Produkt erfolgreich aktualisiert\",\"70dYC8\":\"Promo-Code erfolgreich aktualisiert\",\"F+pJnL\":\"SEO-Einstellungen erfolgreich aktualisiert\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support-E-Mail\",\"uRfugr\":\"T-Shirt\",\"JpohL9\":\"Steuer\",\"geUFpZ\":\"Steuern & Gebühren\",\"dFHcIn\":\"Steuerdetails\",\"wQzCPX\":\"Steuerinformationen, die unten auf allen Rechnungen erscheinen sollen (z. B. USt-Nummer, Steuerregistrierung)\",\"0RXCDo\":\"Steuer oder Gebühr erfolgreich gelöscht\",\"ZowkxF\":\"Steuern\",\"qu6/03\":\"Steuern und Gebühren\",\"gypigA\":\"Dieser Aktionscode ist ungültig\",\"5ShqeM\":\"Die gesuchte Eincheckliste existiert nicht.\",\"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.\",\"HsFnrk\":[\"Die maximale Anzahl an Produkten für \",[\"0\"],\" ist \",[\"1\"]],\"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.\",\"vQkyB3\":\"Die Steuern und Gebühren, die auf dieses Produkt angewendet werden. Sie können neue Steuern und Gebühren erstellen auf der\",\"esY5SG\":\"Der Titel der Veranstaltung, der in Suchmaschinenergebnissen und beim Teilen in sozialen Medien angezeigt wird. Standardmäßig wird der Veranstaltungstitel verwendet\",\"wDx3FF\":\"Für diese Veranstaltung sind keine Produkte verfügbar\",\"pNgdBv\":\"In dieser Kategorie sind keine Produkte verfügbar\",\"rMcHYt\":\"Eine Rückerstattung steht aus. Bitte warten Sie, bis der Vorgang abgeschlossen ist, bevor Sie eine weitere Rückerstattung anfordern.\",\"F89D36\":\"Beim Markieren der Bestellung als bezahlt ist ein Fehler aufgetreten\",\"68Axnm\":\"Bei der Bearbeitung Ihrer Anfrage ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.\",\"mVKOW6\":\"Beim Senden Ihrer Nachricht ist ein Fehler aufgetreten\",\"AhBPHd\":\"Diese Details werden nur angezeigt, wenn die Bestellung erfolgreich abgeschlossen wurde. Bestellungen, die auf Zahlung warten, zeigen diese Nachricht nicht an.\",\"Pc/Wtj\":\"Dieser Teilnehmer hat eine unbezahlte Bestellung.\",\"mf3FrP\":\"Diese Kategorie hat noch keine Produkte.\",\"8QH2Il\":\"Diese Kategorie ist vor der öffentlichen Ansicht verborgen\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Diese E-Mail hat keinen Werbezweck und steht in direktem Zusammenhang mit der Veranstaltung.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Diese Informationen werden auf der Zahlungsseite, der Bestellübersichtsseite und in der Bestellbestätigungs-E-Mail angezeigt.\",\"XAHqAg\":\"Dies ist ein allgemeines Produkt, wie ein T-Shirt oder eine Tasse. Es wird kein Ticket ausgestellt\",\"CNk/ro\":\"Dies ist eine Online-Veranstaltung\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Diese Nachricht wird in die Fußzeile aller E-Mails aufgenommen, die von dieser Veranstaltung gesendet werden.\",\"55i7Fa\":\"Diese Nachricht wird nur angezeigt, wenn die Bestellung erfolgreich abgeschlossen wurde. Bestellungen, die auf Zahlung warten, zeigen diese Nachricht nicht an.\",\"RjwlZt\":\"Diese Bestellung wurde bereits bezahlt.\",\"5K8REg\":\"Diese Bestellung wurde bereits zurückerstattet.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Diese Bestellung wurde storniert.\",\"Q0zd4P\":\"Diese Bestellung ist abgelaufen. Bitte erneut beginnen.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Diese Bestellung ist abgeschlossen.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Diese Bestellseite ist nicht mehr verfügbar.\",\"i0TtkR\":\"Dies überschreibt alle Sichtbarkeitseinstellungen und verbirgt das Produkt vor allen Kunden.\",\"cRRc+F\":\"Dieses Produkt kann nicht gelöscht werden, da es mit einer Bestellung verknüpft ist. Sie können es stattdessen ausblenden.\",\"3Kzsk7\":\"Dieses Produkt ist ein Ticket. Käufer erhalten nach dem Kauf ein Ticket\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Diese Frage ist nur für den Veranstalter sichtbar\",\"os29v1\":\"Dieser Link zum Zurücksetzen des Passworts ist ungültig oder abgelaufen.\",\"IV9xTT\":\"Dieser Benutzer ist nicht aktiv, da er die Einladung nicht angenommen hat.\",\"5AnPaO\":\"Fahrkarte\",\"kjAL4v\":\"Fahrkarte\",\"dtGC3q\":\"Die Ticket-E-Mail wurde erneut an den Teilnehmer gesendet.\",\"54q0zp\":\"Tickets für\",\"xN9AhL\":[\"Stufe \",[\"0\"]],\"jZj9y9\":\"Gestuftes Produkt\",\"8wITQA\":\"Gestufte Produkte ermöglichen es Ihnen, mehrere Preisoptionen für dasselbe Produkt anzubieten. Dies ist ideal für Frühbucherprodukte oder um unterschiedliche Preisoptionen für verschiedene Personengruppen anzubieten.\\\" # de\",\"nn3mSR\":\"Verbleibende Zeit:\",\"s/0RpH\":\"Nutzungshäufigkeit\",\"y55eMd\":\"Anzahl der Verwendungen\",\"40Gx0U\":\"Zeitzone\",\"oDGm7V\":\"TIPP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Werkzeuge\",\"72c5Qo\":\"Gesamt\",\"YXx+fG\":\"Gesamt vor Rabatten\",\"NRWNfv\":\"Gesamtrabattbetrag\",\"BxsfMK\":\"Gesamtkosten\",\"2bR+8v\":\"Gesamtumsatz brutto\",\"mpB/d9\":\"Gesamtbestellwert\",\"m3FM1g\":\"Gesamtbetrag zurückerstattet\",\"jEbkcB\":\"Insgesamt erstattet\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Gesamtsteuer\",\"+zy2Nq\":\"Typ\",\"FMdMfZ\":\"Teilnehmer konnte nicht eingecheckt werden\",\"bPWBLL\":\"Teilnehmer konnte nicht ausgecheckt werden\",\"9+P7zk\":\"Produkt konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"WLxtFC\":\"Produkt konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"/cSMqv\":\"Frage konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"MH/lj8\":\"Frage kann nicht aktualisiert werden. Bitte überprüfen Sie Ihre Angaben\",\"nnfSdK\":\"Einzigartige Kunden\",\"Mqy/Zy\":\"Vereinigte Staaten\",\"NIuIk1\":\"Unbegrenzt\",\"/p9Fhq\":\"Unbegrenzt verfügbar\",\"E0q9qH\":\"Unbegrenzte Nutzung erlaubt\",\"h10Wm5\":\"Unbezahlte Bestellung\",\"ia8YsC\":\"Bevorstehende\",\"TlEeFv\":\"Bevorstehende Veranstaltungen\",\"L/gNNk\":[\"Aktualisierung \",[\"0\"]],\"+qqX74\":\"Aktualisieren Sie den Namen, die Beschreibung und die Daten der Veranstaltung\",\"vXPSuB\":\"Profil aktualisieren\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL in die Zwischenablage kopiert\",\"e5lF64\":\"Anwendungsbeispiel\",\"fiV0xj\":\"Verwendungslimit\",\"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\",\"jpctdh\":\"Ansehen\",\"Pte1Hv\":\"Teilnehmerdetails anzeigen\",\"/5PEQz\":\"Zur Veranstaltungsseite\",\"fFornT\":\"Vollständige Nachricht anzeigen\",\"YIsEhQ\":\"Ansichts Karte\",\"Ep3VfY\":\"Auf Google Maps anzeigen\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"Die Kategorie konnte nicht gelöscht werden. Bitte versuchen Sie es erneut.\",\"/DNy62\":[\"Wir konnten keine Tickets finden, die mit \",[\"0\"],\" übereinstimmen\"],\"1E0vyy\":\"Wir konnten die Daten nicht laden. Bitte versuchen Sie es erneut.\",\"NmpGKr\":\"Wir konnten die Kategorien nicht neu ordnen. Bitte versuchen Sie es erneut.\",\"BJtMTd\":\"Wir empfehlen Abmessungen von 2160 x 1080 Pixel und eine maximale Dateigröße von 5 MB.\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Was sind gestufte Produkte?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Was ist eine Kategorie?\",\"gxeWAU\":\"Für welche Produkte gilt dieser Code?\",\"hFHnxR\":\"Für welche Produkte gilt dieser Code? (Standardmäßig gilt er für alle)\",\"AeejQi\":\"Für welche Produkte soll diese Kapazität gelten?\",\"Rb0XUE\":\"Um wie viel Uhr werden Sie ankommen?\",\"5N4wLD\":\"Um welche Art von Frage handelt es sich?\",\"gyLUYU\":\"Wenn aktiviert, werden Rechnungen für Ticketbestellungen erstellt. Rechnungen werden zusammen mit der Bestellbestätigungs-E-Mail gesendet. Teilnehmer können ihre Rechnungen auch von der Bestellbestätigungsseite herunterladen.\",\"D3opg4\":\"Wenn Offline-Zahlungen aktiviert sind, können Benutzer ihre Bestellungen abschließen und ihre Tickets erhalten. Ihre Tickets werden klar anzeigen, dass die Bestellung nicht bezahlt ist, und das Check-in-Tool wird das Check-in-Personal benachrichtigen, wenn eine Bestellung eine Zahlung erfordert.\",\"D7C6XV\":\"When should this check-in list expire?\",\"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?\",\"VxFvXQ\":\"Widget einbetten\",\"v1P7Gm\":\"Widget-Einstellungen\",\"b4itZn\":\"Arbeiten\",\"hqmXmc\":\"Arbeiten...\",\"+G/XiQ\":\"Seit Jahresbeginn\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Ja, entfernen\",\"ySeBKv\":\"Sie haben dieses Ticket bereits gescannt\",\"P+Sty0\":[\"Sie ändern Ihre E-Mail zu <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Sie sind offline\",\"sdB7+6\":\"Sie können einen Promo-Code erstellen, der sich auf dieses Produkt richtet auf der\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Sie können den Produkttyp nicht ändern, da Teilnehmer mit diesem Produkt verknüpft sind.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Sie können Teilnehmer mit unbezahlten Bestellungen nicht einchecken. Diese Einstellung kann in den Veranstaltungsdetails geändert werden.\",\"c9Evkd\":\"Sie können die letzte Kategorie nicht löschen.\",\"6uwAvx\":\"Sie können diese Preiskategorie nicht löschen, da für diese Kategorie bereits Produkte verkauft wurden. Sie können sie stattdessen ausblenden.\",\"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\":\"You do not have permission to access this page\",\"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\":\"You have connected your Stripe account\",\"ofEncr\":\"Sie haben keine Teilnehmerfragen.\",\"CoZHDB\":\"Sie haben keine Bestellfragen.\",\"15qAvl\":\"Sie haben keine ausstehende E-Mail-Änderung.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Die Zeit für die Bestellung ist abgelaufen.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Sie haben noch keine Nachrichten gesendet. Sie können Nachrichten an alle Teilnehmer oder an bestimmte Produkthalter senden.\",\"R6i9o9\":\"Sie müssen bestätigen, dass diese E-Mail keinen Werbezweck hat\",\"3ZI8IL\":\"Sie müssen den Allgemeinen Geschäftsbedingungen zustimmen\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Sie müssen ein Ticket erstellen, bevor Sie einen Teilnehmer manuell hinzufügen können.\",\"jE4Z8R\":\"Sie müssen mindestens eine Preisstufe haben\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Sie müssen eine Bestellung manuell als bezahlt markieren. Dies kann auf der Bestellverwaltungsseite erfolgen.\",\"L/+xOk\":\"Sie benötigen ein Ticket, bevor Sie eine Eincheckliste erstellen können.\",\"Djl45M\":\"Sie benötigen ein Produkt, bevor Sie eine Kapazitätszuweisung erstellen können.\",\"y3qNri\":\"Sie benötigen mindestens ein Produkt, um loszulegen. Kostenlos, bezahlt oder lassen Sie den Benutzer entscheiden, was er zahlen möchte.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Deine Bestellung\",\"Jwiilf\":\"Deine Bestellung wurde storniert\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Ihre Rückerstattung wird bearbeitet.\",\"IFHV2p\":\"Ihr Ticket für\",\"x1PPdr\":\"Postleitzahl\",\"BM/KQm\":\"Postleitzahl\",\"+LtVBt\":\"Postleitzahl\",\"25QDJ1\":\"- Zum Veröffentlichen klicken\",\"WOyJmc\":\"- Zum Rückgängigmachen der Veröffentlichung klicken\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" ist bereits eingecheckt\"],\"S4PqS9\":[[\"0\"],\" aktive Webhooks\"],\"6MIiOI\":[[\"0\"],\" übrig\"],\"COnw8D\":[[\"0\"],\" Logo\"],\"B7pZfX\":[[\"0\"],\" Veranstalter\"],\"/HkCs4\":[[\"0\"],\" Tickets\"],\"OJnhhX\":[[\"eventCount\"],\" Ereignisse\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Steuern/Gebühren\",\"B1St2O\":\"<0>Check-in-Listen helfen Ihnen, den Veranstaltungseinlass nach Tag, Bereich oder Tickettyp zu verwalten. Sie können Tickets mit bestimmten Listen wie VIP-Bereichen oder Tag-1-Pässen verknüpfen und einen sicheren Check-in-Link mit dem Personal teilen. Es ist kein Konto erforderlich. Check-in funktioniert auf Mobilgeräten, Desktop oder Tablet mit einer Gerätekamera oder einem HID-USB-Scanner. \",\"ZnVt5v\":\"<0>Webhooks benachrichtigen externe Dienste sofort, wenn Ereignisse eintreten, z. B. wenn ein neuer Teilnehmer zu deinem CRM oder deiner Mailingliste hinzugefügt wird, um eine nahtlose Automatisierung zu gewährleisten.<1>Nutze Drittanbieterdienste wie <2>Zapier, <3>IFTTT oder <4>Make, um benutzerdefinierte Workflows zu erstellen und Aufgaben zu automatisieren.\",\"fAv9QG\":\"🎟️ Tickets hinzufügen\",\"M2DyLc\":\"1 aktiver Webhook\",\"yTsaLw\":\"1 Ticket\",\"HR/cvw\":\"Musterstraße 123\",\"kMU5aM\":\"Eine Stornierungsbenachrichtigung wurde gesendet an\",\"V53XzQ\":\"Ein neuer Bestätigungscode wurde an Ihre E-Mail gesendet\",\"/z/bH1\":\"Eine kurze Beschreibung Ihres Veranstalters, die Ihren Nutzern angezeigt wird.\",\"aS0jtz\":\"Abgebrochen\",\"uyJsf6\":\"Über\",\"WTk/ke\":\"Über Stripe Connect\",\"1uJlG9\":\"Akzentfarbe\",\"VTfZPy\":\"Zugriff verweigert\",\"iN5Cz3\":\"Konto bereits verbunden!\",\"bPwFdf\":\"Konten\",\"nMtNd+\":\"Handlung erforderlich: Verbinden Sie Ihr Stripe-Konto erneut\",\"AhwTa1\":\"Handlung erforderlich: Umsatzsteuerinformationen benötigt\",\"a5KFZU\":\"Füge Veranstaltungsdetails hinzu und verwalte die Einstellungen.\",\"Fb+SDI\":\"Weitere Tickets hinzufügen\",\"6PNlRV\":\"Fügen Sie dieses Event zu Ihrem Kalender hinzu\",\"BGD9Yt\":\"Tickets hinzufügen\",\"QN2F+7\":\"Webhook hinzufügen\",\"NsWqSP\":\"Fügen Sie Ihre Social-Media-Konten und die Website-URL hinzu. Diese werden auf Ihrer öffentlichen Veranstalterseite angezeigt.\",\"0Zypnp\":\"Admin Dashboard\",\"YAV57v\":\"Partner\",\"I+utEq\":\"Partnercode kann nicht geändert werden\",\"/jHBj5\":\"Partner erfolgreich erstellt\",\"uCFbG2\":\"Partner erfolgreich gelöscht\",\"a41PKA\":\"Partnerverkäufe werden verfolgt\",\"mJJh2s\":\"Partnerverkäufe werden nicht verfolgt. Dies deaktiviert den Partner.\",\"jabmnm\":\"Partner erfolgreich aktualisiert\",\"CPXP5Z\":\"Partner\",\"9Wh+ug\":\"Partner exportiert\",\"3cqmut\":\"Partner helfen Ihnen, Verkäufe von Partnern und Influencern zu verfolgen. Erstellen Sie Partnercodes und teilen Sie diese, um die Leistung zu überwachen.\",\"7rLTkE\":\"Alle archivierten Veranstaltungen\",\"gKq1fa\":\"Alle Teilnehmer\",\"pMLul+\":\"Alle Währungen\",\"qlaZuT\":\"Fertig! Sie verwenden jetzt unser verbessertes Zahlungssystem.\",\"ZS/D7f\":\"Alle beendeten Veranstaltungen\",\"dr7CWq\":\"Alle bevorstehenden Veranstaltungen\",\"QUg5y1\":\"Fast geschafft! Schließen Sie die Verbindung Ihres Stripe-Kontos ab, um Zahlungen zu akzeptieren.\",\"c4uJfc\":\"Fast geschafft! Wir warten nur noch auf die Verarbeitung Ihrer Zahlung. Das sollte nur wenige Sekunden dauern.\",\"/H326L\":\"Bereits erstattet\",\"RtxQTF\":\"Diese Bestellung auch stornieren\",\"jkNgQR\":\"Diese Bestellung auch erstatten\",\"xYqsHg\":\"Immer verfügbar\",\"Zkymb9\":\"Eine E-Mail-Adresse für diesen Partner. Der Partner wird nicht benachrichtigt.\",\"vRznIT\":\"Ein Fehler ist aufgetreten beim Überprüfen des Exportstatus.\",\"eusccx\":\"Eine optionale Nachricht, die beim hervorgehobenen Produkt angezeigt wird, z.B. \\\"Verkauft sich schnell 🔥\\\" oder \\\"Bester Wert\\\"\",\"QNrkms\":\"Antwort erfolgreich aktualisiert.\",\"LchiNd\":\"Sind Sie sicher, dass Sie diesen Partner löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden.\",\"JmVITJ\":\"Sind Sie sicher, dass Sie diese Vorlage löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden und E-Mails werden auf die Standardvorlage zurückgreifen.\",\"aLS+A6\":\"Sind Sie sicher, dass Sie diese Vorlage löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden und E-Mails werden auf die Veranstalter- oder Standardvorlage zurückgreifen.\",\"5H3Z78\":\"Bist du sicher, dass du diesen Webhook löschen möchtest?\",\"147G4h\":\"Möchten Sie wirklich gehen?\",\"VDWChT\":\"Sind Sie sicher, dass Sie diesen Veranstalter auf Entwurf setzen möchten? Dadurch wird die Veranstalterseite für die Öffentlichkeit unsichtbar.\",\"pWtQJM\":\"Sind Sie sicher, dass Sie diesen Veranstalter veröffentlichen möchten? Dadurch wird die Veranstalterseite für die Öffentlichkeit sichtbar.\",\"WFHOlF\":\"Sind Sie sicher, dass Sie diese Veranstaltung veröffentlichen möchten? Nach der Veröffentlichung ist sie öffentlich sichtbar.\",\"4TNVdy\":\"Sind Sie sicher, dass Sie dieses Veranstalterprofil veröffentlichen möchten? Nach der Veröffentlichung ist es öffentlich sichtbar.\",\"ExDt3P\":\"Sind Sie sicher, dass Sie diese Veranstaltung zurückziehen möchten? Sie wird nicht mehr öffentlich sichtbar sein.\",\"5Qmxo/\":\"Sind Sie sicher, dass Sie dieses Veranstalterprofil zurückziehen möchten? Es wird nicht mehr öffentlich sichtbar sein.\",\"Uqefyd\":\"Sind Sie in der EU umsatzsteuerregistriert?\",\"+QARA4\":\"Kunst\",\"tLf3yJ\":\"Da Ihr Unternehmen in Irland ansässig ist, wird automatisch die irische Umsatzsteuer von 23% auf alle Plattformgebühren angewendet.\",\"QGoXh3\":\"Da Ihr Unternehmen in der EU ansässig ist, müssen wir die korrekte Umsatzsteuerbehandlung für unsere Plattformgebühren bestimmen:\",\"F2rX0R\":\"Mindestens ein Ereignistyp muss ausgewählt werden\",\"6PecK3\":\"Anwesenheit und Check-in-Raten für alle Veranstaltungen\",\"AJ4rvK\":\"Teilnehmer storniert\",\"qvylEK\":\"Teilnehmer erstellt\",\"DVQSxl\":\"Teilnehmerdetails werden aus den Bestellinformationen übernommen.\",\"0R3Y+9\":\"Teilnehmer-E-Mail\",\"KkrBiR\":\"Erfassung von Teilnehmerinformationen\",\"XBLgX1\":\"Die Erfassung von Teilnehmerinformationen ist auf \\\"Pro Bestellung\\\" eingestellt. Teilnehmerdetails werden aus den Bestellinformationen übernommen.\",\"Xc2I+v\":\"Teilnehmerverwaltung\",\"av+gjP\":\"Teilnehmername\",\"cosfD8\":\"Teilnehmerstatus\",\"D2qlBU\":\"Teilnehmer aktualisiert\",\"x8Vnvf\":\"Ticket des Teilnehmers nicht in dieser Liste enthalten\",\"k3Tngl\":\"Teilnehmer exportiert\",\"5UbY+B\":\"Teilnehmer mit einem bestimmten Ticket\",\"4HVzhV\":\"Teilnehmer:\",\"VPoeAx\":\"Automatisierte Einlassverwaltung mit mehreren Check-in-Listen und Echtzeitvalidierung\",\"PZ7FTW\":\"Wird automatisch basierend auf der Hintergrundfarbe erkannt, kann aber überschrieben werden\",\"clF06r\":\"Zur Erstattung verfügbar\",\"NB5+UG\":\"Verfügbare Token\",\"EmYMHc\":\"Wartet auf Offline-Zahlung\",\"kNmmvE\":\"Awesome Events GmbH\",\"kYqM1A\":\"Zurück zum Event\",\"td/bh+\":\"Zurück zu Berichten\",\"jIPNJG\":\"Grundinformationen\",\"iMdwTb\":\"Bevor dein Event live gehen kann, musst du einige Schritte erledigen. Schließe alle folgenden Schritte ab, um zu beginnen.\",\"UabgBd\":\"Inhalt ist erforderlich\",\"9N+p+g\":\"Geschäftlich\",\"bv6RXK\":\"Schaltflächenbeschriftung\",\"ChDLlO\":\"Schaltflächentext\",\"DFqasq\":[\"Durch Fortfahren stimmen Sie den <0>\",[\"0\"],\" Nutzungsbedingungen zu\"],\"2VLZwd\":\"Aktionsschaltfläche\",\"PUpvQe\":\"Kamera-Scanner\",\"H4nE+E\":\"Alle Produkte stornieren und in den Pool zurückgeben\",\"tOXAdc\":\"Das Stornieren wird alle mit dieser Bestellung verbundenen Teilnehmer stornieren und die Tickets in den verfügbaren Pool zurückgeben.\",\"IrUqjC\":\"Einchecken nicht möglich (Storniert)\",\"VsM1HH\":\"Kapazitätszuweisungen\",\"K7tIrx\":\"Kategorie\",\"2tbLdK\":\"Wohltätigkeit\",\"v4fiSg\":\"Überprüfen Sie Ihre E-Mail\",\"51AsAN\":\"Überprüfen Sie Ihren Posteingang! Wenn Tickets mit dieser E-Mail verknüpft sind, erhalten Sie einen Link, um sie anzuzeigen.\",\"udRwQs\":\"Check-in erstellt\",\"F4SRy3\":\"Check-in gelöscht\",\"9gPPUY\":\"Check-In-Liste erstellt!\",\"f2vU9t\":\"Check-in-Listen\",\"tMNBEF\":\"Check-In-Listen ermöglichen die Kontrolle des Einlasses über Tage, Bereiche oder Tickettypen hinweg. Sie können einen sicheren Check-In-Link mit dem Personal teilen – kein Konto erforderlich.\",\"SHJwyq\":\"Check-in-Rate\",\"qCqdg6\":\"Check-In-Status\",\"cKj6OE\":\"Check-in-Übersicht\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinesisch (Traditionell)\",\"pkk46Q\":\"Wählen Sie einen Veranstalter\",\"Crr3pG\":\"Kalender auswählen\",\"CySr+W\":\"Klicken, um Notizen anzuzeigen\",\"RG3szS\":\"schließen\",\"RWw9Lg\":\"Modal schließen\",\"XwdMMg\":\"Code darf nur Buchstaben, Zahlen, Bindestriche und Unterstriche enthalten\",\"+yMJb7\":\"Code ist erforderlich\",\"m9SD3V\":\"Code muss mindestens 3 Zeichen lang sein\",\"V1krgP\":\"Code darf maximal 20 Zeichen lang sein\",\"psqIm5\":\"Arbeiten Sie mit Ihrem Team zusammen, um gemeinsam großartige Veranstaltungen zu gestalten.\",\"4bUH9i\":\"Erfassen Sie Teilnehmerdetails für jedes gekaufte Ticket.\",\"FpsvqB\":\"Farbmodus\",\"jEu4bB\":\"Spalten\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Stripe-Einrichtung abschließen\",\"OqEV/G\":\"Schließen Sie die folgende Einrichtung ab, um fortzufahren\",\"nqx+6h\":\"Schließen Sie diese Schritte ab, um mit dem Ticketverkauf für Ihre Veranstaltung zu beginnen.\",\"5YrKW7\":\"Schließen Sie Ihre Zahlung ab, um Ihre Tickets zu sichern.\",\"ih35UP\":\"Konferenzzentrum\",\"NGXKG/\":\"E-Mail-Adresse bestätigen\",\"Auz0Mz\":\"Bestätigen Sie Ihre E-Mail-Adresse, um alle Funktionen zu nutzen.\",\"7+grte\":\"Bestätigungs-E-Mail gesendet! Bitte überprüfen Sie Ihren Posteingang.\",\"n/7+7Q\":\"Bestätigung gesendet an\",\"o5A0Go\":\"Herzlichen Glückwunsch zur Erstellung eines Events!\",\"WNnP3w\":\"Verbinden & Upgraden\",\"Xe2tSS\":\"Verbindungsdokumentation\",\"1Xxb9f\":\"Zahlungsabwicklung verbinden\",\"LmvZ+E\":\"Stripe verbinden, um Nachrichten zu aktivieren\",\"EWnXR+\":\"Mit Stripe verbinden\",\"MOUF31\":\"Verbinden Sie sich mit dem CRM und automatisieren Sie Aufgaben mit Webhooks und Integrationen\",\"VioGG1\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen für Tickets und Produkte zu akzeptieren.\",\"4qmnU8\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu akzeptieren.\",\"E1eze1\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen für Ihre Veranstaltungen zu akzeptieren.\",\"ulV1ju\":\"Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu akzeptieren.\",\"/3017M\":\"Mit Stripe verbunden\",\"jfC/xh\":\"Kontakt\",\"LOFgda\":[\"Kontakt \",[\"0\"]],\"41BQ3k\":\"Kontakt-E-Mail\",\"KcXRN+\":\"Kontakt-E-Mail für Support\",\"m8WD6t\":\"Einrichtung fortsetzen\",\"0GwUT4\":\"Weiter zur Kasse\",\"sBV87H\":\"Weiter zur Veranstaltungserstellung\",\"nKtyYu\":\"Weiter zum nächsten Schritt\",\"F3/nus\":\"Weiter zur Zahlung\",\"1JnTgU\":\"Von oben kopiert\",\"FxVG/l\":\"In die Zwischenablage kopiert\",\"PiH3UR\":\"Kopiert!\",\"uUPbPg\":\"Partnerlink kopieren\",\"iVm46+\":\"Code kopieren\",\"+2ZJ7N\":\"Details zum ersten Teilnehmer kopieren\",\"ZN1WLO\":\"E-Mail Kopieren\",\"tUGbi8\":\"Meine Daten kopieren an:\",\"y22tv0\":\"Kopieren Sie diesen Link, um ihn überall zu teilen\",\"/4gGIX\":\"In die Zwischenablage kopieren\",\"P0rbCt\":\"Titelbild\",\"60u+dQ\":\"Das Titelbild wird oben auf Ihrer Veranstaltungsseite angezeigt\",\"2NLjA6\":\"Das Titelbild wird oben auf Ihrer Veranstalterseite angezeigt\",\"zg4oSu\":[[\"0\"],\"-Vorlage erstellen\"],\"xfKgwv\":\"Partner erstellen\",\"dyrgS4\":\"Erstellen und personalisieren Sie Ihre Veranstaltungsseite sofort\",\"BTne9e\":\"Erstellen Sie benutzerdefinierte E-Mail-Vorlagen für diese Veranstaltung, die die Veranstalter-Standards überschreiben\",\"YIDzi/\":\"Benutzerdefinierte Vorlage erstellen\",\"8AiKIu\":\"Ticket oder Produkt erstellen\",\"agZ87r\":\"Erstellen Sie Tickets für Ihre Veranstaltung, legen Sie Preise fest und verwalten Sie die verfügbare Menge.\",\"dkAPxi\":\"Webhook erstellen\",\"5slqwZ\":\"Erstellen Sie Ihre Veranstaltung\",\"JQNMrj\":\"Erstellen Sie Ihre erste Veranstaltung\",\"CCjxOC\":\"Erstellen Sie Ihre erste Veranstaltung, um Tickets zu verkaufen und Teilnehmer zu verwalten.\",\"ZCSSd+\":\"Erstellen Sie Ihre eigene Veranstaltung\",\"67NsZP\":\"Veranstaltung wird erstellt...\",\"H34qcM\":\"Veranstalter wird erstellt...\",\"1YMS+X\":\"Ihre Veranstaltung wird erstellt, bitte warten\",\"yiy8Jt\":\"Ihr Veranstalterprofil wird erstellt, bitte warten\",\"lfLHNz\":\"CTA-Beschriftung ist erforderlich\",\"BMtue0\":\"Aktueller Zahlungsdienstleister\",\"iTvh6I\":\"Derzeit zum Kauf verfügbar\",\"mimF6c\":\"Benutzerdefinierte Nachricht nach dem Checkout\",\"axv/Mi\":\"Benutzerdefinierte Vorlage\",\"QMHSMS\":\"Der Kunde erhält eine E-Mail zur Bestätigung der Erstattung\",\"L/Qc+w\":\"E-Mail-Adresse des Kunden\",\"wpfWhJ\":\"Vorname des Kunden\",\"GIoqtA\":\"Nachname des Kunden\",\"NihQNk\":\"Kunden\",\"7gsjkI\":\"Passen Sie die an Ihre Kunden gesendeten E-Mails mit Liquid-Vorlagen an. Diese Vorlagen werden als Standards für alle Veranstaltungen in Ihrer Organisation verwendet.\",\"iX6SLo\":\"Passen Sie den Text auf dem Weiter-Button an\",\"pxNIxa\":\"Passen Sie Ihre E-Mail-Vorlage mit Liquid-Vorlagen an\",\"q9Jg0H\":\"Passen Sie Ihre Veranstaltungsseite und das Widget-Design perfekt an Ihre Marke an\",\"mkLlne\":\"Passen Sie das Erscheinungsbild Ihrer Veranstaltungsseite an\",\"3trPKm\":\"Passen Sie das Erscheinungsbild Ihrer Veranstalterseite an\",\"4df0iX\":\"Passen Sie das Erscheinungsbild Ihres Tickets an\",\"/gWrVZ\":\"Tägliche Einnahmen, Steuern, Gebühren und Rückerstattungen für alle Veranstaltungen\",\"zgCHnE\":\"Täglicher Verkaufsbericht\",\"nHm0AI\":\"Aufschlüsselung der täglichen Verkäufe, Steuern und Gebühren\",\"pvnfJD\":\"Dunkel\",\"lnYE59\":\"Datum der Veranstaltung\",\"gnBreG\":\"Datum der Bestellaufgabe\",\"JtI4vj\":\"Standard-Erfassung von Teilnehmerinformationen\",\"1bZAZA\":\"Standardvorlage wird verwendet\",\"vu7gDm\":\"Partner löschen\",\"+jw/c1\":\"Bild löschen\",\"dPyJ15\":\"Vorlage löschen\",\"snMaH4\":\"Webhook löschen\",\"vYgeDk\":\"Alle abwählen\",\"NvuEhl\":\"Designelemente\",\"H8kMHT\":\"Code nicht erhalten?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Diese Nachricht schließen\",\"BREO0S\":\"Zeigen Sie ein Kontrollkästchen an, mit dem Kunden dem Erhalt von Marketing-Mitteilungen von diesem Veranstalter zustimmen können.\",\"TvY/XA\":\"Dokumentation\",\"Kdpf90\":\"Nicht vergessen!\",\"V6Jjbr\":\"Sie haben kein Konto? <0>Registrieren\",\"AXXqG+\":\"Spende\",\"DPfwMq\":\"Fertig\",\"eneWvv\":\"Entwurf\",\"TnzbL+\":\"Aufgrund des hohen Spam-Risikos müssen Sie ein Stripe-Konto verbinden, bevor Sie Nachrichten an Teilnehmer senden können.\\nDies stellt sicher, dass alle Veranstalter verifiziert und rechenschaftspflichtig sind.\",\"euc6Ns\":\"Duplizieren\",\"KRmTkx\":\"Produkt duplizieren\",\"KIjvtr\":\"Niederländisch\",\"SPKbfM\":\"z.\u202FB. Tickets kaufen, Jetzt registrieren\",\"LTzmgK\":[[\"0\"],\"-Vorlage bearbeiten\"],\"v4+lcZ\":\"Partner bearbeiten\",\"2iZEz7\":\"Antwort bearbeiten\",\"fW5sSv\":\"Webhook bearbeiten\",\"nP7CdQ\":\"Webhook bearbeiten\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Bildung\",\"zPiC+q\":\"Berechtigte Check-In-Listen\",\"V2sk3H\":\"E-Mail & Vorlagen\",\"hbwCKE\":\"E-Mail-Adresse in Zwischenablage kopiert\",\"dSyJj6\":\"E-Mail-Adressen stimmen nicht überein\",\"elW7Tn\":\"E-Mail-Inhalt\",\"ZsZeV2\":\"E-Mail ist erforderlich\",\"Be4gD+\":\"E-Mail-Vorschau\",\"6IwNUc\":\"E-Mail-Vorlagen\",\"H/UMUG\":\"E-Mail-Verifizierung erforderlich\",\"L86zy2\":\"E-Mail erfolgreich verifiziert!\",\"Upeg/u\":\"Diese Vorlage für das Senden von E-Mails aktivieren\",\"RxzN1M\":\"Aktiviert\",\"sGjBEq\":\"Enddatum & -zeit (optional)\",\"PKXt9R\":\"Das Enddatum muss nach dem Startdatum liegen\",\"48Y16Q\":\"Endzeit (optional)\",\"7YZofi\":\"Geben Sie einen Betreff und Inhalt ein, um die Vorschau zu sehen\",\"3bR1r4\":\"Partner-E-Mail eingeben (optional)\",\"ARkzso\":\"Partnername eingeben\",\"INDKM9\":\"E-Mail-Betreff eingeben...\",\"kWg31j\":\"Eindeutigen Partnercode eingeben\",\"C3nD/1\":\"Geben Sie Ihre E-Mail-Adresse ein\",\"n9V+ps\":\"Geben Sie Ihren Namen ein\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Fehler beim Laden der Protokolle\",\"AKbElk\":\"EU-umsatzsteuerregistrierte Unternehmen: Umkehrung der Steuerschuldnerschaft gilt (0% - Artikel 196 der MwSt-Richtlinie 2006/112/EG)\",\"WgD6rb\":\"Veranstaltungskategorie\",\"b46pt5\":\"Veranstaltungs-Titelbild\",\"1Hzev4\":\"Event-benutzerdefinierte Vorlage\",\"imgKgl\":\"Veranstaltungsbeschreibung\",\"kJDmsI\":\"Veranstaltungsdetails\",\"m/N7Zq\":\"Vollständige Veranstaltungsadresse\",\"Nl1ZtM\":\"Veranstaltungsort\",\"PYs3rP\":\"Veranstaltungsname\",\"HhwcTQ\":\"Veranstaltungsname\",\"WZZzB6\":\"Veranstaltungsname ist erforderlich\",\"Wd5CDM\":\"Der Veranstaltungsname sollte weniger als 150 Zeichen lang sein\",\"4JzCvP\":\"Veranstaltung nicht verfügbar\",\"Gh9Oqb\":\"Name des Veranstalters\",\"mImacG\":\"Veranstaltungsseite\",\"cOePZk\":\"Veranstaltungszeit\",\"e8WNln\":\"Veranstaltungszeitzone\",\"GeqWgj\":\"Veranstaltungszeitzone\",\"XVLu2v\":\"Veranstaltungstitel\",\"YDVUVl\":\"Ereignistypen\",\"4K2OjV\":\"Veranstaltungsort\",\"19j6uh\":\"Veranstaltungsleistung\",\"PC3/fk\":\"Veranstaltungen, die in den nächsten 24 Stunden beginnen\",\"fTFfOK\":\"Jede E-Mail-Vorlage muss eine Aktionsschaltfläche enthalten, die zur entsprechenden Seite verlinkt\",\"VlvpJ0\":\"Antworten exportieren\",\"JKfSAv\":\"Export fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"SVOEsu\":\"Export gestartet. Datei wird vorbereitet...\",\"9bpUSo\":\"Partner werden exportiert\",\"jtrqH9\":\"Teilnehmer werden exportiert\",\"R4Oqr8\":\"Export abgeschlossen. Datei wird heruntergeladen...\",\"UlAK8E\":\"Bestellungen werden exportiert\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Bestellung konnte nicht abgebrochen werden. Bitte versuchen Sie es erneut.\",\"cEFg3R\":\"Partner konnte nicht erstellt werden\",\"U66oUa\":\"Vorlage konnte nicht erstellt werden\",\"xFj7Yj\":\"Vorlage konnte nicht gelöscht werden\",\"jo3Gm6\":\"Partner konnten nicht exportiert werden\",\"Jjw03p\":\"Fehler beim Export der Teilnehmer\",\"ZPwFnN\":\"Fehler beim Export der Bestellungen\",\"X4o0MX\":\"Webhook konnte nicht geladen werden\",\"YQ3QSS\":\"Bestätigungscode konnte nicht erneut gesendet werden\",\"zTkTF3\":\"Vorlage konnte nicht gespeichert werden\",\"l6acRV\":\"Fehler beim Speichern der Umsatzsteuereinstellungen. Bitte versuchen Sie es erneut.\",\"T6B2gk\":\"Nachricht konnte nicht gesendet werden. Bitte versuchen Sie es erneut.\",\"lKh069\":\"Exportauftrag konnte nicht gestartet werden\",\"t/KVOk\":\"Fehler beim Starten der Identitätswechsel. Bitte versuchen Sie es erneut.\",\"QXgjH0\":\"Fehler beim Beenden der Identitätswechsel. Bitte versuchen Sie es erneut.\",\"i0QKrm\":\"Partner konnte nicht aktualisiert werden\",\"NNc33d\":\"Fehler beim Aktualisieren der Antwort.\",\"7/9RFs\":\"Bild-Upload fehlgeschlagen.\",\"nkNfWu\":\"Fehler beim Hochladen des Bildes. Bitte versuchen Sie es erneut.\",\"rxy0tG\":\"E-Mail konnte nicht verifiziert werden\",\"T4BMxU\":\"Gebühren können sich ändern. Du wirst über Änderungen deiner Gebührenstruktur benachrichtigt.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Füllen Sie zuerst Ihre Daten oben aus\",\"8OvVZZ\":\"Teilnehmer filtern\",\"8BwQeU\":\"Einrichtung abschließen\",\"hg80P7\":\"Stripe-Einrichtung abschließen\",\"1vBhpG\":\"Ersten Teilnehmer\",\"YXhom6\":\"Feste Gebühr:\",\"KgxI80\":\"Flexibles Ticketing\",\"lWxAUo\":\"Essen & Trinken\",\"nFm+5u\":\"Fußzeilentext\",\"MY2SVM\":\"Vollständige Erstattung\",\"vAVBBv\":\"Fully Integrated\",\"T02gNN\":\"Allgemeiner Eintritt\",\"3ep0Gx\":\"Allgemeine Informationen über Ihren Veranstalter\",\"ziAjHi\":\"Generieren\",\"exy8uo\":\"Code generieren\",\"4CETZY\":\"Wegbeschreibung\",\"kfVY6V\":\"Starten Sie kostenlos, keine Abonnementgebühren\",\"u6FPxT\":\"Tickets erhalten\",\"8KDgYV\":\"Bereiten Sie Ihre Veranstaltung vor\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Zur Eventseite\",\"gHSuV/\":\"Zur Startseite gehen\",\"6nDzTl\":\"Gute Lesbarkeit\",\"n8IUs7\":\"Bruttoeinnahmen\",\"kTSQej\":[\"Hallo \",[\"0\"],\", verwalten Sie Ihre Plattform von hier aus.\"],\"dORAcs\":\"Hier sind alle Tickets, die mit Ihrer E-Mail-Adresse verknüpft sind.\",\"g+2103\":\"Hier ist Ihr Partnerlink\",\"QlwJ9d\":\"Das können Sie erwarten:\",\"D+zLDD\":\"Verborgen\",\"Rj6sIY\":\"Zusätzliche Optionen ausblenden\",\"P+5Pbo\":\"Antworten ausblenden\",\"gtEbeW\":\"Hervorheben\",\"NF8sdv\":\"Hervorhebungsnachricht\",\"MXSqmS\":\"Dieses Produkt hervorheben\",\"7ER2sc\":\"Hervorgehoben\",\"sq7vjE\":\"Hervorgehobene Produkte haben eine andere Hintergrundfarbe, um sie auf der Event-Seite hervorzuheben.\",\"i0qMbr\":\"Startseite\",\"AVpmAa\":\"Wie man offline zahlt\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Ungarisch\",\"4/kP5a\":\"Wenn sich kein neues Tab automatisch geöffnet hat, klicke bitte unten auf die Schaltfläche, um mit dem Checkout fortzufahren.\",\"PYVWEI\":\"Falls registriert, geben Sie Ihre Umsatzsteuer-ID zur Validierung an\",\"wOU3Tr\":\"Wenn du ein Konto bei uns hast, erhältst du eine E-Mail mit Anweisungen zum Zurücksetzen deines Passworts.\",\"an5hVd\":\"Bilder\",\"tSVr6t\":\"Identität annehmen\",\"TWXU0c\":\"Benutzer verkörpern\",\"5LAZwq\":\"Identitätswechsel gestartet\",\"IMwcdR\":\"Identitätswechsel beendet\",\"M8M6fs\":\"Wichtig: Stripe-Neuverbindung erforderlich\",\"jT142F\":[\"In \",[\"diffHours\"],\" Stunden\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" Minuten\"],\"UJLg8x\":\"In-depth Analytics\",\"cljs3a\":\"Geben Sie an, ob Sie in der EU umsatzsteuerregistriert sind\",\"F1Xp97\":\"Einzelne Teilnehmer\",\"85e6zs\":\"Liquid-Token einfügen\",\"38KFY0\":\"Variable einfügen\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Ungültige E-Mail\",\"5tT0+u\":\"Ungültiges E-Mail-Format\",\"tnL+GP\":\"Ungültige Liquid-Syntax. Bitte korrigieren Sie sie und versuchen Sie es erneut.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Teammitglied einladen\",\"1z26sk\":\"Teammitglied einladen\",\"KR0679\":\"Teammitglieder einladen\",\"aH6ZIb\":\"Laden Sie Ihr Team ein\",\"IuMGvq\":\"Rechnung\",\"y0meFR\":\"Auf Plattformgebühren wird die irische Umsatzsteuer von 23% angewendet (inländische Lieferung).\",\"Lj7sBL\":\"Italienisch\",\"F5/CBH\":\"Artikel\",\"BzfzPK\":\"Artikel\",\"nCywLA\":\"Von überall teilnehmen\",\"hTJ4fB\":\"Klicken Sie einfach auf die Schaltfläche unten, um Ihr Stripe-Konto erneut zu verbinden.\",\"MxjCqk\":\"Suchen Sie nur nach Ihren Tickets?\",\"lB2hSG\":[\"Halte mich über Neuigkeiten und Veranstaltungen von \",[\"0\"],\" auf dem Laufenden\"],\"h0Q9Iw\":\"Letzte Antwort\",\"gw3Ur5\":\"Zuletzt ausgelöst\",\"1njn7W\":\"Hell\",\"1qY5Ue\":\"Link abgelaufen oder ungültig\",\"psosdY\":\"Link zu Bestelldetails\",\"6JzK4N\":\"Link zum Ticket\",\"shkJ3U\":\"Verknüpfen Sie Ihr Stripe-Konto, um Gelder aus dem Ticketverkauf zu erhalten.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live-Veranstaltungen\",\"WdmJIX\":\"Vorschau wird geladen...\",\"IoDI2o\":\"Token werden geladen...\",\"NFxlHW\":\"Webhooks werden geladen\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Titelbild\",\"gddQe0\":\"Logo und Titelbild für Ihren Veranstalter\",\"TBEnp1\":\"Logo wird in der Kopfzeile angezeigt\",\"Jzu30R\":\"Logo wird auf dem Ticket angezeigt\",\"4wUIjX\":\"Machen Sie Ihre Veranstaltung live\",\"0A7TvI\":\"Veranstaltung verwalten\",\"2FzaR1\":\"Verwalten Sie Ihre Zahlungsabwicklung und sehen Sie die Plattformgebühren ein\",\"/x0FyM\":\"Match Your Brand\",\"xDAtGP\":\"Nachricht\",\"1jRD0v\":\"Teilnehmer mit bestimmten Tickets benachrichtigen\",\"97QrnA\":\"Kommunizieren Sie mit Teilnehmern, verwalten Sie Bestellungen und bearbeiten Sie Rückerstattungen an einem Ort\",\"48rf3i\":\"Nachricht darf 5000 Zeichen nicht überschreiten\",\"Vjat/X\":\"Nachricht ist erforderlich\",\"0/yJtP\":\"Nachricht an Bestelleigentümer mit bestimmten Produkten senden\",\"tccUcA\":\"Mobiler Check-in\",\"GfaxEk\":\"Musik\",\"oVGCGh\":\"Meine Tickets\",\"8/brI5\":\"Name ist erforderlich\",\"sCV5Yc\":\"Name der Veranstaltung\",\"xxU3NX\":\"Nettoeinnahmen\",\"eWRECP\":\"Nachtleben\",\"HSw5l3\":\"Nein - Ich bin eine Privatperson oder ein nicht umsatzsteuerregistriertes Unternehmen\",\"VHfLAW\":\"Keine Konten\",\"+jIeoh\":\"Keine Konten gefunden\",\"074+X8\":\"Keine aktiven Webhooks\",\"zxnup4\":\"Keine Partner vorhanden\",\"99ntUF\":\"Keine Check-In-Listen für diese Veranstaltung verfügbar.\",\"6r9SGl\":\"Keine Kreditkarte erforderlich\",\"eb47T5\":\"Keine Daten für die ausgewählten Filter gefunden. Versuchen Sie, den Datumsbereich oder die Währung anzupassen.\",\"pZNOT9\":\"Kein Enddatum\",\"dW40Uz\":\"Keine Events gefunden\",\"8pQ3NJ\":\"Keine Veranstaltungen, die in den nächsten 24 Stunden beginnen\",\"8zCZQf\":\"Noch keine Veranstaltungen\",\"54GxeB\":\"Keine Auswirkungen auf Ihre aktuellen oder vergangenen Transaktionen\",\"EpvBAp\":\"Keine Rechnung\",\"XZkeaI\":\"Keine Protokolle gefunden\",\"NEmyqy\":\"Noch keine Bestellungen\",\"B7w4KY\":\"Keine weiteren Veranstalter verfügbar\",\"6jYQGG\":\"Keine vergangenen Veranstaltungen\",\"zK/+ef\":\"Keine Produkte zur Auswahl verfügbar\",\"QoAi8D\":\"Keine Antwort\",\"EK/G11\":\"Noch keine Antworten\",\"3sRuiW\":\"Keine Tickets gefunden\",\"yM5c0q\":\"Keine bevorstehenden Veranstaltungen\",\"qpC74J\":\"Keine Benutzer gefunden\",\"n5vdm2\":\"Für diesen Endpunkt wurden noch keine Webhook-Ereignisse aufgezeichnet. Ereignisse werden hier angezeigt, sobald sie ausgelöst werden.\",\"4GhX3c\":\"Keine Webhooks\",\"4+am6b\":\"Nein, hier bleiben\",\"HVwIsd\":\"Nicht umsatzsteuerregistrierte Unternehmen oder Privatpersonen: Irische Umsatzsteuer von 23% gilt\",\"x5+Lcz\":\"Nicht Eingecheckt\",\"8n10sz\":\"Nicht Berechtigt\",\"lQgMLn\":\"Name des Büros oder Veranstaltungsorts\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline-Zahlung\",\"nO3VbP\":[\"Im Angebot \",[\"0\"]],\"2r6bAy\":\"Sobald Sie das Upgrade abgeschlossen haben, wird Ihr altes Konto nur noch für Erstattungen verwendet.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online-Veranstaltung\",\"bU7oUm\":\"Nur an Bestellungen mit diesen Status senden\",\"M2w1ni\":\"Nur mit Promo-Code sichtbar\",\"N141o/\":\"Stripe-Dashboard öffnen\",\"HXMJxH\":\"Optionaler Text für Haftungsausschlüsse, Kontaktinformationen oder Dankesnachrichten (nur einzeilig)\",\"c/TIyD\":\"Bestellung & Ticket\",\"H5qWhm\":\"Bestellung storniert\",\"b6+Y+n\":\"Bestellung abgeschlossen\",\"x4MLWE\":\"Bestellbestätigung\",\"ppuQR4\":\"Bestellung erstellt\",\"0UZTSq\":\"Bestellwährung\",\"HdmwrI\":\"Bestell-E-Mail\",\"bwBlJv\":\"Vorname der Bestellung\",\"vrSW9M\":\"Die Bestellung wurde storniert und erstattet. Der Bestellinhaber wurde benachrichtigt.\",\"+spgqH\":[\"Bestellnummer: \",[\"0\"]],\"Pc729f\":\"Bestellung wartet auf Offline-Zahlung\",\"F4NXOl\":\"Nachname der Bestellung\",\"RQCXz6\":\"Bestelllimits\",\"5RDEEn\":\"Bestellsprache\",\"vu6Arl\":\"Bestellung als bezahlt markiert\",\"sLbJQz\":\"Bestellung nicht gefunden\",\"i8VBuv\":\"Bestellnummer\",\"FaPYw+\":\"Bestelleigentümer\",\"eB5vce\":\"Bestelleigentümer mit einem bestimmten Produkt\",\"CxLoxM\":\"Bestelleigentümer mit Produkten\",\"DoH3fD\":\"Bestellzahlung ausstehend\",\"EZy55F\":\"Bestellung erstattet\",\"6eSHqs\":\"Bestellstatus\",\"oW5877\":\"Bestellsumme\",\"e7eZuA\":\"Bestellung aktualisiert\",\"KndP6g\":\"Bestell-URL\",\"3NT0Ck\":\"Bestellung wurde storniert\",\"5It1cQ\":\"Bestellungen exportiert\",\"B/EBQv\":\"Bestellungen:\",\"ucgZ0o\":\"Organisation\",\"S3CZ5M\":\"Veranstalter-Dashboard\",\"Uu0hZq\":\"Veranstalter-E-Mail\",\"Gy7BA3\":\"E-Mail-Adresse des Veranstalters\",\"SQqJd8\":\"Veranstalter nicht gefunden\",\"wpj63n\":\"Veranstaltereinstellungen\",\"coIKFu\":\"Statistiken zum Veranstalter sind für die ausgewählte Währung nicht verfügbar oder es ist ein Fehler aufgetreten.\",\"o1my93\":\"Aktualisierung des Veranstalterstatus fehlgeschlagen. Bitte versuchen Sie es später erneut.\",\"rLHma1\":\"Veranstalterstatus aktualisiert\",\"LqBITi\":\"Veranstalter-/Standardvorlage wird verwendet\",\"/IX/7x\":\"Sonstiges\",\"RsiDDQ\":\"Andere Listen (Ticket Nicht Enthalten)\",\"6/dCYd\":\"Übersicht\",\"8uqsE5\":\"Seite nicht mehr verfügbar\",\"QkLf4H\":\"Seiten-URL\",\"sF+Xp9\":\"Seitenaufrufe\",\"5F7SYw\":\"Teilerstattung\",\"fFYotW\":[\"Teilweise erstattet: \",[\"0\"]],\"Ff0Dor\":\"Vergangenheit\",\"xTPjSy\":\"Vergangene Veranstaltungen\",\"/l/ckQ\":\"URL einfügen\",\"URAE3q\":\"Pausiert\",\"4fL/V7\":\"Bezahlen\",\"OZK07J\":\"Zahlen zum Freischalten\",\"TskrJ8\":\"Zahlung & Plan\",\"ENEPLY\":\"Zahlungsmethode\",\"EyE8E6\":\"Zahlungsabwicklung\",\"8Lx2X7\":\"Zahlung erhalten\",\"vcyz2L\":\"Zahlungseinstellungen\",\"fx8BTd\":\"Zahlungen nicht verfügbar\",\"51U9mG\":\"Zahlungen fließen weiterhin ohne Unterbrechung\",\"VlXNyK\":\"Pro Bestellung\",\"hauDFf\":\"Pro Ticket\",\"/Bh+7r\":\"Leistung\",\"zmwvG2\":\"Telefon\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Eine Veranstaltung planen?\",\"br3Y/y\":\"Plattformgebühren\",\"jEw0Mr\":\"Bitte geben Sie eine gültige URL ein\",\"n8+Ng/\":\"Bitte geben Sie den 5-stelligen Code ein\",\"r+lQXT\":\"Bitte geben Sie Ihre Umsatzsteuer-ID ein\",\"Dvq0wf\":\"Bitte ein Bild angeben.\",\"2cUopP\":\"Bitte starten Sie den Bestellvorgang neu.\",\"8KmsFa\":\"Bitte wählen Sie einen Datumsbereich aus\",\"EFq6EG\":\"Bitte ein Bild auswählen.\",\"fuwKpE\":\"Bitte versuchen Sie es erneut.\",\"klWBeI\":\"Bitte warten Sie, bevor Sie einen neuen Code anfordern\",\"hfHhaa\":\"Bitte warten Sie, während wir Ihre Partner für den Export vorbereiten...\",\"o+tJN/\":\"Bitte warten Sie, während wir Ihre Teilnehmer für den Export vorbereiten...\",\"+5Mlle\":\"Bitte warten Sie, während wir Ihre Bestellungen für den Export vorbereiten...\",\"TjX7xL\":\"Nach-Checkout-Nachricht\",\"cs5muu\":\"Vorschau der Veranstaltungsseite\",\"+4yRWM\":\"Preis des Tickets\",\"a5jvSX\":\"Preisstufen\",\"ReihZ7\":\"Druckvorschau\",\"JnuPvH\":\"Ticket drucken\",\"tYF4Zq\":\"Als PDF drucken\",\"LcET2C\":\"Datenschutzerklärung\",\"8z6Y5D\":\"Erstattung verarbeiten\",\"JcejNJ\":\"Bestellung wird verarbeitet\",\"EWCLpZ\":\"Produkt erstellt\",\"XkFYVB\":\"Produkt gelöscht\",\"YMwcbR\":\"Produktverkäufe, Einnahmen und Steueraufschlüsselung\",\"ldVIlB\":\"Produkt aktualisiert\",\"mIqT3T\":\"Produkte, Waren und flexible Preisoptionen\",\"JoKGiJ\":\"Gutscheincode\",\"k3wH7i\":\"Nutzung von Rabattcodes und Rabattaufschlüsselung\",\"uEhdRh\":\"Nur mit Promo-Code\",\"EEYbdt\":\"Veröffentlichen\",\"evDBV8\":\"Veranstaltung veröffentlichen\",\"dsFmM+\":\"Gekauft\",\"YwNJAq\":\"QR-Code-Scanning mit sofortigem Feedback und sicherem Teilen für den Mitarbeiterzugang\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Bereit für das Upgrade? Das dauert nur wenige Minuten.\",\"Fi3b48\":\"Neueste Bestellungen\",\"Edm6av\":\"Stripe neu verbinden →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Weiterleitung zu Stripe...\",\"ACKu03\":\"Vorschau aktualisieren\",\"fKn/k6\":\"Erstattungsbetrag\",\"qY4rpA\":\"Erstattung fehlgeschlagen\",\"FaK/8G\":[\"Bestellung \",[\"0\"],\" erstatten\"],\"MGbi9P\":\"Erstattung ausstehend\",\"BDSRuX\":[\"Erstattet: \",[\"0\"]],\"bU4bS1\":\"Rückerstattungen\",\"CQeZT8\":\"Bericht nicht gefunden\",\"JEPMXN\":\"Neuen Link anfordern\",\"mdeIOH\":\"Code erneut senden\",\"bxoWpz\":\"Bestätigungs-E-Mail erneut senden\",\"G42SNI\":\"E-Mail erneut senden\",\"TTpXL3\":[\"Erneut senden in \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserviert\",\"8wUjGl\":\"Reserviert bis\",\"slOprG\":\"Setzen Sie Ihr Passwort zurück\",\"CbnrWb\":\"Zurück zum Event\",\"Oo/PLb\":\"Umsatzübersicht\",\"dFFW9L\":[\"Verkauf endete \",[\"0\"]],\"loCKGB\":[\"Verkauf endet \",[\"0\"]],\"wlfBad\":\"Verkaufszeitraum\",\"zpekWp\":[\"Verkauf beginnt \",[\"0\"]],\"mUv9U4\":\"Verkäufe\",\"9KnRdL\":\"Verkauf pausiert\",\"3VnlS9\":\"Verkäufe, Bestellungen und Leistungskennzahlen für alle Veranstaltungen\",\"3Q1AWe\":\"Verkäufe:\",\"8BRPoH\":\"Beispielort\",\"KZrfYJ\":\"Social-Media-Links speichern\",\"9Y3hAT\":\"Vorlage speichern\",\"C8ne4X\":\"Ticketdesign speichern\",\"6/TNCd\":\"Umsatzsteuereinstellungen speichern\",\"I+FvbD\":\"Scannen\",\"4ba0NE\":\"Geplant\",\"ftNXma\":\"Partner suchen...\",\"VY+Bdn\":\"Nach Kontoname oder E-Mail suchen...\",\"VX+B3I\":\"Suche nach Veranstaltungstitel oder Veranstalter...\",\"GHdjuo\":\"Nach Name, E-Mail oder Konto suchen...\",\"Mck5ht\":\"Sichere Kasse\",\"p7xUrt\":\"Kategorie auswählen\",\"BFRSTT\":\"Konto auswählen\",\"mCB6Je\":\"Alle auswählen\",\"kYZSFD\":\"Wählen Sie einen Veranstalter, um dessen Dashboard und Veranstaltungen anzuzeigen.\",\"tVW/yo\":\"Währung auswählen\",\"n9ZhRa\":\"Enddatum und -zeit auswählen\",\"gTN6Ws\":\"Endzeit auswählen\",\"0U6E9W\":\"Veranstaltungskategorie auswählen\",\"j9cPeF\":\"Ereignistypen auswählen\",\"1nhy8G\":\"Scanner-Typ auswählen\",\"KizCK7\":\"Startdatum und -zeit auswählen\",\"dJZTv2\":\"Startzeit auswählen\",\"aT3jZX\":\"Zeitzone auswählen\",\"Ropvj0\":\"Wählen Sie aus, welche Ereignisse diesen Webhook auslösen\",\"BG3f7v\":\"Sell Anything\",\"VtX8nW\":\"Verkaufen Sie Waren zusammen mit Tickets mit integrierter Steuer- und Rabattcode-Unterstützung\",\"Cye3uV\":\"Verkaufen Sie mehr als nur Tickets\",\"j9b/iy\":\"Schnell verkauft 🔥\",\"1lNPhX\":\"Erstattungsbenachrichtigungs-E-Mail senden\",\"SPdzrs\":\"An Kunden gesendet, wenn sie eine Bestellung aufgeben\",\"LxSN5F\":\"An jeden Teilnehmer mit seinen Ticketdetails gesendet\",\"eXssj5\":\"Legen Sie Standardeinstellungen für neue Veranstaltungen fest, die unter diesem Veranstalter erstellt werden.\",\"xMO+Ao\":\"Richten Sie Ihre Organisation ein\",\"HbUQWA\":\"Einrichtung in Minuten\",\"GG7qDw\":\"Partnerlink teilen\",\"hL7sDJ\":\"Veranstalterseite teilen\",\"WHY75u\":\"Zusätzliche Optionen anzeigen\",\"cMW+gm\":[\"Alle Plattformen anzeigen (\",[\"0\"],\" weitere mit Werten)\"],\"UVPI5D\":\"Weniger Plattformen anzeigen\",\"Eu/N/d\":\"Marketing-Opt-in-Kontrollkästchen anzeigen\",\"SXzpzO\":\"Marketing-Opt-in-Kontrollkästchen standardmäßig anzeigen\",\"b33PL9\":\"Mehr Plattformen anzeigen\",\"v6IwHE\":\"Intelligentes Einchecken\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Soziales\",\"d0rUsW\":\"Social-Media-Links\",\"j/TOB3\":\"Social-Media-Links & Website\",\"2pxNFK\":\"verkauft\",\"s9KGXU\":\"Verkauft\",\"KTxc6k\":\"Etwas ist schiefgelaufen. Bitte versuchen Sie es erneut oder kontaktieren Sie den Support, falls das Problem weiterhin besteht.\",\"H6Gslz\":\"Entschuldigung für die Unannehmlichkeiten.\",\"7JFNej\":\"Sport\",\"JcQp9p\":\"Startdatum & -zeit\",\"0m/ekX\":\"Startdatum & -zeit\",\"izRfYP\":\"Startdatum ist erforderlich\",\"2R1+Rv\":\"Startzeit der Veranstaltung\",\"2NbyY/\":\"Statistiken\",\"DRykfS\":\"Bearbeitet weiterhin Erstattungen für Ihre älteren Transaktionen.\",\"wuV0bK\":\"Identitätswechsel beenden\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe-Einrichtung ist bereits abgeschlossen.\",\"ii0qn/\":\"Betreff ist erforderlich\",\"M7Uapz\":\"Betreff wird hier angezeigt\",\"6aXq+t\":\"Betreff:\",\"JwTmB6\":\"Produkt erfolgreich dupliziert\",\"RuaKfn\":\"Adresse erfolgreich aktualisiert\",\"kzx0uD\":\"Veranstaltungsstandards erfolgreich aktualisiert\",\"5n+Wwp\":\"Veranstalter erfolgreich aktualisiert\",\"0Dk/l8\":\"SEO-Einstellungen erfolgreich aktualisiert\",\"MhOoLQ\":\"Social-Media-Links erfolgreich aktualisiert\",\"kj7zYe\":\"Webhook erfolgreich aktualisiert\",\"dXoieq\":\"Zusammenfassung\",\"/RfJXt\":[\"Sommermusikfestival \",[\"0\"]],\"CWOPIK\":\"Sommer Musik Festival 2025\",\"5gIl+x\":\"Unterstützung für gestaffelte, spendenbasierte und Produktverkäufe mit anpassbaren Preisen und Kapazitäten\",\"JZTQI0\":\"Veranstalter wechseln\",\"XX32BM\":\"Dauert nur wenige Minuten\",\"yT6dQ8\":\"Erhobene Steuern gruppiert nach Steuerart und Veranstaltung\",\"Ye321X\":\"Steuername\",\"WyCBRt\":\"Steuerübersicht\",\"GkH0Pq\":\"Steuern & Gebühren angewendet\",\"SmvJCM\":\"Steuern, Gebühren, Verkaufszeitraum, Bestelllimits und Sichtbarkeitseinstellungen\",\"vlf/In\":\"Technologie\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Erzählen Sie den Leuten, was sie bei Ihrer Veranstaltung erwartet\",\"NiIUyb\":\"Erzählen Sie uns von Ihrer Veranstaltung\",\"DovcfC\":\"Erzählen Sie uns von Ihrer Organisation. Diese Informationen werden auf Ihren Veranstaltungsseiten angezeigt.\",\"7wtpH5\":\"Vorlage aktiv\",\"QHhZeE\":\"Vorlage erfolgreich erstellt\",\"xrWdPR\":\"Vorlage erfolgreich gelöscht\",\"G04Zjt\":\"Vorlage erfolgreich gespeichert\",\"xowcRf\":\"Nutzungsbedingungen\",\"6K0GjX\":\"Text könnte schwer lesbar sein\",\"nm3Iz/\":\"Danke für Ihre Teilnahme!\",\"lhAWqI\":\"Vielen Dank für Ihre Unterstützung, während wir Hi.Events weiter ausbauen und verbessern!\",\"KfmPRW\":\"Die Hintergrundfarbe der Seite. Bei Verwendung eines Titelbilds wird dies als Overlay angewendet.\",\"MDNyJz\":\"Der Code läuft in 10 Minuten ab. Überprüfen Sie Ihren Spam-Ordner, falls Sie die E-Mail nicht sehen.\",\"MJm4Tq\":\"Die Währung der Bestellung\",\"I/NNtI\":\"Der Veranstaltungsort\",\"tXadb0\":\"Die gesuchte Veranstaltung ist derzeit nicht verfügbar. Sie wurde möglicherweise entfernt, ist abgelaufen oder die URL ist falsch.\",\"EBzPwC\":\"Die vollständige Veranstaltungsadresse\",\"sxKqBm\":\"Der volle Bestellbetrag wird auf die ursprüngliche Zahlungsmethode des Kunden erstattet.\",\"5OmEal\":\"Die Sprache des Kunden\",\"sYLeDq\":\"Der gesuchte Veranstalter konnte nicht gefunden werden. Die Seite wurde möglicherweise verschoben oder gelöscht, oder die URL ist falsch.\",\"HxxXZO\":\"Die primäre Markenfarbe, die für Schaltflächen und Hervorhebungen verwendet wird\",\"DEcpfp\":\"Der Vorlagenkörper enthält ungültige Liquid-Syntax. Bitte korrigieren Sie sie und versuchen Sie es erneut.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Thema & Farben\",\"HirZe8\":\"Diese Vorlagen werden als Standards für alle Veranstaltungen in Ihrer Organisation verwendet. Einzelne Veranstaltungen können diese Vorlagen mit ihren eigenen benutzerdefinierten Versionen überschreiben.\",\"lzAaG5\":\"Diese Vorlagen überschreiben die Veranstalter-Standards nur für diese Veranstaltung. Wenn hier keine benutzerdefinierte Vorlage festgelegt ist, wird stattdessen die Veranstaltervorlage verwendet.\",\"XBNC3E\":\"Dieser Code wird zur Verfolgung von Verkäufen verwendet. Nur Buchstaben, Zahlen, Bindestriche und Unterstriche erlaubt.\",\"AaP0M+\":\"Diese Farbkombination könnte für einige Benutzer schwer lesbar sein\",\"YClrdK\":\"Diese Veranstaltung ist noch nicht veröffentlicht\",\"dFJnia\":\"Dies ist der Name Ihres Veranstalters, der Ihren Nutzern angezeigt wird.\",\"L7dIM7\":\"Dieser Link ist ungültig oder abgelaufen.\",\"j5FdeA\":\"Diese Bestellung wird verarbeitet.\",\"sjNPMw\":\"Diese Bestellung wurde abgebrochen. Sie können jederzeit eine neue Bestellung aufgeben.\",\"OhCesD\":\"Diese Bestellung wurde storniert. Sie können jederzeit eine neue Bestellung aufgeben.\",\"lyD7rQ\":\"Dieses Veranstalterprofil ist noch nicht veröffentlicht\",\"9b5956\":\"Diese Vorschau zeigt, wie Ihre E-Mail mit Beispieldaten aussehen wird. Tatsächliche E-Mails verwenden echte Werte.\",\"uM9Alj\":\"Dieses Produkt wird auf der Veranstaltungsseite hervorgehoben\",\"RqSKdX\":\"Dieses Produkt ist ausverkauft\",\"0Ew0uk\":\"Dieses Ticket wurde gerade gescannt. Bitte warten Sie, bevor Sie erneut scannen.\",\"kvpxIU\":\"Dies wird für Benachrichtigungen und die Kommunikation mit Ihren Nutzern verwendet.\",\"rhsath\":\"Dies ist für Kunden nicht sichtbar, hilft Ihnen aber, den Partner zu identifizieren.\",\"Mr5UUd\":\"Ticket storniert\",\"0GSPnc\":\"Ticketdesign\",\"EZC/Cu\":\"Ticketdesign erfolgreich gespeichert\",\"1BPctx\":\"Ticket für\",\"bgqf+K\":\"E-Mail des Ticketinhabers\",\"oR7zL3\":\"Name des Ticketinhabers\",\"HGuXjF\":\"Ticketinhaber\",\"awHmAT\":\"Ticket-ID\",\"6czJik\":\"Ticket-Logo\",\"OkRZ4Z\":\"Ticketname\",\"6tmWch\":\"Ticket oder Produkt\",\"1tfWrD\":\"Ticket-Vorschau für\",\"tGCY6d\":\"Ticketpreis\",\"8jLPgH\":\"Tickettyp\",\"X26cQf\":\"Ticket-URL\",\"zNECqg\":\"Tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets & Produkte\",\"EUnesn\":\"Tickets verfügbar\",\"AGRilS\":\"Verkaufte Tickets\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Um Kreditkartenzahlungen zu empfangen, musst du dein Stripe-Konto verbinden. Stripe ist unser Zahlungsabwicklungspartner, der sichere Transaktionen und pünktliche Auszahlungen gewährleistet.\",\"W428WC\":\"Spalten umschalten\",\"3sZ0xx\":\"Gesamtkonten\",\"EaAPbv\":\"Gezahlter Gesamtbetrag\",\"SMDzqJ\":\"Teilnehmer gesamt\",\"orBECM\":\"Insgesamt eingesammelt\",\"KSDwd5\":\"Gesamtbestellungen\",\"vb0Q0/\":\"Gesamtbenutzer\",\"/b6Z1R\":\"Verfolgen Sie Einnahmen, Seitenaufrufe und Verkäufe mit detaillierten Analysen und exportierbaren Berichten\",\"OpKMSn\":\"Transaktionsgebühr:\",\"uKOFO5\":\"Wahr bei Offline-Zahlung\",\"9GsDR2\":\"Wahr bei ausstehender Zahlung\",\"ouM5IM\":\"Andere E-Mail versuchen\",\"3DZvE7\":\"Hi.Events kostenlos testen\",\"Kz91g/\":\"Türkisch\",\"GdOhw6\":\"Ton ausschalten\",\"KUOhTy\":\"Ton einschalten\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Art des Tickets\",\"IrVSu+\":\"Produkt konnte nicht dupliziert werden. Bitte überprüfen Sie Ihre Angaben\",\"Vx2J6x\":\"Teilnehmer konnte nicht abgerufen werden\",\"b9SN9q\":\"Eindeutige Bestellreferenz\",\"Ef7StM\":\"Unbekannt\",\"ZBAScj\":\"Unbekannter Teilnehmer\",\"ZkS2p3\":\"Veranstaltung nicht mehr veröffentlichen\",\"Pp1sWX\":\"Partner aktualisieren\",\"KMMOAy\":\"Upgrade verfügbar\",\"gJQsLv\":\"Laden Sie ein Titelbild für Ihren Veranstalter hoch\",\"4kEGqW\":\"Laden Sie ein Logo für Ihren Veranstalter hoch\",\"lnCMdg\":\"Bild hochladen\",\"29w7p6\":\"Bild wird hochgeladen...\",\"HtrFfw\":\"URL ist erforderlich\",\"WBq1/R\":\"USB-Scanner bereits aktiv\",\"EV30TR\":\"USB-Scanner-Modus aktiviert. Beginnen Sie jetzt mit dem Scannen von Tickets.\",\"fovJi3\":\"USB-Scanner-Modus deaktiviert\",\"hli+ga\":\"USB/HID-Scanner\",\"OHJXlK\":\"Verwenden Sie <0>Liquid-Templating, um Ihre E-Mails zu personalisieren\",\"0k4cdb\":\"Verwenden Sie Bestelldetails für alle Teilnehmer. Teilnehmernamen und E-Mails entsprechen den Informationen des Käufers.\",\"rnoQsz\":\"Verwendet für Rahmen, Hervorhebungen und QR-Code-Styling\",\"Fild5r\":\"Gültige Umsatzsteuer-ID\",\"sqdl5s\":\"Umsatzsteuerinformationen\",\"UjNWsF\":\"Je nach Ihrem Umsatzsteuerregistrierungsstatus kann auf Plattformgebühren Umsatzsteuer erhoben werden. Bitte füllen Sie den Abschnitt mit den Umsatzsteuerinformationen unten aus.\",\"pnVh83\":\"Umsatzsteuer-ID\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"Validierung der Umsatzsteuer-ID fehlgeschlagen. Bitte überprüfen Sie Ihre Nummer und versuchen Sie es erneut.\",\"PCRCCN\":\"Umsatzsteuerregistrierungsinformationen\",\"vbKW6Z\":\"Umsatzsteuereinstellungen erfolgreich gespeichert und validiert\",\"fb96a1\":\"Umsatzsteuereinstellungen gespeichert, aber Validierung fehlgeschlagen. Bitte überprüfen Sie Ihre Umsatzsteuer-ID.\",\"Nfbg76\":\"Umsatzsteuereinstellungen erfolgreich gespeichert\",\"tJylUv\":\"Umsatzsteuerbehandlung für Plattformgebühren\",\"FlGprQ\":\"Umsatzsteuerbehandlung für Plattformgebühren: EU-umsatzsteuerregistrierte Unternehmen können die Umkehrung der Steuerschuldnerschaft nutzen (0% - Artikel 196 der MwSt-Richtlinie 2006/112/EG). Nicht umsatzsteuerregistrierte Unternehmen wird die irische Umsatzsteuer von 23% berechnet.\",\"AdWhjZ\":\"Bestätigungscode\",\"wCKkSr\":\"E-Mail verifizieren\",\"/IBv6X\":\"Bestätigen Sie Ihre E-Mail-Adresse\",\"e/cvV1\":\"Wird verifiziert...\",\"fROFIL\":\"Vietnamesisch\",\"+WFMis\":\"Berichte für alle Ihre Veranstaltungen anzeigen und herunterladen. Nur abgeschlossene Bestellungen sind enthalten.\",\"gj5YGm\":\"Sehen Sie sich Berichte zu Ihrer Veranstaltung an und laden Sie sie herunter. Bitte beachten Sie, dass nur abgeschlossene Bestellungen in diesen Berichten enthalten sind.\",\"c7VN/A\":\"Antworten anzeigen\",\"FCVmuU\":\"Veranstaltung ansehen\",\"n6EaWL\":\"Protokolle anzeigen\",\"OaKTzt\":\"Karte ansehen\",\"67OJ7t\":\"Bestellung anzeigen\",\"tKKZn0\":\"Bestelldetails anzeigen\",\"9jnAcN\":\"Veranstalter-Startseite anzeigen\",\"1J/AWD\":\"Ticket anzeigen\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Nur für Check-In-Personal sichtbar. Hilft, diese Liste beim Check-In zu identifizieren.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Warten auf Zahlung\",\"RRZDED\":\"Wir konnten keine Bestellungen finden, die mit dieser E-Mail-Adresse verknüpft sind.\",\"miysJh\":\"Wir konnten diese Bestellung nicht finden. Möglicherweise wurde sie entfernt.\",\"HJKdzP\":\"Beim Laden dieser Seite ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.\",\"IfN2Qo\":\"Wir empfehlen ein quadratisches Logo mit mindestens 200x200px\",\"wJzo/w\":\"Wir empfehlen Abmessungen von 400 × 400 Pixeln und eine maximale Dateigröße von 5 MB\",\"q1BizZ\":\"Wir senden Ihre Tickets an diese E-Mail\",\"zCdObC\":\"Wir haben unseren Hauptsitz offiziell nach Irland 🇮🇪 verlegt. Als Teil dieses Übergangs verwenden wir jetzt Stripe Irland anstelle von Stripe Kanada. Um Ihre Auszahlungen reibungslos am Laufen zu halten, müssen Sie Ihr Stripe-Konto erneut verbinden.\",\"jh2orE\":\"Wir haben unseren Hauptsitz nach Irland verlegt. Daher müssen Sie Ihr Stripe-Konto neu verbinden. Dieser schnelle Vorgang dauert nur wenige Minuten. Ihre Verkäufe und bestehenden Daten bleiben völlig unberührt.\",\"Fq/Nx7\":\"Wir haben einen 5-stelligen Bestätigungscode gesendet an:\",\"GdWB+V\":\"Webhook erfolgreich erstellt\",\"2X4ecw\":\"Webhook erfolgreich gelöscht\",\"CThMKa\":\"Webhook-Protokolle\",\"nuh/Wq\":\"Webhook-URL\",\"8BMPMe\":\"Webhook sendet keine Benachrichtigungen\",\"FSaY52\":\"Webhook sendet Benachrichtigungen\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Willkommen zurück 👋\",\"kSYpfa\":[\"Willkommen bei \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Willkommen bei \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Willkommen bei \",[\"0\"],\", hier ist eine Übersicht all Ihrer Veranstaltungen\"],\"FaSXqR\":\"Welche Art von Veranstaltung?\",\"f30uVZ\":\"Was Sie tun müssen:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Wenn ein Check-in gelöscht wird\",\"Gmd0hv\":\"Wenn ein neuer Teilnehmer erstellt wird\",\"Lc18qn\":\"Wenn eine neue Bestellung erstellt wird\",\"dfkQIO\":\"Wenn ein neues Produkt erstellt wird\",\"8OhzyY\":\"Wenn ein Produkt gelöscht wird\",\"tRXdQ9\":\"Wenn ein Produkt aktualisiert wird\",\"Q7CWxp\":\"Wenn ein Teilnehmer storniert wird\",\"IuUoyV\":\"Wenn ein Teilnehmer eingecheckt wird\",\"nBVOd7\":\"Wenn ein Teilnehmer aktualisiert wird\",\"ny2r8d\":\"Wenn eine Bestellung storniert wird\",\"c9RYbv\":\"Wenn eine Bestellung als bezahlt markiert wird\",\"ejMDw1\":\"Wenn eine Bestellung erstattet wird\",\"fVPt0F\":\"Wenn eine Bestellung aktualisiert wird\",\"bcYlvb\":\"Wann Check-In schließt\",\"XIG669\":\"Wann Check-In öffnet\",\"de6HLN\":\"Wenn Kunden Tickets kaufen, erscheinen deren Bestellungen hier.\",\"blXLKj\":\"Wenn aktiviert, zeigen neue Veranstaltungen beim Checkout ein Marketing-Opt-in-Kontrollkästchen an. Dies kann pro Veranstaltung überschrieben werden.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Schreiben Sie Ihre Nachricht hier...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Ja - Ich habe eine gültige EU-Umsatzsteuer-ID\",\"Tz5oXG\":\"Ja, Bestellung stornieren\",\"QlSZU0\":[\"Sie geben sich als <0>\",[\"0\"],\" (\",[\"1\"],\") aus\"],\"s14PLh\":[\"Sie geben eine Teilerstattung aus. Dem Kunden werden \",[\"0\"],\" \",[\"1\"],\" erstattet.\"],\"casL1O\":\"Sie haben Steuern und Gebühren zu einem kostenlosen Produkt hinzugefügt. Möchten Sie diese entfernen?\",\"FVTVBy\":\"Sie müssen Ihre E-Mail-Adresse bestätigen, bevor Sie den Veranstalterstatus aktualisieren können.\",\"FRl8Jv\":\"Sie müssen Ihre Konto-E-Mail-Adresse verifizieren, bevor Sie Nachrichten senden können.\",\"U3wiCB\":\"Sie sind startklar! Ihre Zahlungen werden reibungslos verarbeitet.\",\"MNFIxz\":[\"Sie gehen zu \",[\"0\"],\"!\"],\"x/xjzn\":\"Ihre Partner wurden erfolgreich exportiert.\",\"TF37u6\":\"Deine Teilnehmer wurden erfolgreich exportiert.\",\"79lXGw\":\"Ihre Check-In-Liste wurde erfolgreich erstellt. Teilen Sie den unten stehenden Link mit Ihrem Check-In-Personal.\",\"BnlG9U\":\"Ihre aktuelle Bestellung geht verloren.\",\"nBqgQb\":\"Ihre E-Mail\",\"R02pnV\":\"Ihr Event muss live sein, bevor Sie Tickets an Teilnehmer verkaufen können.\",\"ifRqmm\":\"Ihre Nachricht wurde erfolgreich gesendet!\",\"/Rj5P4\":\"Ihr Name\",\"naQW82\":\"Ihre Bestellung wurde storniert.\",\"bhlHm/\":\"Ihre Bestellung wartet auf Zahlung\",\"XeNum6\":\"Deine Bestellungen wurden erfolgreich exportiert.\",\"Xd1R1a\":\"Adresse Ihres Veranstalters\",\"WWYHKD\":\"Ihre Zahlung ist mit Verschlüsselung auf Bankniveau geschützt\",\"6heFYY\":\"Ihr Stripe-Konto ist verbunden und verarbeitet Zahlungen.\",\"vvO1I2\":\"Ihr Stripe-Konto ist verbunden und bereit zur Zahlungsabwicklung.\",\"CnZ3Ou\":\"Ihre Tickets wurden bestätigt.\",\"d/CiU9\":\"Ihre Umsatzsteuer-ID wird beim Speichern automatisch validiert\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/de.po b/frontend/src/locales/de.po index 71dd0e97c7..954d85302c 100644 --- a/frontend/src/locales/de.po +++ b/frontend/src/locales/de.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -62,7 +62,7 @@ msgstr "{0} erfolgreich erstellt" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "{0} übrig" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Steuern/Gebühren" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -259,15 +259,15 @@ msgstr "Eine Standardsteuer wie Mehrwertsteuer oder GST" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Abgebrochen" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "Über" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "Über Stripe Connect" @@ -288,8 +288,8 @@ msgstr "Akzeptieren Sie Kreditkartenzahlungen über Stripe" msgid "Accept Invitation" msgstr "Einladung annehmen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Zugriff verweigert" @@ -298,7 +298,7 @@ msgstr "Zugriff verweigert" msgid "Account" msgstr "Konto" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Konto bereits verbunden!" @@ -321,10 +321,14 @@ msgstr "Konto erfolgreich aktualisiert" msgid "Accounts" msgstr "Konten" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Handlung erforderlich: Verbinden Sie Ihr Stripe-Konto erneut" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Handlung erforderlich: Umsatzsteuerinformationen benötigt" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "Ebene hinzufügen" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Zum Kalender hinzufügen" @@ -549,7 +553,7 @@ msgstr "Alle Teilnehmer dieser Veranstaltung" msgid "All Currencies" msgstr "Alle Währungen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "Fertig! Sie verwenden jetzt unser verbessertes Zahlungssystem." @@ -579,8 +583,8 @@ msgstr "Suchmaschinenindizierung zulassen" msgid "Allow search engines to index this event" msgstr "Suchmaschinen erlauben, dieses Ereignis zu indizieren" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Fast geschafft! Schließen Sie die Verbindung Ihres Stripe-Kontos ab, um Zahlungen zu akzeptieren." @@ -602,7 +606,7 @@ msgstr "Diese Bestellung auch erstatten" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Immer verfügbar" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "Beim Sortieren der Fragen ist ein Fehler aufgetreten. Bitte versuchen Si #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Eine optionale Nachricht, die beim hervorgehobenen Produkt angezeigt wird, z.B. \"Verkauft sich schnell 🔥\" oder \"Bester Wert\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -727,7 +731,7 @@ msgstr "Sind Sie sicher, dass Sie diese Vorlage löschen möchten? Diese Aktion msgid "Are you sure you want to delete this webhook?" msgstr "Bist du sicher, dass du diesen Webhook löschen möchtest?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Möchten Sie wirklich gehen?" @@ -777,10 +781,23 @@ msgstr "Sind Sie sicher, dass Sie diese Kapazitätszuweisung löschen möchten?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Möchten Sie diese Eincheckliste wirklich löschen?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "Sind Sie in der EU umsatzsteuerregistriert?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Kunst" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Da Ihr Unternehmen in Irland ansässig ist, wird automatisch die irische Umsatzsteuer von 23% auf alle Plattformgebühren angewendet." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Da Ihr Unternehmen in der EU ansässig ist, müssen wir die korrekte Umsatzsteuerbehandlung für unsere Plattformgebühren bestimmen:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Einmal pro Bestellung anfragen" @@ -819,7 +836,7 @@ msgstr "Teilnehmerdetails" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "Teilnehmerdetails werden aus den Bestellinformationen übernommen." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -827,11 +844,11 @@ msgstr "Teilnehmer-E-Mail" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Erfassung von Teilnehmerinformationen" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "Die Erfassung von Teilnehmerinformationen ist auf \"Pro Bestellung\" eingestellt. Teilnehmerdetails werden aus den Bestellinformationen übernommen." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -906,7 +923,7 @@ msgstr "Automatisierte Einlassverwaltung mit mehreren Check-in-Listen und Echtze #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Wird automatisch basierend auf der Hintergrundfarbe erkannt, kann aber überschrieben werden" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1029,7 +1046,7 @@ msgstr "Schaltflächentext" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "Durch Fortfahren stimmen Sie den <0>{0} Nutzungsbedingungen zu" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1108,7 +1125,7 @@ msgstr "Check-in nicht möglich" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "Einchecken nicht möglich (Storniert)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1387,7 +1404,7 @@ msgstr "Dieses Produkt einklappen, wenn die Veranstaltungsseite initial geladen #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "Erfassen Sie Teilnehmerdetails für jedes gekaufte Ticket." #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "Farbe" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "Farbmodus" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,7 +1425,7 @@ msgstr "Farben" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "Spalten" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1437,7 +1454,7 @@ msgstr "Jetzt bezahlen" msgid "Complete Stripe Setup" msgstr "Stripe-Einrichtung abschließen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Schließen Sie die folgende Einrichtung ab, um fortzufahren" @@ -1530,11 +1547,11 @@ msgstr "E-Mail-Adresse wird bestätigt …" msgid "Congratulations on creating an event!" msgstr "Herzlichen Glückwunsch zur Erstellung eines Events!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Verbinden & Upgraden" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Verbindungsdokumentation" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Verbinden Sie sich mit dem CRM und automatisieren Sie Aufgaben mit Webhooks und Integrationen" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Mit Stripe verbinden" @@ -1571,15 +1588,15 @@ msgstr "Mit Stripe verbinden" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Verbinden Sie Ihr Stripe-Konto, um Zahlungen für Tickets und Produkte zu akzeptieren." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu akzeptieren." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Verbinden Sie Ihr Stripe-Konto, um Zahlungen für Ihre Veranstaltungen zu akzeptieren." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu akzeptieren." @@ -1587,8 +1604,8 @@ msgstr "Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu akzeptieren." msgid "Connect your Stripe account to start receiving payments." msgstr "Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Mit Stripe verbunden" @@ -1596,7 +1613,7 @@ msgstr "Mit Stripe verbunden" msgid "Connection Details" msgstr "Verbindungsdetails" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Kontakt" @@ -1926,13 +1943,13 @@ msgstr "Währung" msgid "Current Password" msgstr "Aktuelles Passwort" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Aktueller Zahlungsdienstleister" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "Derzeit zum Kauf verfügbar" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2057,7 +2074,7 @@ msgstr "Gefahrenzone" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "Dunkel" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2091,7 +2108,7 @@ msgstr "Kapazität am ersten Tag" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "Standard-Erfassung von Teilnehmerinformationen" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2205,7 +2222,7 @@ msgstr "Zeigen Sie ein Kontrollkästchen an, mit dem Kunden dem Erhalt von Marke msgid "Document Label" msgstr "Dokumentenbeschriftung" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Dokumentation" @@ -2219,7 +2236,7 @@ msgstr "Sie haben kein Konto? <0>Registrieren" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "Spende" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2273,7 +2290,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "Duplizieren" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2608,6 +2625,10 @@ msgstr "Geben Sie Ihre E-Mail-Adresse ein" msgid "Enter your name" msgstr "Geben Sie Ihren Namen ein" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "Fehler beim Bestätigen der E-Mail-Änderung" msgid "Error loading logs" msgstr "Fehler beim Laden der Protokolle" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "EU-umsatzsteuerregistrierte Unternehmen: Umkehrung der Steuerschuldnerschaft gilt (0% - Artikel 196 der MwSt-Richtlinie 2006/112/EG)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2808,7 +2834,7 @@ msgstr "Veranstaltungsleistung" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "Veranstaltungen, die in den nächsten 24 Stunden beginnen" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2934,6 +2960,10 @@ msgstr "Bestätigungscode konnte nicht erneut gesendet werden" msgid "Failed to save template" msgstr "Vorlage konnte nicht gespeichert werden" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Fehler beim Speichern der Umsatzsteuereinstellungen. Bitte versuchen Sie es erneut." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Nachricht konnte nicht gesendet werden. Bitte versuchen Sie es erneut." @@ -2993,7 +3023,7 @@ msgstr "Gebühr" msgid "Fees" msgstr "Gebühren" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "Gebühren können sich ändern. Du wirst über Änderungen deiner Gebührenstruktur benachrichtigt." @@ -3023,12 +3053,12 @@ msgstr "Filter" msgid "Filters ({activeFilterCount})" msgstr "Filter ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Einrichtung abschließen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Stripe-Einrichtung abschließen" @@ -3080,7 +3110,7 @@ msgstr "Fest" msgid "Fixed amount" msgstr "Fester Betrag" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Feste Gebühr:" @@ -3164,7 +3194,7 @@ msgstr "Code generieren" msgid "German" msgstr "Deutsch" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Wegbeschreibung" @@ -3172,9 +3202,9 @@ msgstr "Wegbeschreibung" msgid "Get started for free, no subscription fees" msgstr "Starten Sie kostenlos, keine Abonnementgebühren" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "Tickets erhalten" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3203,7 +3233,7 @@ msgstr "Zur Startseite gehen" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "Gute Lesbarkeit" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3256,7 +3286,7 @@ msgstr "Hier ist die React-Komponente, die Sie verwenden können, um das Widget msgid "Here is your affiliate link" msgstr "Hier ist Ihr Partnerlink" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Das können Sie erwarten:" @@ -3267,7 +3297,7 @@ msgstr "Hallo {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "Verborgen" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3293,7 +3323,7 @@ msgstr "Verstecken" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "Zusätzliche Optionen ausblenden" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3357,7 +3387,7 @@ msgstr "Dieses Produkt hervorheben" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "Hervorgehoben" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3440,6 +3470,10 @@ msgstr "Wenn aktiviert, kann das Check-in-Personal Teilnehmer entweder als einge msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Wenn aktiviert, erhält der Veranstalter eine E-Mail-Benachrichtigung, wenn eine neue Bestellung aufgegeben wird" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Falls registriert, geben Sie Ihre Umsatzsteuer-ID zur Validierung an" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Sollten Sie diese Änderung nicht veranlasst haben, ändern Sie bitte umgehend Ihr Passwort." @@ -3493,11 +3527,11 @@ msgstr "Wichtig: Stripe-Neuverbindung erforderlich" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "In {diffHours} Stunden" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "In {diffMinutes} Minuten" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3532,6 +3566,10 @@ msgstr "Beinhaltet {0} Produkte" msgid "Includes 1 product" msgstr "Beinhaltet 1 Produkt" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Geben Sie an, ob Sie in der EU umsatzsteuerregistriert sind" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Einzelne Teilnehmer" @@ -3570,6 +3608,10 @@ msgstr "Ungültiges E-Mail-Format" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Ungültige Liquid-Syntax. Bitte korrigieren Sie sie und versuchen Sie es erneut." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Einladung erneut verschickt!" @@ -3600,7 +3642,7 @@ msgstr "Laden Sie Ihr Team ein" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "Rechnung" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3619,6 +3661,10 @@ msgstr "Rechnungsnummerierung" msgid "Invoice Settings" msgstr "Rechnungseinstellungen" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "Auf Plattformgebühren wird die irische Umsatzsteuer von 23% angewendet (inländische Lieferung)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Italienisch" @@ -3629,11 +3675,11 @@ msgstr "Artikel" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "Artikel" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "Artikel" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3643,11 +3689,11 @@ msgstr "John" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Von überall teilnehmen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Klicken Sie einfach auf die Schaltfläche unten, um Ihr Stripe-Konto erneut zu verbinden." @@ -3657,7 +3703,7 @@ msgstr "Suchen Sie nur nach Ihren Tickets?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "Halte mich über Neuigkeiten und Veranstaltungen von {0} auf dem Laufenden" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3751,7 +3797,7 @@ msgstr "Leer lassen, um das Standardwort \"Rechnung\" zu verwenden" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "Hell" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "Wird geladen..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "Tickets verwalten" msgid "Manage your account details and default settings" msgstr "Verwalten Sie Ihre Kontodetails und Standardeinstellungen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Verwalten Sie Ihre Zahlungsabwicklung und sehen Sie die Plattformgebühren ein" @@ -4107,6 +4153,10 @@ msgstr "Neues Kennwort" msgid "Nightlife" msgstr "Nachtleben" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "Nein - Ich bin eine Privatperson oder ein nicht umsatzsteuerregistriertes Unternehmen" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "Keine Konten" @@ -4173,7 +4223,7 @@ msgstr "Kein Rabatt" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "Kein Enddatum" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4185,7 +4235,7 @@ msgstr "Keine Events gefunden" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "Keine Veranstaltungen, die in den nächsten 24 Stunden beginnen" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4199,13 +4249,13 @@ msgstr "Noch keine Veranstaltungen" msgid "No filters available" msgstr "Keine Filter verfügbar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Keine Auswirkungen auf Ihre aktuellen oder vergangenen Transaktionen" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "Keine Rechnung" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4311,10 +4361,15 @@ msgstr "Für diesen Endpunkt wurden noch keine Webhook-Ereignisse aufgezeichnet. msgid "No Webhooks" msgstr "Keine Webhooks" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "Nein, hier bleiben" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Nicht umsatzsteuerregistrierte Unternehmen oder Privatpersonen: Irische Umsatzsteuer von 23% gilt" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,9 +4462,9 @@ msgstr "Im Angebot" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "Im Angebot {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Sobald Sie das Upgrade abgeschlossen haben, wird Ihr altes Konto nur noch für Erstattungen verwendet." @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "Online-Veranstaltung" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Online-Veranstaltung" @@ -4462,7 +4517,7 @@ msgstr "Nur an Bestellungen mit diesen Status senden" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "Nur mit Promo-Code sichtbar" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4473,9 +4528,9 @@ msgstr "Check-In-Seite öffnen" msgid "Open sidebar" msgstr "Seitenleiste öffnen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Stripe-Dashboard öffnen" @@ -4523,7 +4578,7 @@ msgstr "Befehl" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "Bestellung & Ticket" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4594,7 +4649,7 @@ msgstr "Nachname der Bestellung" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "Bestelllimits" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4723,7 +4778,7 @@ msgstr "Organisationsname" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4850,7 +4905,7 @@ msgstr "Teilweise erstattet" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "Teilweise erstattet: {0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4911,7 +4966,7 @@ msgstr "Bezahlen" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "Zahlen zum Freischalten" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4952,9 +5007,9 @@ msgstr "Zahlungsmethode" msgid "Payment Methods" msgstr "Zahlungsmethoden" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Zahlungsabwicklung" @@ -4970,7 +5025,7 @@ msgstr "Zahlung erhalten" msgid "Payment Received" msgstr "Zahlung erhalten" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Zahlungseinstellungen" @@ -4990,19 +5045,19 @@ msgstr "Zahlungsbedingungen" msgid "Payments not available" msgstr "Zahlungen nicht verfügbar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Zahlungen fließen weiterhin ohne Unterbrechung" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "Pro Bestellung" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "Pro Ticket" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5033,7 +5088,7 @@ msgstr "Platzieren Sie dies im Ihrer Website." msgid "Planning an event?" msgstr "Eine Veranstaltung planen?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Plattformgebühren" @@ -5090,6 +5145,10 @@ msgstr "Bitte geben Sie den 5-stelligen Code ein" msgid "Please enter your new password" msgstr "Bitte geben Sie Ihr neues Passwort ein" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Bitte geben Sie Ihre Umsatzsteuer-ID ein" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Bitte beachten Sie" @@ -5112,7 +5171,7 @@ msgstr "Bitte auswählen" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "Bitte wählen Sie einen Datumsbereich aus" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5205,7 +5264,7 @@ msgstr "Preis des Tickets" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "Preisstufen" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5229,7 +5288,7 @@ msgstr "Druckvorschau" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "Ticket drucken" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5240,7 +5299,7 @@ msgstr "Tickets drucken" msgid "Print to PDF" msgstr "Als PDF drucken" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Datenschutzerklärung" @@ -5386,7 +5445,7 @@ msgstr "Bericht zu Aktionscodes" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "Nur mit Promo-Code" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5404,7 +5463,7 @@ msgstr "Veranstaltung veröffentlichen" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Gekauft" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5458,7 +5517,7 @@ msgstr "Rate" msgid "Read less" msgstr "Lese weniger" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Bereit für das Upgrade? Das dauert nur wenige Minuten." @@ -5480,10 +5539,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Weiterleitung zu Stripe..." @@ -5497,7 +5556,7 @@ msgstr "Erstattungsbetrag" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "Erstattung fehlgeschlagen" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5513,7 +5572,7 @@ msgstr "Bestellung {0} erstatten" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "Erstattung ausstehend" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5533,7 +5592,7 @@ msgstr "Rückerstattung" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "Erstattet: {0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5614,7 +5673,7 @@ msgstr "Erneut senden..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "Reserviert" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5646,7 +5705,7 @@ msgstr "Veranstaltung wiederherstellen" msgid "Return to Event" msgstr "Zurück zum Event" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Zur Veranstaltungsseite zurückkehren" @@ -5677,16 +5736,16 @@ msgstr "Verkaufsende" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "Verkauf endete {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "Verkauf endet {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "Verkaufszeitraum" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5695,7 +5754,7 @@ msgstr "Verkaufsstartdatum" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "Verkauf beginnt {0}" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5703,7 +5762,7 @@ msgstr "Verkäufe" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "Verkauf pausiert" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5775,6 +5834,10 @@ msgstr "Vorlage speichern" msgid "Save Ticket Design" msgstr "Ticketdesign speichern" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "Umsatzsteuereinstellungen speichern" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5782,7 +5845,7 @@ msgstr "Scannen" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "Geplant" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5851,7 +5914,7 @@ msgstr "Sekundäre Textfarbe" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "Sichere Kasse" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6056,7 +6119,7 @@ msgstr "Legen Sie einen Mindestpreis fest und lassen Sie die Nutzer mehr zahlen, #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "Legen Sie Standardeinstellungen für neue Veranstaltungen fest, die unter diesem Veranstalter erstellt werden." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6092,7 +6155,7 @@ msgid "Setup in Minutes" msgstr "Einrichtung in Minuten" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6117,7 +6180,7 @@ msgstr "Veranstalterseite teilen" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "Zusätzliche Optionen anzeigen" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6211,7 +6274,7 @@ msgstr "verkauft" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "Verkauft" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6219,7 +6282,7 @@ msgid "Sold out" msgstr "Ausverkauft" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Ausverkauft" @@ -6327,7 +6390,7 @@ msgstr "Statistiken" msgid "Status" msgstr "Status" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Bearbeitet weiterhin Erstattungen für Ihre älteren Transaktionen." @@ -6340,7 +6403,7 @@ msgstr "Identitätswechsel beenden" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6443,7 +6506,7 @@ msgstr "Ereignis erfolgreich aktualisiert" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "Veranstaltungsstandards erfolgreich aktualisiert" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6537,7 +6600,7 @@ msgstr "Veranstalter wechseln" msgid "T-shirt" msgstr "T-Shirt" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Dauert nur wenige Minuten" @@ -6590,7 +6653,7 @@ msgstr "Steuern" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "Steuern & Gebühren angewendet" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6600,7 +6663,7 @@ msgstr "Steuern und Gebühren" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "Steuern, Gebühren, Verkaufszeitraum, Bestelllimits und Sichtbarkeitseinstellungen" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6638,20 +6701,20 @@ msgstr "Vorlage erfolgreich gelöscht" msgid "Template saved successfully" msgstr "Vorlage erfolgreich gespeichert" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Nutzungsbedingungen" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "Text könnte schwer lesbar sein" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "Danke für Ihre Teilnahme!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Vielen Dank für Ihre Unterstützung, während wir Hi.Events weiter ausbauen und verbessern!" @@ -6662,7 +6725,7 @@ msgstr "Dieser Aktionscode ist ungültig" #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "Die Hintergrundfarbe der Seite. Bei Verwendung eines Titelbilds wird dies als Overlay angewendet." #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6740,7 +6803,7 @@ msgstr "Der dem Kunden angezeigte Preis enthält keine Steuern und Gebühren. Di #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "Die primäre Markenfarbe, die für Schaltflächen und Hervorhebungen verwendet wird" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6843,7 +6906,7 @@ msgstr "Dieser Code wird zur Verfolgung von Verkäufen verwendet. Nur Buchstaben #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "Diese Farbkombination könnte für einige Benutzer schwer lesbar sein" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6911,7 +6974,7 @@ msgstr "Diese Bestellseite ist nicht mehr verfügbar." #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "Diese Bestellung wurde abgebrochen. Sie können jederzeit eine neue Bestellung aufgeben." #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6939,11 +7002,11 @@ msgstr "Dieses Produkt ist ein Ticket. Käufer erhalten nach dem Kauf ein Ticket #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "Dieses Produkt wird auf der Veranstaltungsseite hervorgehoben" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "Dieses Produkt ist ausverkauft" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6986,7 +7049,7 @@ msgstr "Fahrkarte" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "Ticket storniert" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7052,19 +7115,19 @@ msgstr "Ticket-URL" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "Tickets" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "Tickets" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "Tickets & Produkte" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Tickets verfügbar" @@ -7118,13 +7181,13 @@ msgstr "Zeitzone" msgid "TIP" msgstr "TIPP" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Um Kreditkartenzahlungen zu empfangen, musst du dein Stripe-Konto verbinden. Stripe ist unser Zahlungsabwicklungspartner, der sichere Transaktionen und pünktliche Auszahlungen gewährleistet." #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "Spalten umschalten" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7200,7 +7263,7 @@ msgstr "Gesamtbenutzer" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Verfolgen Sie Einnahmen, Seitenaufrufe und Verkäufe mit detaillierten Analysen und exportierbaren Berichten" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Transaktionsgebühr:" @@ -7355,7 +7418,7 @@ msgstr "Aktualisieren Sie den Namen, die Beschreibung und die Daten der Veransta msgid "Update profile" msgstr "Profil aktualisieren" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Upgrade verfügbar" @@ -7429,7 +7492,7 @@ msgstr "Titelbild verwenden" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:48 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:38 msgid "Use order details for all attendees. Attendee names and emails will match the buyer's information." -msgstr "" +msgstr "Verwenden Sie Bestelldetails für alle Teilnehmer. Teilnehmernamen und E-Mails entsprechen den Informationen des Käufers." #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" @@ -7464,10 +7527,63 @@ msgstr "Benutzer können ihre E-Mail in den <0>Profileinstellungen ändern." msgid "UTC" msgstr "koordinierte Weltzeit" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "Gültige Umsatzsteuer-ID" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "Umsatzsteuer" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "Umsatzsteuerinformationen" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "Je nach Ihrem Umsatzsteuerregistrierungsstatus kann auf Plattformgebühren Umsatzsteuer erhoben werden. Bitte füllen Sie den Abschnitt mit den Umsatzsteuerinformationen unten aus." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "Umsatzsteuer-ID" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "Validierung der Umsatzsteuer-ID fehlgeschlagen. Bitte überprüfen Sie Ihre Nummer und versuchen Sie es erneut." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "Umsatzsteuerregistrierungsinformationen" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "Umsatzsteuereinstellungen erfolgreich gespeichert und validiert" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "Umsatzsteuereinstellungen gespeichert, aber Validierung fehlgeschlagen. Bitte überprüfen Sie Ihre Umsatzsteuer-ID." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "Umsatzsteuereinstellungen erfolgreich gespeichert" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "Umsatzsteuerbehandlung für Plattformgebühren" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "Umsatzsteuerbehandlung für Plattformgebühren: EU-umsatzsteuerregistrierte Unternehmen können die Umkehrung der Steuerschuldnerschaft nutzen (0% - Artikel 196 der MwSt-Richtlinie 2006/112/EG). Nicht umsatzsteuerregistrierte Unternehmen wird die irische Umsatzsteuer von 23% berechnet." + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "Veranstaltungsort Namen" @@ -7535,12 +7651,12 @@ msgstr "Protokolle anzeigen" msgid "View map" msgstr "Ansichts Karte" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "Karte ansehen" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "Auf Google Maps anzeigen" @@ -7652,7 +7768,7 @@ msgstr "Wir senden Ihre Tickets an diese E-Mail" msgid "We're processing your order. Please wait..." msgstr "Wir bearbeiten Ihre Bestellung. Bitte warten..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "Wir haben unseren Hauptsitz offiziell nach Irland 🇮🇪 verlegt. Als Teil dieses Übergangs verwenden wir jetzt Stripe Irland anstelle von Stripe Kanada. Um Ihre Auszahlungen reibungslos am Laufen zu halten, müssen Sie Ihr Stripe-Konto erneut verbinden." @@ -7758,6 +7874,10 @@ msgstr "Welche Art von Veranstaltung?" msgid "What type of question is this?" msgstr "Um welche Art von Frage handelt es sich?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "Was Sie tun müssen:" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7901,7 +8021,11 @@ msgstr "X (Twitter)" msgid "Year to date" msgstr "Seit Jahresbeginn" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "Ja - Ich habe eine gültige EU-Umsatzsteuer-ID" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "Ja, Bestellung stornieren" @@ -8035,7 +8159,7 @@ msgstr "Sie benötigen ein Produkt, bevor Sie eine Kapazitätszuweisung erstelle msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "Sie benötigen mindestens ein Produkt, um loszulegen. Kostenlos, bezahlt oder lassen Sie den Benutzer entscheiden, was er zahlen möchte." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "Sie sind startklar! Ihre Zahlungen werden reibungslos verarbeitet." @@ -8067,7 +8191,7 @@ msgstr "Eure tolle Website 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "Ihre Check-In-Liste wurde erfolgreich erstellt. Teilen Sie den unten stehenden Link mit Ihrem Check-In-Personal." -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "Ihre aktuelle Bestellung geht verloren." @@ -8139,7 +8263,7 @@ msgstr "Ihre Zahlung wird verarbeitet." #: src/components/common/InlineOrderSummary/index.tsx:170 msgid "Your payment is protected with bank-level encryption" -msgstr "" +msgstr "Ihre Zahlung ist mit Verschlüsselung auf Bankniveau geschützt" #: src/components/forms/StripeCheckoutForm/index.tsx:66 msgid "Your payment was not successful, please try again." @@ -8153,12 +8277,12 @@ msgstr "Ihre Zahlung war nicht erfolgreich. Bitte versuchen Sie es erneut." msgid "Your refund is processing." msgstr "Ihre Rückerstattung wird bearbeitet." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "Ihr Stripe-Konto ist verbunden und verarbeitet Zahlungen." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "Ihr Stripe-Konto ist verbunden und bereit zur Zahlungsabwicklung." @@ -8170,6 +8294,10 @@ msgstr "Ihr Ticket für" msgid "Your tickets have been confirmed." msgstr "Ihre Tickets wurden bestätigt." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "Ihre Umsatzsteuer-ID wird beim Speichern automatisch validiert" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/en.js b/frontend/src/locales/en.js index 18fe96c307..26a61b3c67 100644 --- a/frontend/src/locales/en.js +++ b/frontend/src/locales/en.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'There\\\\'s nothing to show yet'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in successfully\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out successfully\"],\"KMgp2+\":[[\"0\"],\" available\"],\"Pmr5xp\":[[\"0\"],\" created successfully\"],\"FImCSc\":[[\"0\"],\" updated successfully\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" checked in\"],\"Vjij1k\":[[\"days\"],\" days, \",[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"f3RdEk\":[[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"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.\",\"ZjMs6e\":\"<0>The number of products available for this product<1>This value can be overridden if there are <2>Capacity Limits associated with this product.\",\"E15xs8\":\"⚡️ Set up your event\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Customize your event page\",\"3VPPdS\":\"💳 Connect with Stripe\",\"cjdktw\":\"🚀 Set your event live\",\"rmelwV\":\"0 minutes and 0 seconds\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"A default \",[\"type\"],\" is automaticaly applied to all new products. You can override this on a per product basis.\"],\"SMUbbQ\":\"A Dropdown input allows only one selection\",\"qv4bfj\":\"A fee, like a booking fee or a service fee\",\"POT0K/\":\"A fixed amount per product. E.g, $0.50 per product\",\"f4vJgj\":\"A multi line text input\",\"OIPtI5\":\"A percentage of the product price. E.g., 3.5% of the product price\",\"ZthcdI\":\"A promo code with no discount can be used to reveal hidden products.\",\"AG/qmQ\":\"A Radio option has multiple options but only one can be selected.\",\"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\",\"BHZbFy\":\"A single question per order. E.g, What is your shipping address?\",\"Fuh+dI\":\"A single question per product. E.g, What is your t-shirt size?\",\"RlJmQg\":\"A standard tax, like VAT or GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accept bank transfers, checks, or other offline payment methods\",\"hrvLf4\":\"Accept credit card payments with Stripe\",\"bfXQ+N\":\"Accept Invitation\",\"AeXO77\":\"Account\",\"lkNdiH\":\"Account Name\",\"Puv7+X\":\"Account Settings\",\"OmylXO\":\"Account updated successfully\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activate\",\"5T2HxQ\":\"Activation date\",\"F6pfE9\":\"Active\",\"/PN1DA\":\"Add a description for this check-in list\",\"0/vPdA\":\"Add any notes about the attendee. These will not be visible to the attendee.\",\"Or1CPR\":\"Add any notes about the attendee...\",\"l3sZO1\":\"Add any notes about the order. These will not be visible to the customer.\",\"xMekgu\":\"Add any notes about the order...\",\"PGPGsL\":\"Add description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Add instructions for offline payments (e.g., bank transfer details, where to send checks, payment deadlines)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Add New\",\"TZxnm8\":\"Add Option\",\"24l4x6\":\"Add Product\",\"8q0EdE\":\"Add Product to Category\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Add question\",\"yWiPh+\":\"Add Tax or Fee\",\"goOKRY\":\"Add tier\",\"oZW/gT\":\"Add to Calendar\",\"pn5qSs\":\"Additional Information\",\"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.\",\"W7AfhC\":\"All attendees of this event\",\"cde2hc\":\"All Products\",\"5CQ+r0\":\"Allow attendees associated with unpaid orders to check in\",\"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..\",\"ApOYO8\":\"Amazing, Event, Keywords...\",\"hehnjM\":\"Amount\",\"R2O9Rg\":[\"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\",\"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.\",\"ubdMGz\":\"Any queries from product 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\",\"sy6fss\":[\"Applies to \",[\"0\"],\" products\"],\"kadJKg\":\"Applies to 1 product\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Apply Promo Code\",\"ARBThj\":[\"Apply this \",[\"type\"],\" to all new products\"],\"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?\",\"LBLOqH\":\"Ask once per order\",\"wu98dY\":\"Ask once per product\",\"ss9PbX\":\"Attendee\",\"m0CFV2\":\"Attendee Details\",\"QKim6l\":\"Attendee not found\",\"R5IT/I\":\"Attendee Notes\",\"lXcSD2\":\"Attendee questions\",\"HT/08n\":\"Attendee Ticket\",\"9SZT4E\":\"Attendees\",\"iPBfZP\":\"Attendees Registered\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Auto Resize\",\"vZ5qKF\":\"Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container.\",\"4lVaWA\":\"Awaiting offline payment\",\"2rHwhl\":\"Awaiting Offline Payment\",\"3wF4Q/\":\"Awaiting payment\",\"ioG+xt\":\"Awaiting Payment\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Back to event page\",\"VCoEm+\":\"Back to login\",\"k1bLf+\":\"Background Color\",\"I7xjqg\":\"Background Type\",\"1mwMl+\":\"Before you send!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Billing Address\",\"/xC/im\":\"Billing Settings\",\"rp/zaT\":\"Brazilian Portuguese\",\"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.\",\"dEgA5A\":\"Cancel\",\"Gjt/py\":\"Cancel email change\",\"tVJk4q\":\"Cancel order\",\"Os6n2a\":\"Cancel Order\",\"Mz7Ygx\":[\"Cancel Order \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelled\",\"U7nGvl\":\"Cannot Check In\",\"QyjCeq\":\"Capacity\",\"V6Q5RZ\":\"Capacity Assignment created successfully\",\"k5p8dz\":\"Capacity Assignment deleted successfully\",\"nDBs04\":\"Capacity Management\",\"ddha3c\":\"Categories allow you to group products together. For example, you might have a category for \\\"Tickets\\\" and another for \\\"Merchandise\\\".\",\"iS0wAT\":\"Categories help you organize your products. This title will be displayed on the public event page.\",\"eorM7z\":\"Categories reordered successfully.\",\"3EXqwa\":\"Category Created Successfully\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Change password\",\"xMDm+I\":\"Check In\",\"p2WLr3\":[\"Check in \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Check in and mark order as paid\",\"QYLpB4\":\"Check in only\",\"/Ta1d4\":\"Check Out\",\"5LDT6f\":\"Check out this event!\",\"gXcPxc\":\"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\",\"znIg+z\":\"Checkout\",\"1WnhCL\":\"Checkout Settings\",\"6imsQS\":\"Chinese (Simplified)\",\"JjkX4+\":\"Choose a color for your background\",\"/Jizh9\":\"Choose an account\",\"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\",\"oqr9HB\":\"Collapse this product when the event page is initially loaded\",\"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\",\"6HK5Ct\":\"Completed orders\",\"NWVRtl\":\"Completed Orders\",\"DwF9eH\":\"Component Code\",\"Tf55h7\":\"Configured Discount\",\"7VpPHA\":\"Confirm\",\"ZaEJZM\":\"Confirm Email Change\",\"yjkELF\":\"Confirm New Password\",\"xnWESi\":\"Confirm password\",\"p2/GCq\":\"Confirm Password\",\"wnDgGj\":\"Confirming email address...\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connect with Stripe\",\"QKLP1W\":\"Connect your Stripe account to start receiving payments.\",\"5lcVkL\":\"Connection Details\",\"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\",\"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\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Create \",[\"0\"]],\"k9RiLi\":\"Create a Product\",\"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\",\"EwoMtl\":\"Create category\",\"XletzW\":\"Create Category\",\"WVbTwK\":\"Create Check-In List\",\"uN355O\":\"Create Event\",\"BOqY23\":\"Create new\",\"kpJAeS\":\"Create Organizer\",\"a0EjD+\":\"Create Product\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Create Promo Code\",\"B3Mkdt\":\"Create Question\",\"UKfi21\":\"Create Tax or Fee\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Currency\",\"DCKkhU\":\"Current Password\",\"uIElGP\":\"Custom Maps URL\",\"UEqXyt\":\"Custom Range\",\"876pfE\":\"Customer\",\"QOg2Sf\":\"Customize the email and notification settings for this event\",\"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\",\"cnGeoo\":\"Delete\",\"jRJZxD\":\"Delete Capacity\",\"VskHIx\":\"Delete category\",\"Qrc8RZ\":\"Delete Check-In List\",\"WHf154\":\"Delete code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Delete question\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description for check-in staff\",\"URmyfc\":\"Details\",\"1lRT3t\":\"Disabling this capacity will track sales but not stop them when the limit is reached\",\"H6Ma8Z\":\"Discount\",\"ypJ62C\":\"Discount %\",\"3LtiBI\":[\"Discount in \",[\"0\"]],\"C8JLas\":\"Discount Type\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Document Label\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donation / Pay what you'd like product\",\"OvNbls\":\"Download .ics\",\"kodV18\":\"Download CSV\",\"CELKku\":\"Download invoice\",\"LQrXcu\":\"Download Invoice\",\"QIodqd\":\"Download QR Code\",\"yhjU+j\":\"Downloading Invoice\",\"uABpqP\":\"Drag and drop or click\",\"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\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Early bird\",\"ePK91l\":\"Edit\",\"N6j2JH\":[\"Edit \",[\"0\"]],\"kBkYSa\":\"Edit Capacity\",\"oHE9JT\":\"Edit Capacity Assignment\",\"j1Jl7s\":\"Edit category\",\"FU1gvP\":\"Edit Check-In List\",\"iFgaVN\":\"Edit Code\",\"jrBSO1\":\"Edit Organizer\",\"tdD/QN\":\"Edit Product\",\"n143Tq\":\"Edit Product Category\",\"9BdS63\":\"Edit Promo Code\",\"O0CE67\":\"Edit question\",\"EzwCw7\":\"Edit Question\",\"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\",\"APuxIE\":\"Email confirmation resent\",\"YaCgdO\":\"Email confirmation resent successfully\",\"jyt+cx\":\"Email footer message\",\"I6F3cp\":\"Email not verified\",\"NTZ/NX\":\"Embed Code\",\"4rnJq4\":\"Embed Script\",\"8oPbg1\":\"Enable Invoicing\",\"j6w7d/\":\"Enable this capacity to stop product sales when the limit is reached\",\"VFv2ZC\":\"End Date\",\"237hSL\":\"Ended\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"English\",\"MhVoma\":\"Enter an amount excluding taxes and fees.\",\"SlfejT\":\"Error\",\"3Z223G\":\"Error confirming email address\",\"a6gga1\":\"Error confirming email change\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Event\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Event Date\",\"0Zptey\":\"Event Defaults\",\"QcCPs8\":\"Event Details\",\"6fuA9p\":\"Event duplicated successfully\",\"AEuj2m\":\"Event Homepage\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Event location & venue details\",\"OopDbA\":\"Event page\",\"4/If97\":\"Event status update failed. Please try again later\",\"btxLWj\":\"Event status updated\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Failed to download invoice. 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\",\"ejXy+D\":\"Failed to sort products\",\"PLUB/s\":\"Fee\",\"/mfICu\":\"Fees\",\"LyFC7X\":\"Filter Orders\",\"cSev+j\":\"Filters\",\"CVw2MU\":[\"Filters (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"First Invoice Number\",\"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.\",\"Rs/IcB\":\"First Used\",\"TpqW74\":\"Fixed\",\"irpUxR\":\"Fixed amount\",\"TF9opW\":\"Flash is not available on this device\",\"UNMVei\":\"Forgot password?\",\"2POOFK\":\"Free\",\"P/OAYJ\":\"Free Product\",\"vAbVy9\":\"Free product, no payment information required\",\"nLC6tu\":\"French\",\"Weq9zb\":\"General\",\"DDcvSo\":\"German\",\"4GLxhy\":\"Getting Started\",\"4D3rRj\":\"Go back to profile\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Gross sales\",\"yRg26W\":\"Gross Sales\",\"R4r4XO\":\"Guests\",\"26pGvx\":\"Have a promo code?\",\"V7yhws\":\"hello@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Hi \",[\"0\"],\" 👋\"],\"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.\",\"vLyv1R\":\"Hide\",\"Mkkvfd\":\"Hide getting started page\",\"mFn5Xz\":\"Hide hidden questions\",\"YHsF9c\":\"Hide product after sale end date\",\"06s3w3\":\"Hide product before sale start date\",\"axVMjA\":\"Hide product unless user has applicable promo code\",\"ySQGHV\":\"Hide product when sold out\",\"SCimta\":\"Hide the getting started page from the sidebar\",\"5xR17G\":\"Hide this product from customers\",\"Da29Y6\":\"Hide this question\",\"fvDQhr\":\"Hide this tier from users\",\"lNipG+\":\"Hiding a product will prevent users from seeing it on the event page.\",\"ZOBwQn\":\"Homepage Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage Preview\",\"c3E/kw\":\"Homer\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"If blank, the address will be used to generate a Google Mapa link\",\"UYT+c8\":\"If enabled, check-in staff can either mark attendees as checked in or mark the order as paid and check in the attendees. If disabled, attendees associated with unpaid orders cannot be checked in.\",\"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\",\"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\",\"VyUuZb\":\"Image URL\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactive\",\"T0K0yl\":\"Inactive users cannot log in.\",\"kO44sp\":\"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\",\"Vi+BiW\":[\"Includes \",[\"0\"],\" products\"],\"lpm0+y\":\"Includes 1 product\",\"UiAk5P\":\"Insert Image\",\"OyLdaz\":\"Invitation resent!\",\"HE6KcK\":\"Invitation revoked!\",\"SQKPvQ\":\"Invite User\",\"bKOYkd\":\"Invoice downloaded successfully\",\"alD1+n\":\"Invoice Notes\",\"kOtCs2\":\"Invoice Numbering\",\"UZ2GSZ\":\"Invoice Settings\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Language\",\"2LMsOq\":\"Last 12 months\",\"vfe90m\":\"Last 14 days\",\"aK4uBd\":\"Last 24 hours\",\"uq2BmQ\":\"Last 30 days\",\"bB6Ram\":\"Last 48 hours\",\"VlnB7s\":\"Last 6 months\",\"ct2SYD\":\"Last 7 days\",\"XgOuA7\":\"Last 90 days\",\"I3yitW\":\"Last login\",\"1ZaQUH\":\"Last name\",\"UXBCwc\":\"Last Name\",\"tKCBU0\":\"Last Used\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Leave blank to use the default word \\\"Invoice\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Loading...\",\"wJijgU\":\"Location\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Logging in\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Logout\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Make billing address mandatory during checkout\",\"MU3ijv\":\"Make this question mandatory\",\"wckWOP\":\"Manage\",\"onpJrA\":\"Manage attendee\",\"n4SpU5\":\"Manage event\",\"WVgSTy\":\"Manage order\",\"1MAvUY\":\"Manage payment and invoicing settings for this event.\",\"cQrNR3\":\"Manage Profile\",\"AtXtSw\":\"Manage taxes and fees which can be applied to your products\",\"ophZVW\":\"Manage tickets\",\"DdHfeW\":\"Manage your account details and default settings\",\"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\",\"vFjEnF\":\"Mark as paid\",\"g9dPPQ\":\"Maximum Per Order\",\"l5OcwO\":\"Message attendee\",\"Gv5AMu\":\"Message Attendees\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Message buyer\",\"tNZzFb\":\"Message Content\",\"lYDV/s\":\"Message individual attendees\",\"V7DYWd\":\"Message Sent\",\"t7TeQU\":\"Messages\",\"xFRMlO\":\"Minimum Per Order\",\"QYcUEf\":\"Minimum Price\",\"RDie0n\":\"Miscellaneous\",\"mYLhkl\":\"Miscellaneous Settings\",\"KYveV8\":\"Multi line text box\",\"VD0iA7\":\"Multiple price options. Perfect for early bird products etc.\",\"/bhMdO\":\"My amazing event description...\",\"vX8/tc\":\"My amazing event title...\",\"hKtWk2\":\"My Profile\",\"fj5byd\":\"N/A\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigate to Attendee\",\"qqeAJM\":\"Never\",\"7vhWI8\":\"New Password\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"No archived events to show.\",\"q2LEDV\":\"No attendees found for this order.\",\"zlHa5R\":\"No attendees have been added to this order.\",\"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\",\"tMFDem\":\"No data available\",\"6Z/F61\":\"No data to show. Please select a date range\",\"fFeCKc\":\"No Discount\",\"HFucK5\":\"No ended events to show.\",\"yAlJXG\":\"No events to show\",\"GqvPcv\":\"No filters available\",\"KPWxKD\":\"No messages to show\",\"J2LkP8\":\"No orders to show\",\"RBXXtB\":\"No payment methods are currently available. Please contact the event organizer for assistance.\",\"ZWEfBE\":\"No Payment Required\",\"ZPoHOn\":\"No product associated with this attendee.\",\"Ya1JhR\":\"No products available in this category.\",\"FTfObB\":\"No Products Yet\",\"+Y976X\":\"No Promo Codes to show\",\"MAavyl\":\"No questions answered by this attendee.\",\"SnlQeq\":\"No questions have been asked for this order.\",\"Ev2r9A\":\"No results\",\"gk5uwN\":\"No Search Results\",\"RHyZUL\":\"No search results.\",\"RY2eP1\":\"No Taxes or Fees have been added.\",\"EdQY6l\":\"None\",\"OJx3wK\":\"Not available\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notes\",\"jtrY3S\":\"Nothing to show yet\",\"hFwWnI\":\"Notification Settings\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notify organizer of new orders\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Number of days allowed for payment (leave blank to omit payment terms from invoices)\",\"n86jmj\":\"Number Prefix\",\"mwe+2z\":\"Offline orders are not reflected in event statistics until the order is marked as paid.\",\"dWBrJX\":\"Offline payment failed. Please try again or contact the event organizer.\",\"fcnqjw\":\"Offline Payment Instructions\",\"+eZ7dp\":\"Offline Payments\",\"ojDQlR\":\"Offline Payments Information\",\"u5oO/W\":\"Offline Payments Settings\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"On Sale\",\"Ug4SfW\":\"Once you create an event, you'll see it here.\",\"ZxnK5C\":\"Once you start collecting data, you'll see it here.\",\"PnSzEc\":\"Once you're ready, set your event live and start selling products.\",\"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\"]],\"oPknTP\":\"Optional additional information to appear on all invoices (e.g., payment terms, late payment fees, return policy)\",\"OrXJBY\":\"Optional prefix for invoice numbers (e.g., INV-)\",\"0zpgxV\":\"Options\",\"BzEFor\":\"or\",\"UYUgdb\":\"Order\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Order Cancelled\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Order Date\",\"Tol4BF\":\"Order Details\",\"WbImlQ\":\"Order has been canceled and the order owner has been notified.\",\"nAn4Oe\":\"Order marked as paid\",\"uzEfRz\":\"Order Notes\",\"VCOi7U\":\"Order questions\",\"TPoYsF\":\"Order Reference\",\"acIJ41\":\"Order Status\",\"GX6dZv\":\"Order Summary\",\"tDTq0D\":\"Order timeout\",\"1h+RBg\":\"Orders\",\"3y+V4p\":\"Organization Address\",\"GVcaW6\":\"Organization Details\",\"nfnm9D\":\"Organization Name\",\"G5RhpL\":\"Organizer\",\"mYygCM\":\"Organizer is required\",\"Pa6G7v\":\"Organizer Name\",\"l894xP\":\"Organizers can only manage events and products. 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\",\"HVW65c\":\"Paid Product\",\"ZfxaB4\":\"Partially Refunded\",\"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\",\"621rYf\":\"Payment\",\"Lg+ewC\":\"Payment & Invoicing\",\"DZjk8u\":\"Payment & Invoicing Settings\",\"lflimf\":\"Payment Due Period\",\"JhtZAK\":\"Payment Failed\",\"JEdsvQ\":\"Payment Instructions\",\"bLB3MJ\":\"Payment Methods\",\"QzmQBG\":\"Payment provider\",\"lsxOPC\":\"Payment Received\",\"wJTzyi\":\"Payment Status\",\"xgav5v\":\"Payment succeeded!\",\"R29lO5\":\"Payment Terms\",\"/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\",\"hcX103\":\"Please create a product\",\"cdR8d6\":\"Please create a ticket\",\"x2mjl4\":\"Please enter a valid image URL that points to an image.\",\"HnNept\":\"Please enter your new password\",\"5FSIzj\":\"Please Note\",\"C63rRe\":\"Please return to the event page to start over.\",\"pJLvdS\":\"Please select\",\"Ewir4O\":\"Please select at least one product\",\"igBrCH\":\"Please verify your email address to access all features\",\"/IzmnP\":\"Please wait while we prepare your invoice...\",\"MOERNx\":\"Portuguese\",\"qCJyMx\":\"Post Checkout message\",\"g2UNkE\":\"Powered by\",\"Rs7IQv\":\"Pre Checkout message\",\"rdUucN\":\"Preview\",\"a7u1N9\":\"Price\",\"CmoB9j\":\"Price display mode\",\"BI7D9d\":\"Price not set\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Price Type\",\"6RmHKN\":\"Primary Color\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primary Text Color\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Print All Tickets\",\"DKwDdj\":\"Print Tickets\",\"K47k8R\":\"Product\",\"1JwlHk\":\"Product Category\",\"U61sAj\":\"Product category updated successfully.\",\"1USFWA\":\"Product deleted successfully\",\"4Y2FZT\":\"Product Price Type\",\"mFwX0d\":\"Product questions\",\"Lu+kBU\":\"Product Sales\",\"U/R4Ng\":\"Product Tier\",\"sJsr1h\":\"Product Type\",\"o1zPwM\":\"Product Widget Preview\",\"ktyvbu\":\"Product(s)\",\"N0qXpE\":\"Products\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Products sold\",\"/u4DIx\":\"Products Sold\",\"DJQEZc\":\"Products sorted successfully\",\"vERlcd\":\"Profile\",\"kUlL8W\":\"Profile updated successfully\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code applied\"],\"P5sgAk\":\"Promo Code\",\"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.\",\"OP094m\":\"Promo Codes Report\",\"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.\",\"toutGW\":\"QR Code\",\"LkMOWF\":\"Quantity Available\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Question deleted\",\"avf0gk\":\"Question Description\",\"oQvMPn\":\"Question Title\",\"enzGAL\":\"Questions\",\"ROv2ZT\":\"Questions & Answers\",\"K885Eq\":\"Questions sorted successfully\",\"OMJ035\":\"Radio Option\",\"C4TjpG\":\"Read less\",\"I3QpvQ\":\"Recipient\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Refund Failed\",\"n10yGu\":\"Refund order\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Refund Pending\",\"xHpVRl\":\"Refund Status\",\"/BI0y9\":\"Refunded\",\"fgLNSM\":\"Register\",\"9+8Vez\":\"Remaining Uses\",\"tasfos\":\"remove\",\"t/YqKh\":\"Remove\",\"t9yxlZ\":\"Reports\",\"prZGMe\":\"Require Billing Address\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Resend email confirmation\",\"wIa8Qe\":\"Resend invitation\",\"VeKsnD\":\"Resend order email\",\"dFuEhO\":\"Resend ticket email\",\"o6+Y6d\":\"Resending...\",\"OfhWJH\":\"Reset\",\"RfwZxd\":\"Reset password\",\"KbS2K9\":\"Reset Password\",\"e99fHm\":\"Restore event\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Return to Event Page\",\"8YBH95\":\"Revenue\",\"PO/sOY\":\"Revoke invitation\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Sale End Date\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Sale Start Date\",\"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\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Search by attendee name, email or order #...\",\"+pr/FY\":\"Search by event name...\",\"3zRbWw\":\"Search by name, email, or order #...\",\"L22Tdf\":\"Search by name, order #, attendee # or email...\",\"BiYOdA\":\"Search by name...\",\"YEjitp\":\"Search by subject or content...\",\"Pjsch9\":\"Search capacity assignments...\",\"r9M1hc\":\"Search check-in lists...\",\"+0Yy2U\":\"Search products\",\"YIix5Y\":\"Search...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secondary Color\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secondary Text Color\",\"02ePaq\":[\"Select \",[\"0\"]],\"QuNKRX\":\"Select Camera\",\"9FQEn8\":\"Select category...\",\"kWI/37\":\"Select organizer\",\"ixIx1f\":\"Select Product\",\"3oSV95\":\"Select Product Tier\",\"C4Y1hA\":\"Select products\",\"hAjDQy\":\"Select status\",\"QYARw/\":\"Select Ticket\",\"OMX4tH\":\"Select tickets\",\"DrwwNd\":\"Select time period\",\"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.\",\"M/WIer\":\"Send Message\",\"D7ZemV\":\"Send order confirmation and ticket email\",\"v1rRtW\":\"Send Test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO Description\",\"/SIY6o\":\"SEO Keywords\",\"GfWoKv\":\"SEO Settings\",\"rXngLf\":\"SEO Title\",\"/jZOZa\":\"Service Fee\",\"Bj/QGQ\":\"Set a minimum price and let users pay more if they choose\",\"L0pJmz\":\"Set the starting number for invoice numbering. This cannot be changed once invoices have been generated.\",\"nYNT+5\":\"Set up your event\",\"A8iqfq\":\"Set your event live\",\"Tz0i8g\":\"Settings\",\"Z8lGw6\":\"Share\",\"B2V3cA\":\"Share Event\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Show available product quantity\",\"qDsmzu\":\"Show hidden questions\",\"fMPkxb\":\"Show more\",\"izwOOD\":\"Show tax and fees separately\",\"1SbbH8\":\"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.\",\"6a/UJE\":\"Sorry, this promo code is not recognized\",\"65A04M\":\"Spanish\",\"mFuBqb\":\"Standard product with a fixed price\",\"D3iCkb\":\"Start Date\",\"/2by1f\":\"State or Region\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Stripe payments are not enabled for this event.\",\"UJmAAK\":\"Subject\",\"X2rrlw\":\"Subtotal\",\"zzDlyQ\":\"Success\",\"b0HJ45\":[\"Success! \",[\"0\"],\" will receive an email shortly.\"],\"BJIEiF\":[\"Successfully \",[\"0\"],\" attendee\"],\"OtgNFx\":\"Successfully confirmed email address\",\"IKwyaF\":\"Successfully confirmed email change\",\"zLmvhE\":\"Successfully created attendee\",\"gP22tw\":\"Successfully Created Product\",\"9mZEgt\":\"Successfully Created Promo Code\",\"aIA9C4\":\"Successfully Created Question\",\"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\",\"4H80qv\":\"Successfully updated order\",\"6xCBVN\":\"Successfully Updated Payment & Invoicing Settings\",\"1Ycaad\":\"Successfully updated product\",\"70dYC8\":\"Successfully Updated Promo Code\",\"F+pJnL\":\"Successfully Updated Seo Settings\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support Email\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Tax\",\"geUFpZ\":\"Tax & Fees\",\"dFHcIn\":\"Tax Details\",\"wQzCPX\":\"Tax information to appear at the bottom of all invoices (e.g., VAT number, tax registration)\",\"0RXCDo\":\"Tax or Fee deleted successfully\",\"ZowkxF\":\"Taxes\",\"qu6/03\":\"Taxes and Fees\",\"gypigA\":\"That promo code is invalid\",\"5ShqeM\":\"The check-in list you are looking for does not exist.\",\"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.\",\"HsFnrk\":[\"The maximum number of products for \",[\"0\"],\"is \",[\"1\"]],\"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.\",\"vQkyB3\":\"The taxes and fees to apply to this product. You can create new taxes and fees on the\",\"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\",\"wDx3FF\":\"There are no products available for this event\",\"pNgdBv\":\"There are no products available in this category\",\"rMcHYt\":\"There is a refund pending. Please wait for it to complete before requesting another refund.\",\"F89D36\":\"There was an error marking the order as paid\",\"68Axnm\":\"There was an error processing your request. Please try again.\",\"mVKOW6\":\"There was an error sending your message\",\"AhBPHd\":\"These details will only be shown if order is completed successfully. Orders awaiting payment will not show this message.\",\"Pc/Wtj\":\"This attendee has an unpaid order.\",\"mf3FrP\":\"This category doesn't have any products yet.\",\"8QH2Il\":\"This category is hidden from public view\",\"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.\",\"MMd2TJ\":\"This information will be shown on the payment page, order summary page, and order confirmation email.\",\"XAHqAg\":\"This is a general product, like a t-shirt or a mug. No ticket will be issued\",\"CNk/ro\":\"This is an online event\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"This message will be included in the footer of all emails sent from this event\",\"55i7Fa\":\"This message will only be shown if order is completed successfully. Orders awaiting payment will not show this message\",\"RjwlZt\":\"This order has already been paid.\",\"5K8REg\":\"This order has already been refunded.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"This order has been cancelled.\",\"Q0zd4P\":\"This order has expired. Please start again.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"This order is complete.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"This order page is no longer available.\",\"i0TtkR\":\"This overrides all visibility settings and will hide the product from all customers.\",\"cRRc+F\":\"This product cannot be deleted because it is associated with an order. You can hide it instead.\",\"3Kzsk7\":\"This product is a ticket. Buyers will be issued a ticket upon purchase\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"This question is only visible to the event organizer\",\"os29v1\":\"This reset password link is invalid or expired.\",\"IV9xTT\":\"This user is not active, as they have not accepted their invitation.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"dtGC3q\":\"Ticket email has been resent to attendee\",\"54q0zp\":\"Tickets for\",\"xN9AhL\":[\"Tier \",[\"0\"]],\"jZj9y9\":\"Tiered Product\",\"8wITQA\":\"Tiered products allow you to offer multiple price options for the same product. This is perfect for early bird products, or offering different price options for different groups of people.\",\"nn3mSR\":\"Time left:\",\"s/0RpH\":\"Times used\",\"y55eMd\":\"Times Used\",\"40Gx0U\":\"Timezone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Tools\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total Before Discounts\",\"NRWNfv\":\"Total Discount Amount\",\"BxsfMK\":\"Total Fees\",\"2bR+8v\":\"Total Gross Sales\",\"mpB/d9\":\"Total order amount\",\"m3FM1g\":\"Total refunded\",\"jEbkcB\":\"Total Refunded\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total Tax\",\"+zy2Nq\":\"Type\",\"FMdMfZ\":\"Unable to check in attendee\",\"bPWBLL\":\"Unable to check out attendee\",\"9+P7zk\":\"Unable to create product. Please check the your details\",\"WLxtFC\":\"Unable to create product. Please check your details\",\"/cSMqv\":\"Unable to create question. Please check the your details\",\"MH/lj8\":\"Unable to update question. Please check the your details\",\"nnfSdK\":\"Unique Customers\",\"Mqy/Zy\":\"United States\",\"NIuIk1\":\"Unlimited\",\"/p9Fhq\":\"Unlimited available\",\"E0q9qH\":\"Unlimited usages allowed\",\"h10Wm5\":\"Unpaid Order\",\"ia8YsC\":\"Upcoming\",\"TlEeFv\":\"Upcoming Events\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Update event name, description and dates\",\"vXPSuB\":\"Update profile\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copied to clipboard\",\"e5lF64\":\"Usage Example\",\"fiV0xj\":\"Usage Limit\",\"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\",\"jpctdh\":\"View\",\"Pte1Hv\":\"View Attendee Details\",\"/5PEQz\":\"View event page\",\"fFornT\":\"View full message\",\"YIsEhQ\":\"View map\",\"Ep3VfY\":\"View on Google Maps\",\"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.\",\"45Srzt\":\"We couldn't delete the category. Please try again.\",\"/DNy62\":[\"We couldn't find any tickets matching \",[\"0\"]],\"1E0vyy\":\"We couldn't load the data. Please try again.\",\"NmpGKr\":\"We couldn't reorder the categories. Please try again.\",\"BJtMTd\":\"We recommend dimensions of 1950px by 650px, a ratio of 3:1, 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\"],\" 👋\"],\"xgL50q\":\"What are Tiered Products?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"What is a Category?\",\"gxeWAU\":\"What products does this code apply to?\",\"hFHnxR\":\"What products does this code apply to? (Applies to all by default)\",\"AeejQi\":\"What products should this capacity apply to?\",\"Rb0XUE\":\"What time will you be arriving?\",\"5N4wLD\":\"What type of question is this?\",\"gyLUYU\":\"When enabled, invoices will be generated for ticket orders. Invoices will sent along with the order confirmation email. Attendees can also download their invoices from the order confirmation page.\",\"D3opg4\":\"When offline payments are enabled, users will be able to complete their orders and receive their tickets. Their tickets will clearly indicate the order is not paid, and the check-in tool will notify the check-in staff if an order requires payment.\",\"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?\",\"VxFvXQ\":\"Widget Embed\",\"v1P7Gm\":\"Widget Settings\",\"b4itZn\":\"Working\",\"hqmXmc\":\"Working...\",\"+G/XiQ\":\"Year to date\",\"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\",\"sdB7+6\":\"You can create a promo code which targets this product on the\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"You cannot change the product type as there are attendees associated with this product.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"You cannot check in attendees with unpaid orders. This setting can be changed in the event settings.\",\"c9Evkd\":\"You cannot delete the last category.\",\"6uwAvx\":\"You cannot delete this price tier because there are already products sold for this tier. You can hide it instead.\",\"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.\",\"CoZHDB\":\"You have no order questions.\",\"15qAvl\":\"You have no pending email change.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"You have run out of time to complete your order.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific product 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\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"You will have to mark an order as paid manually. This can be done on the manage order page.\",\"L/+xOk\":\"You'll need a ticket before you can create a check-in list.\",\"Djl45M\":\"You'll need at a product before you can create a capacity assignment.\",\"y3qNri\":\"You'll need at least one product to get started. Free, paid or let the user decide what to pay.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Your Order\",\"Jwiilf\":\"Your order has been cancelled\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Your refund is processing.\",\"IFHV2p\":\"Your ticket for\",\"x1PPdr\":\"ZIP / Postal Code\",\"BM/KQm\":\"Zip or Postal Code\",\"+LtVBt\":\"ZIP or Postal Code\",\"25QDJ1\":\"- Click to Publish\",\"WOyJmc\":\"- Click to Unpublish\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" is already checked in\"],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" logo\"],\"B7pZfX\":[[\"0\"],\" organizers\"],\"/HkCs4\":[[\"0\"],\" tickets\"],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Check-in lists help you manage event entry by day, area, or ticket type. You can link tickets to specific lists such as VIP zones or Day 1 passes and share a secure check-in link with staff. No account is required. Check-in works on mobile, desktop, or tablet, using a device camera or HID USB scanner. \",\"ZnVt5v\":\"<0>Webhooks instantly notify external services when events happen, like adding a new attendee to your CRM or mailing list upon registration, ensuring seamless automation.<1>Use third-party services like <2>Zapier, <3>IFTTT or <4>Make to create custom workflows and automate tasks.\",\"fAv9QG\":\"🎟️ Add tickets\",\"M2DyLc\":\"1 Active Webhook\",\"yTsaLw\":\"1 ticket\",\"HR/cvw\":\"123 Sample Street\",\"kMU5aM\":\"A cancellation notice has been sent to\",\"V53XzQ\":\"A new verification code has been sent to your email\",\"/z/bH1\":\"A short description of your organizer that will be displayed to your users.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"About\",\"WTk/ke\":\"About Stripe Connect\",\"1uJlG9\":\"Accent Color\",\"VTfZPy\":\"Access Denied\",\"iN5Cz3\":\"Account already connected!\",\"bPwFdf\":\"Accounts\",\"nMtNd+\":\"Action Required: Reconnect Your Stripe Account\",\"a5KFZU\":\"Add event details and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"6PNlRV\":\"Add this event to your calendar\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"NsWqSP\":\"Add your social media handles and website URL. These will be displayed on your public organizer page.\",\"0Zypnp\":\"Admin Dashboard\",\"YAV57v\":\"Affiliate\",\"I+utEq\":\"Affiliate code cannot be changed\",\"/jHBj5\":\"Affiliate created successfully\",\"uCFbG2\":\"Affiliate deleted successfully\",\"a41PKA\":\"Affiliate sales will be tracked\",\"mJJh2s\":\"Affiliate sales will not be tracked. This will deactivate the affiliate.\",\"jabmnm\":\"Affiliate updated successfully\",\"CPXP5Z\":\"Affiliates\",\"9Wh+ug\":\"Affiliates Exported\",\"3cqmut\":\"Affiliates help you track sales generated by partners and influencers. Create affiliate codes and share them to monitor performance.\",\"7rLTkE\":\"All Archived Events\",\"gKq1fa\":\"All attendees\",\"pMLul+\":\"All Currencies\",\"qlaZuT\":\"All done! You're now using our upgraded payment system.\",\"ZS/D7f\":\"All Ended Events\",\"dr7CWq\":\"All Upcoming Events\",\"QUg5y1\":\"Almost there! Finish connecting your Stripe account to start accepting payments.\",\"c4uJfc\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds.\",\"/H326L\":\"Already Refunded\",\"RtxQTF\":\"Also cancel this order\",\"jkNgQR\":\"Also refund this order\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"An email to associate with this affiliate. The affiliate will not be notified.\",\"vRznIT\":\"An error occurred while checking export status.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Answer updated successfully.\",\"LchiNd\":\"Are you sure you want to delete this affiliate? This action cannot be undone.\",\"JmVITJ\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the default template.\",\"aLS+A6\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the organizer or default template.\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"147G4h\":\"Are you sure you want to leave?\",\"VDWChT\":\"Are you sure you want to make this organizer draft? This will make the organizer page invisible to the public\",\"pWtQJM\":\"Are you sure you want to make this organizer public? This will make the organizer page visible to the public\",\"WFHOlF\":\"Are you sure you want to publish this event? Once published, it will be visible to the public.\",\"4TNVdy\":\"Are you sure you want to publish this organizer profile? Once published, it will be visible to the public.\",\"ExDt3P\":\"Are you sure you want to unpublish this event? It will no longer be visible to the public.\",\"5Qmxo/\":\"Are you sure you want to unpublish this organizer profile? It will no longer be visible to the public.\",\"+QARA4\":\"Art\",\"F2rX0R\":\"At least one event type must be selected\",\"6PecK3\":\"Attendance and check-in rates across all events\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Attendee Email\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Attendee Management\",\"av+gjP\":\"Attendee Name\",\"cosfD8\":\"Attendee Status\",\"D2qlBU\":\"Attendee Updated\",\"x8Vnvf\":\"Attendee's ticket not included in this list\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"4HVzhV\":\"Attendees:\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Available to Refund\",\"NB5+UG\":\"Available Tokens\",\"EmYMHc\":\"Awaiting Offline Pmt.\",\"kNmmvE\":\"Awesome Events Ltd.\",\"kYqM1A\":\"Back to Event\",\"td/bh+\":\"Back to Reports\",\"jIPNJG\":\"Basic Information\",\"iMdwTb\":\"Before your event can go live, there are a few things you need to do. Complete all the steps below to get started.\",\"UabgBd\":\"Body is required\",\"9N+p+g\":\"Business\",\"bv6RXK\":\"Button Label\",\"ChDLlO\":\"Button Text\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Call-to-Action Button\",\"PUpvQe\":\"Camera Scanner\",\"H4nE+E\":\"Cancel all products and release them back to the pool\",\"tOXAdc\":\"Canceling will cancel all attendees associated with this order, and release the tickets back into the available pool.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Capacity Assignments\",\"K7tIrx\":\"Category\",\"2tbLdK\":\"Charity\",\"v4fiSg\":\"Check your email\",\"51AsAN\":\"Check your inbox! If tickets are associated with this email, you'll receive a link to view them.\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"9gPPUY\":\"Check-In List Created\",\"f2vU9t\":\"Check-in Lists\",\"tMNBEF\":\"Check-in lists let you control entry across days, areas, or ticket types. You can share a secure check-in link with staff — no account required.\",\"SHJwyq\":\"Check-in Rate\",\"qCqdg6\":\"Check-In Status\",\"cKj6OE\":\"Check-in Summary\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinese (Traditional)\",\"pkk46Q\":\"Choose an Organizer\",\"Crr3pG\":\"Choose calendar\",\"CySr+W\":\"Click to view notes\",\"RG3szS\":\"close\",\"RWw9Lg\":\"Close modal\",\"XwdMMg\":\"Code can only contain letters, numbers, hyphens, and underscores\",\"+yMJb7\":\"Code is required\",\"m9SD3V\":\"Code must be at least 3 characters\",\"V1krgP\":\"Code must be no more than 20 characters\",\"psqIm5\":\"Collaborate with your team to create amazing events together.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Complete Stripe Setup\",\"OqEV/G\":\"Complete the setup below to continue\",\"nqx+6h\":\"Complete these steps to start selling tickets for your event.\",\"5YrKW7\":\"Complete your payment to secure your tickets.\",\"ih35UP\":\"Conference Center\",\"NGXKG/\":\"Confirm Email Address\",\"Auz0Mz\":\"Confirm your email to access all features.\",\"7+grte\":\"Confirmation email sent! Please check your inbox.\",\"n/7+7Q\":\"Confirmation sent to\",\"o5A0Go\":\"Congratulations on creating an event!\",\"WNnP3w\":\"Connect & Upgrade\",\"Xe2tSS\":\"Connect Documentation\",\"1Xxb9f\":\"Connect payment processing\",\"LmvZ+E\":\"Connect Stripe to enable messaging\",\"EWnXR+\":\"Connect to Stripe\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"VioGG1\":\"Connect your Stripe account to accept payments for tickets and products.\",\"4qmnU8\":\"Connect your Stripe account to accept payments.\",\"E1eze1\":\"Connect your Stripe account to start accepting payments for your events.\",\"ulV1ju\":\"Connect your Stripe account to start accepting payments.\",\"/3017M\":\"Connected to Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contact \",[\"0\"]],\"41BQ3k\":\"Contact Email\",\"KcXRN+\":\"Contact email for support\",\"m8WD6t\":\"Continue Setup\",\"0GwUT4\":\"Continue to Checkout\",\"sBV87H\":\"Continue to event creation\",\"nKtyYu\":\"Continue to next step\",\"F3/nus\":\"Continue to Payment\",\"1JnTgU\":\"Copied from above\",\"FxVG/l\":\"Copied to clipboard\",\"PiH3UR\":\"Copied!\",\"uUPbPg\":\"Copy Affiliate Link\",\"iVm46+\":\"Copy Code\",\"+2ZJ7N\":\"Copy details to first attendee\",\"ZN1WLO\":\"Copy Email\",\"tUGbi8\":\"Copy my details to:\",\"y22tv0\":\"Copy this link to share it anywhere\",\"/4gGIX\":\"Copy to clipboard\",\"P0rbCt\":\"Cover Image\",\"60u+dQ\":\"Cover image will be displayed at the top of your event page\",\"2NLjA6\":\"Cover image will be displayed at the top of your organizer page\",\"zg4oSu\":[\"Create \",[\"0\"],\" Template\"],\"xfKgwv\":\"Create Affiliate\",\"dyrgS4\":\"Create and customize your event page instantly\",\"BTne9e\":\"Create custom email templates for this event that override the organizer defaults\",\"YIDzi/\":\"Create Custom Template\",\"8AiKIu\":\"Create Ticket or Product\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"5slqwZ\":\"Create Your Event\",\"JQNMrj\":\"Create your first event\",\"CCjxOC\":\"Create your first event to start selling tickets and managing attendees.\",\"ZCSSd+\":\"Create your own event\",\"67NsZP\":\"Creating Event...\",\"H34qcM\":\"Creating Organizer...\",\"1YMS+X\":\"Creating your event, please wait\",\"yiy8Jt\":\"Creating your organizer profile, please wait\",\"lfLHNz\":\"CTA label is required\",\"BMtue0\":\"Current payment processor\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Custom message after checkout\",\"axv/Mi\":\"Custom template\",\"QMHSMS\":\"Customer will receive an email confirming the refund\",\"L/Qc+w\":\"Customer's email address\",\"wpfWhJ\":\"Customer's first name\",\"GIoqtA\":\"Customer's last name\",\"NihQNk\":\"Customers\",\"7gsjkI\":\"Customize the emails sent to your customers using Liquid templating. These templates will be used as defaults for all events in your organization.\",\"iX6SLo\":\"Customize the text shown on the continue button\",\"pxNIxa\":\"Customize your email template using Liquid templating\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"mkLlne\":\"Customize your event page appearance\",\"3trPKm\":\"Customize your organizer page appearance\",\"4df0iX\":\"Customize your ticket appearance\",\"/gWrVZ\":\"Daily revenue, taxes, fees, and refunds across all events\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Date of the event\",\"gnBreG\":\"Date order was placed\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Default template will be used\",\"vu7gDm\":\"Delete Affiliate\",\"+jw/c1\":\"Delete image\",\"dPyJ15\":\"Delete Template\",\"snMaH4\":\"Delete webhook\",\"vYgeDk\":\"Deselect All\",\"NvuEhl\":\"Design Elements\",\"H8kMHT\":\"Didn't receive the code?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dismiss this message\",\"BREO0S\":\"Display a checkbox allowing customers to opt-in to receive marketing communications from this event organizer.\",\"TvY/XA\":\"Documentation\",\"Kdpf90\":\"Don't forget!\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Done\",\"eneWvv\":\"Draft\",\"TnzbL+\":\"Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\\nThis is to ensure that all event organizers are verified and accountable.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplicate Product\",\"KIjvtr\":\"Dutch\",\"SPKbfM\":\"e.g., Get Tickets, Register Now\",\"LTzmgK\":[\"Edit \",[\"0\"],\" Template\"],\"v4+lcZ\":\"Edit Affiliate\",\"2iZEz7\":\"Edit Answer\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Education\",\"zPiC+q\":\"Eligible Check-In Lists\",\"V2sk3H\":\"Email & Templates\",\"hbwCKE\":\"Email address copied to clipboard\",\"dSyJj6\":\"Email addresses do not match\",\"elW7Tn\":\"Email Body\",\"ZsZeV2\":\"Email is required\",\"Be4gD+\":\"Email Preview\",\"6IwNUc\":\"Email Templates\",\"H/UMUG\":\"Email Verification Required\",\"L86zy2\":\"Email verified successfully!\",\"Upeg/u\":\"Enable this template for sending emails\",\"RxzN1M\":\"Enabled\",\"sGjBEq\":\"End Date & Time (optional)\",\"PKXt9R\":\"End date must be after start date\",\"48Y16Q\":\"End time (optional)\",\"7YZofi\":\"Enter a subject and body to see the preview\",\"3bR1r4\":\"Enter affiliate email (optional)\",\"ARkzso\":\"Enter affiliate name\",\"INDKM9\":\"Enter email subject...\",\"kWg31j\":\"Enter unique affiliate code\",\"C3nD/1\":\"Enter your email\",\"n9V+ps\":\"Enter your name\",\"LslKhj\":\"Error loading logs\",\"WgD6rb\":\"Event Category\",\"b46pt5\":\"Event Cover Image\",\"1Hzev4\":\"Event custom template\",\"imgKgl\":\"Event Description\",\"kJDmsI\":\"Event details\",\"m/N7Zq\":\"Event Full Address\",\"Nl1ZtM\":\"Event Location\",\"PYs3rP\":\"Event name\",\"HhwcTQ\":\"Event Name\",\"WZZzB6\":\"Event name is required\",\"Wd5CDM\":\"Event name should be less than 150 characters\",\"4JzCvP\":\"Event Not Available\",\"Gh9Oqb\":\"Event organizer name\",\"mImacG\":\"Event Page\",\"cOePZk\":\"Event Time\",\"e8WNln\":\"Event timezone\",\"GeqWgj\":\"Event Timezone\",\"XVLu2v\":\"Event Title\",\"YDVUVl\":\"Event Types\",\"4K2OjV\":\"Event Venue\",\"19j6uh\":\"Events Performance\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Every email template must include a call-to-action button that links to the appropriate page\",\"VlvpJ0\":\"Export answers\",\"JKfSAv\":\"Export failed. Please try again.\",\"SVOEsu\":\"Export started. Preparing file...\",\"9bpUSo\":\"Exporting Affiliates\",\"jtrqH9\":\"Exporting Attendees\",\"R4Oqr8\":\"Exporting complete. Downloading file...\",\"UlAK8E\":\"Exporting Orders\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Failed to abandon order. Please try again.\",\"cEFg3R\":\"Failed to create affiliate\",\"U66oUa\":\"Failed to create template\",\"xFj7Yj\":\"Failed to delete template\",\"jo3Gm6\":\"Failed to export affiliates\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"YQ3QSS\":\"Failed to resend verification code\",\"zTkTF3\":\"Failed to save template\",\"T6B2gk\":\"Failed to send message. Please try again.\",\"lKh069\":\"Failed to start export job\",\"t/KVOk\":\"Failed to start impersonation. Please try again.\",\"QXgjH0\":\"Failed to stop impersonation. Please try again.\",\"i0QKrm\":\"Failed to update affiliate\",\"NNc33d\":\"Failed to update answer.\",\"7/9RFs\":\"Failed to upload image.\",\"nkNfWu\":\"Failed to upload image. Please try again.\",\"rxy0tG\":\"Failed to verify email\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Fill in your details above first\",\"8OvVZZ\":\"Filter Attendees\",\"8BwQeU\":\"Finish Setup\",\"hg80P7\":\"Finish Stripe Setup\",\"1vBhpG\":\"First attendee\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"lWxAUo\":\"Food & Drink\",\"nFm+5u\":\"Footer Text\",\"MY2SVM\":\"Full refund\",\"vAVBBv\":\"Fully Integrated\",\"T02gNN\":\"General Admission\",\"3ep0Gx\":\"General information about your organizer\",\"ziAjHi\":\"Generate\",\"exy8uo\":\"Generate code\",\"4CETZY\":\"Get Directions\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Get your event ready\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Go to Event Page\",\"gHSuV/\":\"Go to home page\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Gross Revenue\",\"kTSQej\":[\"Hello \",[\"0\"],\", manage your platform from here.\"],\"dORAcs\":\"Here are all the tickets associated with your email address.\",\"g+2103\":\"Here is your affiliate link\",\"QlwJ9d\":\"Here's what to expect:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Hide Answers\",\"gtEbeW\":\"Highlight\",\"NF8sdv\":\"Highlight Message\",\"MXSqmS\":\"Highlight this product\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Highlighted products will have a different background color to make them stand out on the event page.\",\"i0qMbr\":\"Home\",\"AVpmAa\":\"How to pay offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hungarian\",\"4/kP5a\":\"If a new tab did not open automatically, please click the button below to continue to checkout.\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"an5hVd\":\"Images\",\"tSVr6t\":\"Impersonate\",\"TWXU0c\":\"Impersonate User\",\"5LAZwq\":\"Impersonation started\",\"IMwcdR\":\"Impersonation stopped\",\"M8M6fs\":\"Important: Stripe reconnection required\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"In-depth Analytics\",\"F1Xp97\":\"Individual attendees\",\"85e6zs\":\"Insert Liquid Token\",\"38KFY0\":\"Insert Variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Invalid email\",\"5tT0+u\":\"Invalid email format\",\"tnL+GP\":\"Invalid Liquid syntax. Please correct it and try again.\",\"g+lLS9\":\"Invite a team member\",\"1z26sk\":\"Invite Team Member\",\"KR0679\":\"Invite Team Members\",\"aH6ZIb\":\"Invite Your Team\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italian\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Join from anywhere\",\"hTJ4fB\":\"Just click the button below to reconnect your Stripe account.\",\"MxjCqk\":\"Just looking for your tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link Expired or Invalid\",\"psosdY\":\"Link to order details\",\"6JzK4N\":\"Link to ticket\",\"shkJ3U\":\"Link your Stripe account to receive funds from ticket sales.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live Events\",\"WdmJIX\":\"Loading preview...\",\"IoDI2o\":\"Loading tokens...\",\"NFxlHW\":\"Loading Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Cover\",\"gddQe0\":\"Logo and cover image for your organizer\",\"TBEnp1\":\"Logo will be displayed in the header\",\"Jzu30R\":\"Logo will be displayed on the ticket\",\"4wUIjX\":\"Make your event live\",\"0A7TvI\":\"Manage Event\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"/x0FyM\":\"Match Your Brand\",\"xDAtGP\":\"Message\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"48rf3i\":\"Message cannot exceed 5000 characters\",\"Vjat/X\":\"Message is required\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"GfaxEk\":\"Music\",\"oVGCGh\":\"My Tickets\",\"8/brI5\":\"Name is required\",\"sCV5Yc\":\"Name of the event\",\"xxU3NX\":\"Net Revenue\",\"eWRECP\":\"Nightlife\",\"VHfLAW\":\"No accounts\",\"+jIeoh\":\"No accounts found\",\"074+X8\":\"No Active Webhooks\",\"zxnup4\":\"No Affiliates to show\",\"99ntUF\":\"No check-in lists available for this event.\",\"6r9SGl\":\"No Credit Card Required\",\"eb47T5\":\"No data found for the selected filters. Try adjusting the date range or currency.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"No events found\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"No events yet\",\"54GxeB\":\"No impact on your current or past transactions\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"No logs found\",\"NEmyqy\":\"No orders yet\",\"B7w4KY\":\"No other organizers available\",\"6jYQGG\":\"No past events\",\"zK/+ef\":\"No products available for selection\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"3sRuiW\":\"No Tickets Found\",\"yM5c0q\":\"No upcoming events\",\"qpC74J\":\"No users found\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"4+am6b\":\"No, keep me here\",\"x5+Lcz\":\"Not Checked In\",\"8n10sz\":\"Not Eligible\",\"lQgMLn\":\"Office or venue name\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Payment\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Once you complete the upgrade, your old account will only be used for refunds.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online Event\",\"bU7oUm\":\"Only send to orders with these statuses\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Open Stripe Dashboard\",\"HXMJxH\":\"Optional text for disclaimers, contact info, or thank you notes (single line only)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Order cancelled\",\"b6+Y+n\":\"Order complete\",\"x4MLWE\":\"Order Confirmation\",\"ppuQR4\":\"Order Created\",\"0UZTSq\":\"Order Currency\",\"HdmwrI\":\"Order Email\",\"bwBlJv\":\"Order First Name\",\"vrSW9M\":\"Order has been canceled and refunded. The order owner has been notified.\",\"+spgqH\":[\"Order ID: \",[\"0\"]],\"Pc729f\":\"Order Is Awaiting Offline Payment\",\"F4NXOl\":\"Order Last Name\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Order Locale\",\"vu6Arl\":\"Order Marked as Paid\",\"sLbJQz\":\"Order not found\",\"i8VBuv\":\"Order Number\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"DoH3fD\":\"Order Payment Pending\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"oW5877\":\"Order Total\",\"e7eZuA\":\"Order Updated\",\"KndP6g\":\"Order URL\",\"3NT0Ck\":\"Order was cancelled\",\"5It1cQ\":\"Orders Exported\",\"B/EBQv\":\"Orders:\",\"ucgZ0o\":\"Organization\",\"S3CZ5M\":\"Organizer Dashboard\",\"Uu0hZq\":\"Organizer Email\",\"Gy7BA3\":\"Organizer email address\",\"SQqJd8\":\"Organizer Not Found\",\"wpj63n\":\"Organizer Settings\",\"coIKFu\":\"Organizer statistics are not available for the selected currency or an error occurred.\",\"o1my93\":\"Organizer status update failed. Please try again later\",\"rLHma1\":\"Organizer status updated\",\"LqBITi\":\"Organizer/default template will be used\",\"/IX/7x\":\"Other\",\"RsiDDQ\":\"Other Lists (Ticket Not Included)\",\"6/dCYd\":\"Overview\",\"8uqsE5\":\"Page no longer available\",\"QkLf4H\":\"Page URL\",\"sF+Xp9\":\"Page Views\",\"5F7SYw\":\"Partial refund\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Past\",\"xTPjSy\":\"Past Events\",\"/l/ckQ\":\"Paste URL\",\"URAE3q\":\"Paused\",\"4fL/V7\":\"Pay\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Payment & Plan\",\"ENEPLY\":\"Payment method\",\"EyE8E6\":\"Payment Processing\",\"8Lx2X7\":\"Payment received\",\"vcyz2L\":\"Payment Settings\",\"fx8BTd\":\"Payments not available\",\"51U9mG\":\"Payments will continue to flow without interruption\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Performance\",\"zmwvG2\":\"Phone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planning an event?\",\"br3Y/y\":\"Platform Fees\",\"jEw0Mr\":\"Please enter a valid URL\",\"n8+Ng/\":\"Please enter the 5-digit code\",\"Dvq0wf\":\"Please provide an image.\",\"2cUopP\":\"Please restart the checkout process.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Please select an image.\",\"fuwKpE\":\"Please try again.\",\"klWBeI\":\"Please wait before requesting another code\",\"hfHhaa\":\"Please wait while we prepare your affiliates for export...\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"TjX7xL\":\"Post Checkout Message\",\"cs5muu\":\"Preview Event page\",\"+4yRWM\":\"Price of the ticket\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Print Preview\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Print to PDF\",\"LcET2C\":\"Privacy Policy\",\"8z6Y5D\":\"Process Refund\",\"JcejNJ\":\"Processing order\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publish\",\"evDBV8\":\"Publish Event\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Ready to upgrade? This takes only a few minutes.\",\"Fi3b48\":\"Recent Orders\",\"Edm6av\":\"Reconnect Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecting to Stripe...\",\"ACKu03\":\"Refresh Preview\",\"fKn/k6\":\"Refund amount\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Refund Order \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Refunds\",\"CQeZT8\":\"Report not found\",\"JEPMXN\":\"Request a new link\",\"mdeIOH\":\"Resend code\",\"bxoWpz\":\"Resend Confirmation Email\",\"G42SNI\":\"Resend email\",\"TTpXL3\":[\"Resend in \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reserved until\",\"slOprG\":\"Reset your password\",\"CbnrWb\":\"Return to Event\",\"Oo/PLb\":\"Revenue Summary\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Sales\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Sales, orders, and performance metrics for all events\",\"3Q1AWe\":\"Sales:\",\"8BRPoH\":\"Sample Venue\",\"KZrfYJ\":\"Save Social Links\",\"9Y3hAT\":\"Save Template\",\"C8ne4X\":\"Save Ticket Design\",\"I+FvbD\":\"Scan\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Search affiliates...\",\"VY+Bdn\":\"Search by account name or email...\",\"VX+B3I\":\"Search by event title or organizer...\",\"GHdjuo\":\"Search by name, email, or account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Select a category\",\"BFRSTT\":\"Select Account\",\"mCB6Je\":\"Select All\",\"kYZSFD\":\"Select an organizer to view their dashboard and events.\",\"tVW/yo\":\"Select currency\",\"n9ZhRa\":\"Select end date and time\",\"gTN6Ws\":\"Select end time\",\"0U6E9W\":\"Select event category\",\"j9cPeF\":\"Select event types\",\"1nhy8G\":\"Select Scanner Type\",\"KizCK7\":\"Select start date and time\",\"dJZTv2\":\"Select start time\",\"aT3jZX\":\"Select timezone\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"BG3f7v\":\"Sell Anything\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"j9b/iy\":\"Selling fast 🔥\",\"1lNPhX\":\"Send refund notification email\",\"SPdzrs\":\"Sent to customers when they place an order\",\"LxSN5F\":\"Sent to each attendee with their ticket details\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Set up your organization\",\"HbUQWA\":\"Setup in Minutes\",\"GG7qDw\":\"Share Affiliate Link\",\"hL7sDJ\":\"Share Organizer Page\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Show all platforms (\",[\"0\"],\" more with values)\"],\"UVPI5D\":\"Show fewer platforms\",\"Eu/N/d\":\"Show marketing opt-in checkbox\",\"SXzpzO\":\"Show marketing opt-in checkbox by default\",\"b33PL9\":\"Show more platforms\",\"v6IwHE\":\"Smart Check-in\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Social Links\",\"j/TOB3\":\"Social Links & Website\",\"2pxNFK\":\"sold\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"H6Gslz\":\"Sorry for the inconvenience.\",\"7JFNej\":\"Sports\",\"JcQp9p\":\"Start date & time\",\"0m/ekX\":\"Start Date & Time\",\"izRfYP\":\"Start date is required\",\"2R1+Rv\":\"Start time of the event\",\"2NbyY/\":\"Statistics\",\"DRykfS\":\"Still handling refunds for your older transactions.\",\"wuV0bK\":\"Stop Impersonating\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe setup is already complete.\",\"ii0qn/\":\"Subject is required\",\"M7Uapz\":\"Subject will appear here\",\"6aXq+t\":\"Subject:\",\"JwTmB6\":\"Successfully Duplicated Product\",\"RuaKfn\":\"Successfully Updated Address\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Successfully Updated Organizer\",\"0Dk/l8\":\"Successfully Updated SEO Settings\",\"MhOoLQ\":\"Successfully Updated Social Links\",\"kj7zYe\":\"Successfully updated Webhook\",\"dXoieq\":\"Summary\",\"/RfJXt\":[\"Summer Music Festival \",[\"0\"]],\"CWOPIK\":\"Summer Music Festival 2025\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"JZTQI0\":\"Switch Organizer\",\"XX32BM\":\"Takes just a few minutes\",\"yT6dQ8\":\"Tax collected grouped by tax type and event\",\"Ye321X\":\"Tax Name\",\"WyCBRt\":\"Tax Summary\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tech\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Tell people what to expect at your event\",\"NiIUyb\":\"Tell us about your event\",\"DovcfC\":\"Tell us about your organization. This information will be displayed on your event pages.\",\"7wtpH5\":\"Template Active\",\"QHhZeE\":\"Template created successfully\",\"xrWdPR\":\"Template deleted successfully\",\"G04Zjt\":\"Template saved successfully\",\"xowcRf\":\"Terms of Service\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Thank you for attending!\",\"lhAWqI\":\"Thanks for your support as we continue to grow and improve Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"The code will expire in 10 minutes. Check your spam folder if you don't see the email.\",\"MJm4Tq\":\"The currency of the order\",\"I/NNtI\":\"The event venue\",\"tXadb0\":\"The event you're looking for is not available at the moment. It may have been removed, expired, or the URL might be incorrect.\",\"EBzPwC\":\"The full event address\",\"sxKqBm\":\"The full order amount will be refunded to the customer's original payment method.\",\"5OmEal\":\"The locale of the customer\",\"sYLeDq\":\"The organizer you're looking for could not be found. The page may have been moved, deleted, or the URL might be incorrect.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"The template body contains invalid Liquid syntax. Please correct it and try again.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Theme & Colors\",\"HirZe8\":\"These templates will be used as defaults for all events in your organization. Individual events can override these templates with their own custom versions.\",\"lzAaG5\":\"These templates will override the organizer defaults for this event only. If no custom template is set here, the organizer template will be used instead.\",\"XBNC3E\":\"This code will be used to track sales. Only letters, numbers, hyphens, and underscores allowed.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"This event is not published yet\",\"dFJnia\":\"This is the name of your organizer that will be displayed to your users.\",\"L7dIM7\":\"This link is invalid or has expired.\",\"j5FdeA\":\"This order is being processed.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"This order was cancelled. You can start a new order anytime.\",\"lyD7rQ\":\"This organizer profile is not published yet\",\"9b5956\":\"This preview shows how your email will look with sample data. Actual emails will use real values.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"This ticket was just scanned. Please wait before scanning again.\",\"kvpxIU\":\"This will be used for notifications and communication with your users.\",\"rhsath\":\"This will not be visible to customers, but helps you identify the affiliate.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticket Design\",\"EZC/Cu\":\"Ticket design saved successfully\",\"1BPctx\":\"Ticket for\",\"bgqf+K\":\"Ticket holder's email\",\"oR7zL3\":\"Ticket holder's name\",\"HGuXjF\":\"Ticket holders\",\"awHmAT\":\"Ticket ID\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Name\",\"6tmWch\":\"Ticket or Product\",\"1tfWrD\":\"Ticket Preview for\",\"tGCY6d\":\"Ticket Price\",\"8jLPgH\":\"Ticket Type\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets & Products\",\"EUnesn\":\"Tickets Available\",\"AGRilS\":\"Tickets Sold\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total Accounts\",\"EaAPbv\":\"Total amount paid\",\"SMDzqJ\":\"Total Attendees\",\"orBECM\":\"Total Collected\",\"KSDwd5\":\"Total Orders\",\"vb0Q0/\":\"Total Users\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"uKOFO5\":\"True if offline payment\",\"9GsDR2\":\"True if payment pending\",\"ouM5IM\":\"Try another email\",\"3DZvE7\":\"Try Hi.Events Free\",\"Kz91g/\":\"Turkish\",\"GdOhw6\":\"Turn sound off\",\"KUOhTy\":\"Turn sound on\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type of ticket\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"Vx2J6x\":\"Unable to fetch attendee\",\"b9SN9q\":\"Unique order reference\",\"Ef7StM\":\"Unknown\",\"ZBAScj\":\"Unknown Attendee\",\"ZkS2p3\":\"Unpublish Event\",\"Pp1sWX\":\"Update Affiliate\",\"KMMOAy\":\"Upgrade Available\",\"gJQsLv\":\"Upload a cover image for your organizer\",\"4kEGqW\":\"Upload a logo for your organizer\",\"lnCMdg\":\"Upload Image\",\"29w7p6\":\"Uploading image...\",\"HtrFfw\":\"URL is required\",\"WBq1/R\":\"USB Scanner Already Active\",\"EV30TR\":\"USB Scanner mode activated. Start scanning tickets now.\",\"fovJi3\":\"USB Scanner mode deactivated\",\"hli+ga\":\"USB/HID Scanner\",\"OHJXlK\":\"Use <0>Liquid templating to personalize your emails\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Used for borders, highlights, and QR code styling\",\"AdWhjZ\":\"Verification code\",\"wCKkSr\":\"Verify Email\",\"/IBv6X\":\"Verify your email\",\"e/cvV1\":\"Verifying...\",\"fROFIL\":\"Vietnamese\",\"+WFMis\":\"View and download reports across all your events. Only completed orders are included.\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"c7VN/A\":\"View Answers\",\"FCVmuU\":\"View Event\",\"n6EaWL\":\"View logs\",\"OaKTzt\":\"View Map\",\"67OJ7t\":\"View Order\",\"tKKZn0\":\"View Order Details\",\"9jnAcN\":\"View Organizer Homepage\",\"1J/AWD\":\"View Ticket\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible to check-in staff only. Helps identify this list during check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Waiting for payment\",\"RRZDED\":\"We couldn't find any orders associated with this email address.\",\"miysJh\":\"We couldn't find this order. It may have been removed.\",\"HJKdzP\":\"We hit a snag loading this page. Please try again.\",\"IfN2Qo\":\"We recommend a square logo with minimum dimensions of 200x200px\",\"wJzo/w\":\"We recommend dimensions of 400px by 400px, and a maximum file size of 5MB\",\"q1BizZ\":\"We'll send your tickets to this email\",\"zCdObC\":\"We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account.\",\"jh2orE\":\"We've relocated our headquarters to Ireland. As a result, we need you to reconnect your Stripe account. This quick process takes just a few minutes. Your sales and existing data remain completely unaffected.\",\"Fq/Nx7\":\"We've sent a 5-digit verification code to:\",\"GdWB+V\":\"Webhook created successfully\",\"2X4ecw\":\"Webhook deleted successfully\",\"CThMKa\":\"Webhook Logs\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook will not send notifications\",\"FSaY52\":\"Webhook will send notifications\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Welcome back 👋\",\"kSYpfa\":[\"Welcome to \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Welcome to \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Welcome to \",[\"0\"],\", here's a listing of all your events\"],\"FaSXqR\":\"What type of event?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"When a check-in is deleted\",\"Gmd0hv\":\"When a new attendee is created\",\"Lc18qn\":\"When a new order is created\",\"dfkQIO\":\"When a new product is created\",\"8OhzyY\":\"When a product is deleted\",\"tRXdQ9\":\"When a product is updated\",\"Q7CWxp\":\"When an attendee is cancelled\",\"IuUoyV\":\"When an attendee is checked in\",\"nBVOd7\":\"When an attendee is updated\",\"ny2r8d\":\"When an order is cancelled\",\"c9RYbv\":\"When an order is marked as paid\",\"ejMDw1\":\"When an order is refunded\",\"fVPt0F\":\"When an order is updated\",\"bcYlvb\":\"When check-in closes\",\"XIG669\":\"When check-in opens\",\"de6HLN\":\"When customers purchase tickets, their orders will appear here.\",\"blXLKj\":\"When enabled, new events will display a marketing opt-in checkbox during checkout. This can be overridden per event.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Write your message here...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Yes, cancel my order\",\"QlSZU0\":[\"You are impersonating <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"You are issuing a partial refund. The customer will be refunded \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"FVTVBy\":\"You must verify your email address before you can update the organizer status.\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"U3wiCB\":\"You're all set! Your payments are being processed smoothly.\",\"MNFIxz\":[\"You're going to \",[\"0\"],\"!\"],\"x/xjzn\":\"Your affiliates have been exported successfully.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"79lXGw\":\"Your check-in list has been created successfully. Share the link below with your check-in staff.\",\"BnlG9U\":\"Your current order will be lost.\",\"nBqgQb\":\"Your Email\",\"R02pnV\":\"Your event must be live before you can sell tickets to attendees.\",\"ifRqmm\":\"Your message has been sent successfully!\",\"/Rj5P4\":\"Your Name\",\"naQW82\":\"Your order has been cancelled.\",\"bhlHm/\":\"Your order is awaiting payment\",\"XeNum6\":\"Your orders have been exported successfully.\",\"Xd1R1a\":\"Your organizer address\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Your Stripe account is connected and processing payments.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"CnZ3Ou\":\"Your tickets have been confirmed.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'There\\\\'s nothing to show yet'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in successfully\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out successfully\"],\"KMgp2+\":[[\"0\"],\" available\"],\"Pmr5xp\":[[\"0\"],\" created successfully\"],\"FImCSc\":[[\"0\"],\" updated successfully\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" checked in\"],\"Vjij1k\":[[\"days\"],\" days, \",[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"f3RdEk\":[[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"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.\",\"ZjMs6e\":\"<0>The number of products available for this product<1>This value can be overridden if there are <2>Capacity Limits associated with this product.\",\"E15xs8\":\"⚡️ Set up your event\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Customize your event page\",\"3VPPdS\":\"💳 Connect with Stripe\",\"cjdktw\":\"🚀 Set your event live\",\"rmelwV\":\"0 minutes and 0 seconds\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"A default \",[\"type\"],\" is automaticaly applied to all new products. You can override this on a per product basis.\"],\"SMUbbQ\":\"A Dropdown input allows only one selection\",\"qv4bfj\":\"A fee, like a booking fee or a service fee\",\"POT0K/\":\"A fixed amount per product. E.g, $0.50 per product\",\"f4vJgj\":\"A multi line text input\",\"OIPtI5\":\"A percentage of the product price. E.g., 3.5% of the product price\",\"ZthcdI\":\"A promo code with no discount can be used to reveal hidden products.\",\"AG/qmQ\":\"A Radio option has multiple options but only one can be selected.\",\"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\",\"BHZbFy\":\"A single question per order. E.g, What is your shipping address?\",\"Fuh+dI\":\"A single question per product. E.g, What is your t-shirt size?\",\"RlJmQg\":\"A standard tax, like VAT or GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accept bank transfers, checks, or other offline payment methods\",\"hrvLf4\":\"Accept credit card payments with Stripe\",\"bfXQ+N\":\"Accept Invitation\",\"AeXO77\":\"Account\",\"lkNdiH\":\"Account Name\",\"Puv7+X\":\"Account Settings\",\"OmylXO\":\"Account updated successfully\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activate\",\"5T2HxQ\":\"Activation date\",\"F6pfE9\":\"Active\",\"/PN1DA\":\"Add a description for this check-in list\",\"0/vPdA\":\"Add any notes about the attendee. These will not be visible to the attendee.\",\"Or1CPR\":\"Add any notes about the attendee...\",\"l3sZO1\":\"Add any notes about the order. These will not be visible to the customer.\",\"xMekgu\":\"Add any notes about the order...\",\"PGPGsL\":\"Add description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Add instructions for offline payments (e.g., bank transfer details, where to send checks, payment deadlines)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Add New\",\"TZxnm8\":\"Add Option\",\"24l4x6\":\"Add Product\",\"8q0EdE\":\"Add Product to Category\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Add question\",\"yWiPh+\":\"Add Tax or Fee\",\"goOKRY\":\"Add tier\",\"oZW/gT\":\"Add to Calendar\",\"pn5qSs\":\"Additional Information\",\"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.\",\"W7AfhC\":\"All attendees of this event\",\"cde2hc\":\"All Products\",\"5CQ+r0\":\"Allow attendees associated with unpaid orders to check in\",\"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..\",\"ApOYO8\":\"Amazing, Event, Keywords...\",\"hehnjM\":\"Amount\",\"R2O9Rg\":[\"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\",\"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.\",\"ubdMGz\":\"Any queries from product 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\",\"sy6fss\":[\"Applies to \",[\"0\"],\" products\"],\"kadJKg\":\"Applies to 1 product\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Apply Promo Code\",\"ARBThj\":[\"Apply this \",[\"type\"],\" to all new products\"],\"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?\",\"LBLOqH\":\"Ask once per order\",\"wu98dY\":\"Ask once per product\",\"ss9PbX\":\"Attendee\",\"m0CFV2\":\"Attendee Details\",\"QKim6l\":\"Attendee not found\",\"R5IT/I\":\"Attendee Notes\",\"lXcSD2\":\"Attendee questions\",\"HT/08n\":\"Attendee Ticket\",\"9SZT4E\":\"Attendees\",\"iPBfZP\":\"Attendees Registered\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Auto Resize\",\"vZ5qKF\":\"Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container.\",\"4lVaWA\":\"Awaiting offline payment\",\"2rHwhl\":\"Awaiting Offline Payment\",\"3wF4Q/\":\"Awaiting payment\",\"ioG+xt\":\"Awaiting Payment\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Back to event page\",\"VCoEm+\":\"Back to login\",\"k1bLf+\":\"Background Color\",\"I7xjqg\":\"Background Type\",\"1mwMl+\":\"Before you send!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Billing Address\",\"/xC/im\":\"Billing Settings\",\"rp/zaT\":\"Brazilian Portuguese\",\"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.\",\"dEgA5A\":\"Cancel\",\"Gjt/py\":\"Cancel email change\",\"tVJk4q\":\"Cancel order\",\"Os6n2a\":\"Cancel Order\",\"Mz7Ygx\":[\"Cancel Order \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelled\",\"U7nGvl\":\"Cannot Check In\",\"QyjCeq\":\"Capacity\",\"V6Q5RZ\":\"Capacity Assignment created successfully\",\"k5p8dz\":\"Capacity Assignment deleted successfully\",\"nDBs04\":\"Capacity Management\",\"ddha3c\":\"Categories allow you to group products together. For example, you might have a category for \\\"Tickets\\\" and another for \\\"Merchandise\\\".\",\"iS0wAT\":\"Categories help you organize your products. This title will be displayed on the public event page.\",\"eorM7z\":\"Categories reordered successfully.\",\"3EXqwa\":\"Category Created Successfully\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Change password\",\"xMDm+I\":\"Check In\",\"p2WLr3\":[\"Check in \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Check in and mark order as paid\",\"QYLpB4\":\"Check in only\",\"/Ta1d4\":\"Check Out\",\"5LDT6f\":\"Check out this event!\",\"gXcPxc\":\"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\",\"znIg+z\":\"Checkout\",\"1WnhCL\":\"Checkout Settings\",\"6imsQS\":\"Chinese (Simplified)\",\"JjkX4+\":\"Choose a color for your background\",\"/Jizh9\":\"Choose an account\",\"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\",\"oqr9HB\":\"Collapse this product when the event page is initially loaded\",\"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\",\"6HK5Ct\":\"Completed orders\",\"NWVRtl\":\"Completed Orders\",\"DwF9eH\":\"Component Code\",\"Tf55h7\":\"Configured Discount\",\"7VpPHA\":\"Confirm\",\"ZaEJZM\":\"Confirm Email Change\",\"yjkELF\":\"Confirm New Password\",\"xnWESi\":\"Confirm password\",\"p2/GCq\":\"Confirm Password\",\"wnDgGj\":\"Confirming email address...\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connect with Stripe\",\"QKLP1W\":\"Connect your Stripe account to start receiving payments.\",\"5lcVkL\":\"Connection Details\",\"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\",\"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\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Create \",[\"0\"]],\"k9RiLi\":\"Create a Product\",\"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\",\"EwoMtl\":\"Create category\",\"XletzW\":\"Create Category\",\"WVbTwK\":\"Create Check-In List\",\"uN355O\":\"Create Event\",\"BOqY23\":\"Create new\",\"kpJAeS\":\"Create Organizer\",\"a0EjD+\":\"Create Product\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Create Promo Code\",\"B3Mkdt\":\"Create Question\",\"UKfi21\":\"Create Tax or Fee\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Currency\",\"DCKkhU\":\"Current Password\",\"uIElGP\":\"Custom Maps URL\",\"UEqXyt\":\"Custom Range\",\"876pfE\":\"Customer\",\"QOg2Sf\":\"Customize the email and notification settings for this event\",\"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\",\"cnGeoo\":\"Delete\",\"jRJZxD\":\"Delete Capacity\",\"VskHIx\":\"Delete category\",\"Qrc8RZ\":\"Delete Check-In List\",\"WHf154\":\"Delete code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Delete question\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description for check-in staff\",\"URmyfc\":\"Details\",\"1lRT3t\":\"Disabling this capacity will track sales but not stop them when the limit is reached\",\"H6Ma8Z\":\"Discount\",\"ypJ62C\":\"Discount %\",\"3LtiBI\":[\"Discount in \",[\"0\"]],\"C8JLas\":\"Discount Type\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Document Label\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donation / Pay what you'd like product\",\"OvNbls\":\"Download .ics\",\"kodV18\":\"Download CSV\",\"CELKku\":\"Download invoice\",\"LQrXcu\":\"Download Invoice\",\"QIodqd\":\"Download QR Code\",\"yhjU+j\":\"Downloading Invoice\",\"uABpqP\":\"Drag and drop or click\",\"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\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Early bird\",\"ePK91l\":\"Edit\",\"N6j2JH\":[\"Edit \",[\"0\"]],\"kBkYSa\":\"Edit Capacity\",\"oHE9JT\":\"Edit Capacity Assignment\",\"j1Jl7s\":\"Edit category\",\"FU1gvP\":\"Edit Check-In List\",\"iFgaVN\":\"Edit Code\",\"jrBSO1\":\"Edit Organizer\",\"tdD/QN\":\"Edit Product\",\"n143Tq\":\"Edit Product Category\",\"9BdS63\":\"Edit Promo Code\",\"O0CE67\":\"Edit question\",\"EzwCw7\":\"Edit Question\",\"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\",\"APuxIE\":\"Email confirmation resent\",\"YaCgdO\":\"Email confirmation resent successfully\",\"jyt+cx\":\"Email footer message\",\"I6F3cp\":\"Email not verified\",\"NTZ/NX\":\"Embed Code\",\"4rnJq4\":\"Embed Script\",\"8oPbg1\":\"Enable Invoicing\",\"j6w7d/\":\"Enable this capacity to stop product sales when the limit is reached\",\"VFv2ZC\":\"End Date\",\"237hSL\":\"Ended\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"English\",\"MhVoma\":\"Enter an amount excluding taxes and fees.\",\"SlfejT\":\"Error\",\"3Z223G\":\"Error confirming email address\",\"a6gga1\":\"Error confirming email change\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Event\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Event Date\",\"0Zptey\":\"Event Defaults\",\"QcCPs8\":\"Event Details\",\"6fuA9p\":\"Event duplicated successfully\",\"AEuj2m\":\"Event Homepage\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Event location & venue details\",\"OopDbA\":\"Event page\",\"4/If97\":\"Event status update failed. Please try again later\",\"btxLWj\":\"Event status updated\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Failed to download invoice. 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\",\"ejXy+D\":\"Failed to sort products\",\"PLUB/s\":\"Fee\",\"/mfICu\":\"Fees\",\"LyFC7X\":\"Filter Orders\",\"cSev+j\":\"Filters\",\"CVw2MU\":[\"Filters (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"First Invoice Number\",\"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.\",\"Rs/IcB\":\"First Used\",\"TpqW74\":\"Fixed\",\"irpUxR\":\"Fixed amount\",\"TF9opW\":\"Flash is not available on this device\",\"UNMVei\":\"Forgot password?\",\"2POOFK\":\"Free\",\"P/OAYJ\":\"Free Product\",\"vAbVy9\":\"Free product, no payment information required\",\"nLC6tu\":\"French\",\"Weq9zb\":\"General\",\"DDcvSo\":\"German\",\"4GLxhy\":\"Getting Started\",\"4D3rRj\":\"Go back to profile\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Gross sales\",\"yRg26W\":\"Gross Sales\",\"R4r4XO\":\"Guests\",\"26pGvx\":\"Have a promo code?\",\"V7yhws\":\"hello@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Hi \",[\"0\"],\" 👋\"],\"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.\",\"vLyv1R\":\"Hide\",\"Mkkvfd\":\"Hide getting started page\",\"mFn5Xz\":\"Hide hidden questions\",\"YHsF9c\":\"Hide product after sale end date\",\"06s3w3\":\"Hide product before sale start date\",\"axVMjA\":\"Hide product unless user has applicable promo code\",\"ySQGHV\":\"Hide product when sold out\",\"SCimta\":\"Hide the getting started page from the sidebar\",\"5xR17G\":\"Hide this product from customers\",\"Da29Y6\":\"Hide this question\",\"fvDQhr\":\"Hide this tier from users\",\"lNipG+\":\"Hiding a product will prevent users from seeing it on the event page.\",\"ZOBwQn\":\"Homepage Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage Preview\",\"c3E/kw\":\"Homer\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"If blank, the address will be used to generate a Google Mapa link\",\"UYT+c8\":\"If enabled, check-in staff can either mark attendees as checked in or mark the order as paid and check in the attendees. If disabled, attendees associated with unpaid orders cannot be checked in.\",\"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\",\"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\",\"VyUuZb\":\"Image URL\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactive\",\"T0K0yl\":\"Inactive users cannot log in.\",\"kO44sp\":\"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\",\"Vi+BiW\":[\"Includes \",[\"0\"],\" products\"],\"lpm0+y\":\"Includes 1 product\",\"UiAk5P\":\"Insert Image\",\"OyLdaz\":\"Invitation resent!\",\"HE6KcK\":\"Invitation revoked!\",\"SQKPvQ\":\"Invite User\",\"bKOYkd\":\"Invoice downloaded successfully\",\"alD1+n\":\"Invoice Notes\",\"kOtCs2\":\"Invoice Numbering\",\"UZ2GSZ\":\"Invoice Settings\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Language\",\"2LMsOq\":\"Last 12 months\",\"vfe90m\":\"Last 14 days\",\"aK4uBd\":\"Last 24 hours\",\"uq2BmQ\":\"Last 30 days\",\"bB6Ram\":\"Last 48 hours\",\"VlnB7s\":\"Last 6 months\",\"ct2SYD\":\"Last 7 days\",\"XgOuA7\":\"Last 90 days\",\"I3yitW\":\"Last login\",\"1ZaQUH\":\"Last name\",\"UXBCwc\":\"Last Name\",\"tKCBU0\":\"Last Used\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Leave blank to use the default word \\\"Invoice\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Loading...\",\"wJijgU\":\"Location\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Logging in\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Logout\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Make billing address mandatory during checkout\",\"MU3ijv\":\"Make this question mandatory\",\"wckWOP\":\"Manage\",\"onpJrA\":\"Manage attendee\",\"n4SpU5\":\"Manage event\",\"WVgSTy\":\"Manage order\",\"1MAvUY\":\"Manage payment and invoicing settings for this event.\",\"cQrNR3\":\"Manage Profile\",\"AtXtSw\":\"Manage taxes and fees which can be applied to your products\",\"ophZVW\":\"Manage tickets\",\"DdHfeW\":\"Manage your account details and default settings\",\"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\",\"vFjEnF\":\"Mark as paid\",\"g9dPPQ\":\"Maximum Per Order\",\"l5OcwO\":\"Message attendee\",\"Gv5AMu\":\"Message Attendees\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Message buyer\",\"tNZzFb\":\"Message Content\",\"lYDV/s\":\"Message individual attendees\",\"V7DYWd\":\"Message Sent\",\"t7TeQU\":\"Messages\",\"xFRMlO\":\"Minimum Per Order\",\"QYcUEf\":\"Minimum Price\",\"RDie0n\":\"Miscellaneous\",\"mYLhkl\":\"Miscellaneous Settings\",\"KYveV8\":\"Multi line text box\",\"VD0iA7\":\"Multiple price options. Perfect for early bird products etc.\",\"/bhMdO\":\"My amazing event description...\",\"vX8/tc\":\"My amazing event title...\",\"hKtWk2\":\"My Profile\",\"fj5byd\":\"N/A\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigate to Attendee\",\"qqeAJM\":\"Never\",\"7vhWI8\":\"New Password\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"No archived events to show.\",\"q2LEDV\":\"No attendees found for this order.\",\"zlHa5R\":\"No attendees have been added to this order.\",\"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\",\"tMFDem\":\"No data available\",\"6Z/F61\":\"No data to show. Please select a date range\",\"fFeCKc\":\"No Discount\",\"HFucK5\":\"No ended events to show.\",\"yAlJXG\":\"No events to show\",\"GqvPcv\":\"No filters available\",\"KPWxKD\":\"No messages to show\",\"J2LkP8\":\"No orders to show\",\"RBXXtB\":\"No payment methods are currently available. Please contact the event organizer for assistance.\",\"ZWEfBE\":\"No Payment Required\",\"ZPoHOn\":\"No product associated with this attendee.\",\"Ya1JhR\":\"No products available in this category.\",\"FTfObB\":\"No Products Yet\",\"+Y976X\":\"No Promo Codes to show\",\"MAavyl\":\"No questions answered by this attendee.\",\"SnlQeq\":\"No questions have been asked for this order.\",\"Ev2r9A\":\"No results\",\"gk5uwN\":\"No Search Results\",\"RHyZUL\":\"No search results.\",\"RY2eP1\":\"No Taxes or Fees have been added.\",\"EdQY6l\":\"None\",\"OJx3wK\":\"Not available\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notes\",\"jtrY3S\":\"Nothing to show yet\",\"hFwWnI\":\"Notification Settings\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notify organizer of new orders\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Number of days allowed for payment (leave blank to omit payment terms from invoices)\",\"n86jmj\":\"Number Prefix\",\"mwe+2z\":\"Offline orders are not reflected in event statistics until the order is marked as paid.\",\"dWBrJX\":\"Offline payment failed. Please try again or contact the event organizer.\",\"fcnqjw\":\"Offline Payment Instructions\",\"+eZ7dp\":\"Offline Payments\",\"ojDQlR\":\"Offline Payments Information\",\"u5oO/W\":\"Offline Payments Settings\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"On Sale\",\"Ug4SfW\":\"Once you create an event, you'll see it here.\",\"ZxnK5C\":\"Once you start collecting data, you'll see it here.\",\"PnSzEc\":\"Once you're ready, set your event live and start selling products.\",\"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\"]],\"oPknTP\":\"Optional additional information to appear on all invoices (e.g., payment terms, late payment fees, return policy)\",\"OrXJBY\":\"Optional prefix for invoice numbers (e.g., INV-)\",\"0zpgxV\":\"Options\",\"BzEFor\":\"or\",\"UYUgdb\":\"Order\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Order Cancelled\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Order Date\",\"Tol4BF\":\"Order Details\",\"WbImlQ\":\"Order has been canceled and the order owner has been notified.\",\"nAn4Oe\":\"Order marked as paid\",\"uzEfRz\":\"Order Notes\",\"VCOi7U\":\"Order questions\",\"TPoYsF\":\"Order Reference\",\"acIJ41\":\"Order Status\",\"GX6dZv\":\"Order Summary\",\"tDTq0D\":\"Order timeout\",\"1h+RBg\":\"Orders\",\"3y+V4p\":\"Organization Address\",\"GVcaW6\":\"Organization Details\",\"nfnm9D\":\"Organization Name\",\"G5RhpL\":\"Organizer\",\"mYygCM\":\"Organizer is required\",\"Pa6G7v\":\"Organizer Name\",\"l894xP\":\"Organizers can only manage events and products. 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\",\"HVW65c\":\"Paid Product\",\"ZfxaB4\":\"Partially Refunded\",\"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\",\"621rYf\":\"Payment\",\"Lg+ewC\":\"Payment & Invoicing\",\"DZjk8u\":\"Payment & Invoicing Settings\",\"lflimf\":\"Payment Due Period\",\"JhtZAK\":\"Payment Failed\",\"JEdsvQ\":\"Payment Instructions\",\"bLB3MJ\":\"Payment Methods\",\"QzmQBG\":\"Payment provider\",\"lsxOPC\":\"Payment Received\",\"wJTzyi\":\"Payment Status\",\"xgav5v\":\"Payment succeeded!\",\"R29lO5\":\"Payment Terms\",\"/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\",\"hcX103\":\"Please create a product\",\"cdR8d6\":\"Please create a ticket\",\"x2mjl4\":\"Please enter a valid image URL that points to an image.\",\"HnNept\":\"Please enter your new password\",\"5FSIzj\":\"Please Note\",\"C63rRe\":\"Please return to the event page to start over.\",\"pJLvdS\":\"Please select\",\"Ewir4O\":\"Please select at least one product\",\"igBrCH\":\"Please verify your email address to access all features\",\"/IzmnP\":\"Please wait while we prepare your invoice...\",\"MOERNx\":\"Portuguese\",\"qCJyMx\":\"Post Checkout message\",\"g2UNkE\":\"Powered by\",\"Rs7IQv\":\"Pre Checkout message\",\"rdUucN\":\"Preview\",\"a7u1N9\":\"Price\",\"CmoB9j\":\"Price display mode\",\"BI7D9d\":\"Price not set\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Price Type\",\"6RmHKN\":\"Primary Color\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primary Text Color\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Print All Tickets\",\"DKwDdj\":\"Print Tickets\",\"K47k8R\":\"Product\",\"1JwlHk\":\"Product Category\",\"U61sAj\":\"Product category updated successfully.\",\"1USFWA\":\"Product deleted successfully\",\"4Y2FZT\":\"Product Price Type\",\"mFwX0d\":\"Product questions\",\"Lu+kBU\":\"Product Sales\",\"U/R4Ng\":\"Product Tier\",\"sJsr1h\":\"Product Type\",\"o1zPwM\":\"Product Widget Preview\",\"ktyvbu\":\"Product(s)\",\"N0qXpE\":\"Products\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Products sold\",\"/u4DIx\":\"Products Sold\",\"DJQEZc\":\"Products sorted successfully\",\"vERlcd\":\"Profile\",\"kUlL8W\":\"Profile updated successfully\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code applied\"],\"P5sgAk\":\"Promo Code\",\"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.\",\"OP094m\":\"Promo Codes Report\",\"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.\",\"toutGW\":\"QR Code\",\"LkMOWF\":\"Quantity Available\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Question deleted\",\"avf0gk\":\"Question Description\",\"oQvMPn\":\"Question Title\",\"enzGAL\":\"Questions\",\"ROv2ZT\":\"Questions & Answers\",\"K885Eq\":\"Questions sorted successfully\",\"OMJ035\":\"Radio Option\",\"C4TjpG\":\"Read less\",\"I3QpvQ\":\"Recipient\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Refund Failed\",\"n10yGu\":\"Refund order\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Refund Pending\",\"xHpVRl\":\"Refund Status\",\"/BI0y9\":\"Refunded\",\"fgLNSM\":\"Register\",\"9+8Vez\":\"Remaining Uses\",\"tasfos\":\"remove\",\"t/YqKh\":\"Remove\",\"t9yxlZ\":\"Reports\",\"prZGMe\":\"Require Billing Address\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Resend email confirmation\",\"wIa8Qe\":\"Resend invitation\",\"VeKsnD\":\"Resend order email\",\"dFuEhO\":\"Resend ticket email\",\"o6+Y6d\":\"Resending...\",\"OfhWJH\":\"Reset\",\"RfwZxd\":\"Reset password\",\"KbS2K9\":\"Reset Password\",\"e99fHm\":\"Restore event\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Return to Event Page\",\"8YBH95\":\"Revenue\",\"PO/sOY\":\"Revoke invitation\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Sale End Date\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Sale Start Date\",\"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\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Search by attendee name, email or order #...\",\"+pr/FY\":\"Search by event name...\",\"3zRbWw\":\"Search by name, email, or order #...\",\"L22Tdf\":\"Search by name, order #, attendee # or email...\",\"BiYOdA\":\"Search by name...\",\"YEjitp\":\"Search by subject or content...\",\"Pjsch9\":\"Search capacity assignments...\",\"r9M1hc\":\"Search check-in lists...\",\"+0Yy2U\":\"Search products\",\"YIix5Y\":\"Search...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secondary Color\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secondary Text Color\",\"02ePaq\":[\"Select \",[\"0\"]],\"QuNKRX\":\"Select Camera\",\"9FQEn8\":\"Select category...\",\"kWI/37\":\"Select organizer\",\"ixIx1f\":\"Select Product\",\"3oSV95\":\"Select Product Tier\",\"C4Y1hA\":\"Select products\",\"hAjDQy\":\"Select status\",\"QYARw/\":\"Select Ticket\",\"OMX4tH\":\"Select tickets\",\"DrwwNd\":\"Select time period\",\"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.\",\"M/WIer\":\"Send Message\",\"D7ZemV\":\"Send order confirmation and ticket email\",\"v1rRtW\":\"Send Test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO Description\",\"/SIY6o\":\"SEO Keywords\",\"GfWoKv\":\"SEO Settings\",\"rXngLf\":\"SEO Title\",\"/jZOZa\":\"Service Fee\",\"Bj/QGQ\":\"Set a minimum price and let users pay more if they choose\",\"L0pJmz\":\"Set the starting number for invoice numbering. This cannot be changed once invoices have been generated.\",\"nYNT+5\":\"Set up your event\",\"A8iqfq\":\"Set your event live\",\"Tz0i8g\":\"Settings\",\"Z8lGw6\":\"Share\",\"B2V3cA\":\"Share Event\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Show available product quantity\",\"qDsmzu\":\"Show hidden questions\",\"fMPkxb\":\"Show more\",\"izwOOD\":\"Show tax and fees separately\",\"1SbbH8\":\"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.\",\"6a/UJE\":\"Sorry, this promo code is not recognized\",\"65A04M\":\"Spanish\",\"mFuBqb\":\"Standard product with a fixed price\",\"D3iCkb\":\"Start Date\",\"/2by1f\":\"State or Region\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Stripe payments are not enabled for this event.\",\"UJmAAK\":\"Subject\",\"X2rrlw\":\"Subtotal\",\"zzDlyQ\":\"Success\",\"b0HJ45\":[\"Success! \",[\"0\"],\" will receive an email shortly.\"],\"BJIEiF\":[\"Successfully \",[\"0\"],\" attendee\"],\"OtgNFx\":\"Successfully confirmed email address\",\"IKwyaF\":\"Successfully confirmed email change\",\"zLmvhE\":\"Successfully created attendee\",\"gP22tw\":\"Successfully Created Product\",\"9mZEgt\":\"Successfully Created Promo Code\",\"aIA9C4\":\"Successfully Created Question\",\"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\",\"4H80qv\":\"Successfully updated order\",\"6xCBVN\":\"Successfully Updated Payment & Invoicing Settings\",\"1Ycaad\":\"Successfully updated product\",\"70dYC8\":\"Successfully Updated Promo Code\",\"F+pJnL\":\"Successfully Updated Seo Settings\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support Email\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Tax\",\"geUFpZ\":\"Tax & Fees\",\"dFHcIn\":\"Tax Details\",\"wQzCPX\":\"Tax information to appear at the bottom of all invoices (e.g., VAT number, tax registration)\",\"0RXCDo\":\"Tax or Fee deleted successfully\",\"ZowkxF\":\"Taxes\",\"qu6/03\":\"Taxes and Fees\",\"gypigA\":\"That promo code is invalid\",\"5ShqeM\":\"The check-in list you are looking for does not exist.\",\"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.\",\"HsFnrk\":[\"The maximum number of products for \",[\"0\"],\"is \",[\"1\"]],\"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.\",\"vQkyB3\":\"The taxes and fees to apply to this product. You can create new taxes and fees on the\",\"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\",\"wDx3FF\":\"There are no products available for this event\",\"pNgdBv\":\"There are no products available in this category\",\"rMcHYt\":\"There is a refund pending. Please wait for it to complete before requesting another refund.\",\"F89D36\":\"There was an error marking the order as paid\",\"68Axnm\":\"There was an error processing your request. Please try again.\",\"mVKOW6\":\"There was an error sending your message\",\"AhBPHd\":\"These details will only be shown if order is completed successfully. Orders awaiting payment will not show this message.\",\"Pc/Wtj\":\"This attendee has an unpaid order.\",\"mf3FrP\":\"This category doesn't have any products yet.\",\"8QH2Il\":\"This category is hidden from public view\",\"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.\",\"MMd2TJ\":\"This information will be shown on the payment page, order summary page, and order confirmation email.\",\"XAHqAg\":\"This is a general product, like a t-shirt or a mug. No ticket will be issued\",\"CNk/ro\":\"This is an online event\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"This message will be included in the footer of all emails sent from this event\",\"55i7Fa\":\"This message will only be shown if order is completed successfully. Orders awaiting payment will not show this message\",\"RjwlZt\":\"This order has already been paid.\",\"5K8REg\":\"This order has already been refunded.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"This order has been cancelled.\",\"Q0zd4P\":\"This order has expired. Please start again.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"This order is complete.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"This order page is no longer available.\",\"i0TtkR\":\"This overrides all visibility settings and will hide the product from all customers.\",\"cRRc+F\":\"This product cannot be deleted because it is associated with an order. You can hide it instead.\",\"3Kzsk7\":\"This product is a ticket. Buyers will be issued a ticket upon purchase\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"This question is only visible to the event organizer\",\"os29v1\":\"This reset password link is invalid or expired.\",\"IV9xTT\":\"This user is not active, as they have not accepted their invitation.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"dtGC3q\":\"Ticket email has been resent to attendee\",\"54q0zp\":\"Tickets for\",\"xN9AhL\":[\"Tier \",[\"0\"]],\"jZj9y9\":\"Tiered Product\",\"8wITQA\":\"Tiered products allow you to offer multiple price options for the same product. This is perfect for early bird products, or offering different price options for different groups of people.\",\"nn3mSR\":\"Time left:\",\"s/0RpH\":\"Times used\",\"y55eMd\":\"Times Used\",\"40Gx0U\":\"Timezone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Tools\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total Before Discounts\",\"NRWNfv\":\"Total Discount Amount\",\"BxsfMK\":\"Total Fees\",\"2bR+8v\":\"Total Gross Sales\",\"mpB/d9\":\"Total order amount\",\"m3FM1g\":\"Total refunded\",\"jEbkcB\":\"Total Refunded\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total Tax\",\"+zy2Nq\":\"Type\",\"FMdMfZ\":\"Unable to check in attendee\",\"bPWBLL\":\"Unable to check out attendee\",\"9+P7zk\":\"Unable to create product. Please check the your details\",\"WLxtFC\":\"Unable to create product. Please check your details\",\"/cSMqv\":\"Unable to create question. Please check the your details\",\"MH/lj8\":\"Unable to update question. Please check the your details\",\"nnfSdK\":\"Unique Customers\",\"Mqy/Zy\":\"United States\",\"NIuIk1\":\"Unlimited\",\"/p9Fhq\":\"Unlimited available\",\"E0q9qH\":\"Unlimited usages allowed\",\"h10Wm5\":\"Unpaid Order\",\"ia8YsC\":\"Upcoming\",\"TlEeFv\":\"Upcoming Events\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Update event name, description and dates\",\"vXPSuB\":\"Update profile\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copied to clipboard\",\"e5lF64\":\"Usage Example\",\"fiV0xj\":\"Usage Limit\",\"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\",\"jpctdh\":\"View\",\"Pte1Hv\":\"View Attendee Details\",\"/5PEQz\":\"View event page\",\"fFornT\":\"View full message\",\"YIsEhQ\":\"View map\",\"Ep3VfY\":\"View on Google Maps\",\"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.\",\"45Srzt\":\"We couldn't delete the category. Please try again.\",\"/DNy62\":[\"We couldn't find any tickets matching \",[\"0\"]],\"1E0vyy\":\"We couldn't load the data. Please try again.\",\"NmpGKr\":\"We couldn't reorder the categories. Please try again.\",\"BJtMTd\":\"We recommend dimensions of 1950px by 650px, a ratio of 3:1, 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\"],\" 👋\"],\"xgL50q\":\"What are Tiered Products?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"What is a Category?\",\"gxeWAU\":\"What products does this code apply to?\",\"hFHnxR\":\"What products does this code apply to? (Applies to all by default)\",\"AeejQi\":\"What products should this capacity apply to?\",\"Rb0XUE\":\"What time will you be arriving?\",\"5N4wLD\":\"What type of question is this?\",\"gyLUYU\":\"When enabled, invoices will be generated for ticket orders. Invoices will sent along with the order confirmation email. Attendees can also download their invoices from the order confirmation page.\",\"D3opg4\":\"When offline payments are enabled, users will be able to complete their orders and receive their tickets. Their tickets will clearly indicate the order is not paid, and the check-in tool will notify the check-in staff if an order requires payment.\",\"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?\",\"VxFvXQ\":\"Widget Embed\",\"v1P7Gm\":\"Widget Settings\",\"b4itZn\":\"Working\",\"hqmXmc\":\"Working...\",\"+G/XiQ\":\"Year to date\",\"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\",\"sdB7+6\":\"You can create a promo code which targets this product on the\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"You cannot change the product type as there are attendees associated with this product.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"You cannot check in attendees with unpaid orders. This setting can be changed in the event settings.\",\"c9Evkd\":\"You cannot delete the last category.\",\"6uwAvx\":\"You cannot delete this price tier because there are already products sold for this tier. You can hide it instead.\",\"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.\",\"CoZHDB\":\"You have no order questions.\",\"15qAvl\":\"You have no pending email change.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"You have run out of time to complete your order.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific product 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\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"You will have to mark an order as paid manually. This can be done on the manage order page.\",\"L/+xOk\":\"You'll need a ticket before you can create a check-in list.\",\"Djl45M\":\"You'll need at a product before you can create a capacity assignment.\",\"y3qNri\":\"You'll need at least one product to get started. Free, paid or let the user decide what to pay.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Your Order\",\"Jwiilf\":\"Your order has been cancelled\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Your refund is processing.\",\"IFHV2p\":\"Your ticket for\",\"x1PPdr\":\"ZIP / Postal Code\",\"BM/KQm\":\"Zip or Postal Code\",\"+LtVBt\":\"ZIP or Postal Code\",\"25QDJ1\":\"- Click to Publish\",\"WOyJmc\":\"- Click to Unpublish\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" is already checked in\"],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" logo\"],\"B7pZfX\":[[\"0\"],\" organizers\"],\"/HkCs4\":[[\"0\"],\" tickets\"],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Check-in lists help you manage event entry by day, area, or ticket type. You can link tickets to specific lists such as VIP zones or Day 1 passes and share a secure check-in link with staff. No account is required. Check-in works on mobile, desktop, or tablet, using a device camera or HID USB scanner. \",\"ZnVt5v\":\"<0>Webhooks instantly notify external services when events happen, like adding a new attendee to your CRM or mailing list upon registration, ensuring seamless automation.<1>Use third-party services like <2>Zapier, <3>IFTTT or <4>Make to create custom workflows and automate tasks.\",\"fAv9QG\":\"🎟️ Add tickets\",\"M2DyLc\":\"1 Active Webhook\",\"yTsaLw\":\"1 ticket\",\"HR/cvw\":\"123 Sample Street\",\"kMU5aM\":\"A cancellation notice has been sent to\",\"V53XzQ\":\"A new verification code has been sent to your email\",\"/z/bH1\":\"A short description of your organizer that will be displayed to your users.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"About\",\"WTk/ke\":\"About Stripe Connect\",\"1uJlG9\":\"Accent Color\",\"VTfZPy\":\"Access Denied\",\"iN5Cz3\":\"Account already connected!\",\"bPwFdf\":\"Accounts\",\"nMtNd+\":\"Action Required: Reconnect Your Stripe Account\",\"AhwTa1\":\"Action Required: VAT Information Needed\",\"a5KFZU\":\"Add event details and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"6PNlRV\":\"Add this event to your calendar\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"NsWqSP\":\"Add your social media handles and website URL. These will be displayed on your public organizer page.\",\"0Zypnp\":\"Admin Dashboard\",\"YAV57v\":\"Affiliate\",\"I+utEq\":\"Affiliate code cannot be changed\",\"/jHBj5\":\"Affiliate created successfully\",\"uCFbG2\":\"Affiliate deleted successfully\",\"a41PKA\":\"Affiliate sales will be tracked\",\"mJJh2s\":\"Affiliate sales will not be tracked. This will deactivate the affiliate.\",\"jabmnm\":\"Affiliate updated successfully\",\"CPXP5Z\":\"Affiliates\",\"9Wh+ug\":\"Affiliates Exported\",\"3cqmut\":\"Affiliates help you track sales generated by partners and influencers. Create affiliate codes and share them to monitor performance.\",\"7rLTkE\":\"All Archived Events\",\"gKq1fa\":\"All attendees\",\"pMLul+\":\"All Currencies\",\"qlaZuT\":\"All done! You're now using our upgraded payment system.\",\"ZS/D7f\":\"All Ended Events\",\"dr7CWq\":\"All Upcoming Events\",\"QUg5y1\":\"Almost there! Finish connecting your Stripe account to start accepting payments.\",\"c4uJfc\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds.\",\"/H326L\":\"Already Refunded\",\"RtxQTF\":\"Also cancel this order\",\"jkNgQR\":\"Also refund this order\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"An email to associate with this affiliate. The affiliate will not be notified.\",\"vRznIT\":\"An error occurred while checking export status.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Answer updated successfully.\",\"LchiNd\":\"Are you sure you want to delete this affiliate? This action cannot be undone.\",\"JmVITJ\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the default template.\",\"aLS+A6\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the organizer or default template.\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"147G4h\":\"Are you sure you want to leave?\",\"VDWChT\":\"Are you sure you want to make this organizer draft? This will make the organizer page invisible to the public\",\"pWtQJM\":\"Are you sure you want to make this organizer public? This will make the organizer page visible to the public\",\"WFHOlF\":\"Are you sure you want to publish this event? Once published, it will be visible to the public.\",\"4TNVdy\":\"Are you sure you want to publish this organizer profile? Once published, it will be visible to the public.\",\"ExDt3P\":\"Are you sure you want to unpublish this event? It will no longer be visible to the public.\",\"5Qmxo/\":\"Are you sure you want to unpublish this organizer profile? It will no longer be visible to the public.\",\"Uqefyd\":\"Are you VAT registered in the EU?\",\"+QARA4\":\"Art\",\"tLf3yJ\":\"As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees.\",\"QGoXh3\":\"As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:\",\"F2rX0R\":\"At least one event type must be selected\",\"6PecK3\":\"Attendance and check-in rates across all events\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Attendee Email\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Attendee Management\",\"av+gjP\":\"Attendee Name\",\"cosfD8\":\"Attendee Status\",\"D2qlBU\":\"Attendee Updated\",\"x8Vnvf\":\"Attendee's ticket not included in this list\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"4HVzhV\":\"Attendees:\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Available to Refund\",\"NB5+UG\":\"Available Tokens\",\"EmYMHc\":\"Awaiting Offline Pmt.\",\"kNmmvE\":\"Awesome Events Ltd.\",\"kYqM1A\":\"Back to Event\",\"td/bh+\":\"Back to Reports\",\"jIPNJG\":\"Basic Information\",\"iMdwTb\":\"Before your event can go live, there are a few things you need to do. Complete all the steps below to get started.\",\"UabgBd\":\"Body is required\",\"9N+p+g\":\"Business\",\"bv6RXK\":\"Button Label\",\"ChDLlO\":\"Button Text\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Call-to-Action Button\",\"PUpvQe\":\"Camera Scanner\",\"H4nE+E\":\"Cancel all products and release them back to the pool\",\"tOXAdc\":\"Canceling will cancel all attendees associated with this order, and release the tickets back into the available pool.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Capacity Assignments\",\"K7tIrx\":\"Category\",\"2tbLdK\":\"Charity\",\"v4fiSg\":\"Check your email\",\"51AsAN\":\"Check your inbox! If tickets are associated with this email, you'll receive a link to view them.\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"9gPPUY\":\"Check-In List Created\",\"f2vU9t\":\"Check-in Lists\",\"tMNBEF\":\"Check-in lists let you control entry across days, areas, or ticket types. You can share a secure check-in link with staff — no account required.\",\"SHJwyq\":\"Check-in Rate\",\"qCqdg6\":\"Check-In Status\",\"cKj6OE\":\"Check-in Summary\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinese (Traditional)\",\"pkk46Q\":\"Choose an Organizer\",\"Crr3pG\":\"Choose calendar\",\"CySr+W\":\"Click to view notes\",\"RG3szS\":\"close\",\"RWw9Lg\":\"Close modal\",\"XwdMMg\":\"Code can only contain letters, numbers, hyphens, and underscores\",\"+yMJb7\":\"Code is required\",\"m9SD3V\":\"Code must be at least 3 characters\",\"V1krgP\":\"Code must be no more than 20 characters\",\"psqIm5\":\"Collaborate with your team to create amazing events together.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Complete Stripe Setup\",\"OqEV/G\":\"Complete the setup below to continue\",\"nqx+6h\":\"Complete these steps to start selling tickets for your event.\",\"5YrKW7\":\"Complete your payment to secure your tickets.\",\"ih35UP\":\"Conference Center\",\"NGXKG/\":\"Confirm Email Address\",\"Auz0Mz\":\"Confirm your email to access all features.\",\"7+grte\":\"Confirmation email sent! Please check your inbox.\",\"n/7+7Q\":\"Confirmation sent to\",\"o5A0Go\":\"Congratulations on creating an event!\",\"WNnP3w\":\"Connect & Upgrade\",\"Xe2tSS\":\"Connect Documentation\",\"1Xxb9f\":\"Connect payment processing\",\"LmvZ+E\":\"Connect Stripe to enable messaging\",\"EWnXR+\":\"Connect to Stripe\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"VioGG1\":\"Connect your Stripe account to accept payments for tickets and products.\",\"4qmnU8\":\"Connect your Stripe account to accept payments.\",\"E1eze1\":\"Connect your Stripe account to start accepting payments for your events.\",\"ulV1ju\":\"Connect your Stripe account to start accepting payments.\",\"/3017M\":\"Connected to Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contact \",[\"0\"]],\"41BQ3k\":\"Contact Email\",\"KcXRN+\":\"Contact email for support\",\"m8WD6t\":\"Continue Setup\",\"0GwUT4\":\"Continue to Checkout\",\"sBV87H\":\"Continue to event creation\",\"nKtyYu\":\"Continue to next step\",\"F3/nus\":\"Continue to Payment\",\"1JnTgU\":\"Copied from above\",\"FxVG/l\":\"Copied to clipboard\",\"PiH3UR\":\"Copied!\",\"uUPbPg\":\"Copy Affiliate Link\",\"iVm46+\":\"Copy Code\",\"+2ZJ7N\":\"Copy details to first attendee\",\"ZN1WLO\":\"Copy Email\",\"tUGbi8\":\"Copy my details to:\",\"y22tv0\":\"Copy this link to share it anywhere\",\"/4gGIX\":\"Copy to clipboard\",\"P0rbCt\":\"Cover Image\",\"60u+dQ\":\"Cover image will be displayed at the top of your event page\",\"2NLjA6\":\"Cover image will be displayed at the top of your organizer page\",\"zg4oSu\":[\"Create \",[\"0\"],\" Template\"],\"xfKgwv\":\"Create Affiliate\",\"dyrgS4\":\"Create and customize your event page instantly\",\"BTne9e\":\"Create custom email templates for this event that override the organizer defaults\",\"YIDzi/\":\"Create Custom Template\",\"8AiKIu\":\"Create Ticket or Product\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"5slqwZ\":\"Create Your Event\",\"JQNMrj\":\"Create your first event\",\"CCjxOC\":\"Create your first event to start selling tickets and managing attendees.\",\"ZCSSd+\":\"Create your own event\",\"67NsZP\":\"Creating Event...\",\"H34qcM\":\"Creating Organizer...\",\"1YMS+X\":\"Creating your event, please wait\",\"yiy8Jt\":\"Creating your organizer profile, please wait\",\"lfLHNz\":\"CTA label is required\",\"BMtue0\":\"Current payment processor\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Custom message after checkout\",\"axv/Mi\":\"Custom template\",\"QMHSMS\":\"Customer will receive an email confirming the refund\",\"L/Qc+w\":\"Customer's email address\",\"wpfWhJ\":\"Customer's first name\",\"GIoqtA\":\"Customer's last name\",\"NihQNk\":\"Customers\",\"7gsjkI\":\"Customize the emails sent to your customers using Liquid templating. These templates will be used as defaults for all events in your organization.\",\"iX6SLo\":\"Customize the text shown on the continue button\",\"pxNIxa\":\"Customize your email template using Liquid templating\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"mkLlne\":\"Customize your event page appearance\",\"3trPKm\":\"Customize your organizer page appearance\",\"4df0iX\":\"Customize your ticket appearance\",\"/gWrVZ\":\"Daily revenue, taxes, fees, and refunds across all events\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Date of the event\",\"gnBreG\":\"Date order was placed\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Default template will be used\",\"vu7gDm\":\"Delete Affiliate\",\"+jw/c1\":\"Delete image\",\"dPyJ15\":\"Delete Template\",\"snMaH4\":\"Delete webhook\",\"vYgeDk\":\"Deselect All\",\"NvuEhl\":\"Design Elements\",\"H8kMHT\":\"Didn't receive the code?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dismiss this message\",\"BREO0S\":\"Display a checkbox allowing customers to opt-in to receive marketing communications from this event organizer.\",\"TvY/XA\":\"Documentation\",\"Kdpf90\":\"Don't forget!\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Done\",\"eneWvv\":\"Draft\",\"TnzbL+\":\"Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\\nThis is to ensure that all event organizers are verified and accountable.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplicate Product\",\"KIjvtr\":\"Dutch\",\"SPKbfM\":\"e.g., Get Tickets, Register Now\",\"LTzmgK\":[\"Edit \",[\"0\"],\" Template\"],\"v4+lcZ\":\"Edit Affiliate\",\"2iZEz7\":\"Edit Answer\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Education\",\"zPiC+q\":\"Eligible Check-In Lists\",\"V2sk3H\":\"Email & Templates\",\"hbwCKE\":\"Email address copied to clipboard\",\"dSyJj6\":\"Email addresses do not match\",\"elW7Tn\":\"Email Body\",\"ZsZeV2\":\"Email is required\",\"Be4gD+\":\"Email Preview\",\"6IwNUc\":\"Email Templates\",\"H/UMUG\":\"Email Verification Required\",\"L86zy2\":\"Email verified successfully!\",\"Upeg/u\":\"Enable this template for sending emails\",\"RxzN1M\":\"Enabled\",\"sGjBEq\":\"End Date & Time (optional)\",\"PKXt9R\":\"End date must be after start date\",\"48Y16Q\":\"End time (optional)\",\"7YZofi\":\"Enter a subject and body to see the preview\",\"3bR1r4\":\"Enter affiliate email (optional)\",\"ARkzso\":\"Enter affiliate name\",\"INDKM9\":\"Enter email subject...\",\"kWg31j\":\"Enter unique affiliate code\",\"C3nD/1\":\"Enter your email\",\"n9V+ps\":\"Enter your name\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Error loading logs\",\"AKbElk\":\"EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)\",\"WgD6rb\":\"Event Category\",\"b46pt5\":\"Event Cover Image\",\"1Hzev4\":\"Event custom template\",\"imgKgl\":\"Event Description\",\"kJDmsI\":\"Event details\",\"m/N7Zq\":\"Event Full Address\",\"Nl1ZtM\":\"Event Location\",\"PYs3rP\":\"Event name\",\"HhwcTQ\":\"Event Name\",\"WZZzB6\":\"Event name is required\",\"Wd5CDM\":\"Event name should be less than 150 characters\",\"4JzCvP\":\"Event Not Available\",\"Gh9Oqb\":\"Event organizer name\",\"mImacG\":\"Event Page\",\"cOePZk\":\"Event Time\",\"e8WNln\":\"Event timezone\",\"GeqWgj\":\"Event Timezone\",\"XVLu2v\":\"Event Title\",\"YDVUVl\":\"Event Types\",\"4K2OjV\":\"Event Venue\",\"19j6uh\":\"Events Performance\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Every email template must include a call-to-action button that links to the appropriate page\",\"VlvpJ0\":\"Export answers\",\"JKfSAv\":\"Export failed. Please try again.\",\"SVOEsu\":\"Export started. Preparing file...\",\"9bpUSo\":\"Exporting Affiliates\",\"jtrqH9\":\"Exporting Attendees\",\"R4Oqr8\":\"Exporting complete. Downloading file...\",\"UlAK8E\":\"Exporting Orders\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Failed to abandon order. Please try again.\",\"cEFg3R\":\"Failed to create affiliate\",\"U66oUa\":\"Failed to create template\",\"xFj7Yj\":\"Failed to delete template\",\"jo3Gm6\":\"Failed to export affiliates\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"YQ3QSS\":\"Failed to resend verification code\",\"zTkTF3\":\"Failed to save template\",\"l6acRV\":\"Failed to save VAT settings. Please try again.\",\"T6B2gk\":\"Failed to send message. Please try again.\",\"lKh069\":\"Failed to start export job\",\"t/KVOk\":\"Failed to start impersonation. Please try again.\",\"QXgjH0\":\"Failed to stop impersonation. Please try again.\",\"i0QKrm\":\"Failed to update affiliate\",\"NNc33d\":\"Failed to update answer.\",\"7/9RFs\":\"Failed to upload image.\",\"nkNfWu\":\"Failed to upload image. Please try again.\",\"rxy0tG\":\"Failed to verify email\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Fill in your details above first\",\"8OvVZZ\":\"Filter Attendees\",\"8BwQeU\":\"Finish Setup\",\"hg80P7\":\"Finish Stripe Setup\",\"1vBhpG\":\"First attendee\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"lWxAUo\":\"Food & Drink\",\"nFm+5u\":\"Footer Text\",\"MY2SVM\":\"Full refund\",\"vAVBBv\":\"Fully Integrated\",\"T02gNN\":\"General Admission\",\"3ep0Gx\":\"General information about your organizer\",\"ziAjHi\":\"Generate\",\"exy8uo\":\"Generate code\",\"4CETZY\":\"Get Directions\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Get your event ready\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Go to Event Page\",\"gHSuV/\":\"Go to home page\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Gross Revenue\",\"kTSQej\":[\"Hello \",[\"0\"],\", manage your platform from here.\"],\"dORAcs\":\"Here are all the tickets associated with your email address.\",\"g+2103\":\"Here is your affiliate link\",\"QlwJ9d\":\"Here's what to expect:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Hide Answers\",\"gtEbeW\":\"Highlight\",\"NF8sdv\":\"Highlight Message\",\"MXSqmS\":\"Highlight this product\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Highlighted products will have a different background color to make them stand out on the event page.\",\"i0qMbr\":\"Home\",\"AVpmAa\":\"How to pay offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hungarian\",\"4/kP5a\":\"If a new tab did not open automatically, please click the button below to continue to checkout.\",\"PYVWEI\":\"If registered, provide your VAT number for validation\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"an5hVd\":\"Images\",\"tSVr6t\":\"Impersonate\",\"TWXU0c\":\"Impersonate User\",\"5LAZwq\":\"Impersonation started\",\"IMwcdR\":\"Impersonation stopped\",\"M8M6fs\":\"Important: Stripe reconnection required\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"In-depth Analytics\",\"cljs3a\":\"Indicate whether you're VAT-registered in the EU\",\"F1Xp97\":\"Individual attendees\",\"85e6zs\":\"Insert Liquid Token\",\"38KFY0\":\"Insert Variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Invalid email\",\"5tT0+u\":\"Invalid email format\",\"tnL+GP\":\"Invalid Liquid syntax. Please correct it and try again.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Invite a team member\",\"1z26sk\":\"Invite Team Member\",\"KR0679\":\"Invite Team Members\",\"aH6ZIb\":\"Invite Your Team\",\"IuMGvq\":\"Invoice\",\"y0meFR\":\"Irish VAT at 23% will be applied to platform fees (domestic supply).\",\"Lj7sBL\":\"Italian\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Join from anywhere\",\"hTJ4fB\":\"Just click the button below to reconnect your Stripe account.\",\"MxjCqk\":\"Just looking for your tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link Expired or Invalid\",\"psosdY\":\"Link to order details\",\"6JzK4N\":\"Link to ticket\",\"shkJ3U\":\"Link your Stripe account to receive funds from ticket sales.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live Events\",\"WdmJIX\":\"Loading preview...\",\"IoDI2o\":\"Loading tokens...\",\"NFxlHW\":\"Loading Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Cover\",\"gddQe0\":\"Logo and cover image for your organizer\",\"TBEnp1\":\"Logo will be displayed in the header\",\"Jzu30R\":\"Logo will be displayed on the ticket\",\"4wUIjX\":\"Make your event live\",\"0A7TvI\":\"Manage Event\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"/x0FyM\":\"Match Your Brand\",\"xDAtGP\":\"Message\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"48rf3i\":\"Message cannot exceed 5000 characters\",\"Vjat/X\":\"Message is required\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"GfaxEk\":\"Music\",\"oVGCGh\":\"My Tickets\",\"8/brI5\":\"Name is required\",\"sCV5Yc\":\"Name of the event\",\"xxU3NX\":\"Net Revenue\",\"eWRECP\":\"Nightlife\",\"HSw5l3\":\"No - I'm an individual or non-VAT registered business\",\"VHfLAW\":\"No accounts\",\"+jIeoh\":\"No accounts found\",\"074+X8\":\"No Active Webhooks\",\"zxnup4\":\"No Affiliates to show\",\"99ntUF\":\"No check-in lists available for this event.\",\"6r9SGl\":\"No Credit Card Required\",\"eb47T5\":\"No data found for the selected filters. Try adjusting the date range or currency.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"No events found\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"No events yet\",\"54GxeB\":\"No impact on your current or past transactions\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"No logs found\",\"NEmyqy\":\"No orders yet\",\"B7w4KY\":\"No other organizers available\",\"6jYQGG\":\"No past events\",\"zK/+ef\":\"No products available for selection\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"3sRuiW\":\"No Tickets Found\",\"yM5c0q\":\"No upcoming events\",\"qpC74J\":\"No users found\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"4+am6b\":\"No, keep me here\",\"HVwIsd\":\"Non-VAT registered businesses or individuals: Irish VAT at 23% applies\",\"x5+Lcz\":\"Not Checked In\",\"8n10sz\":\"Not Eligible\",\"lQgMLn\":\"Office or venue name\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Payment\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Once you complete the upgrade, your old account will only be used for refunds.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online Event\",\"bU7oUm\":\"Only send to orders with these statuses\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Open Stripe Dashboard\",\"HXMJxH\":\"Optional text for disclaimers, contact info, or thank you notes (single line only)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Order cancelled\",\"b6+Y+n\":\"Order complete\",\"x4MLWE\":\"Order Confirmation\",\"ppuQR4\":\"Order Created\",\"0UZTSq\":\"Order Currency\",\"HdmwrI\":\"Order Email\",\"bwBlJv\":\"Order First Name\",\"vrSW9M\":\"Order has been canceled and refunded. The order owner has been notified.\",\"+spgqH\":[\"Order ID: \",[\"0\"]],\"Pc729f\":\"Order Is Awaiting Offline Payment\",\"F4NXOl\":\"Order Last Name\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Order Locale\",\"vu6Arl\":\"Order Marked as Paid\",\"sLbJQz\":\"Order not found\",\"i8VBuv\":\"Order Number\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"DoH3fD\":\"Order Payment Pending\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"oW5877\":\"Order Total\",\"e7eZuA\":\"Order Updated\",\"KndP6g\":\"Order URL\",\"3NT0Ck\":\"Order was cancelled\",\"5It1cQ\":\"Orders Exported\",\"B/EBQv\":\"Orders:\",\"ucgZ0o\":\"Organization\",\"S3CZ5M\":\"Organizer Dashboard\",\"Uu0hZq\":\"Organizer Email\",\"Gy7BA3\":\"Organizer email address\",\"SQqJd8\":\"Organizer Not Found\",\"wpj63n\":\"Organizer Settings\",\"coIKFu\":\"Organizer statistics are not available for the selected currency or an error occurred.\",\"o1my93\":\"Organizer status update failed. Please try again later\",\"rLHma1\":\"Organizer status updated\",\"LqBITi\":\"Organizer/default template will be used\",\"/IX/7x\":\"Other\",\"RsiDDQ\":\"Other Lists (Ticket Not Included)\",\"6/dCYd\":\"Overview\",\"8uqsE5\":\"Page no longer available\",\"QkLf4H\":\"Page URL\",\"sF+Xp9\":\"Page Views\",\"5F7SYw\":\"Partial refund\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Past\",\"xTPjSy\":\"Past Events\",\"/l/ckQ\":\"Paste URL\",\"URAE3q\":\"Paused\",\"4fL/V7\":\"Pay\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Payment & Plan\",\"ENEPLY\":\"Payment method\",\"EyE8E6\":\"Payment Processing\",\"8Lx2X7\":\"Payment received\",\"vcyz2L\":\"Payment Settings\",\"fx8BTd\":\"Payments not available\",\"51U9mG\":\"Payments will continue to flow without interruption\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Performance\",\"zmwvG2\":\"Phone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planning an event?\",\"br3Y/y\":\"Platform Fees\",\"jEw0Mr\":\"Please enter a valid URL\",\"n8+Ng/\":\"Please enter the 5-digit code\",\"r+lQXT\":\"Please enter your VAT number\",\"Dvq0wf\":\"Please provide an image.\",\"2cUopP\":\"Please restart the checkout process.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Please select an image.\",\"fuwKpE\":\"Please try again.\",\"klWBeI\":\"Please wait before requesting another code\",\"hfHhaa\":\"Please wait while we prepare your affiliates for export...\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"TjX7xL\":\"Post Checkout Message\",\"cs5muu\":\"Preview Event page\",\"+4yRWM\":\"Price of the ticket\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Print Preview\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Print to PDF\",\"LcET2C\":\"Privacy Policy\",\"8z6Y5D\":\"Process Refund\",\"JcejNJ\":\"Processing order\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publish\",\"evDBV8\":\"Publish Event\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Ready to upgrade? This takes only a few minutes.\",\"Fi3b48\":\"Recent Orders\",\"Edm6av\":\"Reconnect Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecting to Stripe...\",\"ACKu03\":\"Refresh Preview\",\"fKn/k6\":\"Refund amount\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Refund Order \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Refunds\",\"CQeZT8\":\"Report not found\",\"JEPMXN\":\"Request a new link\",\"mdeIOH\":\"Resend code\",\"bxoWpz\":\"Resend Confirmation Email\",\"G42SNI\":\"Resend email\",\"TTpXL3\":[\"Resend in \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reserved until\",\"slOprG\":\"Reset your password\",\"CbnrWb\":\"Return to Event\",\"Oo/PLb\":\"Revenue Summary\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Sales\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Sales, orders, and performance metrics for all events\",\"3Q1AWe\":\"Sales:\",\"8BRPoH\":\"Sample Venue\",\"KZrfYJ\":\"Save Social Links\",\"9Y3hAT\":\"Save Template\",\"C8ne4X\":\"Save Ticket Design\",\"6/TNCd\":\"Save VAT Settings\",\"I+FvbD\":\"Scan\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Search affiliates...\",\"VY+Bdn\":\"Search by account name or email...\",\"VX+B3I\":\"Search by event title or organizer...\",\"GHdjuo\":\"Search by name, email, or account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Select a category\",\"BFRSTT\":\"Select Account\",\"mCB6Je\":\"Select All\",\"kYZSFD\":\"Select an organizer to view their dashboard and events.\",\"tVW/yo\":\"Select currency\",\"n9ZhRa\":\"Select end date and time\",\"gTN6Ws\":\"Select end time\",\"0U6E9W\":\"Select event category\",\"j9cPeF\":\"Select event types\",\"1nhy8G\":\"Select Scanner Type\",\"KizCK7\":\"Select start date and time\",\"dJZTv2\":\"Select start time\",\"aT3jZX\":\"Select timezone\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"BG3f7v\":\"Sell Anything\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"j9b/iy\":\"Selling fast 🔥\",\"1lNPhX\":\"Send refund notification email\",\"SPdzrs\":\"Sent to customers when they place an order\",\"LxSN5F\":\"Sent to each attendee with their ticket details\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Set up your organization\",\"HbUQWA\":\"Setup in Minutes\",\"GG7qDw\":\"Share Affiliate Link\",\"hL7sDJ\":\"Share Organizer Page\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Show all platforms (\",[\"0\"],\" more with values)\"],\"UVPI5D\":\"Show fewer platforms\",\"Eu/N/d\":\"Show marketing opt-in checkbox\",\"SXzpzO\":\"Show marketing opt-in checkbox by default\",\"b33PL9\":\"Show more platforms\",\"v6IwHE\":\"Smart Check-in\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Social Links\",\"j/TOB3\":\"Social Links & Website\",\"2pxNFK\":\"sold\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"H6Gslz\":\"Sorry for the inconvenience.\",\"7JFNej\":\"Sports\",\"JcQp9p\":\"Start date & time\",\"0m/ekX\":\"Start Date & Time\",\"izRfYP\":\"Start date is required\",\"2R1+Rv\":\"Start time of the event\",\"2NbyY/\":\"Statistics\",\"DRykfS\":\"Still handling refunds for your older transactions.\",\"wuV0bK\":\"Stop Impersonating\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe setup is already complete.\",\"ii0qn/\":\"Subject is required\",\"M7Uapz\":\"Subject will appear here\",\"6aXq+t\":\"Subject:\",\"JwTmB6\":\"Successfully Duplicated Product\",\"RuaKfn\":\"Successfully Updated Address\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Successfully Updated Organizer\",\"0Dk/l8\":\"Successfully Updated SEO Settings\",\"MhOoLQ\":\"Successfully Updated Social Links\",\"kj7zYe\":\"Successfully updated Webhook\",\"dXoieq\":\"Summary\",\"/RfJXt\":[\"Summer Music Festival \",[\"0\"]],\"CWOPIK\":\"Summer Music Festival 2025\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"JZTQI0\":\"Switch Organizer\",\"XX32BM\":\"Takes just a few minutes\",\"yT6dQ8\":\"Tax collected grouped by tax type and event\",\"Ye321X\":\"Tax Name\",\"WyCBRt\":\"Tax Summary\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tech\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Tell people what to expect at your event\",\"NiIUyb\":\"Tell us about your event\",\"DovcfC\":\"Tell us about your organization. This information will be displayed on your event pages.\",\"7wtpH5\":\"Template Active\",\"QHhZeE\":\"Template created successfully\",\"xrWdPR\":\"Template deleted successfully\",\"G04Zjt\":\"Template saved successfully\",\"xowcRf\":\"Terms of Service\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Thank you for attending!\",\"lhAWqI\":\"Thanks for your support as we continue to grow and improve Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"The code will expire in 10 minutes. Check your spam folder if you don't see the email.\",\"MJm4Tq\":\"The currency of the order\",\"I/NNtI\":\"The event venue\",\"tXadb0\":\"The event you're looking for is not available at the moment. It may have been removed, expired, or the URL might be incorrect.\",\"EBzPwC\":\"The full event address\",\"sxKqBm\":\"The full order amount will be refunded to the customer's original payment method.\",\"5OmEal\":\"The locale of the customer\",\"sYLeDq\":\"The organizer you're looking for could not be found. The page may have been moved, deleted, or the URL might be incorrect.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"The template body contains invalid Liquid syntax. Please correct it and try again.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Theme & Colors\",\"HirZe8\":\"These templates will be used as defaults for all events in your organization. Individual events can override these templates with their own custom versions.\",\"lzAaG5\":\"These templates will override the organizer defaults for this event only. If no custom template is set here, the organizer template will be used instead.\",\"XBNC3E\":\"This code will be used to track sales. Only letters, numbers, hyphens, and underscores allowed.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"This event is not published yet\",\"dFJnia\":\"This is the name of your organizer that will be displayed to your users.\",\"L7dIM7\":\"This link is invalid or has expired.\",\"j5FdeA\":\"This order is being processed.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"This order was cancelled. You can start a new order anytime.\",\"lyD7rQ\":\"This organizer profile is not published yet\",\"9b5956\":\"This preview shows how your email will look with sample data. Actual emails will use real values.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"This ticket was just scanned. Please wait before scanning again.\",\"kvpxIU\":\"This will be used for notifications and communication with your users.\",\"rhsath\":\"This will not be visible to customers, but helps you identify the affiliate.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticket Design\",\"EZC/Cu\":\"Ticket design saved successfully\",\"1BPctx\":\"Ticket for\",\"bgqf+K\":\"Ticket holder's email\",\"oR7zL3\":\"Ticket holder's name\",\"HGuXjF\":\"Ticket holders\",\"awHmAT\":\"Ticket ID\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Name\",\"6tmWch\":\"Ticket or Product\",\"1tfWrD\":\"Ticket Preview for\",\"tGCY6d\":\"Ticket Price\",\"8jLPgH\":\"Ticket Type\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets & Products\",\"EUnesn\":\"Tickets Available\",\"AGRilS\":\"Tickets Sold\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total Accounts\",\"EaAPbv\":\"Total amount paid\",\"SMDzqJ\":\"Total Attendees\",\"orBECM\":\"Total Collected\",\"KSDwd5\":\"Total Orders\",\"vb0Q0/\":\"Total Users\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"uKOFO5\":\"True if offline payment\",\"9GsDR2\":\"True if payment pending\",\"ouM5IM\":\"Try another email\",\"3DZvE7\":\"Try Hi.Events Free\",\"Kz91g/\":\"Turkish\",\"GdOhw6\":\"Turn sound off\",\"KUOhTy\":\"Turn sound on\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type of ticket\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"Vx2J6x\":\"Unable to fetch attendee\",\"b9SN9q\":\"Unique order reference\",\"Ef7StM\":\"Unknown\",\"ZBAScj\":\"Unknown Attendee\",\"ZkS2p3\":\"Unpublish Event\",\"Pp1sWX\":\"Update Affiliate\",\"KMMOAy\":\"Upgrade Available\",\"gJQsLv\":\"Upload a cover image for your organizer\",\"4kEGqW\":\"Upload a logo for your organizer\",\"lnCMdg\":\"Upload Image\",\"29w7p6\":\"Uploading image...\",\"HtrFfw\":\"URL is required\",\"WBq1/R\":\"USB Scanner Already Active\",\"EV30TR\":\"USB Scanner mode activated. Start scanning tickets now.\",\"fovJi3\":\"USB Scanner mode deactivated\",\"hli+ga\":\"USB/HID Scanner\",\"OHJXlK\":\"Use <0>Liquid templating to personalize your emails\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Used for borders, highlights, and QR code styling\",\"Fild5r\":\"Valid VAT number\",\"sqdl5s\":\"VAT Information\",\"UjNWsF\":\"VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below.\",\"pnVh83\":\"VAT Number\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"VAT number validation failed. Please check your number and try again.\",\"PCRCCN\":\"VAT Registration Information\",\"vbKW6Z\":\"VAT settings saved and validated successfully\",\"fb96a1\":\"VAT settings saved but validation failed. Please check your VAT number.\",\"Nfbg76\":\"VAT settings saved successfully\",\"tJylUv\":\"VAT Treatment for Platform Fees\",\"FlGprQ\":\"VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%.\",\"AdWhjZ\":\"Verification code\",\"wCKkSr\":\"Verify Email\",\"/IBv6X\":\"Verify your email\",\"e/cvV1\":\"Verifying...\",\"fROFIL\":\"Vietnamese\",\"+WFMis\":\"View and download reports across all your events. Only completed orders are included.\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"c7VN/A\":\"View Answers\",\"FCVmuU\":\"View Event\",\"n6EaWL\":\"View logs\",\"OaKTzt\":\"View Map\",\"67OJ7t\":\"View Order\",\"tKKZn0\":\"View Order Details\",\"9jnAcN\":\"View Organizer Homepage\",\"1J/AWD\":\"View Ticket\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible to check-in staff only. Helps identify this list during check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Waiting for payment\",\"RRZDED\":\"We couldn't find any orders associated with this email address.\",\"miysJh\":\"We couldn't find this order. It may have been removed.\",\"HJKdzP\":\"We hit a snag loading this page. Please try again.\",\"IfN2Qo\":\"We recommend a square logo with minimum dimensions of 200x200px\",\"wJzo/w\":\"We recommend dimensions of 400px by 400px, and a maximum file size of 5MB\",\"q1BizZ\":\"We'll send your tickets to this email\",\"zCdObC\":\"We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account.\",\"jh2orE\":\"We've relocated our headquarters to Ireland. As a result, we need you to reconnect your Stripe account. This quick process takes just a few minutes. Your sales and existing data remain completely unaffected.\",\"Fq/Nx7\":\"We've sent a 5-digit verification code to:\",\"GdWB+V\":\"Webhook created successfully\",\"2X4ecw\":\"Webhook deleted successfully\",\"CThMKa\":\"Webhook Logs\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook will not send notifications\",\"FSaY52\":\"Webhook will send notifications\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Welcome back 👋\",\"kSYpfa\":[\"Welcome to \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Welcome to \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Welcome to \",[\"0\"],\", here's a listing of all your events\"],\"FaSXqR\":\"What type of event?\",\"f30uVZ\":\"What you need to do:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"When a check-in is deleted\",\"Gmd0hv\":\"When a new attendee is created\",\"Lc18qn\":\"When a new order is created\",\"dfkQIO\":\"When a new product is created\",\"8OhzyY\":\"When a product is deleted\",\"tRXdQ9\":\"When a product is updated\",\"Q7CWxp\":\"When an attendee is cancelled\",\"IuUoyV\":\"When an attendee is checked in\",\"nBVOd7\":\"When an attendee is updated\",\"ny2r8d\":\"When an order is cancelled\",\"c9RYbv\":\"When an order is marked as paid\",\"ejMDw1\":\"When an order is refunded\",\"fVPt0F\":\"When an order is updated\",\"bcYlvb\":\"When check-in closes\",\"XIG669\":\"When check-in opens\",\"de6HLN\":\"When customers purchase tickets, their orders will appear here.\",\"blXLKj\":\"When enabled, new events will display a marketing opt-in checkbox during checkout. This can be overridden per event.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Write your message here...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Yes - I have a valid EU VAT registration number\",\"Tz5oXG\":\"Yes, cancel my order\",\"QlSZU0\":[\"You are impersonating <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"You are issuing a partial refund. The customer will be refunded \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"FVTVBy\":\"You must verify your email address before you can update the organizer status.\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"U3wiCB\":\"You're all set! Your payments are being processed smoothly.\",\"MNFIxz\":[\"You're going to \",[\"0\"],\"!\"],\"x/xjzn\":\"Your affiliates have been exported successfully.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"79lXGw\":\"Your check-in list has been created successfully. Share the link below with your check-in staff.\",\"BnlG9U\":\"Your current order will be lost.\",\"nBqgQb\":\"Your Email\",\"R02pnV\":\"Your event must be live before you can sell tickets to attendees.\",\"ifRqmm\":\"Your message has been sent successfully!\",\"/Rj5P4\":\"Your Name\",\"naQW82\":\"Your order has been cancelled.\",\"bhlHm/\":\"Your order is awaiting payment\",\"XeNum6\":\"Your orders have been exported successfully.\",\"Xd1R1a\":\"Your organizer address\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Your Stripe account is connected and processing payments.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"CnZ3Ou\":\"Your tickets have been confirmed.\",\"d/CiU9\":\"Your VAT number will be validated automatically when you save\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/en.po b/frontend/src/locales/en.po index f3b973b1fa..ab624cfdb7 100644 --- a/frontend/src/locales/en.po +++ b/frontend/src/locales/en.po @@ -261,13 +261,13 @@ msgstr "A standard tax, like VAT or GST" msgid "Abandoned" msgstr "Abandoned" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "About" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "About Stripe Connect" @@ -288,8 +288,8 @@ msgstr "Accept credit card payments with Stripe" msgid "Accept Invitation" msgstr "Accept Invitation" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Access Denied" @@ -298,7 +298,7 @@ msgstr "Access Denied" msgid "Account" msgstr "Account" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Account already connected!" @@ -321,10 +321,14 @@ msgstr "Account updated successfully" msgid "Accounts" msgstr "Accounts" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Action Required: Reconnect Your Stripe Account" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Action Required: VAT Information Needed" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "Add tier" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Add to Calendar" @@ -549,7 +553,7 @@ msgstr "All attendees of this event" msgid "All Currencies" msgstr "All Currencies" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "All done! You're now using our upgraded payment system." @@ -579,8 +583,8 @@ msgstr "Allow search engine indexing" msgid "Allow search engines to index this event" msgstr "Allow search engines to index this event" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Almost there! Finish connecting your Stripe account to start accepting payments." @@ -727,7 +731,7 @@ msgstr "Are you sure you want to delete this template? This action cannot be und msgid "Are you sure you want to delete this webhook?" msgstr "Are you sure you want to delete this webhook?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Are you sure you want to leave?" @@ -777,10 +781,23 @@ msgstr "Are you sure you would like to delete this Capacity Assignment?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Are you sure you would like to delete this Check-In List?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "Are you VAT registered in the EU?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Art" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Ask once per order" @@ -1437,7 +1454,7 @@ msgstr "Complete Payment" msgid "Complete Stripe Setup" msgstr "Complete Stripe Setup" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Complete the setup below to continue" @@ -1530,11 +1547,11 @@ msgstr "Confirming email address..." msgid "Congratulations on creating an event!" msgstr "Congratulations on creating an event!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Connect & Upgrade" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Connect Documentation" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Connect with CRM and automate tasks using webhooks and integrations" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Connect with Stripe" @@ -1571,15 +1588,15 @@ msgstr "Connect with Stripe" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Connect your Stripe account to accept payments for tickets and products." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Connect your Stripe account to accept payments." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Connect your Stripe account to start accepting payments for your events." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Connect your Stripe account to start accepting payments." @@ -1587,8 +1604,8 @@ msgstr "Connect your Stripe account to start accepting payments." msgid "Connect your Stripe account to start receiving payments." msgstr "Connect your Stripe account to start receiving payments." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Connected to Stripe" @@ -1596,7 +1613,7 @@ msgstr "Connected to Stripe" msgid "Connection Details" msgstr "Connection Details" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Contact" @@ -1926,7 +1943,7 @@ msgstr "Currency" msgid "Current Password" msgstr "Current Password" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Current payment processor" @@ -2205,7 +2222,7 @@ msgstr "Display a checkbox allowing customers to opt-in to receive marketing com msgid "Document Label" msgstr "Document Label" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Documentation" @@ -2608,6 +2625,10 @@ msgstr "Enter your email" msgid "Enter your name" msgstr "Enter your name" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "Error confirming email change" msgid "Error loading logs" msgstr "Error loading logs" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2934,6 +2960,10 @@ msgstr "Failed to resend verification code" msgid "Failed to save template" msgstr "Failed to save template" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Failed to save VAT settings. Please try again." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Failed to send message. Please try again." @@ -2993,7 +3023,7 @@ msgstr "Fee" msgid "Fees" msgstr "Fees" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "Fees are subject to change. You will be notified of any changes to your fee structure." @@ -3023,12 +3053,12 @@ msgstr "Filters" msgid "Filters ({activeFilterCount})" msgstr "Filters ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Finish Setup" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Finish Stripe Setup" @@ -3080,7 +3110,7 @@ msgstr "Fixed" msgid "Fixed amount" msgstr "Fixed amount" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Fixed Fee:" @@ -3164,7 +3194,7 @@ msgstr "Generate code" msgid "German" msgstr "German" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Get Directions" @@ -3172,7 +3202,7 @@ msgstr "Get Directions" msgid "Get started for free, no subscription fees" msgstr "Get started for free, no subscription fees" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" msgstr "Get Tickets" @@ -3256,7 +3286,7 @@ msgstr "Here is the React component you can use to embed the widget in your appl msgid "Here is your affiliate link" msgstr "Here is your affiliate link" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Here's what to expect:" @@ -3440,6 +3470,10 @@ msgstr "If enabled, check-in staff can either mark attendees as checked in or ma msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "If enabled, the organizer will receive an email notification when a new order is placed" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "If registered, provide your VAT number for validation" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "If you did not request this change, please immediately change your password." @@ -3534,6 +3568,10 @@ msgstr "Includes {0} products" msgid "Includes 1 product" msgstr "Includes 1 product" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Indicate whether you're VAT-registered in the EU" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Individual attendees" @@ -3572,6 +3610,10 @@ msgstr "Invalid email format" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Invalid Liquid syntax. Please correct it and try again." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "Invalid VAT number format" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Invitation resent!" @@ -3621,6 +3663,10 @@ msgstr "Invoice Numbering" msgid "Invoice Settings" msgstr "Invoice Settings" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "Irish VAT at 23% will be applied to platform fees (domestic supply)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Italian" @@ -3645,11 +3691,11 @@ msgstr "John" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Join from anywhere" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Just click the button below to reconnect your Stripe account." @@ -3807,7 +3853,7 @@ msgid "Loading..." msgstr "Loading..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3912,7 +3958,7 @@ msgstr "Manage tickets" msgid "Manage your account details and default settings" msgstr "Manage your account details and default settings" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Manage your payment processing and view platform fees" @@ -4109,6 +4155,10 @@ msgstr "New Password" msgid "Nightlife" msgstr "Nightlife" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "No - I'm an individual or non-VAT registered business" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "No accounts" @@ -4201,7 +4251,7 @@ msgstr "No events yet" msgid "No filters available" msgstr "No filters available" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "No impact on your current or past transactions" @@ -4313,10 +4363,15 @@ msgstr "No webhook events have been recorded for this endpoint yet. Events will msgid "No Webhooks" msgstr "No Webhooks" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "No, keep me here" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4411,7 +4466,7 @@ msgstr "On Sale" msgid "On sale {0}" msgstr "On sale {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Once you complete the upgrade, your old account will only be used for refunds." @@ -4441,7 +4496,7 @@ msgid "Online event" msgstr "Online event" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Online Event" @@ -4475,9 +4530,9 @@ msgstr "Open Check-In Page" msgid "Open sidebar" msgstr "Open sidebar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Open Stripe Dashboard" @@ -4725,7 +4780,7 @@ msgstr "Organization Name" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4954,9 +5009,9 @@ msgstr "Payment method" msgid "Payment Methods" msgstr "Payment Methods" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Payment Processing" @@ -4972,7 +5027,7 @@ msgstr "Payment received" msgid "Payment Received" msgstr "Payment Received" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Payment Settings" @@ -4992,7 +5047,7 @@ msgstr "Payment Terms" msgid "Payments not available" msgstr "Payments not available" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Payments will continue to flow without interruption" @@ -5035,7 +5090,7 @@ msgstr "Place this in the of your website." msgid "Planning an event?" msgstr "Planning an event?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Platform Fees" @@ -5092,6 +5147,10 @@ msgstr "Please enter the 5-digit code" msgid "Please enter your new password" msgstr "Please enter your new password" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Please enter your VAT number" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Please Note" @@ -5242,7 +5301,7 @@ msgstr "Print Tickets" msgid "Print to PDF" msgstr "Print to PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Privacy Policy" @@ -5462,7 +5521,7 @@ msgstr "Rate" msgid "Read less" msgstr "Read less" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Ready to upgrade? This takes only a few minutes." @@ -5484,10 +5543,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Redirecting to Stripe..." @@ -5650,7 +5709,7 @@ msgstr "Restore event" msgid "Return to Event" msgstr "Return to Event" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Return to Event Page" @@ -5779,6 +5838,10 @@ msgstr "Save Template" msgid "Save Ticket Design" msgstr "Save Ticket Design" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "Save VAT Settings" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -6096,7 +6159,7 @@ msgid "Setup in Minutes" msgstr "Setup in Minutes" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6223,7 +6286,7 @@ msgid "Sold out" msgstr "Sold out" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Sold Out" @@ -6331,7 +6394,7 @@ msgstr "Statistics" msgid "Status" msgstr "Status" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Still handling refunds for your older transactions." @@ -6344,7 +6407,7 @@ msgstr "Stop Impersonating" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6541,7 +6604,7 @@ msgstr "Switch Organizer" msgid "T-shirt" msgstr "T-shirt" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Takes just a few minutes" @@ -6642,7 +6705,7 @@ msgstr "Template deleted successfully" msgid "Template saved successfully" msgstr "Template saved successfully" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Terms of Service" @@ -6655,7 +6718,7 @@ msgstr "Text may be hard to read" msgid "Thank you for attending!" msgstr "Thank you for attending!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Thanks for your support as we continue to grow and improve Hi.Events!" @@ -7058,7 +7121,7 @@ msgstr "Ticket URL" msgid "tickets" msgstr "tickets" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" msgstr "Tickets" @@ -7068,7 +7131,7 @@ msgstr "Tickets" msgid "Tickets & Products" msgstr "Tickets & Products" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Tickets Available" @@ -7122,7 +7185,7 @@ msgstr "Timezone" msgid "TIP" msgstr "TIP" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." @@ -7204,7 +7267,7 @@ msgstr "Total Users" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Track revenue, page views, and sales with detailed analytics and exportable reports" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Transaction Fee:" @@ -7359,7 +7422,7 @@ msgstr "Update event name, description and dates" msgid "Update profile" msgstr "Update profile" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Upgrade Available" @@ -7468,10 +7531,63 @@ msgstr "Users can change their email in <0>Profile Settings" msgid "UTC" msgstr "UTC" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "Valid VAT number" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "VAT" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "VAT Information" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "VAT Number" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "VAT number must not contain spaces" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "VAT number validation failed. Please check your number and try again." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "VAT Registration Information" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "VAT settings saved and validated successfully" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "VAT settings saved but validation failed. Please check your VAT number." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "VAT settings saved successfully" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "VAT Treatment for Platform Fees" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "Venue Name" @@ -7539,12 +7655,12 @@ msgstr "View logs" msgid "View map" msgstr "View map" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "View Map" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "View on Google Maps" @@ -7656,7 +7772,7 @@ msgstr "We'll send your tickets to this email" msgid "We're processing your order. Please wait..." msgstr "We're processing your order. Please wait..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." @@ -7762,6 +7878,10 @@ msgstr "What type of event?" msgid "What type of question is this?" msgstr "What type of question is this?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "What you need to do:" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7905,7 +8025,11 @@ msgstr "X (Twitter)" msgid "Year to date" msgstr "Year to date" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "Yes - I have a valid EU VAT registration number" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "Yes, cancel my order" @@ -8039,7 +8163,7 @@ msgstr "You'll need at a product before you can create a capacity assignment." msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "You'll need at least one product to get started. Free, paid or let the user decide what to pay." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "You're all set! Your payments are being processed smoothly." @@ -8071,7 +8195,7 @@ msgstr "Your awesome website 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "Your check-in list has been created successfully. Share the link below with your check-in staff." -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "Your current order will be lost." @@ -8157,12 +8281,12 @@ msgstr "Your payment was unsuccessful. Please try again." msgid "Your refund is processing." msgstr "Your refund is processing." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "Your Stripe account is connected and processing payments." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "Your Stripe account is connected and ready to process payments." @@ -8174,6 +8298,10 @@ msgstr "Your ticket for" msgid "Your tickets have been confirmed." msgstr "Your tickets have been confirmed." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "Your VAT number will be validated automatically when you save" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/es.js b/frontend/src/locales/es.js index 53946551a0..d4da4fef09 100644 --- a/frontend/src/locales/es.js +++ b/frontend/src/locales/es.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'No hay nada que mostrar todavía'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado con éxito\"],\"yxhYRZ\":[[\"0\"],\" <0>retirado con éxito\"],\"KMgp2+\":[[\"0\"],\" disponible\"],\"Pmr5xp\":[[\"0\"],\" creado correctamente\"],\"FImCSc\":[[\"0\"],\" actualizado correctamente\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" días, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"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>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://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.\",\"ZjMs6e\":\"<0>El número de productos disponibles para este producto<1>Este valor se puede sobrescribir si hay <2>Límites de Capacidad asociados con este producto.\",\"E15xs8\":\"⚡️ Configura tu evento\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Personaliza la página de tu evento\",\"3VPPdS\":\"💳 Conéctate con Stripe\",\"cjdktw\":\"🚀 Configura tu evento en vivo\",\"rmelwV\":\"0 minutos y 0 segundos\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"Un \",[\"type\"],\" predeterminado se aplica automáticamente a todos los nuevos productos. Puede sobrescribir esto por cada producto.\"],\"SMUbbQ\":\"Una entrada desplegable permite solo una selección\",\"qv4bfj\":\"Una tarifa, como una tarifa de reserva o una tarifa de servicio\",\"POT0K/\":\"Un monto fijo por producto. Ej., $0.50 por producto\",\"f4vJgj\":\"Una entrada de texto de varias líneas\",\"OIPtI5\":\"Un porcentaje del precio del producto. Ej., 3.5% del precio del producto\",\"ZthcdI\":\"Un código promocional sin descuento puede usarse para revelar productos ocultos.\",\"AG/qmQ\":\"Una opción de Radio tiene múltiples opciones pero solo se puede seleccionar una.\",\"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\",\"BHZbFy\":\"Una sola pregunta por pedido. Ej., ¿Cuál es su dirección de envío?\",\"Fuh+dI\":\"Una sola pregunta por producto. Ej., ¿Cuál es su talla de camiseta?\",\"RlJmQg\":\"Un impuesto estándar, como el IVA o el GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Aceptar transferencias bancarias, cheques u otros métodos de pago offline\",\"hrvLf4\":\"Aceptar pagos con tarjeta de crédito a través de Stripe\",\"bfXQ+N\":\"Aceptar la invitacion\",\"AeXO77\":\"Cuenta\",\"lkNdiH\":\"Nombre de la cuenta\",\"Puv7+X\":\"Configuraciones de la cuenta\",\"OmylXO\":\"Cuenta actualizada exitosamente\",\"7L01XJ\":\"Acciones\",\"FQBaXG\":\"Activar\",\"5T2HxQ\":\"Fecha de activación\",\"F6pfE9\":\"Activo\",\"/PN1DA\":\"Agregue una descripción para esta lista de registro\",\"0/vPdA\":\"Agrega cualquier nota sobre el asistente. Estas no serán visibles para el asistente.\",\"Or1CPR\":\"Agrega cualquier nota sobre el asistente...\",\"l3sZO1\":\"Agregue notas sobre el pedido. Estas no serán visibles para el cliente.\",\"xMekgu\":\"Agregue notas sobre el pedido...\",\"PGPGsL\":\"Añadir descripción\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Agregue instrucciones para pagos offline (por ejemplo, detalles de transferencia bancaria, dónde enviar cheques, fechas límite de pago)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Agregar nuevo\",\"TZxnm8\":\"Agregar opción\",\"24l4x6\":\"Añadir producto\",\"8q0EdE\":\"Añadir producto a la categoría\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Agregar pregunta\",\"yWiPh+\":\"Agregar impuesto o tarifa\",\"goOKRY\":\"Agregar nivel\",\"oZW/gT\":\"Agregar al calendario\",\"pn5qSs\":\"Información adicional\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Todos los asistentes a este evento.\",\"cde2hc\":\"Todos los productos\",\"5CQ+r0\":\"Permitir que los asistentes asociados con pedidos no pagados se registren\",\"ipYKgM\":\"Permitir la indexación en motores de búsqueda\",\"LRbt6D\":\"Permitir que los motores de búsqueda indexen este evento\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Increíble, evento, palabras clave...\",\"hehnjM\":\"Cantidad\",\"R2O9Rg\":[\"Importe pagado (\",[\"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.\",\"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\":\"Ocurrió un error inesperado.\",\"byKna+\":\"Ocurrió un error inesperado. Inténtalo de nuevo.\",\"ubdMGz\":\"Cualquier consulta de los titulares de productos se enviará a esta dirección de correo electrónico. Esta también se usará como la dirección de \\\"respuesta a\\\" para todos los correos electrónicos enviados desde este evento\",\"aAIQg2\":\"Apariencia\",\"Ym1gnK\":\"aplicado\",\"sy6fss\":[\"Se aplica a \",[\"0\"],\" productos\"],\"kadJKg\":\"Se aplica a 1 producto\",\"DB8zMK\":\"Aplicar\",\"GctSSm\":\"Aplicar código promocional\",\"ARBThj\":[\"Aplicar este \",[\"type\"],\" a todos los nuevos productos\"],\"S0ctOE\":\"Archivar evento\",\"TdfEV7\":\"Archivado\",\"A6AtLP\":\"Archived Events\",\"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?\",\"LBLOqH\":\"Preguntar una vez por pedido\",\"wu98dY\":\"Preguntar una vez por producto\",\"ss9PbX\":\"Asistente\",\"m0CFV2\":\"Detalles de los asistentes\",\"QKim6l\":\"Asistente no encontrado\",\"R5IT/I\":\"Notas del asistente\",\"lXcSD2\":\"Preguntas de los asistentes\",\"HT/08n\":\"Entrada del asistente\",\"9SZT4E\":\"Asistentes\",\"iPBfZP\":\"Asistentes registrados\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"Esperando pago offline\",\"2rHwhl\":\"Esperando pago offline\",\"3wF4Q/\":\"Esperando pago\",\"ioG+xt\":\"En espera de pago\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Impresionante organizador Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Volver a la página del evento\",\"VCoEm+\":\"Atrás para iniciar sesión\",\"k1bLf+\":\"Color de fondo\",\"I7xjqg\":\"Tipo de fondo\",\"1mwMl+\":\"¡Antes de enviar!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Dirección de facturación\",\"/xC/im\":\"Configuración de facturación\",\"rp/zaT\":\"Portugués brasileño\",\"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.\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar cambio de correo electrónico\",\"tVJk4q\":\"Cancelar orden\",\"Os6n2a\":\"Cancelar orden\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"No se puede registrar entrada\",\"QyjCeq\":\"Capacidad\",\"V6Q5RZ\":\"Asignación de Capacidad creada con éxito\",\"k5p8dz\":\"Asignación de Capacidad eliminada con éxito\",\"nDBs04\":\"Gestión de Capacidad\",\"ddha3c\":\"Las categorías le permiten agrupar productos. Por ejemplo, puede tener una categoría para \\\"Entradas\\\" y otra para \\\"Mercancía\\\".\",\"iS0wAT\":\"Las categorías le ayudan a organizar sus productos. Este título se mostrará en la página pública del evento.\",\"eorM7z\":\"Categorías reordenadas con éxito.\",\"3EXqwa\":\"Categoría creada con éxito\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Cambiar la contraseña\",\"xMDm+I\":\"Registrar entrada\",\"p2WLr3\":[\"Registrar \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Registrar entrada y marcar pedido como pagado\",\"QYLpB4\":\"Solo registrar entrada\",\"/Ta1d4\":\"Registrar salida\",\"5LDT6f\":\"¡Mira este evento!\",\"gXcPxc\":\"Registrarse\",\"fVUbUy\":\"Check-In List created successfully\",\"+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\",\"znIg+z\":\"Pagar\",\"1WnhCL\":\"Configuración de pago\",\"6imsQS\":\"Chino simplificado\",\"JjkX4+\":\"Elige un color para tu fondo\",\"/Jizh9\":\"elige una cuenta\",\"3wV73y\":\"Ciudad\",\"FG98gC\":\"Borrar texto de búsqueda\",\"EYeuMv\":\"click here\",\"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.\",\"oqr9HB\":\"Colapsar este producto cuando la página del evento se cargue inicialmente\",\"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\":\"Completar Orden\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"El pago completo\",\"qqWcBV\":\"Terminado\",\"6HK5Ct\":\"Pedidos completados\",\"NWVRtl\":\"Pedidos completados\",\"DwF9eH\":\"Código de componente\",\"Tf55h7\":\"Descuento configurado\",\"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...\",\"pbAk7a\":\"Conectar raya\",\"UMGQOh\":\"Conéctate con Stripe\",\"QKLP1W\":\"Conecte su cuenta Stripe para comenzar a recibir pagos.\",\"5lcVkL\":\"Detalles de conexión\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Texto del botón Continuar\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continuar configurando\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"copiado\",\"T5rdis\":\"Copiado al portapapeles\",\"he3ygx\":\"Copiar\",\"r2B2P8\":\"Copiar URL de registro\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cubrir\",\"hYgDIe\":\"Crear\",\"b9XOHo\":[\"Crear \",[\"0\"]],\"k9RiLi\":\"Crear un producto\",\"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\",\"EwoMtl\":\"Crear categoría\",\"XletzW\":\"Crear categoría\",\"WVbTwK\":\"Crear lista de registro\",\"uN355O\":\"Crear evento\",\"BOqY23\":\"Crear nuevo\",\"kpJAeS\":\"Crear organizador\",\"a0EjD+\":\"Crear producto\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Crear código promocional\",\"B3Mkdt\":\"Crear pregunta\",\"UKfi21\":\"Crear impuesto o tarifa\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Divisa\",\"DCKkhU\":\"Contraseña actual\",\"uIElGP\":\"URL de mapas personalizados\",\"UEqXyt\":\"Rango personalizado\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalice la configuración de correo electrónico y notificaciones para este evento\",\"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\":\"Dashboard\",\"mYGY3B\":\"Fecha\",\"JvUngl\":\"Fecha y hora\",\"JJhRbH\":\"Capacidad del primer día\",\"cnGeoo\":\"Borrar\",\"jRJZxD\":\"Eliminar Capacidad\",\"VskHIx\":\"Eliminar categoría\",\"Qrc8RZ\":\"Eliminar lista de registro\",\"WHf154\":\"Eliminar código\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Eliminar pregunta\",\"Nu4oKW\":\"Descripción\",\"YC3oXa\":\"Descripción para el personal de registro\",\"URmyfc\":\"Detalles\",\"1lRT3t\":\"Deshabilitar esta capacidad rastreará las ventas pero no las detendrá cuando se alcance el límite\",\"H6Ma8Z\":\"Descuento\",\"ypJ62C\":\"Descuento %\",\"3LtiBI\":[\"Descuento en \",[\"0\"]],\"C8JLas\":\"Tipo de descuento\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Etiqueta del documento\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donación / Producto de paga lo que quieras\",\"OvNbls\":\"Descargar .ics\",\"kodV18\":\"Descargar CSV\",\"CELKku\":\"Descargar factura\",\"LQrXcu\":\"Descargar factura\",\"QIodqd\":\"Descargar código QR\",\"yhjU+j\":\"Descargando factura\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Selección desplegable\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicar opciones\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kBkYSa\":\"Editar Capacidad\",\"oHE9JT\":\"Editar Asignación de Capacidad\",\"j1Jl7s\":\"Editar categoría\",\"FU1gvP\":\"Editar lista de registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"tdD/QN\":\"Editar producto\",\"n143Tq\":\"Editar categoría de producto\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pregunta\",\"EzwCw7\":\"Editar pregunta\",\"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\",\"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\",\"NTZ/NX\":\"Código de inserción\",\"4rnJq4\":\"Insertar secuencia de comandos\",\"8oPbg1\":\"Habilitar facturación\",\"j6w7d/\":\"Activar esta capacidad para detener las ventas de productos cuando se alcance el límite\",\"VFv2ZC\":\"Fecha de finalización\",\"237hSL\":\"Terminado\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Inglés\",\"MhVoma\":\"Ingrese un monto sin incluir impuestos ni tarifas.\",\"SlfejT\":\"Error\",\"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\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Fecha del Evento\",\"0Zptey\":\"Valores predeterminados de eventos\",\"QcCPs8\":\"Detalles del evento\",\"6fuA9p\":\"Evento duplicado con éxito\",\"AEuj2m\":\"Página principal del evento\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Ubicación del evento y detalles del lugar\",\"OopDbA\":\"Event page\",\"4/If97\":\"Error al actualizar el estado del evento. Por favor, inténtelo de nuevo más tarde\",\"btxLWj\":\"Estado del evento actualizado\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"No se pudo descargar la factura. Inténtalo de nuevo.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"No se pudo cargar la lista de registro\",\"ZQ15eN\":\"No se pudo reenviar el correo electrónico del ticket\",\"ejXy+D\":\"Error al ordenar productos\",\"PLUB/s\":\"Tarifa\",\"/mfICu\":\"Honorarios\",\"LyFC7X\":\"Filtrar pedidos\",\"cSev+j\":\"Filtros\",\"CVw2MU\":[\"Filtros (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Primer número de factura\",\"V1EGGU\":\"Primer Nombre\",\"kODvZJ\":\"Primer Nombre\",\"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.\",\"Rs/IcB\":\"Usado por primera vez\",\"TpqW74\":\"Fijado\",\"irpUxR\":\"Cantidad fija\",\"TF9opW\":\"Flash no está disponible en este dispositivo\",\"UNMVei\":\"¿Has olvidado tu contraseña?\",\"2POOFK\":\"Gratis\",\"P/OAYJ\":\"Producto gratuito\",\"vAbVy9\":\"Producto gratuito, no se requiere información de pago\",\"nLC6tu\":\"Francés\",\"Weq9zb\":\"General\",\"DDcvSo\":\"Alemán\",\"4GLxhy\":\"Empezando\",\"4D3rRj\":\"volver al perfil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Ventas brutas\",\"yRg26W\":\"Ventas brutas\",\"R4r4XO\":\"Huéspedes\",\"26pGvx\":\"¿Tienes un código de promoción?\",\"V7yhws\":\"hola@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Hola \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events 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.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar página de inicio\",\"mFn5Xz\":\"Ocultar preguntas ocultas\",\"YHsF9c\":\"Ocultar producto después de la fecha de finalización de la venta\",\"06s3w3\":\"Ocultar producto antes de la fecha de inicio de la venta\",\"axVMjA\":\"Ocultar producto a menos que el usuario tenga un código promocional aplicable\",\"ySQGHV\":\"Ocultar producto cuando esté agotado\",\"SCimta\":\"Ocultar la página de inicio de la barra lateral\",\"5xR17G\":\"Ocultar este producto a los clientes\",\"Da29Y6\":\"Ocultar esta pregunta\",\"fvDQhr\":\"Ocultar este nivel a los usuarios\",\"lNipG+\":\"Ocultar un producto impedirá que los usuarios lo vean en la página del evento.\",\"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\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Si está en blanco, se usará la dirección para generar un enlace de Google Maps\",\"UYT+c8\":\"Si está habilitado, el personal de registro puede marcar a los asistentes como registrados o marcar el pedido como pagado y registrar a los asistentes. Si está deshabilitado, los asistentes asociados con pedidos no pagados no pueden registrarse.\",\"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\",\"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\":\"Imagen cargada exitosamente\",\"VyUuZb\":\"URL de imagen\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactivo\",\"T0K0yl\":\"Los usuarios inactivos no pueden iniciar sesión.\",\"kO44sp\":\"Incluya los 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 del boleto del asistente.\",\"FlQKnG\":\"Incluye impuestos y tasas en el precio.\",\"Vi+BiW\":[\"Incluye \",[\"0\"],\" productos\"],\"lpm0+y\":\"Incluye 1 producto\",\"UiAk5P\":\"Insertar imagen\",\"OyLdaz\":\"¡Invitación resentida!\",\"HE6KcK\":\"¡Invitación revocada!\",\"SQKPvQ\":\"Invitar usuario\",\"bKOYkd\":\"Factura descargada con éxito\",\"alD1+n\":\"Notas de la factura\",\"kOtCs2\":\"Numeración de facturas\",\"UZ2GSZ\":\"Configuración de facturación\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Artículo\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Etiqueta\",\"vXIe7J\":\"Idioma\",\"2LMsOq\":\"Últimos 12 meses\",\"vfe90m\":\"Últimos 14 días\",\"aK4uBd\":\"Últimas 24 horas\",\"uq2BmQ\":\"Últimos 30 días\",\"bB6Ram\":\"Últimas 48 horas\",\"VlnB7s\":\"Últimos 6 meses\",\"ct2SYD\":\"Últimos 7 días\",\"XgOuA7\":\"Últimos 90 días\",\"I3yitW\":\"Último acceso\",\"1ZaQUH\":\"Apellido\",\"UXBCwc\":\"Apellido\",\"tKCBU0\":\"Última vez usado\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Dejar en blanco para usar la palabra predeterminada \\\"Factura\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Cargando...\",\"wJijgU\":\"Ubicación\",\"sQia9P\":\"Acceso\",\"zUDyah\":\"Iniciando sesión\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Cerrar sesión\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Hacer obligatoria la dirección de facturación durante el pago\",\"MU3ijv\":\"Haz que esta pregunta sea obligatoria\",\"wckWOP\":\"Administrar\",\"onpJrA\":\"Gestionar asistente\",\"n4SpU5\":\"Administrar evento\",\"WVgSTy\":\"Gestionar pedido\",\"1MAvUY\":\"Gestionar las configuraciones de pago y facturación para este evento.\",\"cQrNR3\":\"Administrar perfil\",\"AtXtSw\":\"Gestionar impuestos y tasas que se pueden aplicar a sus productos\",\"ophZVW\":\"Gestionar entradas\",\"DdHfeW\":\"Administre los detalles de su cuenta y la configuración predeterminada\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Marcar como pagado\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Asistente del mensaje\",\"Gv5AMu\":\"Mensaje a los asistentes\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Misceláneo\",\"mYLhkl\":\"Otras configuraciones\",\"KYveV8\":\"Cuadro de texto de varias líneas\",\"VD0iA7\":\"Múltiples opciones de precio. Perfecto para productos anticipados, etc.\",\"/bhMdO\":\"Mi increíble descripción del evento...\",\"vX8/tc\":\"El increíble título de mi evento...\",\"hKtWk2\":\"Mi perfil\",\"fj5byd\":\"No disponible\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nombre\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navegar al asistente\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nueva contraseña\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"No hay eventos archivados para mostrar.\",\"q2LEDV\":\"No se encontraron asistentes para este pedido.\",\"zlHa5R\":\"No se han añadido asistentes a este pedido.\",\"Wjz5KP\":\"No hay asistentes para mostrar\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"No hay Asignaciones de Capacidad\",\"a/gMx2\":\"No hay listas de registro\",\"tMFDem\":\"No hay datos disponibles\",\"6Z/F61\":\"No hay datos para mostrar. Por favor selecciona un rango de fechas\",\"fFeCKc\":\"Sin descuento\",\"HFucK5\":\"No hay eventos finalizados para mostrar.\",\"yAlJXG\":\"No hay eventos para mostrar\",\"GqvPcv\":\"No hay filtros disponibles\",\"KPWxKD\":\"No hay mensajes para mostrar\",\"J2LkP8\":\"No hay pedidos para mostrar\",\"RBXXtB\":\"No hay métodos de pago disponibles actualmente. Por favor, contacte al organizador del evento para obtener ayuda.\",\"ZWEfBE\":\"No se requiere pago\",\"ZPoHOn\":\"No hay ningún producto asociado con este asistente.\",\"Ya1JhR\":\"No hay productos disponibles en esta categoría.\",\"FTfObB\":\"Aún no hay productos\",\"+Y976X\":\"No hay códigos promocionales para mostrar\",\"MAavyl\":\"No hay preguntas respondidas por este asistente.\",\"SnlQeq\":\"No se han hecho preguntas para este pedido.\",\"Ev2r9A\":\"No hay resultados\",\"gk5uwN\":\"Sin resultados de búsqueda\",\"RHyZUL\":\"Sin resultados de búsqueda.\",\"RY2eP1\":\"No se han agregado impuestos ni tarifas.\",\"EdQY6l\":\"Ninguno\",\"OJx3wK\":\"No disponible\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notas\",\"jtrY3S\":\"Nada que mostrar aún\",\"hFwWnI\":\"Configuración de las notificaciones\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notificar al organizador de nuevos pedidos\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Número de días permitidos para el pago (dejar en blanco para omitir los términos de pago en las facturas)\",\"n86jmj\":\"Prefijo del número\",\"mwe+2z\":\"Los pedidos offline no se reflejan en las estadísticas del evento hasta que el pedido se marque como pagado.\",\"dWBrJX\":\"El pago offline ha fallado. Por favor, inténtelo de nuevo o contacte al organizador del evento.\",\"fcnqjw\":\"Instrucciones de Pago Fuera de Línea\",\"+eZ7dp\":\"Pagos offline\",\"ojDQlR\":\"Información de pagos offline\",\"u5oO/W\":\"Configuración de pagos offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"En venta\",\"Ug4SfW\":\"Una vez que crees un evento, lo verás aquí.\",\"ZxnK5C\":\"Una vez que comiences a recopilar datos, los verás aquí.\",\"PnSzEc\":\"Una vez que esté listo, ponga su evento en vivo y comience a vender productos.\",\"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 Página de Check-In\",\"OdnLE4\":\"Abrir barra lateral\",\"ZZEYpT\":[\"Opción \",[\"i\"]],\"oPknTP\":\"Información adicional opcional que aparecerá en todas las facturas (por ejemplo, términos de pago, cargos por pago atrasado, política de devoluciones)\",\"OrXJBY\":\"Prefijo opcional para los números de factura (por ejemplo, INV-)\",\"0zpgxV\":\"Opciones\",\"BzEFor\":\"o\",\"UYUgdb\":\"Orden\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Orden cancelada\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Fecha de orden\",\"Tol4BF\":\"Detalles del pedido\",\"WbImlQ\":\"El pedido ha sido cancelado y se ha notificado al propietario del pedido.\",\"nAn4Oe\":\"Pedido marcado como pagado\",\"uzEfRz\":\"Notas del pedido\",\"VCOi7U\":\"Preguntas sobre pedidos\",\"TPoYsF\":\"Pedir Referencia\",\"acIJ41\":\"Estado del pedido\",\"GX6dZv\":\"Resumen del pedido\",\"tDTq0D\":\"Tiempo de espera del pedido\",\"1h+RBg\":\"Pedidos\",\"3y+V4p\":\"Dirección de la organización\",\"GVcaW6\":\"Detalles de la organización\",\"nfnm9D\":\"Nombre de la organización\",\"G5RhpL\":\"Organizador\",\"mYygCM\":\"Se requiere organizador\",\"Pa6G7v\":\"Nombre del organizador\",\"l894xP\":\"Los organizadores solo pueden gestionar eventos y productos. No pueden gestionar usuarios, configuraciones de cuenta o información de facturación.\",\"fdjq4c\":\"Relleno\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Página no encontrada\",\"QbrUIo\":\"Vistas de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pagado\",\"HVW65c\":\"Producto de pago\",\"ZfxaB4\":\"Reembolsado parcialmente\",\"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\",\"621rYf\":\"Pago\",\"Lg+ewC\":\"Pago y facturación\",\"DZjk8u\":\"Configuración de pago y facturación\",\"lflimf\":\"Período de vencimiento del pago\",\"JhtZAK\":\"Pago fallido\",\"JEdsvQ\":\"Instrucciones de pago\",\"bLB3MJ\":\"Métodos de pago\",\"QzmQBG\":\"Proveedor de pago\",\"lsxOPC\":\"Pago recibido\",\"wJTzyi\":\"Estado del pago\",\"xgav5v\":\"¡Pago exitoso!\",\"R29lO5\":\"Términos de pago\",\"/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.\",\"hcX103\":\"Por favor, cree un producto\",\"cdR8d6\":\"Por favor, crea un ticket\",\"x2mjl4\":\"Por favor, introduzca una URL de imagen válida que apunte a una imagen.\",\"HnNept\":\"Por favor ingrese su nueva contraseña\",\"5FSIzj\":\"Tenga en cuenta\",\"C63rRe\":\"Por favor, regresa a la página del evento para comenzar de nuevo.\",\"pJLvdS\":\"Por favor seleccione\",\"Ewir4O\":\"Por favor, seleccione al menos un producto\",\"igBrCH\":\"Verifique su dirección de correo electrónico para acceder a todas las funciones.\",\"/IzmnP\":\"Por favor, espere mientras preparamos su factura...\",\"MOERNx\":\"Portugués\",\"qCJyMx\":\"Mensaje posterior al pago\",\"g2UNkE\":\"Energizado por\",\"Rs7IQv\":\"Mensaje previo al pago\",\"rdUucN\":\"Vista Previa\",\"a7u1N9\":\"Precio\",\"CmoB9j\":\"Modo de visualización de precios\",\"BI7D9d\":\"Precio no establecido\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Tipo de precio\",\"6RmHKN\":\"Color primario\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Color de texto principal\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Imprimir todas las entradas\",\"DKwDdj\":\"Imprimir boletos\",\"K47k8R\":\"Producto\",\"1JwlHk\":\"Categoría de producto\",\"U61sAj\":\"Categoría de producto actualizada con éxito.\",\"1USFWA\":\"Producto eliminado con éxito\",\"4Y2FZT\":\"Tipo de precio del producto\",\"mFwX0d\":\"Preguntas sobre el producto\",\"Lu+kBU\":\"Ventas de productos\",\"U/R4Ng\":\"Nivel del producto\",\"sJsr1h\":\"Tipo de producto\",\"o1zPwM\":\"Vista previa del widget de producto\",\"ktyvbu\":\"Producto(s)\",\"N0qXpE\":\"Productos\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Productos vendidos\",\"/u4DIx\":\"Productos vendidos\",\"DJQEZc\":\"Productos ordenados con éxito\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"perfil actualizado con éxito\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"P5sgAk\":\"Código promocional\",\"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.\",\"OP094m\":\"Informe de códigos promocionales\",\"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.\",\"toutGW\":\"Código QR\",\"LkMOWF\":\"cantidad disponible\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Pregunta eliminada\",\"avf0gk\":\"Descripción de la pregunta\",\"oQvMPn\":\"Título de la pregunta\",\"enzGAL\":\"Preguntas\",\"ROv2ZT\":\"Preguntas y respuestas\",\"K885Eq\":\"Preguntas ordenadas correctamente\",\"OMJ035\":\"Opción de radio\",\"C4TjpG\":\"Leer menos\",\"I3QpvQ\":\"Recipiente\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso fallido\",\"n10yGu\":\"Orden de reembolso\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Reembolso pendiente\",\"xHpVRl\":\"Estado del reembolso\",\"/BI0y9\":\"Reintegrado\",\"fgLNSM\":\"Registro\",\"9+8Vez\":\"Usos restantes\",\"tasfos\":\"eliminar\",\"t/YqKh\":\"Eliminar\",\"t9yxlZ\":\"Informes\",\"prZGMe\":\"Requerir dirección de facturación\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Restablecer\",\"RfwZxd\":\"Restablecer la contraseña\",\"KbS2K9\":\"Restablecer la contraseña\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"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\":\"Sale ended\",\"Qm5XkZ\":\"Fecha de inicio de la venta\",\"hBsw5C\":\"Ventas terminadas\",\"kpAzPe\":\"Inicio de ventas\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Guardar\",\"IUwGEM\":\"Guardar cambios\",\"U65fiW\":\"Guardar organizador\",\"UGT5vp\":\"Guardar ajustes\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Busque por nombre del asistente, correo electrónico o número de pedido...\",\"+pr/FY\":\"Buscar por nombre del evento...\",\"3zRbWw\":\"Busque por nombre, correo electrónico o número de pedido...\",\"L22Tdf\":\"Buscar por nombre, número de pedido, número de asistente o correo electrónico...\",\"BiYOdA\":\"Buscar por nombre...\",\"YEjitp\":\"Buscar por tema o contenido...\",\"Pjsch9\":\"Buscar asignaciones de capacidad...\",\"r9M1hc\":\"Buscar listas de registro...\",\"+0Yy2U\":\"Buscar productos\",\"YIix5Y\":\"Buscar...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Color secundario\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Color de texto secundario\",\"02ePaq\":[\"Seleccionar \",[\"0\"]],\"QuNKRX\":\"Seleccionar cámara\",\"9FQEn8\":\"Seleccionar categoría...\",\"kWI/37\":\"Seleccionar organizador\",\"ixIx1f\":\"Seleccionar producto\",\"3oSV95\":\"Seleccionar nivel de producto\",\"C4Y1hA\":\"Seleccionar productos\",\"hAjDQy\":\"Seleccionar estado\",\"QYARw/\":\"Seleccionar billete\",\"OMX4tH\":\"Seleccionar boletos\",\"DrwwNd\":\"Seleccionar período de tiempo\",\"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.\",\"M/WIer\":\"Enviar Mensaje\",\"D7ZemV\":\"Enviar confirmación del pedido y correo electrónico del billete.\",\"v1rRtW\":\"Enviar prueba\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descripción SEO\",\"/SIY6o\":\"Palabras clave SEO\",\"GfWoKv\":\"Configuración de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Tarifa de servicio\",\"Bj/QGQ\":\"Fijar un precio mínimo y dejar que los usuarios paguen más si lo desean.\",\"L0pJmz\":\"Establezca el número inicial para la numeración de facturas. Esto no se puede cambiar una vez que las facturas se hayan generado.\",\"nYNT+5\":\"Configura tu evento\",\"A8iqfq\":\"Configura tu evento en vivo\",\"Tz0i8g\":\"Ajustes\",\"Z8lGw6\":\"Compartir\",\"B2V3cA\":\"Compartir evento\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mostrar cantidad disponible del producto\",\"qDsmzu\":\"Mostrar preguntas ocultas\",\"fMPkxb\":\"Mostrar más\",\"izwOOD\":\"Mostrar impuestos y tarifas por separado\",\"1SbbH8\":\"Se muestra al cliente después de finalizar la compra, 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\":\"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.\",\"6a/UJE\":\"Lo sentimos, este código de promoción no se reconoce\",\"65A04M\":\"Español\",\"mFuBqb\":\"Producto estándar con precio fijo\",\"D3iCkb\":\"Fecha de inicio\",\"/2by1f\":\"Estado o región\",\"uAQUqI\":\"Estado\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Los pagos con Stripe no están habilitados para este evento.\",\"UJmAAK\":\"Sujeto\",\"X2rrlw\":\"Total parcial\",\"zzDlyQ\":\"Éxito\",\"b0HJ45\":[\"¡Éxito! \",[\"0\"],\" recibirá un correo electrónico en breve.\"],\"BJIEiF\":[[\"0\"],\" asistente con éxito\"],\"OtgNFx\":\"Dirección de correo electrónico confirmada correctamente\",\"IKwyaF\":\"Cambio de correo electrónico confirmado exitosamente\",\"zLmvhE\":\"Asistente creado exitosamente\",\"gP22tw\":\"Producto creado con éxito\",\"9mZEgt\":\"Código promocional creado correctamente\",\"aIA9C4\":\"Pregunta creada correctamente\",\"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\",\"4H80qv\":\"Pedido actualizado con éxito\",\"6xCBVN\":\"Configuraciones de pago y facturación actualizadas con éxito\",\"1Ycaad\":\"Producto actualizado con éxito\",\"70dYC8\":\"Código promocional actualizado correctamente\",\"F+pJnL\":\"Configuración de SEO actualizada con éxito\",\"DXZRk5\":\"habitación 100\",\"GNcfRk\":\"Correo electrónico de soporte\",\"uRfugr\":\"Camiseta\",\"JpohL9\":\"Impuesto\",\"geUFpZ\":\"Impuestos y tarifas\",\"dFHcIn\":\"Detalles de impuestos\",\"wQzCPX\":\"Información fiscal que aparecerá en la parte inferior de todas las facturas (por ejemplo, número de IVA, registro fiscal)\",\"0RXCDo\":\"Impuesto o tasa eliminados correctamente\",\"ZowkxF\":\"Impuestos\",\"qu6/03\":\"Impuestos y honorarios\",\"gypigA\":\"Ese código de promoción no es válido.\",\"5ShqeM\":\"La lista de registro que buscas no existe.\",\"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.\",\"HsFnrk\":[\"El número máximo de productos para \",[\"0\"],\" es \",[\"1\"]],\"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á.\",\"vQkyB3\":\"Los impuestos y tasas que se aplicarán a este producto. Puede crear nuevos impuestos y tasas en el\",\"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.\",\"wDx3FF\":\"No hay productos disponibles para este evento\",\"pNgdBv\":\"No hay productos disponibles en esta categoría\",\"rMcHYt\":\"Hay un reembolso pendiente. Espere a que se complete antes de solicitar otro reembolso.\",\"F89D36\":\"Hubo un error al marcar el pedido como pagado\",\"68Axnm\":\"Hubo un error al procesar su solicitud. Inténtalo de nuevo.\",\"mVKOW6\":\"Hubo un error al enviar tu mensaje\",\"AhBPHd\":\"Estos detalles solo se mostrarán si el pedido se completa con éxito. Los pedidos en espera de pago no mostrarán este mensaje.\",\"Pc/Wtj\":\"Este asistente tiene un pedido sin pagar.\",\"mf3FrP\":\"Esta categoría aún no tiene productos.\",\"8QH2Il\":\"Esta categoría está oculta de la vista pública\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Este correo electrónico no es promocional y está directamente relacionado con el evento.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Esta información se mostrará en la página de pago, en la página de resumen del pedido y en el correo electrónico de confirmación del pedido.\",\"XAHqAg\":\"Este es un producto general, como una camiseta o una taza. No se emitirá un boleto\",\"CNk/ro\":\"Este es un evento en línea\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Este mensaje se incluirá en el pie de página de todos los correos electrónicos enviados desde este evento.\",\"55i7Fa\":\"Este mensaje solo se mostrará si el pedido se completa con éxito. Los pedidos en espera de pago no mostrarán este mensaje.\",\"RjwlZt\":\"Este pedido ya ha sido pagado.\",\"5K8REg\":\"Este pedido ya ha sido reembolsado.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Esta orden ha sido cancelada.\",\"Q0zd4P\":\"Este pedido ha expirado. Por favor, comienza de nuevo.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Esta página de pedidos ya no está disponible.\",\"i0TtkR\":\"Esto sobrescribe todas las configuraciones de visibilidad y ocultará el producto a todos los clientes.\",\"cRRc+F\":\"Este producto no se puede eliminar porque está asociado con un pedido. Puede ocultarlo en su lugar.\",\"3Kzsk7\":\"Este producto es un boleto. Se emitirá un boleto a los compradores al realizar la compra\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"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.\",\"IV9xTT\":\"Este usuario no está activo porque no ha aceptado su invitación.\",\"5AnPaO\":\"boleto\",\"kjAL4v\":\"Boleto\",\"dtGC3q\":\"El correo electrónico del ticket se ha reenviado al asistente.\",\"54q0zp\":\"Entradas para\",\"xN9AhL\":[\"Nivel \",[\"0\"]],\"jZj9y9\":\"Producto escalonado\",\"8wITQA\":\"Los productos escalonados le permiten ofrecer múltiples opciones de precio para el mismo producto. Esto es perfecto para productos anticipados o para ofrecer diferentes opciones de precio a diferentes grupos de personas.\\\" # es\",\"nn3mSR\":\"Tiempo restante:\",\"s/0RpH\":\"Tiempos utilizados\",\"y55eMd\":\"Veces usado\",\"40Gx0U\":\"Zona horaria\",\"oDGm7V\":\"CONSEJO\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Herramientas\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total antes de descuentos\",\"NRWNfv\":\"Monto total de descuento\",\"BxsfMK\":\"Tarifas totales\",\"2bR+8v\":\"Total de ventas brutas\",\"mpB/d9\":\"Monto total del pedido\",\"m3FM1g\":\"Total reembolsado\",\"jEbkcB\":\"Total reembolsado\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total impuestos\",\"+zy2Nq\":\"Tipo\",\"FMdMfZ\":\"No se pudo registrar al asistente\",\"bPWBLL\":\"No se pudo retirar al asistente\",\"9+P7zk\":\"No se pudo crear el producto. Por favor, revise sus datos\",\"WLxtFC\":\"No se pudo crear el producto. Por favor, revise sus datos\",\"/cSMqv\":\"No se puede crear una pregunta. Por favor revisa tus datos\",\"MH/lj8\":\"No se puede actualizar la pregunta. Por favor revisa tus datos\",\"nnfSdK\":\"Clientes únicos\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitado disponible\",\"E0q9qH\":\"Usos ilimitados permitidos\",\"h10Wm5\":\"Pedido no pagado\",\"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\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copiada en el portapapeles\",\"e5lF64\":\"Ejemplo de uso\",\"fiV0xj\":\"Límite 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\",\"jpctdh\":\"Ver\",\"Pte1Hv\":\"Ver detalles del asistente\",\"/5PEQz\":\"Ver página del evento\",\"fFornT\":\"Ver mensaje completo\",\"YIsEhQ\":\"Ver el mapa\",\"Ep3VfY\":\"Ver en Google Maps\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"No pudimos eliminar la categoría. Por favor, inténtelo de nuevo.\",\"/DNy62\":[\"No pudimos encontrar ningún boleto que coincida con \",[\"0\"]],\"1E0vyy\":\"No pudimos cargar los datos. Inténtalo de nuevo.\",\"NmpGKr\":\"No pudimos reordenar las categorías. Por favor, inténtelo de nuevo.\",\"BJtMTd\":\"Recomendamos dimensiones de 2160 px por 1080 px y un tamaño de archivo máximo de 5 MB.\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"¿Qué son los productos escalonados?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"¿Qué es una categoría?\",\"gxeWAU\":\"¿A qué productos se aplica este código?\",\"hFHnxR\":\"¿A qué productos se aplica este código? (Se aplica a todos por defecto)\",\"AeejQi\":\"¿A qué productos debería aplicarse esta capacidad?\",\"Rb0XUE\":\"¿A qué hora llegarás?\",\"5N4wLD\":\"¿Qué tipo de pregunta es esta?\",\"gyLUYU\":\"Cuando esté habilitado, se generarán facturas para los pedidos de boletos. Las facturas se enviarán junto con el correo electrónico de confirmación del pedido. Los asistentes también pueden descargar sus facturas desde la página de confirmación del pedido.\",\"D3opg4\":\"Cuando los pagos offline estén habilitados, los usuarios podrán completar sus pedidos y recibir sus boletos. Sus boletos indicarán claramente que el pedido no está pagado, y la herramienta de registro notificará al personal si un pedido requiere pago.\",\"D7C6XV\":\"When should this check-in list expire?\",\"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?\",\"VxFvXQ\":\"Insertar widget\",\"v1P7Gm\":\"Configuración de widgets\",\"b4itZn\":\"Laboral\",\"hqmXmc\":\"Laboral...\",\"+G/XiQ\":\"Año hasta la fecha\",\"l75CjT\":\"Yes\",\"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\",\"sdB7+6\":\"Puede crear un código promocional que se dirija a este producto en el\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"No puede cambiar el tipo de producto ya que hay asistentes asociados con este producto.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"No puede registrar a asistentes con pedidos no pagados. Esta configuración se puede cambiar en los ajustes del evento.\",\"c9Evkd\":\"No puede eliminar la última categoría.\",\"6uwAvx\":\"No puede eliminar este nivel de precios porque ya hay productos vendidos para este nivel. Puede ocultarlo en su lugar.\",\"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\":\"You do not have permission to access this page\",\"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\":\"You have connected your Stripe account\",\"ofEncr\":\"No tienes preguntas de los asistentes.\",\"CoZHDB\":\"No tienes preguntas sobre pedidos.\",\"15qAvl\":\"No tienes ningún cambio de correo electrónico pendiente.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Se te ha acabado el tiempo para completar tu pedido.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Aún no ha enviado ningún mensaje. Puede enviar mensajes a todos los asistentes o a titulares de productos específicos.\",\"R6i9o9\":\"Debes reconocer que este correo electrónico no es promocional.\",\"3ZI8IL\":\"Debes aceptar los términos y condiciones.\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Debe crear un ticket antes de poder agregar manualmente un asistente.\",\"jE4Z8R\":\"Debes tener al menos un nivel de precios\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Deberá marcar un pedido como pagado manualmente. Esto se puede hacer en la página de gestión de pedidos.\",\"L/+xOk\":\"Necesitarás un boleto antes de poder crear una lista de registro.\",\"Djl45M\":\"Necesitará un producto antes de poder crear una asignación de capacidad.\",\"y3qNri\":\"Necesitará al menos un producto para comenzar. Gratis, de pago o deje que el usuario decida cuánto pagar.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Tu pedido\",\"Jwiilf\":\"Tu pedido ha sido cancelado\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Su reembolso se está procesando.\",\"IFHV2p\":\"Tu billete para\",\"x1PPdr\":\"Código postal\",\"BM/KQm\":\"CP o Código Postal\",\"+LtVBt\":\"Código postal\",\"25QDJ1\":\"- Haz clic para publicar\",\"WOyJmc\":\"- Haz clic para despublicar\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" ya está registrado\"],\"S4PqS9\":[[\"0\"],\" webhooks activos\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[\"Logo de \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organizadores\"],\"/HkCs4\":[[\"0\"],\" entradas\"],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Las listas de check-in te ayudan a gestionar la entrada al evento por día, área o tipo de entrada. Puedes vincular entradas a listas específicas como zonas VIP o pases del Día 1 y compartir un enlace de check-in seguro con el personal. No se requiere cuenta. El check-in funciona en móvil, escritorio o tableta, usando la cámara del dispositivo o un escáner USB HID. \",\"ZnVt5v\":\"<0>Los webhooks notifican instantáneamente a los servicios externos cuando ocurren eventos, como agregar un nuevo asistente a tu CRM o lista de correo al registrarse, asegurando una automatización fluida.<1>Usa servicios de terceros como <2>Zapier, <3>IFTTT o <4>Make para crear flujos de trabajo personalizados y automatizar tareas.\",\"fAv9QG\":\"🎟️ Agregar entradas\",\"M2DyLc\":\"1 webhook activo\",\"yTsaLw\":\"1 entrada\",\"HR/cvw\":\"Calle Ejemplo 123\",\"kMU5aM\":\"Se ha enviado un aviso de cancelación a\",\"V53XzQ\":\"Se ha enviado un nuevo código de verificación a tu correo\",\"/z/bH1\":\"Una breve descripción de tu organizador que se mostrará a tus usuarios.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"Acerca de\",\"WTk/ke\":\"Acerca de Stripe Connect\",\"1uJlG9\":\"Color de Acento\",\"VTfZPy\":\"Acceso denegado\",\"iN5Cz3\":\"¡Cuenta ya conectada!\",\"bPwFdf\":\"Cuentas\",\"nMtNd+\":\"Acción requerida: Reconecte su cuenta de Stripe\",\"a5KFZU\":\"Agrega detalles del evento y administra la configuración del evento.\",\"Fb+SDI\":\"Añadir más entradas\",\"6PNlRV\":\"Añade este evento a tu calendario\",\"BGD9Yt\":\"Agregar entradas\",\"QN2F+7\":\"Agregar Webhook\",\"NsWqSP\":\"Agrega tus redes sociales y la URL de tu sitio web. Estos se mostrarán en tu página pública de organizador.\",\"0Zypnp\":\"Panel de Administración\",\"YAV57v\":\"Afiliado\",\"I+utEq\":\"El código de afiliado no se puede cambiar\",\"/jHBj5\":\"Afiliado creado exitosamente\",\"uCFbG2\":\"Afiliado eliminado exitosamente\",\"a41PKA\":\"Se rastrearán las ventas del afiliado\",\"mJJh2s\":\"No se rastrearán las ventas del afiliado. Esto desactivará al afiliado.\",\"jabmnm\":\"Afiliado actualizado exitosamente\",\"CPXP5Z\":\"Afiliados\",\"9Wh+ug\":\"Afiliados exportados\",\"3cqmut\":\"Los afiliados te ayudan a rastrear las ventas generadas por socios e influencers. Crea códigos de afiliado y compártelos para monitorear el rendimiento.\",\"7rLTkE\":\"Todos los eventos archivados\",\"gKq1fa\":\"Todos los asistentes\",\"pMLul+\":\"Todas las monedas\",\"qlaZuT\":\"¡Todo listo! Ahora está usando nuestro sistema de pagos mejorado.\",\"ZS/D7f\":\"Todos los eventos finalizados\",\"dr7CWq\":\"Todos los próximos eventos\",\"QUg5y1\":\"¡Casi terminamos! Complete la conexión de su cuenta de Stripe para comenzar a aceptar pagos.\",\"c4uJfc\":\"¡Casi listo! Solo estamos esperando que se procese tu pago. Esto debería tomar solo unos segundos.\",\"/H326L\":\"Ya reembolsado\",\"RtxQTF\":\"También cancelar este pedido\",\"jkNgQR\":\"También reembolsar este pedido\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"Un correo para asociar con este afiliado. El afiliado no será notificado.\",\"vRznIT\":\"Ocurrió un error al verificar el estado de la exportación.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Respuesta actualizada con éxito.\",\"LchiNd\":\"¿Estás seguro de que quieres eliminar este afiliado? Esta acción no se puede deshacer.\",\"JmVITJ\":\"¿Está seguro de que desea eliminar esta plantilla? Esta acción no se puede deshacer y los correos volverán a la plantilla predeterminada.\",\"aLS+A6\":\"¿Está seguro de que desea eliminar esta plantilla? Esta acción no se puede deshacer y los correos volverán a la plantilla del organizador o predeterminada.\",\"5H3Z78\":\"¿Estás seguro de que quieres eliminar este webhook?\",\"147G4h\":\"¿Estás seguro de que quieres salir?\",\"VDWChT\":\"¿Estás seguro de que quieres poner este organizador como borrador? Esto hará que la página del organizador sea invisible al público.\",\"pWtQJM\":\"¿Estás seguro de que quieres hacer público este organizador? Esto hará que la página del organizador sea visible al público.\",\"WFHOlF\":\"¿Estás seguro de que quieres publicar este evento? Una vez publicado, será visible al público.\",\"4TNVdy\":\"¿Estás seguro de que quieres publicar este perfil de organizador? Una vez publicado, será visible al público.\",\"ExDt3P\":\"¿Estás seguro de que quieres despublicar este evento? Ya no será visible al público.\",\"5Qmxo/\":\"¿Estás seguro de que quieres despublicar este perfil de organizador? Ya no será visible al público.\",\"+QARA4\":\"Arte\",\"F2rX0R\":\"Debe seleccionarse al menos un tipo de evento\",\"6PecK3\":\"Asistencia y tasas de registro en todos los eventos\",\"AJ4rvK\":\"Asistente cancelado\",\"qvylEK\":\"Asistente creado\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Email del asistente\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Gestión de asistentes\",\"av+gjP\":\"Nombre del asistente\",\"cosfD8\":\"Estado del Asistente\",\"D2qlBU\":\"Asistente actualizado\",\"x8Vnvf\":\"El ticket del asistente no está incluido en esta lista\",\"k3Tngl\":\"Asistentes exportados\",\"5UbY+B\":\"Asistentes con entrada específica\",\"4HVzhV\":\"Asistentes:\",\"VPoeAx\":\"Gestión automatizada de entradas con múltiples listas de registro y validación en tiempo real\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Disponible para reembolso\",\"NB5+UG\":\"Tokens disponibles\",\"EmYMHc\":\"Esperando pago fuera de línea\",\"kNmmvE\":\"Awesome Events S.A.\",\"kYqM1A\":\"Volver al evento\",\"td/bh+\":\"Volver a Informes\",\"jIPNJG\":\"Información básica\",\"iMdwTb\":\"Antes de que tu evento pueda estar en línea, hay algunas cosas que debes hacer. Completa todos los pasos a continuación para comenzar.\",\"UabgBd\":\"El cuerpo es requerido\",\"9N+p+g\":\"Negocios\",\"bv6RXK\":\"Etiqueta del botón\",\"ChDLlO\":\"Texto del botón\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Botón de llamada a la acción\",\"PUpvQe\":\"Escáner de cámara\",\"H4nE+E\":\"Cancelar todos los productos y devolverlos al grupo disponible\",\"tOXAdc\":\"Cancelar anulará todos los asistentes asociados con este pedido y liberará los boletos de vuelta al grupo disponible.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Asignaciones de capacidad\",\"K7tIrx\":\"Categoría\",\"2tbLdK\":\"Caridad\",\"v4fiSg\":\"Revisa tu correo\",\"51AsAN\":\"¡Revisa tu bandeja de entrada! Si hay entradas asociadas a este correo, recibirás un enlace para verlas.\",\"udRwQs\":\"Registro de entrada creado\",\"F4SRy3\":\"Registro de entrada eliminado\",\"9gPPUY\":\"¡Lista de Check-In Creada!\",\"f2vU9t\":\"Listas de registro\",\"tMNBEF\":\"Las listas de check-in te permiten controlar el acceso por días, áreas o tipos de entrada. Puedes compartir un enlace seguro con el personal — no se requiere cuenta.\",\"SHJwyq\":\"Tasa de registro\",\"qCqdg6\":\"Estado de Check-In\",\"cKj6OE\":\"Resumen de registros\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chino (Tradicional)\",\"pkk46Q\":\"Elige un organizador\",\"Crr3pG\":\"Elegir calendario\",\"CySr+W\":\"Haga clic para ver las notas\",\"RG3szS\":\"cerrar\",\"RWw9Lg\":\"Cerrar modal\",\"XwdMMg\":\"El código solo puede contener letras, números, guiones y guiones bajos\",\"+yMJb7\":\"El código es obligatorio\",\"m9SD3V\":\"El código debe tener al menos 3 caracteres\",\"V1krgP\":\"El código no debe tener más de 20 caracteres\",\"psqIm5\":\"Colabora con tu equipo para crear eventos increíbles juntos.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comedia\",\"7D9MJz\":\"Completar configuración de Stripe\",\"OqEV/G\":\"Complete la configuración a continuación para continuar\",\"nqx+6h\":\"Complete estos pasos para comenzar a vender entradas para su evento.\",\"5YrKW7\":\"Completa tu pago para asegurar tus entradas.\",\"ih35UP\":\"Centro de conferencias\",\"NGXKG/\":\"Confirmar dirección de correo electrónico\",\"Auz0Mz\":\"Confirma tu correo electrónico para acceder a todas las funciones.\",\"7+grte\":\"¡Correo de confirmación enviado! Por favor, revisa tu bandeja de entrada.\",\"n/7+7Q\":\"Confirmación enviada a\",\"o5A0Go\":\"¡Felicidades por crear un evento!\",\"WNnP3w\":\"Conectar y actualizar\",\"Xe2tSS\":\"Documentación de conexión\",\"1Xxb9f\":\"Conectar procesamiento de pagos\",\"LmvZ+E\":\"Conecte Stripe para habilitar mensajería\",\"EWnXR+\":\"Conectar con Stripe\",\"MOUF31\":\"Conéctese con el CRM y automatice tareas mediante webhooks e integraciones\",\"VioGG1\":\"Conecta tu cuenta de Stripe para aceptar pagos por entradas y productos.\",\"4qmnU8\":\"Conecte su cuenta de Stripe para aceptar pagos.\",\"E1eze1\":\"Conecte su cuenta de Stripe para comenzar a aceptar pagos para sus eventos.\",\"ulV1ju\":\"Conecte su cuenta de Stripe para comenzar a aceptar pagos.\",\"/3017M\":\"Conectado a Stripe\",\"jfC/xh\":\"Contacto\",\"LOFgda\":[\"Contacto \",[\"0\"]],\"41BQ3k\":\"Correo de contacto\",\"KcXRN+\":\"Email de contacto para soporte\",\"m8WD6t\":\"Continuar configuración\",\"0GwUT4\":\"Continuar al pago\",\"sBV87H\":\"Continuar a la creación del evento\",\"nKtyYu\":\"Continuar al siguiente paso\",\"F3/nus\":\"Continuar al pago\",\"1JnTgU\":\"Copiado de arriba\",\"FxVG/l\":\"Copiado al portapapeles\",\"PiH3UR\":\"¡Copiado!\",\"uUPbPg\":\"Copiar enlace de afiliado\",\"iVm46+\":\"Copiar código\",\"+2ZJ7N\":\"Copiar datos al primer asistente\",\"ZN1WLO\":\"Copiar Correo\",\"tUGbi8\":\"Copiar mis datos a:\",\"y22tv0\":\"Copia este enlace para compartirlo en cualquier parte\",\"/4gGIX\":\"Copiar al portapapeles\",\"P0rbCt\":\"Imagen de portada\",\"60u+dQ\":\"La imagen de portada se mostrará en la parte superior de la página del evento\",\"2NLjA6\":\"La imagen de portada se mostrará en la parte superior de tu página de organizador\",\"zg4oSu\":[\"Crear plantilla \",[\"0\"]],\"xfKgwv\":\"Crear afiliado\",\"dyrgS4\":\"Crea y personaliza tu página de evento al instante\",\"BTne9e\":\"Crear plantillas de correo personalizadas para este evento que anulen los predeterminados del organizador\",\"YIDzi/\":\"Crear plantilla personalizada\",\"8AiKIu\":\"Crear entrada o producto\",\"agZ87r\":\"Crea entradas para tu evento, establece precios y gestiona la cantidad disponible.\",\"dkAPxi\":\"Crear Webhook\",\"5slqwZ\":\"Crea tu evento\",\"JQNMrj\":\"Crea tu primer evento\",\"CCjxOC\":\"Crea tu primer evento para comenzar a vender entradas y gestionar asistentes.\",\"ZCSSd+\":\"Crea tu propio evento\",\"67NsZP\":\"Creando evento...\",\"H34qcM\":\"Creando organizador...\",\"1YMS+X\":\"Creando tu evento, por favor espera\",\"yiy8Jt\":\"Creando tu perfil de organizador, por favor espera\",\"lfLHNz\":\"La etiqueta CTA es requerida\",\"BMtue0\":\"Procesador de pagos actual\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Mensaje personalizado después de la compra\",\"axv/Mi\":\"Plantilla personalizada\",\"QMHSMS\":\"El cliente recibirá un correo electrónico confirmando el reembolso\",\"L/Qc+w\":\"Dirección de email del cliente\",\"wpfWhJ\":\"Nombre del cliente\",\"GIoqtA\":\"Apellido del cliente\",\"NihQNk\":\"Clientes\",\"7gsjkI\":\"Personalice los correos enviados a sus clientes usando plantillas Liquid. Estas plantillas se usarán como predeterminadas para todos los eventos en su organización.\",\"iX6SLo\":\"Personaliza el texto que aparece en el botón de continuar\",\"pxNIxa\":\"Personalice su plantilla de correo usando plantillas Liquid\",\"q9Jg0H\":\"Personalice su página de evento y el diseño del widget para que coincida perfectamente con su marca\",\"mkLlne\":\"Personaliza la apariencia de tu página del evento\",\"3trPKm\":\"Personaliza la apariencia de tu página de organizador\",\"4df0iX\":\"Personaliza la apariencia de tu ticket\",\"/gWrVZ\":\"Ingresos diarios, impuestos, tarifas y reembolsos en todos los eventos\",\"zgCHnE\":\"Informe de ventas diarias\",\"nHm0AI\":\"Desglose de ventas diarias, impuestos y tarifas\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Fecha del evento\",\"gnBreG\":\"Fecha en que se realizó el pedido\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Se usará la plantilla predeterminada\",\"vu7gDm\":\"Eliminar afiliado\",\"+jw/c1\":\"Eliminar imagen\",\"dPyJ15\":\"Eliminar plantilla\",\"snMaH4\":\"Eliminar webhook\",\"vYgeDk\":\"Desmarcar todo\",\"NvuEhl\":\"Elementos de Diseño\",\"H8kMHT\":\"¿No recibiste el código?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Descartar este mensaje\",\"BREO0S\":\"Muestra una casilla que permite a los clientes optar por recibir comunicaciones de marketing de este organizador de eventos.\",\"TvY/XA\":\"Documentación\",\"Kdpf90\":\"¡No lo olvides!\",\"V6Jjbr\":\"¿No tienes una cuenta? <0>Regístrate\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Listo\",\"eneWvv\":\"Borrador\",\"TnzbL+\":\"Debido al alto riesgo de spam, debe conectar una cuenta de Stripe antes de poder enviar mensajes a los asistentes.\\nEsto es para garantizar que todos los organizadores de eventos estén verificados y sean responsables.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplicar producto\",\"KIjvtr\":\"Holandés\",\"SPKbfM\":\"p. ej., Conseguir entradas, Registrarse ahora\",\"LTzmgK\":[\"Editar plantilla \",[\"0\"]],\"v4+lcZ\":\"Editar afiliado\",\"2iZEz7\":\"Editar respuesta\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Educación\",\"zPiC+q\":\"Listas de Check-In Elegibles\",\"V2sk3H\":\"Correo y Plantillas\",\"hbwCKE\":\"Dirección de correo copiada al portapapeles\",\"dSyJj6\":\"Las direcciones de correo electrónico no coinciden\",\"elW7Tn\":\"Cuerpo del correo\",\"ZsZeV2\":\"El correo es obligatorio\",\"Be4gD+\":\"Vista previa del correo\",\"6IwNUc\":\"Plantillas de correo\",\"H/UMUG\":\"Verificación de correo requerida\",\"L86zy2\":\"¡Correo verificado exitosamente!\",\"Upeg/u\":\"Habilitar esta plantilla para enviar correos\",\"RxzN1M\":\"Habilitado\",\"sGjBEq\":\"Fecha y hora de finalización (opcional)\",\"PKXt9R\":\"La fecha de finalización debe ser posterior a la fecha de inicio\",\"48Y16Q\":\"Hora de finalización (opcional)\",\"7YZofi\":\"Ingrese un asunto y cuerpo para ver la vista previa\",\"3bR1r4\":\"Ingresa el correo del afiliado (opcional)\",\"ARkzso\":\"Ingresa el nombre del afiliado\",\"INDKM9\":\"Ingrese el asunto del correo...\",\"kWg31j\":\"Ingresa un código de afiliado único\",\"C3nD/1\":\"Introduce tu correo electrónico\",\"n9V+ps\":\"Introduce tu nombre\",\"LslKhj\":\"Error al cargar los registros\",\"WgD6rb\":\"Categoría del evento\",\"b46pt5\":\"Imagen de portada del evento\",\"1Hzev4\":\"Plantilla personalizada del evento\",\"imgKgl\":\"Descripción del evento\",\"kJDmsI\":\"Detalles del evento\",\"m/N7Zq\":\"Dirección Completa del Evento\",\"Nl1ZtM\":\"Ubicación del evento\",\"PYs3rP\":\"Nombre del evento\",\"HhwcTQ\":\"Nombre del evento\",\"WZZzB6\":\"El nombre del evento es obligatorio\",\"Wd5CDM\":\"El nombre del evento debe tener menos de 150 caracteres\",\"4JzCvP\":\"Evento no disponible\",\"Gh9Oqb\":\"Nombre del organizador del evento\",\"mImacG\":\"Página del evento\",\"cOePZk\":\"Hora del evento\",\"e8WNln\":\"Zona horaria del evento\",\"GeqWgj\":\"Zona Horaria del Evento\",\"XVLu2v\":\"Título del evento\",\"YDVUVl\":\"Tipos de eventos\",\"4K2OjV\":\"Lugar del Evento\",\"19j6uh\":\"Rendimiento de eventos\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Cada plantilla de correo debe incluir un botón de llamada a la acción que enlace a la página apropiada\",\"VlvpJ0\":\"Exportar respuestas\",\"JKfSAv\":\"Error en la exportación. Por favor, inténtelo de nuevo.\",\"SVOEsu\":\"Exportación iniciada. Preparando archivo...\",\"9bpUSo\":\"Exportando afiliados\",\"jtrqH9\":\"Exportando asistentes\",\"R4Oqr8\":\"Exportación completada. Descargando archivo...\",\"UlAK8E\":\"Exportando pedidos\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"No se pudo abandonar el pedido. Por favor, inténtalo de nuevo.\",\"cEFg3R\":\"Error al crear el afiliado\",\"U66oUa\":\"Error al crear la plantilla\",\"xFj7Yj\":\"Error al eliminar la plantilla\",\"jo3Gm6\":\"Error al exportar los afiliados\",\"Jjw03p\":\"Error al exportar asistentes\",\"ZPwFnN\":\"Error al exportar pedidos\",\"X4o0MX\":\"Error al cargar el Webhook\",\"YQ3QSS\":\"Error al reenviar el código de verificación\",\"zTkTF3\":\"Error al guardar la plantilla\",\"T6B2gk\":\"Error al enviar el mensaje. Por favor, intenta de nuevo.\",\"lKh069\":\"No se pudo iniciar la exportación\",\"t/KVOk\":\"Error al iniciar la suplantación. Por favor, inténtelo de nuevo.\",\"QXgjH0\":\"Error al detener la suplantación. Por favor, inténtelo de nuevo.\",\"i0QKrm\":\"Error al actualizar el afiliado\",\"NNc33d\":\"No se pudo actualizar la respuesta.\",\"7/9RFs\":\"No se pudo subir la imagen.\",\"nkNfWu\":\"No se pudo subir la imagen. Por favor, intenta de nuevo.\",\"rxy0tG\":\"Error al verificar el correo\",\"T4BMxU\":\"Las tarifas están sujetas a cambios. Se te notificará cualquier cambio en la estructura de tarifas.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Primero completa tus datos arriba\",\"8OvVZZ\":\"Filtrar Asistentes\",\"8BwQeU\":\"Finalizar configuración\",\"hg80P7\":\"Finalizar configuración de Stripe\",\"1vBhpG\":\"Primer asistente\",\"YXhom6\":\"Tarifa fija:\",\"KgxI80\":\"Venta de entradas flexible\",\"lWxAUo\":\"Comida y bebida\",\"nFm+5u\":\"Texto del Pie\",\"MY2SVM\":\"Reembolso completo\",\"vAVBBv\":\"Totalmente integrado\",\"T02gNN\":\"Admisión General\",\"3ep0Gx\":\"Información general sobre tu organizador\",\"ziAjHi\":\"Generar\",\"exy8uo\":\"Generar código\",\"4CETZY\":\"Cómo llegar\",\"kfVY6V\":\"Comienza gratis, sin tarifas de suscripción\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Prepare su evento\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Ir a la página del evento\",\"gHSuV/\":\"Ir a la página de inicio\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Ingresos brutos\",\"kTSQej\":[\"Hola \",[\"0\"],\", gestiona tu plataforma desde aquí.\"],\"dORAcs\":\"Aquí están todas las entradas asociadas a tu correo electrónico.\",\"g+2103\":\"Aquí está tu enlace de afiliado\",\"QlwJ9d\":\"Esto es lo que puede esperar:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Ocultar respuestas\",\"gtEbeW\":\"Destacar\",\"NF8sdv\":\"Mensaje destacado\",\"MXSqmS\":\"Destacar este producto\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Los productos destacados tendrán un color de fondo diferente para resaltar en la página del evento.\",\"i0qMbr\":\"Inicio\",\"AVpmAa\":\"Cómo pagar fuera de línea\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Húngaro\",\"4/kP5a\":\"Si no se abrió una nueva pestaña automáticamente, haz clic en el botón de abajo para continuar al pago.\",\"wOU3Tr\":\"Si tienes una cuenta con nosotros, recibirás un correo con instrucciones para restablecer tu contraseña.\",\"an5hVd\":\"Imágenes\",\"tSVr6t\":\"Suplantar\",\"TWXU0c\":\"Suplantar usuario\",\"5LAZwq\":\"Suplantación iniciada\",\"IMwcdR\":\"Suplantación detenida\",\"M8M6fs\":\"Importante: Se requiere reconectar Stripe\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Análisis en profundidad\",\"F1Xp97\":\"Asistentes individuales\",\"85e6zs\":\"Insertar token Liquid\",\"38KFY0\":\"Insertar variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Correo inválido\",\"5tT0+u\":\"Formato de correo inválido\",\"tnL+GP\":\"Sintaxis Liquid inválida. Por favor corrígela e inténtalo de nuevo.\",\"g+lLS9\":\"Invitar a un miembro del equipo\",\"1z26sk\":\"Invitar miembro del equipo\",\"KR0679\":\"Invitar miembros del equipo\",\"aH6ZIb\":\"Invita a tu equipo\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italiano\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Únete desde cualquier lugar\",\"hTJ4fB\":\"Simplemente haga clic en el botón de abajo para reconectar su cuenta de Stripe.\",\"MxjCqk\":\"¿Solo buscas tus entradas?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Última respuesta\",\"gw3Ur5\":\"Última activación\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Enlace caducado o inválido\",\"psosdY\":\"Enlace a detalles del pedido\",\"6JzK4N\":\"Enlace al boleto\",\"shkJ3U\":\"Vincula tu cuenta de Stripe para recibir fondos de la venta de entradas.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"En vivo\",\"fpMs2Z\":\"EN VIVO\",\"D9zTjx\":\"Eventos en Vivo\",\"WdmJIX\":\"Cargando vista previa...\",\"IoDI2o\":\"Cargando tokens...\",\"NFxlHW\":\"Cargando webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo y portada\",\"gddQe0\":\"Logo e imagen de portada para tu organizador\",\"TBEnp1\":\"El logo se mostrará en el encabezado\",\"Jzu30R\":\"El logo se mostrará en el ticket\",\"4wUIjX\":\"Haga que su evento esté en vivo\",\"0A7TvI\":\"Gestionar evento\",\"2FzaR1\":\"Administra tu procesamiento de pagos y consulta las tarifas de la plataforma\",\"/x0FyM\":\"Adapta tu marca\",\"xDAtGP\":\"Mensaje\",\"1jRD0v\":\"Enviar mensajes a los asistentes con entradas específicas\",\"97QrnA\":\"Envíe mensajes a los asistentes, gestione pedidos y procese reembolsos en un solo lugar\",\"48rf3i\":\"El mensaje no puede exceder 5000 caracteres\",\"Vjat/X\":\"El mensaje es obligatorio\",\"0/yJtP\":\"Enviar mensajes a los propietarios de pedidos con productos específicos\",\"tccUcA\":\"Registro móvil\",\"GfaxEk\":\"Música\",\"oVGCGh\":\"Mis Entradas\",\"8/brI5\":\"El nombre es obligatorio\",\"sCV5Yc\":\"Nombre del evento\",\"xxU3NX\":\"Ingresos netos\",\"eWRECP\":\"Vida nocturna\",\"VHfLAW\":\"Sin cuentas\",\"+jIeoh\":\"No se encontraron cuentas\",\"074+X8\":\"No hay webhooks activos\",\"zxnup4\":\"No hay afiliados para mostrar\",\"99ntUF\":\"No hay listas de check-in disponibles para este evento.\",\"6r9SGl\":\"No se requiere tarjeta de crédito\",\"eb47T5\":\"No se encontraron datos para los filtros seleccionados. Intente ajustar el rango de fechas o la moneda.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"No se encontraron eventos\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Aún no hay eventos\",\"54GxeB\":\"Sin impacto en sus transacciones actuales o pasadas\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"No se encontraron registros\",\"NEmyqy\":\"Aún no hay pedidos\",\"B7w4KY\":\"No hay otros organizadores disponibles\",\"6jYQGG\":\"No hay eventos pasados\",\"zK/+ef\":\"No hay productos disponibles para seleccionar\",\"QoAi8D\":\"Sin respuesta\",\"EK/G11\":\"Aún no hay respuestas\",\"3sRuiW\":\"No se encontraron entradas\",\"yM5c0q\":\"No hay próximos eventos\",\"qpC74J\":\"No se encontraron usuarios\",\"n5vdm2\":\"Aún no se han registrado eventos de webhook para este punto de acceso. Los eventos aparecerán aquí una vez que se activen.\",\"4GhX3c\":\"No hay Webhooks\",\"4+am6b\":\"No, mantenerme aquí\",\"x5+Lcz\":\"No Registrado\",\"8n10sz\":\"No Elegible\",\"lQgMLn\":\"Nombre de oficina o lugar\",\"6Aih4U\":\"Fuera de línea\",\"Z6gBGW\":\"Pago sin conexión\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Una vez que complete la actualización, su cuenta anterior solo se usará para reembolsos.\",\"oXOSPE\":\"En línea\",\"WjSpu5\":\"Evento en línea\",\"bU7oUm\":\"Enviar solo a pedidos con estos estados\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Abrir panel de Stripe\",\"HXMJxH\":\"Texto opcional para avisos legales, información de contacto o notas de agradecimiento (solo una línea)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Pedido cancelado\",\"b6+Y+n\":\"Pedido completado\",\"x4MLWE\":\"Confirmación de pedido\",\"ppuQR4\":\"Pedido creado\",\"0UZTSq\":\"Moneda del Pedido\",\"HdmwrI\":\"Email del pedido\",\"bwBlJv\":\"Nombre del pedido\",\"vrSW9M\":\"El pedido ha sido cancelado y reembolsado. El propietario del pedido ha sido notificado.\",\"+spgqH\":[\"ID del pedido: \",[\"0\"]],\"Pc729f\":\"Pedido Esperando Pago Fuera de Línea\",\"F4NXOl\":\"Apellido del pedido\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Idioma del Pedido\",\"vu6Arl\":\"Pedido marcado como pagado\",\"sLbJQz\":\"Pedido no encontrado\",\"i8VBuv\":\"Número de pedido\",\"FaPYw+\":\"Propietario del pedido\",\"eB5vce\":\"Propietarios de pedidos con un producto específico\",\"CxLoxM\":\"Propietarios de pedidos con productos\",\"DoH3fD\":\"Pago del Pedido Pendiente\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Estados de los pedidos\",\"oW5877\":\"Total del pedido\",\"e7eZuA\":\"Pedido actualizado\",\"KndP6g\":\"URL del pedido\",\"3NT0Ck\":\"El pedido fue cancelado\",\"5It1cQ\":\"Pedidos exportados\",\"B/EBQv\":\"Pedidos:\",\"ucgZ0o\":\"Organización\",\"S3CZ5M\":\"Panel del organizador\",\"Uu0hZq\":\"Correo del organizador\",\"Gy7BA3\":\"Dirección de correo electrónico del organizador\",\"SQqJd8\":\"Organizador no encontrado\",\"wpj63n\":\"Configuración del organizador\",\"coIKFu\":\"Las estadísticas del organizador no están disponibles para la moneda seleccionada o ha ocurrido un error.\",\"o1my93\":\"No se pudo actualizar el estado del organizador. Inténtalo de nuevo más tarde\",\"rLHma1\":\"Estado del organizador actualizado\",\"LqBITi\":\"Se usará la plantilla del organizador/predeterminada\",\"/IX/7x\":\"Otro\",\"RsiDDQ\":\"Otras Listas (Ticket No Incluido)\",\"6/dCYd\":\"Resumen\",\"8uqsE5\":\"Página ya no disponible\",\"QkLf4H\":\"URL de la página\",\"sF+Xp9\":\"Vistas de página\",\"5F7SYw\":\"Reembolso parcial\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Pasado\",\"xTPjSy\":\"Eventos pasados\",\"/l/ckQ\":\"Pega la URL\",\"URAE3q\":\"Pausado\",\"4fL/V7\":\"Pagar\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Pago y plan\",\"ENEPLY\":\"Método de pago\",\"EyE8E6\":\"Procesamiento de pagos\",\"8Lx2X7\":\"Pago recibido\",\"vcyz2L\":\"Configuración de pagos\",\"fx8BTd\":\"Pagos no disponibles\",\"51U9mG\":\"Los pagos continuarán fluyendo sin interrupción\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Rendimiento\",\"zmwvG2\":\"Teléfono\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"¿Planificando un evento?\",\"br3Y/y\":\"Tarifas de la plataforma\",\"jEw0Mr\":\"Por favor, introduce una URL válida\",\"n8+Ng/\":\"Por favor, ingresa el código de 5 dígitos\",\"Dvq0wf\":\"Por favor, proporciona una imagen.\",\"2cUopP\":\"Por favor, reinicia el proceso de compra.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Por favor, selecciona una imagen.\",\"fuwKpE\":\"Por favor, inténtalo de nuevo.\",\"klWBeI\":\"Por favor, espera antes de solicitar otro código\",\"hfHhaa\":\"Por favor, espera mientras preparamos tus afiliados para exportar...\",\"o+tJN/\":\"Por favor, espera mientras preparamos la exportación de tus asistentes...\",\"+5Mlle\":\"Por favor, espera mientras preparamos la exportación de tus pedidos...\",\"TjX7xL\":\"Mensaje Post-Compra\",\"cs5muu\":\"Vista previa de la página del evento\",\"+4yRWM\":\"Precio del boleto\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Vista Previa de Impresión\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Imprimir a PDF\",\"LcET2C\":\"Política de privacidad\",\"8z6Y5D\":\"Procesar reembolso\",\"JcejNJ\":\"Procesando pedido\",\"EWCLpZ\":\"Producto creado\",\"XkFYVB\":\"Producto eliminado\",\"YMwcbR\":\"Desglose de ventas de productos, ingresos e impuestos\",\"ldVIlB\":\"Producto actualizado\",\"mIqT3T\":\"Productos, mercancía y opciones de precios flexibles\",\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionales y desglose de descuentos\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publicar\",\"evDBV8\":\"Publicar Evento\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"Escaneo de códigos QR con retroalimentación instantánea y uso compartido seguro para el acceso del personal\",\"fqDzSu\":\"Tasa\",\"spsZys\":\"¿Listo para actualizar? Esto solo toma unos minutos.\",\"Fi3b48\":\"Pedidos recientes\",\"Edm6av\":\"Reconectar Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirigiendo a Stripe...\",\"ACKu03\":\"Actualizar vista previa\",\"fKn/k6\":\"Monto del reembolso\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Reembolsar pedido \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Reembolsos\",\"CQeZT8\":\"Informe no encontrado\",\"JEPMXN\":\"Solicitar un nuevo enlace\",\"mdeIOH\":\"Reenviar código\",\"bxoWpz\":\"Reenviar correo de confirmación\",\"G42SNI\":\"Reenviar correo\",\"TTpXL3\":[\"Reenviar en \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reservado hasta\",\"slOprG\":\"Restablece tu contraseña\",\"CbnrWb\":\"Volver al evento\",\"Oo/PLb\":\"Resumen de ingresos\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Ventas\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Ventas, pedidos y métricas de rendimiento para todos los eventos\",\"3Q1AWe\":\"Ventas:\",\"8BRPoH\":\"Lugar de Ejemplo\",\"KZrfYJ\":\"Guardar enlaces sociales\",\"9Y3hAT\":\"Guardar plantilla\",\"C8ne4X\":\"Guardar Diseño del Ticket\",\"I+FvbD\":\"Escanear\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Buscar afiliados...\",\"VY+Bdn\":\"Buscar por nombre de cuenta o correo electrónico...\",\"VX+B3I\":\"Buscar por título de evento u organizador...\",\"GHdjuo\":\"Buscar por nombre, correo electrónico o cuenta...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Selecciona una categoría\",\"BFRSTT\":\"Seleccionar Cuenta\",\"mCB6Je\":\"Seleccionar todo\",\"kYZSFD\":\"Selecciona un organizador para ver su panel y eventos.\",\"tVW/yo\":\"Seleccionar moneda\",\"n9ZhRa\":\"Selecciona fecha y hora de finalización\",\"gTN6Ws\":\"Seleccionar hora de finalización\",\"0U6E9W\":\"Seleccionar categoría del evento\",\"j9cPeF\":\"Seleccionar tipos de eventos\",\"1nhy8G\":\"Seleccionar tipo de escáner\",\"KizCK7\":\"Selecciona fecha y hora de inicio\",\"dJZTv2\":\"Seleccionar hora de inicio\",\"aT3jZX\":\"Seleccionar zona horaria\",\"Ropvj0\":\"Selecciona qué eventos activarán este webhook\",\"BG3f7v\":\"Vende cualquier cosa\",\"VtX8nW\":\"Vende productos junto con las entradas con soporte integrado para impuestos y códigos promocionales\",\"Cye3uV\":\"Vende más que boletos\",\"j9b/iy\":\"¡Se vende rápido! 🔥\",\"1lNPhX\":\"Enviar correo de notificación de reembolso\",\"SPdzrs\":\"Enviado a clientes cuando realizan un pedido\",\"LxSN5F\":\"Enviado a cada asistente con los detalles de su boleto\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Configura tu organización\",\"HbUQWA\":\"Configura en minutos\",\"GG7qDw\":\"Compartir enlace de afiliado\",\"hL7sDJ\":\"Compartir página del organizador\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Mostrar todas las plataformas (\",[\"0\"],\" más con valores)\"],\"UVPI5D\":\"Mostrar menos plataformas\",\"Eu/N/d\":\"Mostrar casilla de aceptación de marketing\",\"SXzpzO\":\"Mostrar casilla de aceptación de marketing por defecto\",\"b33PL9\":\"Mostrar más plataformas\",\"v6IwHE\":\"Registro inteligente\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Enlaces sociales\",\"j/TOB3\":\"Enlaces sociales y sitio web\",\"2pxNFK\":\"vendido\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Algo salió mal, inténtalo de nuevo o contacta con soporte si el problema persiste\",\"H6Gslz\":\"Disculpe las molestias.\",\"7JFNej\":\"Deportes\",\"JcQp9p\":\"Fecha y hora de inicio\",\"0m/ekX\":\"Fecha y hora de inicio\",\"izRfYP\":\"La fecha de inicio es obligatoria\",\"2R1+Rv\":\"Hora de inicio del evento\",\"2NbyY/\":\"Estadísticas\",\"DRykfS\":\"Aún manejando reembolsos para sus transacciones anteriores.\",\"wuV0bK\":\"Detener Suplantación\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"La configuración de Stripe ya está completa.\",\"ii0qn/\":\"El asunto es requerido\",\"M7Uapz\":\"El asunto aparecerá aquí\",\"6aXq+t\":\"Asunto:\",\"JwTmB6\":\"Producto duplicado con éxito\",\"RuaKfn\":\"Dirección actualizada correctamente\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Organizador actualizado correctamente\",\"0Dk/l8\":\"Configuración SEO actualizada correctamente\",\"MhOoLQ\":\"Enlaces sociales actualizados correctamente\",\"kj7zYe\":\"Webhook actualizado con éxito\",\"dXoieq\":\"Resumen\",\"/RfJXt\":[\"Festival de música de verano \",[\"0\"]],\"CWOPIK\":\"Festival de Música de Verano 2025\",\"5gIl+x\":\"Soporte para ventas escalonadas, basadas en donaciones y de productos con precios y capacidad personalizables\",\"JZTQI0\":\"Cambiar organizador\",\"XX32BM\":\"Solo toma unos minutos\",\"yT6dQ8\":\"Impuestos recaudados agrupados por tipo de impuesto y evento\",\"Ye321X\":\"Nombre del impuesto\",\"WyCBRt\":\"Resumen de impuestos\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tecnología\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Dile a la gente qué esperar de tu evento\",\"NiIUyb\":\"Cuéntanos sobre tu evento\",\"DovcfC\":\"Cuéntanos sobre tu organización. Esta información se mostrará en las páginas de tus eventos.\",\"7wtpH5\":\"Plantilla activa\",\"QHhZeE\":\"Plantilla creada exitosamente\",\"xrWdPR\":\"Plantilla eliminada exitosamente\",\"G04Zjt\":\"Plantilla guardada exitosamente\",\"xowcRf\":\"Términos del servicio\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"¡Gracias por asistir!\",\"lhAWqI\":\"¡Gracias por su apoyo mientras continuamos creciendo y mejorando Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"El código expirará en 10 minutos. Revisa tu carpeta de spam si no ves el correo.\",\"MJm4Tq\":\"La moneda del pedido\",\"I/NNtI\":\"El lugar del evento\",\"tXadb0\":\"El evento que buscas no está disponible en este momento. Puede que haya sido eliminado, haya caducado o la URL sea incorrecta.\",\"EBzPwC\":\"La dirección completa del evento\",\"sxKqBm\":\"El monto completo del pedido será reembolsado al método de pago original del cliente.\",\"5OmEal\":\"El idioma del cliente\",\"sYLeDq\":\"No se pudo encontrar el organizador que estás buscando. La página puede haber sido movida, eliminada o la URL puede ser incorrecta.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"El cuerpo de la plantilla contiene sintaxis Liquid inválida. Por favor corrígela e inténtalo de nuevo.\",\"A4UmDy\":\"Teatro\",\"tDwYhx\":\"Tema y colores\",\"HirZe8\":\"Estas plantillas se usarán como predeterminadas para todos los eventos en su organización. Los eventos individuales pueden anular estas plantillas con sus propias versiones personalizadas.\",\"lzAaG5\":\"Estas plantillas anularán los predeterminados del organizador solo para este evento. Si no se establece una plantilla personalizada aquí, se usará la plantilla del organizador en su lugar.\",\"XBNC3E\":\"Este código se usará para rastrear ventas. Solo se permiten letras, números, guiones y guiones bajos.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Este evento aún no está publicado\",\"dFJnia\":\"Este es el nombre de tu organizador que se mostrará a tus usuarios.\",\"L7dIM7\":\"Este enlace es inválido o ha caducado.\",\"j5FdeA\":\"Este pedido está siendo procesado.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"Este pedido fue cancelado. Puedes iniciar un nuevo pedido en cualquier momento.\",\"lyD7rQ\":\"Este perfil de organizador aún no está publicado\",\"9b5956\":\"Esta vista previa muestra cómo se verá su correo con datos de muestra. Los correos reales usarán valores reales.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Este boleto acaba de ser escaneado. Por favor espere antes de escanear nuevamente.\",\"kvpxIU\":\"Esto se usará para notificaciones y comunicación con tus usuarios.\",\"rhsath\":\"Esto no será visible para los clientes, pero te ayuda a identificar al afiliado.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Diseño de Ticket\",\"EZC/Cu\":\"Diseño del ticket guardado exitosamente\",\"1BPctx\":\"Entrada para\",\"bgqf+K\":\"Email del portador del boleto\",\"oR7zL3\":\"Nombre del portador del boleto\",\"HGuXjF\":\"Poseedores de entradas\",\"awHmAT\":\"ID del boleto\",\"6czJik\":\"Logo del Ticket\",\"OkRZ4Z\":\"Nombre del boleto\",\"6tmWch\":\"Entrada o producto\",\"1tfWrD\":\"Vista previa de boleto para\",\"tGCY6d\":\"Precio del boleto\",\"8jLPgH\":\"Tipo de Ticket\",\"X26cQf\":\"URL del boleto\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Entradas y productos\",\"EUnesn\":\"Entradas disponibles\",\"AGRilS\":\"Entradas Vendidas\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Para recibir pagos con tarjeta de crédito, debes conectar tu cuenta de Stripe. Stripe es nuestro socio de procesamiento de pagos que garantiza transacciones seguras y pagos puntuales.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Cuentas Totales\",\"EaAPbv\":\"Cantidad total pagada\",\"SMDzqJ\":\"Total de asistentes\",\"orBECM\":\"Total recaudado\",\"KSDwd5\":\"Órdenes totales\",\"vb0Q0/\":\"Usuarios Totales\",\"/b6Z1R\":\"Rastrea ingresos, vistas de página y ventas con análisis detallados e informes exportables\",\"OpKMSn\":\"Tarifa de transacción:\",\"uKOFO5\":\"Verdadero si pago sin conexión\",\"9GsDR2\":\"Verdadero si pago pendiente\",\"ouM5IM\":\"Probar otro correo\",\"3DZvE7\":\"Probar Hi.Events gratis\",\"Kz91g/\":\"Turco\",\"GdOhw6\":\"Desactivar sonido\",\"KUOhTy\":\"Activar sonido\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Tipo de boleto\",\"IrVSu+\":\"No se pudo duplicar el producto. Por favor, revisa tus datos\",\"Vx2J6x\":\"No se pudo obtener el asistente\",\"b9SN9q\":\"Referencia única del pedido\",\"Ef7StM\":\"Desconocido\",\"ZBAScj\":\"Asistente desconocido\",\"ZkS2p3\":\"Despublicar Evento\",\"Pp1sWX\":\"Actualizar afiliado\",\"KMMOAy\":\"Actualización disponible\",\"gJQsLv\":\"Sube una imagen de portada para tu organizador\",\"4kEGqW\":\"Sube un logo para tu organizador\",\"lnCMdg\":\"Subir imagen\",\"29w7p6\":\"Subiendo imagen...\",\"HtrFfw\":\"La URL es obligatoria\",\"WBq1/R\":\"Escáner USB ya activo\",\"EV30TR\":\"Modo escáner USB activado. Comience a escanear tickets ahora.\",\"fovJi3\":\"Modo escáner USB desactivado\",\"hli+ga\":\"Escáner USB/HID\",\"OHJXlK\":\"Use <0>plantillas Liquid para personalizar sus correos electrónicos\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Usado para bordes, resaltados y estilo del código QR\",\"AdWhjZ\":\"Código de verificación\",\"wCKkSr\":\"Verificar correo\",\"/IBv6X\":\"Verifica tu correo electrónico\",\"e/cvV1\":\"Verificando...\",\"fROFIL\":\"Vietnamita\",\"+WFMis\":\"Ver y descargar informes de todos sus eventos. Solo se incluyen pedidos completados.\",\"gj5YGm\":\"Consulta y descarga informes de tu evento. Ten en cuenta que solo se incluyen pedidos completados en estos informes.\",\"c7VN/A\":\"Ver respuestas\",\"FCVmuU\":\"Ver evento\",\"n6EaWL\":\"Ver registros\",\"OaKTzt\":\"Ver mapa\",\"67OJ7t\":\"Ver pedido\",\"tKKZn0\":\"Ver detalles del pedido\",\"9jnAcN\":\"Ver página principal del organizador\",\"1J/AWD\":\"Ver boleto\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible solo para el personal de check-in. Ayuda a identificar esta lista durante el check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Esperando pago\",\"RRZDED\":\"No pudimos encontrar pedidos asociados a este correo electrónico.\",\"miysJh\":\"No pudimos encontrar este pedido. Puede haber sido eliminado.\",\"HJKdzP\":\"Tuvimos un problema al cargar esta página. Por favor, inténtalo de nuevo.\",\"IfN2Qo\":\"Recomendamos un logo cuadrado con dimensiones mínimas de 200x200px\",\"wJzo/w\":\"Recomendamos dimensiones de 400px por 400px y un tamaño máximo de archivo de 5MB\",\"q1BizZ\":\"Enviaremos tus entradas a este correo electrónico\",\"zCdObC\":\"Oficialmente hemos trasladado nuestra sede a Irlanda 🇮🇪. Como parte de esta transición, ahora usamos Stripe Irlanda en lugar de Stripe Canadá. Para mantener sus pagos funcionando sin problemas, necesitará reconectar su cuenta de Stripe.\",\"jh2orE\":\"Hemos trasladado nuestra sede a Irlanda. Como resultado, necesitamos que reconecte su cuenta de Stripe. Este proceso rápido solo toma unos minutos. Sus ventas y datos existentes permanecen completamente sin cambios.\",\"Fq/Nx7\":\"Hemos enviado un código de verificación de 5 dígitos a:\",\"GdWB+V\":\"Webhook creado con éxito\",\"2X4ecw\":\"Webhook eliminado con éxito\",\"CThMKa\":\"Registros del Webhook\",\"nuh/Wq\":\"URL del Webhook\",\"8BMPMe\":\"El webhook no enviará notificaciones\",\"FSaY52\":\"El webhook enviará notificaciones\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Sitio web\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bienvenido de nuevo 👋\",\"kSYpfa\":[\"Bienvenido a \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Bienvenido a \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Bienvenido a \",[\"0\"],\", aquí hay una lista de todos tus eventos\"],\"FaSXqR\":\"¿Qué tipo de evento?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Cuando se elimina un registro de entrada\",\"Gmd0hv\":\"Cuando se crea un nuevo asistente\",\"Lc18qn\":\"Cuando se crea un nuevo pedido\",\"dfkQIO\":\"Cuando se crea un nuevo producto\",\"8OhzyY\":\"Cuando se elimina un producto\",\"tRXdQ9\":\"Cuando se actualiza un producto\",\"Q7CWxp\":\"Cuando se cancela un asistente\",\"IuUoyV\":\"Cuando un asistente se registra\",\"nBVOd7\":\"Cuando se actualiza un asistente\",\"ny2r8d\":\"Cuando se cancela un pedido\",\"c9RYbv\":\"Cuando un pedido se marca como pagado\",\"ejMDw1\":\"Cuando se reembolsa un pedido\",\"fVPt0F\":\"Cuando se actualiza un pedido\",\"bcYlvb\":\"Cuándo cierra el check-in\",\"XIG669\":\"Cuándo abre el check-in\",\"de6HLN\":\"Cuando los clientes compren entradas, sus pedidos aparecerán aquí.\",\"blXLKj\":\"Cuando está habilitado, los nuevos eventos mostrarán una casilla de aceptación de marketing durante el checkout. Esto se puede anular por evento.\",\"uvIqcj\":\"Taller\",\"EpknJA\":\"Escribe tu mensaje aquí...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Sí, cancelar mi pedido\",\"QlSZU0\":[\"Estás suplantando a <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Está emitiendo un reembolso parcial. Al cliente se le reembolsará \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Has añadido impuestos y tarifas a un producto gratuito. ¿Te gustaría eliminarlos?\",\"FVTVBy\":\"Debes verificar tu dirección de correo electrónico antes de poder actualizar el estado del organizador.\",\"FRl8Jv\":\"Debes verificar el correo electrónico de tu cuenta antes de poder enviar mensajes.\",\"U3wiCB\":\"¡Está todo listo! Sus pagos se están procesando sin problemas.\",\"MNFIxz\":[\"¡Vas a ir a \",[\"0\"],\"!\"],\"x/xjzn\":\"Tus afiliados se han exportado exitosamente.\",\"TF37u6\":\"Tus asistentes se han exportado con éxito.\",\"79lXGw\":\"Tu lista de check-in se ha creado exitosamente. Comparte el enlace de abajo con tu personal de check-in.\",\"BnlG9U\":\"Tu pedido actual se perderá.\",\"nBqgQb\":\"Tu correo electrónico\",\"R02pnV\":\"Tu evento debe estar activo antes de que puedas vender entradas a los asistentes.\",\"ifRqmm\":\"¡Tu mensaje se ha enviado exitosamente!\",\"/Rj5P4\":\"Tu nombre\",\"naQW82\":\"Tu pedido ha sido cancelado.\",\"bhlHm/\":\"Tu pedido está esperando el pago\",\"XeNum6\":\"Tus pedidos se han exportado con éxito.\",\"Xd1R1a\":\"La dirección de tu organizador\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Su cuenta de Stripe está conectada y procesando pagos.\",\"vvO1I2\":\"Tu cuenta de Stripe está conectada y lista para procesar pagos.\",\"CnZ3Ou\":\"Tus entradas han sido confirmadas.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'No hay nada que mostrar todavía'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado con éxito\"],\"yxhYRZ\":[[\"0\"],\" <0>retirado con éxito\"],\"KMgp2+\":[[\"0\"],\" disponible\"],\"Pmr5xp\":[[\"0\"],\" creado correctamente\"],\"FImCSc\":[[\"0\"],\" actualizado correctamente\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" días, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"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>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://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.\",\"ZjMs6e\":\"<0>El número de productos disponibles para este producto<1>Este valor se puede sobrescribir si hay <2>Límites de Capacidad asociados con este producto.\",\"E15xs8\":\"⚡️ Configura tu evento\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Personaliza la página de tu evento\",\"3VPPdS\":\"💳 Conéctate con Stripe\",\"cjdktw\":\"🚀 Configura tu evento en vivo\",\"rmelwV\":\"0 minutos y 0 segundos\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"Un \",[\"type\"],\" predeterminado se aplica automáticamente a todos los nuevos productos. Puede sobrescribir esto por cada producto.\"],\"SMUbbQ\":\"Una entrada desplegable permite solo una selección\",\"qv4bfj\":\"Una tarifa, como una tarifa de reserva o una tarifa de servicio\",\"POT0K/\":\"Un monto fijo por producto. Ej., $0.50 por producto\",\"f4vJgj\":\"Una entrada de texto de varias líneas\",\"OIPtI5\":\"Un porcentaje del precio del producto. Ej., 3.5% del precio del producto\",\"ZthcdI\":\"Un código promocional sin descuento puede usarse para revelar productos ocultos.\",\"AG/qmQ\":\"Una opción de Radio tiene múltiples opciones pero solo se puede seleccionar una.\",\"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\",\"BHZbFy\":\"Una sola pregunta por pedido. Ej., ¿Cuál es su dirección de envío?\",\"Fuh+dI\":\"Una sola pregunta por producto. Ej., ¿Cuál es su talla de camiseta?\",\"RlJmQg\":\"Un impuesto estándar, como el IVA o el GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Aceptar transferencias bancarias, cheques u otros métodos de pago offline\",\"hrvLf4\":\"Aceptar pagos con tarjeta de crédito a través de Stripe\",\"bfXQ+N\":\"Aceptar la invitacion\",\"AeXO77\":\"Cuenta\",\"lkNdiH\":\"Nombre de la cuenta\",\"Puv7+X\":\"Configuraciones de la cuenta\",\"OmylXO\":\"Cuenta actualizada exitosamente\",\"7L01XJ\":\"Acciones\",\"FQBaXG\":\"Activar\",\"5T2HxQ\":\"Fecha de activación\",\"F6pfE9\":\"Activo\",\"/PN1DA\":\"Agregue una descripción para esta lista de registro\",\"0/vPdA\":\"Agrega cualquier nota sobre el asistente. Estas no serán visibles para el asistente.\",\"Or1CPR\":\"Agrega cualquier nota sobre el asistente...\",\"l3sZO1\":\"Agregue notas sobre el pedido. Estas no serán visibles para el cliente.\",\"xMekgu\":\"Agregue notas sobre el pedido...\",\"PGPGsL\":\"Añadir descripción\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Agregue instrucciones para pagos offline (por ejemplo, detalles de transferencia bancaria, dónde enviar cheques, fechas límite de pago)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Agregar nuevo\",\"TZxnm8\":\"Agregar opción\",\"24l4x6\":\"Añadir producto\",\"8q0EdE\":\"Añadir producto a la categoría\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Agregar pregunta\",\"yWiPh+\":\"Agregar impuesto o tarifa\",\"goOKRY\":\"Agregar nivel\",\"oZW/gT\":\"Agregar al calendario\",\"pn5qSs\":\"Información adicional\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Todos los asistentes a este evento.\",\"cde2hc\":\"Todos los productos\",\"5CQ+r0\":\"Permitir que los asistentes asociados con pedidos no pagados se registren\",\"ipYKgM\":\"Permitir la indexación en motores de búsqueda\",\"LRbt6D\":\"Permitir que los motores de búsqueda indexen este evento\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Increíble, evento, palabras clave...\",\"hehnjM\":\"Cantidad\",\"R2O9Rg\":[\"Importe pagado (\",[\"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.\",\"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\":\"Ocurrió un error inesperado.\",\"byKna+\":\"Ocurrió un error inesperado. Inténtalo de nuevo.\",\"ubdMGz\":\"Cualquier consulta de los titulares de productos se enviará a esta dirección de correo electrónico. Esta también se usará como la dirección de \\\"respuesta a\\\" para todos los correos electrónicos enviados desde este evento\",\"aAIQg2\":\"Apariencia\",\"Ym1gnK\":\"aplicado\",\"sy6fss\":[\"Se aplica a \",[\"0\"],\" productos\"],\"kadJKg\":\"Se aplica a 1 producto\",\"DB8zMK\":\"Aplicar\",\"GctSSm\":\"Aplicar código promocional\",\"ARBThj\":[\"Aplicar este \",[\"type\"],\" a todos los nuevos productos\"],\"S0ctOE\":\"Archivar evento\",\"TdfEV7\":\"Archivado\",\"A6AtLP\":\"Archived Events\",\"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?\",\"LBLOqH\":\"Preguntar una vez por pedido\",\"wu98dY\":\"Preguntar una vez por producto\",\"ss9PbX\":\"Asistente\",\"m0CFV2\":\"Detalles de los asistentes\",\"QKim6l\":\"Asistente no encontrado\",\"R5IT/I\":\"Notas del asistente\",\"lXcSD2\":\"Preguntas de los asistentes\",\"HT/08n\":\"Entrada del asistente\",\"9SZT4E\":\"Asistentes\",\"iPBfZP\":\"Asistentes registrados\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"Esperando pago offline\",\"2rHwhl\":\"Esperando pago offline\",\"3wF4Q/\":\"Esperando pago\",\"ioG+xt\":\"En espera de pago\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Impresionante organizador Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Volver a la página del evento\",\"VCoEm+\":\"Atrás para iniciar sesión\",\"k1bLf+\":\"Color de fondo\",\"I7xjqg\":\"Tipo de fondo\",\"1mwMl+\":\"¡Antes de enviar!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Dirección de facturación\",\"/xC/im\":\"Configuración de facturación\",\"rp/zaT\":\"Portugués brasileño\",\"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.\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar cambio de correo electrónico\",\"tVJk4q\":\"Cancelar orden\",\"Os6n2a\":\"Cancelar orden\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"No se puede registrar entrada\",\"QyjCeq\":\"Capacidad\",\"V6Q5RZ\":\"Asignación de Capacidad creada con éxito\",\"k5p8dz\":\"Asignación de Capacidad eliminada con éxito\",\"nDBs04\":\"Gestión de Capacidad\",\"ddha3c\":\"Las categorías le permiten agrupar productos. Por ejemplo, puede tener una categoría para \\\"Entradas\\\" y otra para \\\"Mercancía\\\".\",\"iS0wAT\":\"Las categorías le ayudan a organizar sus productos. Este título se mostrará en la página pública del evento.\",\"eorM7z\":\"Categorías reordenadas con éxito.\",\"3EXqwa\":\"Categoría creada con éxito\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Cambiar la contraseña\",\"xMDm+I\":\"Registrar entrada\",\"p2WLr3\":[\"Registrar \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Registrar entrada y marcar pedido como pagado\",\"QYLpB4\":\"Solo registrar entrada\",\"/Ta1d4\":\"Registrar salida\",\"5LDT6f\":\"¡Mira este evento!\",\"gXcPxc\":\"Registrarse\",\"fVUbUy\":\"Check-In List created successfully\",\"+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\",\"znIg+z\":\"Pagar\",\"1WnhCL\":\"Configuración de pago\",\"6imsQS\":\"Chino simplificado\",\"JjkX4+\":\"Elige un color para tu fondo\",\"/Jizh9\":\"elige una cuenta\",\"3wV73y\":\"Ciudad\",\"FG98gC\":\"Borrar texto de búsqueda\",\"EYeuMv\":\"click here\",\"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.\",\"oqr9HB\":\"Colapsar este producto cuando la página del evento se cargue inicialmente\",\"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\":\"Completar Orden\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"El pago completo\",\"qqWcBV\":\"Terminado\",\"6HK5Ct\":\"Pedidos completados\",\"NWVRtl\":\"Pedidos completados\",\"DwF9eH\":\"Código de componente\",\"Tf55h7\":\"Descuento configurado\",\"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...\",\"pbAk7a\":\"Conectar raya\",\"UMGQOh\":\"Conéctate con Stripe\",\"QKLP1W\":\"Conecte su cuenta Stripe para comenzar a recibir pagos.\",\"5lcVkL\":\"Detalles de conexión\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Texto del botón Continuar\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continuar configurando\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"copiado\",\"T5rdis\":\"Copiado al portapapeles\",\"he3ygx\":\"Copiar\",\"r2B2P8\":\"Copiar URL de registro\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cubrir\",\"hYgDIe\":\"Crear\",\"b9XOHo\":[\"Crear \",[\"0\"]],\"k9RiLi\":\"Crear un producto\",\"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\",\"EwoMtl\":\"Crear categoría\",\"XletzW\":\"Crear categoría\",\"WVbTwK\":\"Crear lista de registro\",\"uN355O\":\"Crear evento\",\"BOqY23\":\"Crear nuevo\",\"kpJAeS\":\"Crear organizador\",\"a0EjD+\":\"Crear producto\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Crear código promocional\",\"B3Mkdt\":\"Crear pregunta\",\"UKfi21\":\"Crear impuesto o tarifa\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Divisa\",\"DCKkhU\":\"Contraseña actual\",\"uIElGP\":\"URL de mapas personalizados\",\"UEqXyt\":\"Rango personalizado\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalice la configuración de correo electrónico y notificaciones para este evento\",\"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\":\"Dashboard\",\"mYGY3B\":\"Fecha\",\"JvUngl\":\"Fecha y hora\",\"JJhRbH\":\"Capacidad del primer día\",\"cnGeoo\":\"Borrar\",\"jRJZxD\":\"Eliminar Capacidad\",\"VskHIx\":\"Eliminar categoría\",\"Qrc8RZ\":\"Eliminar lista de registro\",\"WHf154\":\"Eliminar código\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Eliminar pregunta\",\"Nu4oKW\":\"Descripción\",\"YC3oXa\":\"Descripción para el personal de registro\",\"URmyfc\":\"Detalles\",\"1lRT3t\":\"Deshabilitar esta capacidad rastreará las ventas pero no las detendrá cuando se alcance el límite\",\"H6Ma8Z\":\"Descuento\",\"ypJ62C\":\"Descuento %\",\"3LtiBI\":[\"Descuento en \",[\"0\"]],\"C8JLas\":\"Tipo de descuento\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Etiqueta del documento\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donación / Producto de paga lo que quieras\",\"OvNbls\":\"Descargar .ics\",\"kodV18\":\"Descargar CSV\",\"CELKku\":\"Descargar factura\",\"LQrXcu\":\"Descargar factura\",\"QIodqd\":\"Descargar código QR\",\"yhjU+j\":\"Descargando factura\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Selección desplegable\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicar opciones\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kBkYSa\":\"Editar Capacidad\",\"oHE9JT\":\"Editar Asignación de Capacidad\",\"j1Jl7s\":\"Editar categoría\",\"FU1gvP\":\"Editar lista de registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"tdD/QN\":\"Editar producto\",\"n143Tq\":\"Editar categoría de producto\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pregunta\",\"EzwCw7\":\"Editar pregunta\",\"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\",\"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\",\"NTZ/NX\":\"Código de inserción\",\"4rnJq4\":\"Insertar secuencia de comandos\",\"8oPbg1\":\"Habilitar facturación\",\"j6w7d/\":\"Activar esta capacidad para detener las ventas de productos cuando se alcance el límite\",\"VFv2ZC\":\"Fecha de finalización\",\"237hSL\":\"Terminado\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Inglés\",\"MhVoma\":\"Ingrese un monto sin incluir impuestos ni tarifas.\",\"SlfejT\":\"Error\",\"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\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Fecha del Evento\",\"0Zptey\":\"Valores predeterminados de eventos\",\"QcCPs8\":\"Detalles del evento\",\"6fuA9p\":\"Evento duplicado con éxito\",\"AEuj2m\":\"Página principal del evento\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Ubicación del evento y detalles del lugar\",\"OopDbA\":\"Event page\",\"4/If97\":\"Error al actualizar el estado del evento. Por favor, inténtelo de nuevo más tarde\",\"btxLWj\":\"Estado del evento actualizado\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"No se pudo descargar la factura. Inténtalo de nuevo.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"No se pudo cargar la lista de registro\",\"ZQ15eN\":\"No se pudo reenviar el correo electrónico del ticket\",\"ejXy+D\":\"Error al ordenar productos\",\"PLUB/s\":\"Tarifa\",\"/mfICu\":\"Honorarios\",\"LyFC7X\":\"Filtrar pedidos\",\"cSev+j\":\"Filtros\",\"CVw2MU\":[\"Filtros (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Primer número de factura\",\"V1EGGU\":\"Primer Nombre\",\"kODvZJ\":\"Primer Nombre\",\"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.\",\"Rs/IcB\":\"Usado por primera vez\",\"TpqW74\":\"Fijado\",\"irpUxR\":\"Cantidad fija\",\"TF9opW\":\"Flash no está disponible en este dispositivo\",\"UNMVei\":\"¿Has olvidado tu contraseña?\",\"2POOFK\":\"Gratis\",\"P/OAYJ\":\"Producto gratuito\",\"vAbVy9\":\"Producto gratuito, no se requiere información de pago\",\"nLC6tu\":\"Francés\",\"Weq9zb\":\"General\",\"DDcvSo\":\"Alemán\",\"4GLxhy\":\"Empezando\",\"4D3rRj\":\"volver al perfil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Ventas brutas\",\"yRg26W\":\"Ventas brutas\",\"R4r4XO\":\"Huéspedes\",\"26pGvx\":\"¿Tienes un código de promoción?\",\"V7yhws\":\"hola@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Hola \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events 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.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar página de inicio\",\"mFn5Xz\":\"Ocultar preguntas ocultas\",\"YHsF9c\":\"Ocultar producto después de la fecha de finalización de la venta\",\"06s3w3\":\"Ocultar producto antes de la fecha de inicio de la venta\",\"axVMjA\":\"Ocultar producto a menos que el usuario tenga un código promocional aplicable\",\"ySQGHV\":\"Ocultar producto cuando esté agotado\",\"SCimta\":\"Ocultar la página de inicio de la barra lateral\",\"5xR17G\":\"Ocultar este producto a los clientes\",\"Da29Y6\":\"Ocultar esta pregunta\",\"fvDQhr\":\"Ocultar este nivel a los usuarios\",\"lNipG+\":\"Ocultar un producto impedirá que los usuarios lo vean en la página del evento.\",\"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\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Si está en blanco, se usará la dirección para generar un enlace de Google Maps\",\"UYT+c8\":\"Si está habilitado, el personal de registro puede marcar a los asistentes como registrados o marcar el pedido como pagado y registrar a los asistentes. Si está deshabilitado, los asistentes asociados con pedidos no pagados no pueden registrarse.\",\"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\",\"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\":\"Imagen cargada exitosamente\",\"VyUuZb\":\"URL de imagen\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactivo\",\"T0K0yl\":\"Los usuarios inactivos no pueden iniciar sesión.\",\"kO44sp\":\"Incluya los 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 del boleto del asistente.\",\"FlQKnG\":\"Incluye impuestos y tasas en el precio.\",\"Vi+BiW\":[\"Incluye \",[\"0\"],\" productos\"],\"lpm0+y\":\"Incluye 1 producto\",\"UiAk5P\":\"Insertar imagen\",\"OyLdaz\":\"¡Invitación resentida!\",\"HE6KcK\":\"¡Invitación revocada!\",\"SQKPvQ\":\"Invitar usuario\",\"bKOYkd\":\"Factura descargada con éxito\",\"alD1+n\":\"Notas de la factura\",\"kOtCs2\":\"Numeración de facturas\",\"UZ2GSZ\":\"Configuración de facturación\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Artículo\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Etiqueta\",\"vXIe7J\":\"Idioma\",\"2LMsOq\":\"Últimos 12 meses\",\"vfe90m\":\"Últimos 14 días\",\"aK4uBd\":\"Últimas 24 horas\",\"uq2BmQ\":\"Últimos 30 días\",\"bB6Ram\":\"Últimas 48 horas\",\"VlnB7s\":\"Últimos 6 meses\",\"ct2SYD\":\"Últimos 7 días\",\"XgOuA7\":\"Últimos 90 días\",\"I3yitW\":\"Último acceso\",\"1ZaQUH\":\"Apellido\",\"UXBCwc\":\"Apellido\",\"tKCBU0\":\"Última vez usado\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Dejar en blanco para usar la palabra predeterminada \\\"Factura\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Cargando...\",\"wJijgU\":\"Ubicación\",\"sQia9P\":\"Acceso\",\"zUDyah\":\"Iniciando sesión\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Cerrar sesión\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Hacer obligatoria la dirección de facturación durante el pago\",\"MU3ijv\":\"Haz que esta pregunta sea obligatoria\",\"wckWOP\":\"Administrar\",\"onpJrA\":\"Gestionar asistente\",\"n4SpU5\":\"Administrar evento\",\"WVgSTy\":\"Gestionar pedido\",\"1MAvUY\":\"Gestionar las configuraciones de pago y facturación para este evento.\",\"cQrNR3\":\"Administrar perfil\",\"AtXtSw\":\"Gestionar impuestos y tasas que se pueden aplicar a sus productos\",\"ophZVW\":\"Gestionar entradas\",\"DdHfeW\":\"Administre los detalles de su cuenta y la configuración predeterminada\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Marcar como pagado\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Asistente del mensaje\",\"Gv5AMu\":\"Mensaje a los asistentes\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Misceláneo\",\"mYLhkl\":\"Otras configuraciones\",\"KYveV8\":\"Cuadro de texto de varias líneas\",\"VD0iA7\":\"Múltiples opciones de precio. Perfecto para productos anticipados, etc.\",\"/bhMdO\":\"Mi increíble descripción del evento...\",\"vX8/tc\":\"El increíble título de mi evento...\",\"hKtWk2\":\"Mi perfil\",\"fj5byd\":\"No disponible\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nombre\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navegar al asistente\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nueva contraseña\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"No hay eventos archivados para mostrar.\",\"q2LEDV\":\"No se encontraron asistentes para este pedido.\",\"zlHa5R\":\"No se han añadido asistentes a este pedido.\",\"Wjz5KP\":\"No hay asistentes para mostrar\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"No hay Asignaciones de Capacidad\",\"a/gMx2\":\"No hay listas de registro\",\"tMFDem\":\"No hay datos disponibles\",\"6Z/F61\":\"No hay datos para mostrar. Por favor selecciona un rango de fechas\",\"fFeCKc\":\"Sin descuento\",\"HFucK5\":\"No hay eventos finalizados para mostrar.\",\"yAlJXG\":\"No hay eventos para mostrar\",\"GqvPcv\":\"No hay filtros disponibles\",\"KPWxKD\":\"No hay mensajes para mostrar\",\"J2LkP8\":\"No hay pedidos para mostrar\",\"RBXXtB\":\"No hay métodos de pago disponibles actualmente. Por favor, contacte al organizador del evento para obtener ayuda.\",\"ZWEfBE\":\"No se requiere pago\",\"ZPoHOn\":\"No hay ningún producto asociado con este asistente.\",\"Ya1JhR\":\"No hay productos disponibles en esta categoría.\",\"FTfObB\":\"Aún no hay productos\",\"+Y976X\":\"No hay códigos promocionales para mostrar\",\"MAavyl\":\"No hay preguntas respondidas por este asistente.\",\"SnlQeq\":\"No se han hecho preguntas para este pedido.\",\"Ev2r9A\":\"No hay resultados\",\"gk5uwN\":\"Sin resultados de búsqueda\",\"RHyZUL\":\"Sin resultados de búsqueda.\",\"RY2eP1\":\"No se han agregado impuestos ni tarifas.\",\"EdQY6l\":\"Ninguno\",\"OJx3wK\":\"No disponible\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notas\",\"jtrY3S\":\"Nada que mostrar aún\",\"hFwWnI\":\"Configuración de las notificaciones\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notificar al organizador de nuevos pedidos\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Número de días permitidos para el pago (dejar en blanco para omitir los términos de pago en las facturas)\",\"n86jmj\":\"Prefijo del número\",\"mwe+2z\":\"Los pedidos offline no se reflejan en las estadísticas del evento hasta que el pedido se marque como pagado.\",\"dWBrJX\":\"El pago offline ha fallado. Por favor, inténtelo de nuevo o contacte al organizador del evento.\",\"fcnqjw\":\"Instrucciones de Pago Fuera de Línea\",\"+eZ7dp\":\"Pagos offline\",\"ojDQlR\":\"Información de pagos offline\",\"u5oO/W\":\"Configuración de pagos offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"En venta\",\"Ug4SfW\":\"Una vez que crees un evento, lo verás aquí.\",\"ZxnK5C\":\"Una vez que comiences a recopilar datos, los verás aquí.\",\"PnSzEc\":\"Una vez que esté listo, ponga su evento en vivo y comience a vender productos.\",\"J6n7sl\":\"En curso\",\"z+nuVJ\":\"evento en línea\",\"WKHW0N\":\"Detalles del evento en línea\",\"/xkmKX\":\"Solo se deben enviar correos importantes directamente relacionados con este evento usando este formulario.\\nCualquier uso indebido, incluyendo el envío de correos promocionales, resultará en una prohibición inmediata de la cuenta.\",\"Qqqrwa\":\"Abrir Página de Check-In\",\"OdnLE4\":\"Abrir barra lateral\",\"ZZEYpT\":[\"Opción \",[\"i\"]],\"oPknTP\":\"Información adicional opcional que aparecerá en todas las facturas (por ejemplo, términos de pago, cargos por pago atrasado, política de devoluciones)\",\"OrXJBY\":\"Prefijo opcional para los números de factura (por ejemplo, INV-)\",\"0zpgxV\":\"Opciones\",\"BzEFor\":\"o\",\"UYUgdb\":\"Orden\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Orden cancelada\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Fecha de orden\",\"Tol4BF\":\"Detalles del pedido\",\"WbImlQ\":\"El pedido ha sido cancelado y se ha notificado al propietario del pedido.\",\"nAn4Oe\":\"Pedido marcado como pagado\",\"uzEfRz\":\"Notas del pedido\",\"VCOi7U\":\"Preguntas sobre pedidos\",\"TPoYsF\":\"Pedir Referencia\",\"acIJ41\":\"Estado del pedido\",\"GX6dZv\":\"Resumen del pedido\",\"tDTq0D\":\"Tiempo de espera del pedido\",\"1h+RBg\":\"Pedidos\",\"3y+V4p\":\"Dirección de la organización\",\"GVcaW6\":\"Detalles de la organización\",\"nfnm9D\":\"Nombre de la organización\",\"G5RhpL\":\"Organizador\",\"mYygCM\":\"Se requiere organizador\",\"Pa6G7v\":\"Nombre del organizador\",\"l894xP\":\"Los organizadores solo pueden gestionar eventos y productos. No pueden gestionar usuarios, configuraciones de cuenta o información de facturación.\",\"fdjq4c\":\"Relleno\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Página no encontrada\",\"QbrUIo\":\"Vistas de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pagado\",\"HVW65c\":\"Producto de pago\",\"ZfxaB4\":\"Reembolsado parcialmente\",\"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\",\"621rYf\":\"Pago\",\"Lg+ewC\":\"Pago y facturación\",\"DZjk8u\":\"Configuración de pago y facturación\",\"lflimf\":\"Período de vencimiento del pago\",\"JhtZAK\":\"Pago fallido\",\"JEdsvQ\":\"Instrucciones de pago\",\"bLB3MJ\":\"Métodos de pago\",\"QzmQBG\":\"Proveedor de pago\",\"lsxOPC\":\"Pago recibido\",\"wJTzyi\":\"Estado del pago\",\"xgav5v\":\"¡Pago exitoso!\",\"R29lO5\":\"Términos de pago\",\"/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.\",\"hcX103\":\"Por favor, cree un producto\",\"cdR8d6\":\"Por favor, crea un ticket\",\"x2mjl4\":\"Por favor, introduzca una URL de imagen válida que apunte a una imagen.\",\"HnNept\":\"Por favor ingrese su nueva contraseña\",\"5FSIzj\":\"Tenga en cuenta\",\"C63rRe\":\"Por favor, regresa a la página del evento para comenzar de nuevo.\",\"pJLvdS\":\"Por favor seleccione\",\"Ewir4O\":\"Por favor, seleccione al menos un producto\",\"igBrCH\":\"Verifique su dirección de correo electrónico para acceder a todas las funciones.\",\"/IzmnP\":\"Por favor, espere mientras preparamos su factura...\",\"MOERNx\":\"Portugués\",\"qCJyMx\":\"Mensaje posterior al pago\",\"g2UNkE\":\"Energizado por\",\"Rs7IQv\":\"Mensaje previo al pago\",\"rdUucN\":\"Vista Previa\",\"a7u1N9\":\"Precio\",\"CmoB9j\":\"Modo de visualización de precios\",\"BI7D9d\":\"Precio no establecido\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Tipo de precio\",\"6RmHKN\":\"Color primario\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Color de texto principal\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Imprimir todas las entradas\",\"DKwDdj\":\"Imprimir boletos\",\"K47k8R\":\"Producto\",\"1JwlHk\":\"Categoría de producto\",\"U61sAj\":\"Categoría de producto actualizada con éxito.\",\"1USFWA\":\"Producto eliminado con éxito\",\"4Y2FZT\":\"Tipo de precio del producto\",\"mFwX0d\":\"Preguntas sobre el producto\",\"Lu+kBU\":\"Ventas de productos\",\"U/R4Ng\":\"Nivel del producto\",\"sJsr1h\":\"Tipo de producto\",\"o1zPwM\":\"Vista previa del widget de producto\",\"ktyvbu\":\"Producto(s)\",\"N0qXpE\":\"Productos\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Productos vendidos\",\"/u4DIx\":\"Productos vendidos\",\"DJQEZc\":\"Productos ordenados con éxito\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"perfil actualizado con éxito\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"P5sgAk\":\"Código promocional\",\"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.\",\"OP094m\":\"Informe de códigos promocionales\",\"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.\",\"toutGW\":\"Código QR\",\"LkMOWF\":\"cantidad disponible\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Pregunta eliminada\",\"avf0gk\":\"Descripción de la pregunta\",\"oQvMPn\":\"Título de la pregunta\",\"enzGAL\":\"Preguntas\",\"ROv2ZT\":\"Preguntas y respuestas\",\"K885Eq\":\"Preguntas ordenadas correctamente\",\"OMJ035\":\"Opción de radio\",\"C4TjpG\":\"Leer menos\",\"I3QpvQ\":\"Recipiente\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso fallido\",\"n10yGu\":\"Orden de reembolso\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Reembolso pendiente\",\"xHpVRl\":\"Estado del reembolso\",\"/BI0y9\":\"Reintegrado\",\"fgLNSM\":\"Registro\",\"9+8Vez\":\"Usos restantes\",\"tasfos\":\"eliminar\",\"t/YqKh\":\"Eliminar\",\"t9yxlZ\":\"Informes\",\"prZGMe\":\"Requerir dirección de facturación\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Restablecer\",\"RfwZxd\":\"Restablecer la contraseña\",\"KbS2K9\":\"Restablecer la contraseña\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"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\":\"Sale ended\",\"Qm5XkZ\":\"Fecha de inicio de la venta\",\"hBsw5C\":\"Ventas terminadas\",\"kpAzPe\":\"Inicio de ventas\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Guardar\",\"IUwGEM\":\"Guardar cambios\",\"U65fiW\":\"Guardar organizador\",\"UGT5vp\":\"Guardar ajustes\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Busque por nombre del asistente, correo electrónico o número de pedido...\",\"+pr/FY\":\"Buscar por nombre del evento...\",\"3zRbWw\":\"Busque por nombre, correo electrónico o número de pedido...\",\"L22Tdf\":\"Buscar por nombre, número de pedido, número de asistente o correo electrónico...\",\"BiYOdA\":\"Buscar por nombre...\",\"YEjitp\":\"Buscar por tema o contenido...\",\"Pjsch9\":\"Buscar asignaciones de capacidad...\",\"r9M1hc\":\"Buscar listas de registro...\",\"+0Yy2U\":\"Buscar productos\",\"YIix5Y\":\"Buscar...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Color secundario\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Color de texto secundario\",\"02ePaq\":[\"Seleccionar \",[\"0\"]],\"QuNKRX\":\"Seleccionar cámara\",\"9FQEn8\":\"Seleccionar categoría...\",\"kWI/37\":\"Seleccionar organizador\",\"ixIx1f\":\"Seleccionar producto\",\"3oSV95\":\"Seleccionar nivel de producto\",\"C4Y1hA\":\"Seleccionar productos\",\"hAjDQy\":\"Seleccionar estado\",\"QYARw/\":\"Seleccionar billete\",\"OMX4tH\":\"Seleccionar boletos\",\"DrwwNd\":\"Seleccionar período de tiempo\",\"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.\",\"M/WIer\":\"Enviar Mensaje\",\"D7ZemV\":\"Enviar confirmación del pedido y correo electrónico del billete.\",\"v1rRtW\":\"Enviar prueba\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descripción SEO\",\"/SIY6o\":\"Palabras clave SEO\",\"GfWoKv\":\"Configuración de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Tarifa de servicio\",\"Bj/QGQ\":\"Fijar un precio mínimo y dejar que los usuarios paguen más si lo desean.\",\"L0pJmz\":\"Establezca el número inicial para la numeración de facturas. Esto no se puede cambiar una vez que las facturas se hayan generado.\",\"nYNT+5\":\"Configura tu evento\",\"A8iqfq\":\"Configura tu evento en vivo\",\"Tz0i8g\":\"Ajustes\",\"Z8lGw6\":\"Compartir\",\"B2V3cA\":\"Compartir evento\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mostrar cantidad disponible del producto\",\"qDsmzu\":\"Mostrar preguntas ocultas\",\"fMPkxb\":\"Mostrar más\",\"izwOOD\":\"Mostrar impuestos y tarifas por separado\",\"1SbbH8\":\"Se muestra al cliente después de finalizar la compra, 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\":\"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.\",\"6a/UJE\":\"Lo sentimos, este código de promoción no se reconoce\",\"65A04M\":\"Español\",\"mFuBqb\":\"Producto estándar con precio fijo\",\"D3iCkb\":\"Fecha de inicio\",\"/2by1f\":\"Estado o región\",\"uAQUqI\":\"Estado\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Los pagos con Stripe no están habilitados para este evento.\",\"UJmAAK\":\"Sujeto\",\"X2rrlw\":\"Total parcial\",\"zzDlyQ\":\"Éxito\",\"b0HJ45\":[\"¡Éxito! \",[\"0\"],\" recibirá un correo electrónico en breve.\"],\"BJIEiF\":[[\"0\"],\" asistente con éxito\"],\"OtgNFx\":\"Dirección de correo electrónico confirmada correctamente\",\"IKwyaF\":\"Cambio de correo electrónico confirmado exitosamente\",\"zLmvhE\":\"Asistente creado exitosamente\",\"gP22tw\":\"Producto creado con éxito\",\"9mZEgt\":\"Código promocional creado correctamente\",\"aIA9C4\":\"Pregunta creada correctamente\",\"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\",\"4H80qv\":\"Pedido actualizado con éxito\",\"6xCBVN\":\"Configuraciones de pago y facturación actualizadas con éxito\",\"1Ycaad\":\"Producto actualizado con éxito\",\"70dYC8\":\"Código promocional actualizado correctamente\",\"F+pJnL\":\"Configuración de SEO actualizada con éxito\",\"DXZRk5\":\"habitación 100\",\"GNcfRk\":\"Correo electrónico de soporte\",\"uRfugr\":\"Camiseta\",\"JpohL9\":\"Impuesto\",\"geUFpZ\":\"Impuestos y tarifas\",\"dFHcIn\":\"Detalles de impuestos\",\"wQzCPX\":\"Información fiscal que aparecerá en la parte inferior de todas las facturas (por ejemplo, número de IVA, registro fiscal)\",\"0RXCDo\":\"Impuesto o tasa eliminados correctamente\",\"ZowkxF\":\"Impuestos\",\"qu6/03\":\"Impuestos y honorarios\",\"gypigA\":\"Ese código de promoción no es válido.\",\"5ShqeM\":\"La lista de registro que buscas no existe.\",\"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.\",\"HsFnrk\":[\"El número máximo de productos para \",[\"0\"],\" es \",[\"1\"]],\"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á.\",\"vQkyB3\":\"Los impuestos y tasas que se aplicarán a este producto. Puede crear nuevos impuestos y tasas en el\",\"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.\",\"wDx3FF\":\"No hay productos disponibles para este evento\",\"pNgdBv\":\"No hay productos disponibles en esta categoría\",\"rMcHYt\":\"Hay un reembolso pendiente. Espere a que se complete antes de solicitar otro reembolso.\",\"F89D36\":\"Hubo un error al marcar el pedido como pagado\",\"68Axnm\":\"Hubo un error al procesar su solicitud. Inténtalo de nuevo.\",\"mVKOW6\":\"Hubo un error al enviar tu mensaje\",\"AhBPHd\":\"Estos detalles solo se mostrarán si el pedido se completa con éxito. Los pedidos en espera de pago no mostrarán este mensaje.\",\"Pc/Wtj\":\"Este asistente tiene un pedido sin pagar.\",\"mf3FrP\":\"Esta categoría aún no tiene productos.\",\"8QH2Il\":\"Esta categoría está oculta de la vista pública\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Este correo electrónico no es promocional y está directamente relacionado con el evento.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Esta información se mostrará en la página de pago, en la página de resumen del pedido y en el correo electrónico de confirmación del pedido.\",\"XAHqAg\":\"Este es un producto general, como una camiseta o una taza. No se emitirá un boleto\",\"CNk/ro\":\"Este es un evento en línea\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Este mensaje se incluirá en el pie de página de todos los correos electrónicos enviados desde este evento.\",\"55i7Fa\":\"Este mensaje solo se mostrará si el pedido se completa con éxito. Los pedidos en espera de pago no mostrarán este mensaje.\",\"RjwlZt\":\"Este pedido ya ha sido pagado.\",\"5K8REg\":\"Este pedido ya ha sido reembolsado.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Esta orden ha sido cancelada.\",\"Q0zd4P\":\"Este pedido ha expirado. Por favor, comienza de nuevo.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Esta página de pedidos ya no está disponible.\",\"i0TtkR\":\"Esto sobrescribe todas las configuraciones de visibilidad y ocultará el producto a todos los clientes.\",\"cRRc+F\":\"Este producto no se puede eliminar porque está asociado con un pedido. Puede ocultarlo en su lugar.\",\"3Kzsk7\":\"Este producto es un boleto. Se emitirá un boleto a los compradores al realizar la compra\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"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.\",\"IV9xTT\":\"Este usuario no está activo porque no ha aceptado su invitación.\",\"5AnPaO\":\"boleto\",\"kjAL4v\":\"Boleto\",\"dtGC3q\":\"El correo electrónico del ticket se ha reenviado al asistente.\",\"54q0zp\":\"Entradas para\",\"xN9AhL\":[\"Nivel \",[\"0\"]],\"jZj9y9\":\"Producto escalonado\",\"8wITQA\":\"Los productos escalonados le permiten ofrecer múltiples opciones de precio para el mismo producto. Esto es perfecto para productos anticipados o para ofrecer diferentes opciones de precio a diferentes grupos de personas.\\\" # es\",\"nn3mSR\":\"Tiempo restante:\",\"s/0RpH\":\"Tiempos utilizados\",\"y55eMd\":\"Veces usado\",\"40Gx0U\":\"Zona horaria\",\"oDGm7V\":\"CONSEJO\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Herramientas\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total antes de descuentos\",\"NRWNfv\":\"Monto total de descuento\",\"BxsfMK\":\"Tarifas totales\",\"2bR+8v\":\"Total de ventas brutas\",\"mpB/d9\":\"Monto total del pedido\",\"m3FM1g\":\"Total reembolsado\",\"jEbkcB\":\"Total reembolsado\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total impuestos\",\"+zy2Nq\":\"Tipo\",\"FMdMfZ\":\"No se pudo registrar al asistente\",\"bPWBLL\":\"No se pudo retirar al asistente\",\"9+P7zk\":\"No se pudo crear el producto. Por favor, revise sus datos\",\"WLxtFC\":\"No se pudo crear el producto. Por favor, revise sus datos\",\"/cSMqv\":\"No se puede crear una pregunta. Por favor revisa tus datos\",\"MH/lj8\":\"No se puede actualizar la pregunta. Por favor revisa tus datos\",\"nnfSdK\":\"Clientes únicos\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitado disponible\",\"E0q9qH\":\"Usos ilimitados permitidos\",\"h10Wm5\":\"Pedido no pagado\",\"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\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copiada en el portapapeles\",\"e5lF64\":\"Ejemplo de uso\",\"fiV0xj\":\"Límite 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\",\"jpctdh\":\"Ver\",\"Pte1Hv\":\"Ver detalles del asistente\",\"/5PEQz\":\"Ver página del evento\",\"fFornT\":\"Ver mensaje completo\",\"YIsEhQ\":\"Ver el mapa\",\"Ep3VfY\":\"Ver en Google Maps\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"No pudimos eliminar la categoría. Por favor, inténtelo de nuevo.\",\"/DNy62\":[\"No pudimos encontrar ningún boleto que coincida con \",[\"0\"]],\"1E0vyy\":\"No pudimos cargar los datos. Inténtalo de nuevo.\",\"NmpGKr\":\"No pudimos reordenar las categorías. Por favor, inténtelo de nuevo.\",\"BJtMTd\":\"Recomendamos dimensiones de 2160 px por 1080 px y un tamaño de archivo máximo de 5 MB.\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"¿Qué son los productos escalonados?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"¿Qué es una categoría?\",\"gxeWAU\":\"¿A qué productos se aplica este código?\",\"hFHnxR\":\"¿A qué productos se aplica este código? (Se aplica a todos por defecto)\",\"AeejQi\":\"¿A qué productos debería aplicarse esta capacidad?\",\"Rb0XUE\":\"¿A qué hora llegarás?\",\"5N4wLD\":\"¿Qué tipo de pregunta es esta?\",\"gyLUYU\":\"Cuando esté habilitado, se generarán facturas para los pedidos de boletos. Las facturas se enviarán junto con el correo electrónico de confirmación del pedido. Los asistentes también pueden descargar sus facturas desde la página de confirmación del pedido.\",\"D3opg4\":\"Cuando los pagos offline estén habilitados, los usuarios podrán completar sus pedidos y recibir sus boletos. Sus boletos indicarán claramente que el pedido no está pagado, y la herramienta de registro notificará al personal si un pedido requiere pago.\",\"D7C6XV\":\"When should this check-in list expire?\",\"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?\",\"VxFvXQ\":\"Insertar widget\",\"v1P7Gm\":\"Configuración de widgets\",\"b4itZn\":\"Laboral\",\"hqmXmc\":\"Laboral...\",\"+G/XiQ\":\"Año hasta la fecha\",\"l75CjT\":\"Yes\",\"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\",\"sdB7+6\":\"Puede crear un código promocional que se dirija a este producto en el\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"No puede cambiar el tipo de producto ya que hay asistentes asociados con este producto.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"No puede registrar a asistentes con pedidos no pagados. Esta configuración se puede cambiar en los ajustes del evento.\",\"c9Evkd\":\"No puede eliminar la última categoría.\",\"6uwAvx\":\"No puede eliminar este nivel de precios porque ya hay productos vendidos para este nivel. Puede ocultarlo en su lugar.\",\"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\":\"You do not have permission to access this page\",\"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\":\"You have connected your Stripe account\",\"ofEncr\":\"No tienes preguntas de los asistentes.\",\"CoZHDB\":\"No tienes preguntas sobre pedidos.\",\"15qAvl\":\"No tienes ningún cambio de correo electrónico pendiente.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Se te ha acabado el tiempo para completar tu pedido.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Aún no ha enviado ningún mensaje. Puede enviar mensajes a todos los asistentes o a titulares de productos específicos.\",\"R6i9o9\":\"Debes reconocer que este correo electrónico no es promocional.\",\"3ZI8IL\":\"Debes aceptar los términos y condiciones.\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Debe crear un ticket antes de poder agregar manualmente un asistente.\",\"jE4Z8R\":\"Debes tener al menos un nivel de precios\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Deberá marcar un pedido como pagado manualmente. Esto se puede hacer en la página de gestión de pedidos.\",\"L/+xOk\":\"Necesitarás un boleto antes de poder crear una lista de registro.\",\"Djl45M\":\"Necesitará un producto antes de poder crear una asignación de capacidad.\",\"y3qNri\":\"Necesitará al menos un producto para comenzar. Gratis, de pago o deje que el usuario decida cuánto pagar.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Tu pedido\",\"Jwiilf\":\"Tu pedido ha sido cancelado\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Su reembolso se está procesando.\",\"IFHV2p\":\"Tu billete para\",\"x1PPdr\":\"Código postal\",\"BM/KQm\":\"CP o Código Postal\",\"+LtVBt\":\"Código postal\",\"25QDJ1\":\"- Haz clic para publicar\",\"WOyJmc\":\"- Haz clic para despublicar\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" ya está registrado\"],\"S4PqS9\":[[\"0\"],\" webhooks activos\"],\"6MIiOI\":[[\"0\"],\" restantes\"],\"COnw8D\":[\"Logo de \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organizadores\"],\"/HkCs4\":[[\"0\"],\" entradas\"],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Impuestos/Tasas\",\"B1St2O\":\"<0>Las listas de check-in te ayudan a gestionar la entrada al evento por día, área o tipo de entrada. Puedes vincular entradas a listas específicas como zonas VIP o pases del Día 1 y compartir un enlace de check-in seguro con el personal. No se requiere cuenta. El check-in funciona en móvil, escritorio o tableta, usando la cámara del dispositivo o un escáner USB HID. \",\"ZnVt5v\":\"<0>Los webhooks notifican instantáneamente a los servicios externos cuando ocurren eventos, como agregar un nuevo asistente a tu CRM o lista de correo al registrarse, asegurando una automatización fluida.<1>Usa servicios de terceros como <2>Zapier, <3>IFTTT o <4>Make para crear flujos de trabajo personalizados y automatizar tareas.\",\"fAv9QG\":\"🎟️ Agregar entradas\",\"M2DyLc\":\"1 webhook activo\",\"yTsaLw\":\"1 entrada\",\"HR/cvw\":\"Calle Ejemplo 123\",\"kMU5aM\":\"Se ha enviado un aviso de cancelación a\",\"V53XzQ\":\"Se ha enviado un nuevo código de verificación a tu correo\",\"/z/bH1\":\"Una breve descripción de tu organizador que se mostrará a tus usuarios.\",\"aS0jtz\":\"Abandonado\",\"uyJsf6\":\"Acerca de\",\"WTk/ke\":\"Acerca de Stripe Connect\",\"1uJlG9\":\"Color de Acento\",\"VTfZPy\":\"Acceso denegado\",\"iN5Cz3\":\"¡Cuenta ya conectada!\",\"bPwFdf\":\"Cuentas\",\"nMtNd+\":\"Acción requerida: Reconecte su cuenta de Stripe\",\"AhwTa1\":\"Acción Requerida: Se Necesita Información del IVA\",\"a5KFZU\":\"Agrega detalles del evento y administra la configuración del evento.\",\"Fb+SDI\":\"Añadir más entradas\",\"6PNlRV\":\"Añade este evento a tu calendario\",\"BGD9Yt\":\"Agregar entradas\",\"QN2F+7\":\"Agregar Webhook\",\"NsWqSP\":\"Agrega tus redes sociales y la URL de tu sitio web. Estos se mostrarán en tu página pública de organizador.\",\"0Zypnp\":\"Panel de Administración\",\"YAV57v\":\"Afiliado\",\"I+utEq\":\"El código de afiliado no se puede cambiar\",\"/jHBj5\":\"Afiliado creado exitosamente\",\"uCFbG2\":\"Afiliado eliminado exitosamente\",\"a41PKA\":\"Se rastrearán las ventas del afiliado\",\"mJJh2s\":\"No se rastrearán las ventas del afiliado. Esto desactivará al afiliado.\",\"jabmnm\":\"Afiliado actualizado exitosamente\",\"CPXP5Z\":\"Afiliados\",\"9Wh+ug\":\"Afiliados exportados\",\"3cqmut\":\"Los afiliados te ayudan a rastrear las ventas generadas por socios e influencers. Crea códigos de afiliado y compártelos para monitorear el rendimiento.\",\"7rLTkE\":\"Todos los eventos archivados\",\"gKq1fa\":\"Todos los asistentes\",\"pMLul+\":\"Todas las monedas\",\"qlaZuT\":\"¡Todo listo! Ahora está usando nuestro sistema de pagos mejorado.\",\"ZS/D7f\":\"Todos los eventos finalizados\",\"dr7CWq\":\"Todos los próximos eventos\",\"QUg5y1\":\"¡Casi terminamos! Complete la conexión de su cuenta de Stripe para comenzar a aceptar pagos.\",\"c4uJfc\":\"¡Casi listo! Solo estamos esperando que se procese tu pago. Esto debería tomar solo unos segundos.\",\"/H326L\":\"Ya reembolsado\",\"RtxQTF\":\"También cancelar este pedido\",\"jkNgQR\":\"También reembolsar este pedido\",\"xYqsHg\":\"Siempre disponible\",\"Zkymb9\":\"Un correo para asociar con este afiliado. El afiliado no será notificado.\",\"vRznIT\":\"Ocurrió un error al verificar el estado de la exportación.\",\"eusccx\":\"Un mensaje opcional para mostrar en el producto destacado, ej. \\\"Se vende rápido 🔥\\\" o \\\"Mejor valor\\\"\",\"QNrkms\":\"Respuesta actualizada con éxito.\",\"LchiNd\":\"¿Estás seguro de que quieres eliminar este afiliado? Esta acción no se puede deshacer.\",\"JmVITJ\":\"¿Está seguro de que desea eliminar esta plantilla? Esta acción no se puede deshacer y los correos volverán a la plantilla predeterminada.\",\"aLS+A6\":\"¿Está seguro de que desea eliminar esta plantilla? Esta acción no se puede deshacer y los correos volverán a la plantilla del organizador o predeterminada.\",\"5H3Z78\":\"¿Estás seguro de que quieres eliminar este webhook?\",\"147G4h\":\"¿Estás seguro de que quieres salir?\",\"VDWChT\":\"¿Estás seguro de que quieres poner este organizador como borrador? Esto hará que la página del organizador sea invisible al público.\",\"pWtQJM\":\"¿Estás seguro de que quieres hacer público este organizador? Esto hará que la página del organizador sea visible al público.\",\"WFHOlF\":\"¿Estás seguro de que quieres publicar este evento? Una vez publicado, será visible al público.\",\"4TNVdy\":\"¿Estás seguro de que quieres publicar este perfil de organizador? Una vez publicado, será visible al público.\",\"ExDt3P\":\"¿Estás seguro de que quieres despublicar este evento? Ya no será visible al público.\",\"5Qmxo/\":\"¿Estás seguro de que quieres despublicar este perfil de organizador? Ya no será visible al público.\",\"Uqefyd\":\"¿Está registrado para el IVA en la UE?\",\"+QARA4\":\"Arte\",\"tLf3yJ\":\"Como su negocio está ubicado en Irlanda, el IVA irlandés del 23% se aplica automáticamente a todas las tarifas de la plataforma.\",\"QGoXh3\":\"Como su negocio está basado en la UE, necesitamos determinar el tratamiento correcto del IVA para las tarifas de nuestra plataforma:\",\"F2rX0R\":\"Debe seleccionarse al menos un tipo de evento\",\"6PecK3\":\"Asistencia y tasas de registro en todos los eventos\",\"AJ4rvK\":\"Asistente cancelado\",\"qvylEK\":\"Asistente creado\",\"DVQSxl\":\"Los detalles del asistente se copiarán de la información del pedido.\",\"0R3Y+9\":\"Email del asistente\",\"KkrBiR\":\"Recopilación de información del asistente\",\"XBLgX1\":\"La recopilación de información del asistente está configurada como \\\"Por pedido\\\". Los detalles del asistente se copiarán de la información del pedido.\",\"Xc2I+v\":\"Gestión de asistentes\",\"av+gjP\":\"Nombre del asistente\",\"cosfD8\":\"Estado del Asistente\",\"D2qlBU\":\"Asistente actualizado\",\"x8Vnvf\":\"El ticket del asistente no está incluido en esta lista\",\"k3Tngl\":\"Asistentes exportados\",\"5UbY+B\":\"Asistentes con entrada específica\",\"4HVzhV\":\"Asistentes:\",\"VPoeAx\":\"Gestión automatizada de entradas con múltiples listas de registro y validación en tiempo real\",\"PZ7FTW\":\"Detectado automáticamente según el color de fondo, pero se puede anular\",\"clF06r\":\"Disponible para reembolso\",\"NB5+UG\":\"Tokens disponibles\",\"EmYMHc\":\"Esperando pago fuera de línea\",\"kNmmvE\":\"Awesome Events S.A.\",\"kYqM1A\":\"Volver al evento\",\"td/bh+\":\"Volver a Informes\",\"jIPNJG\":\"Información básica\",\"iMdwTb\":\"Antes de que tu evento pueda estar en línea, hay algunas cosas que debes hacer. Completa todos los pasos a continuación para comenzar.\",\"UabgBd\":\"El cuerpo es requerido\",\"9N+p+g\":\"Negocios\",\"bv6RXK\":\"Etiqueta del botón\",\"ChDLlO\":\"Texto del botón\",\"DFqasq\":[\"Al continuar, aceptas los <0>Términos de Servicio de \",[\"0\"],\"\"],\"2VLZwd\":\"Botón de llamada a la acción\",\"PUpvQe\":\"Escáner de cámara\",\"H4nE+E\":\"Cancelar todos los productos y devolverlos al grupo disponible\",\"tOXAdc\":\"Cancelar anulará todos los asistentes asociados con este pedido y liberará los boletos de vuelta al grupo disponible.\",\"IrUqjC\":\"No se puede registrar (Cancelado)\",\"VsM1HH\":\"Asignaciones de capacidad\",\"K7tIrx\":\"Categoría\",\"2tbLdK\":\"Caridad\",\"v4fiSg\":\"Revisa tu correo\",\"51AsAN\":\"¡Revisa tu bandeja de entrada! Si hay entradas asociadas a este correo, recibirás un enlace para verlas.\",\"udRwQs\":\"Registro de entrada creado\",\"F4SRy3\":\"Registro de entrada eliminado\",\"9gPPUY\":\"¡Lista de Check-In Creada!\",\"f2vU9t\":\"Listas de registro\",\"tMNBEF\":\"Las listas de check-in te permiten controlar el acceso por días, áreas o tipos de entrada. Puedes compartir un enlace seguro con el personal — no se requiere cuenta.\",\"SHJwyq\":\"Tasa de registro\",\"qCqdg6\":\"Estado de Check-In\",\"cKj6OE\":\"Resumen de registros\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chino (Tradicional)\",\"pkk46Q\":\"Elige un organizador\",\"Crr3pG\":\"Elegir calendario\",\"CySr+W\":\"Haga clic para ver las notas\",\"RG3szS\":\"cerrar\",\"RWw9Lg\":\"Cerrar modal\",\"XwdMMg\":\"El código solo puede contener letras, números, guiones y guiones bajos\",\"+yMJb7\":\"El código es obligatorio\",\"m9SD3V\":\"El código debe tener al menos 3 caracteres\",\"V1krgP\":\"El código no debe tener más de 20 caracteres\",\"psqIm5\":\"Colabora con tu equipo para crear eventos increíbles juntos.\",\"4bUH9i\":\"Recopile los detalles del asistente para cada entrada comprada.\",\"FpsvqB\":\"Modo de Color\",\"jEu4bB\":\"Columnas\",\"CWk59I\":\"Comedia\",\"7D9MJz\":\"Completar configuración de Stripe\",\"OqEV/G\":\"Complete la configuración a continuación para continuar\",\"nqx+6h\":\"Complete estos pasos para comenzar a vender entradas para su evento.\",\"5YrKW7\":\"Completa tu pago para asegurar tus entradas.\",\"ih35UP\":\"Centro de conferencias\",\"NGXKG/\":\"Confirmar dirección de correo electrónico\",\"Auz0Mz\":\"Confirma tu correo electrónico para acceder a todas las funciones.\",\"7+grte\":\"¡Correo de confirmación enviado! Por favor, revisa tu bandeja de entrada.\",\"n/7+7Q\":\"Confirmación enviada a\",\"o5A0Go\":\"¡Felicidades por crear un evento!\",\"WNnP3w\":\"Conectar y actualizar\",\"Xe2tSS\":\"Documentación de conexión\",\"1Xxb9f\":\"Conectar procesamiento de pagos\",\"LmvZ+E\":\"Conecte Stripe para habilitar mensajería\",\"EWnXR+\":\"Conectar con Stripe\",\"MOUF31\":\"Conéctese con el CRM y automatice tareas mediante webhooks e integraciones\",\"VioGG1\":\"Conecta tu cuenta de Stripe para aceptar pagos por entradas y productos.\",\"4qmnU8\":\"Conecte su cuenta de Stripe para aceptar pagos.\",\"E1eze1\":\"Conecte su cuenta de Stripe para comenzar a aceptar pagos para sus eventos.\",\"ulV1ju\":\"Conecte su cuenta de Stripe para comenzar a aceptar pagos.\",\"/3017M\":\"Conectado a Stripe\",\"jfC/xh\":\"Contacto\",\"LOFgda\":[\"Contacto \",[\"0\"]],\"41BQ3k\":\"Correo de contacto\",\"KcXRN+\":\"Email de contacto para soporte\",\"m8WD6t\":\"Continuar configuración\",\"0GwUT4\":\"Continuar al pago\",\"sBV87H\":\"Continuar a la creación del evento\",\"nKtyYu\":\"Continuar al siguiente paso\",\"F3/nus\":\"Continuar al pago\",\"1JnTgU\":\"Copiado de arriba\",\"FxVG/l\":\"Copiado al portapapeles\",\"PiH3UR\":\"¡Copiado!\",\"uUPbPg\":\"Copiar enlace de afiliado\",\"iVm46+\":\"Copiar código\",\"+2ZJ7N\":\"Copiar datos al primer asistente\",\"ZN1WLO\":\"Copiar Correo\",\"tUGbi8\":\"Copiar mis datos a:\",\"y22tv0\":\"Copia este enlace para compartirlo en cualquier parte\",\"/4gGIX\":\"Copiar al portapapeles\",\"P0rbCt\":\"Imagen de portada\",\"60u+dQ\":\"La imagen de portada se mostrará en la parte superior de la página del evento\",\"2NLjA6\":\"La imagen de portada se mostrará en la parte superior de tu página de organizador\",\"zg4oSu\":[\"Crear plantilla \",[\"0\"]],\"xfKgwv\":\"Crear afiliado\",\"dyrgS4\":\"Crea y personaliza tu página de evento al instante\",\"BTne9e\":\"Crear plantillas de correo personalizadas para este evento que anulen los predeterminados del organizador\",\"YIDzi/\":\"Crear plantilla personalizada\",\"8AiKIu\":\"Crear entrada o producto\",\"agZ87r\":\"Crea entradas para tu evento, establece precios y gestiona la cantidad disponible.\",\"dkAPxi\":\"Crear Webhook\",\"5slqwZ\":\"Crea tu evento\",\"JQNMrj\":\"Crea tu primer evento\",\"CCjxOC\":\"Crea tu primer evento para comenzar a vender entradas y gestionar asistentes.\",\"ZCSSd+\":\"Crea tu propio evento\",\"67NsZP\":\"Creando evento...\",\"H34qcM\":\"Creando organizador...\",\"1YMS+X\":\"Creando tu evento, por favor espera\",\"yiy8Jt\":\"Creando tu perfil de organizador, por favor espera\",\"lfLHNz\":\"La etiqueta CTA es requerida\",\"BMtue0\":\"Procesador de pagos actual\",\"iTvh6I\":\"Actualmente disponible para compra\",\"mimF6c\":\"Mensaje personalizado después de la compra\",\"axv/Mi\":\"Plantilla personalizada\",\"QMHSMS\":\"El cliente recibirá un correo electrónico confirmando el reembolso\",\"L/Qc+w\":\"Dirección de email del cliente\",\"wpfWhJ\":\"Nombre del cliente\",\"GIoqtA\":\"Apellido del cliente\",\"NihQNk\":\"Clientes\",\"7gsjkI\":\"Personalice los correos enviados a sus clientes usando plantillas Liquid. Estas plantillas se usarán como predeterminadas para todos los eventos en su organización.\",\"iX6SLo\":\"Personaliza el texto que aparece en el botón de continuar\",\"pxNIxa\":\"Personalice su plantilla de correo usando plantillas Liquid\",\"q9Jg0H\":\"Personalice su página de evento y el diseño del widget para que coincida perfectamente con su marca\",\"mkLlne\":\"Personaliza la apariencia de tu página del evento\",\"3trPKm\":\"Personaliza la apariencia de tu página de organizador\",\"4df0iX\":\"Personaliza la apariencia de tu ticket\",\"/gWrVZ\":\"Ingresos diarios, impuestos, tarifas y reembolsos en todos los eventos\",\"zgCHnE\":\"Informe de ventas diarias\",\"nHm0AI\":\"Desglose de ventas diarias, impuestos y tarifas\",\"pvnfJD\":\"Oscuro\",\"lnYE59\":\"Fecha del evento\",\"gnBreG\":\"Fecha en que se realizó el pedido\",\"JtI4vj\":\"Recopilación predeterminada de información del asistente\",\"1bZAZA\":\"Se usará la plantilla predeterminada\",\"vu7gDm\":\"Eliminar afiliado\",\"+jw/c1\":\"Eliminar imagen\",\"dPyJ15\":\"Eliminar plantilla\",\"snMaH4\":\"Eliminar webhook\",\"vYgeDk\":\"Desmarcar todo\",\"NvuEhl\":\"Elementos de Diseño\",\"H8kMHT\":\"¿No recibiste el código?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Descartar este mensaje\",\"BREO0S\":\"Muestra una casilla que permite a los clientes optar por recibir comunicaciones de marketing de este organizador de eventos.\",\"TvY/XA\":\"Documentación\",\"Kdpf90\":\"¡No lo olvides!\",\"V6Jjbr\":\"¿No tienes una cuenta? <0>Regístrate\",\"AXXqG+\":\"Donación\",\"DPfwMq\":\"Listo\",\"eneWvv\":\"Borrador\",\"TnzbL+\":\"Debido al alto riesgo de spam, debe conectar una cuenta de Stripe antes de poder enviar mensajes a los asistentes.\\nEsto es para garantizar que todos los organizadores de eventos estén verificados y sean responsables.\",\"euc6Ns\":\"Duplicar\",\"KRmTkx\":\"Duplicar producto\",\"KIjvtr\":\"Holandés\",\"SPKbfM\":\"p. ej., Conseguir entradas, Registrarse ahora\",\"LTzmgK\":[\"Editar plantilla \",[\"0\"]],\"v4+lcZ\":\"Editar afiliado\",\"2iZEz7\":\"Editar respuesta\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Educación\",\"zPiC+q\":\"Listas de Check-In Elegibles\",\"V2sk3H\":\"Correo y Plantillas\",\"hbwCKE\":\"Dirección de correo copiada al portapapeles\",\"dSyJj6\":\"Las direcciones de correo electrónico no coinciden\",\"elW7Tn\":\"Cuerpo del correo\",\"ZsZeV2\":\"El correo es obligatorio\",\"Be4gD+\":\"Vista previa del correo\",\"6IwNUc\":\"Plantillas de correo\",\"H/UMUG\":\"Verificación de correo requerida\",\"L86zy2\":\"¡Correo verificado exitosamente!\",\"Upeg/u\":\"Habilitar esta plantilla para enviar correos\",\"RxzN1M\":\"Habilitado\",\"sGjBEq\":\"Fecha y hora de finalización (opcional)\",\"PKXt9R\":\"La fecha de finalización debe ser posterior a la fecha de inicio\",\"48Y16Q\":\"Hora de finalización (opcional)\",\"7YZofi\":\"Ingrese un asunto y cuerpo para ver la vista previa\",\"3bR1r4\":\"Ingresa el correo del afiliado (opcional)\",\"ARkzso\":\"Ingresa el nombre del afiliado\",\"INDKM9\":\"Ingrese el asunto del correo...\",\"kWg31j\":\"Ingresa un código de afiliado único\",\"C3nD/1\":\"Introduce tu correo electrónico\",\"n9V+ps\":\"Introduce tu nombre\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Error al cargar los registros\",\"AKbElk\":\"Empresas registradas para el IVA en la UE: Se aplica el mecanismo de inversión del sujeto pasivo (0% - Artículo 196 de la Directiva del IVA 2006/112/CE)\",\"WgD6rb\":\"Categoría del evento\",\"b46pt5\":\"Imagen de portada del evento\",\"1Hzev4\":\"Plantilla personalizada del evento\",\"imgKgl\":\"Descripción del evento\",\"kJDmsI\":\"Detalles del evento\",\"m/N7Zq\":\"Dirección Completa del Evento\",\"Nl1ZtM\":\"Ubicación del evento\",\"PYs3rP\":\"Nombre del evento\",\"HhwcTQ\":\"Nombre del evento\",\"WZZzB6\":\"El nombre del evento es obligatorio\",\"Wd5CDM\":\"El nombre del evento debe tener menos de 150 caracteres\",\"4JzCvP\":\"Evento no disponible\",\"Gh9Oqb\":\"Nombre del organizador del evento\",\"mImacG\":\"Página del evento\",\"cOePZk\":\"Hora del evento\",\"e8WNln\":\"Zona horaria del evento\",\"GeqWgj\":\"Zona Horaria del Evento\",\"XVLu2v\":\"Título del evento\",\"YDVUVl\":\"Tipos de eventos\",\"4K2OjV\":\"Lugar del Evento\",\"19j6uh\":\"Rendimiento de eventos\",\"PC3/fk\":\"Eventos que Comienzan en las Próximas 24 Horas\",\"fTFfOK\":\"Cada plantilla de correo debe incluir un botón de llamada a la acción que enlace a la página apropiada\",\"VlvpJ0\":\"Exportar respuestas\",\"JKfSAv\":\"Error en la exportación. Por favor, inténtelo de nuevo.\",\"SVOEsu\":\"Exportación iniciada. Preparando archivo...\",\"9bpUSo\":\"Exportando afiliados\",\"jtrqH9\":\"Exportando asistentes\",\"R4Oqr8\":\"Exportación completada. Descargando archivo...\",\"UlAK8E\":\"Exportando pedidos\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"No se pudo abandonar el pedido. Por favor, inténtalo de nuevo.\",\"cEFg3R\":\"Error al crear el afiliado\",\"U66oUa\":\"Error al crear la plantilla\",\"xFj7Yj\":\"Error al eliminar la plantilla\",\"jo3Gm6\":\"Error al exportar los afiliados\",\"Jjw03p\":\"Error al exportar asistentes\",\"ZPwFnN\":\"Error al exportar pedidos\",\"X4o0MX\":\"Error al cargar el Webhook\",\"YQ3QSS\":\"Error al reenviar el código de verificación\",\"zTkTF3\":\"Error al guardar la plantilla\",\"l6acRV\":\"Error al guardar la configuración del IVA. Por favor, inténtelo de nuevo.\",\"T6B2gk\":\"Error al enviar el mensaje. Por favor, intenta de nuevo.\",\"lKh069\":\"No se pudo iniciar la exportación\",\"t/KVOk\":\"Error al iniciar la suplantación. Por favor, inténtelo de nuevo.\",\"QXgjH0\":\"Error al detener la suplantación. Por favor, inténtelo de nuevo.\",\"i0QKrm\":\"Error al actualizar el afiliado\",\"NNc33d\":\"No se pudo actualizar la respuesta.\",\"7/9RFs\":\"No se pudo subir la imagen.\",\"nkNfWu\":\"No se pudo subir la imagen. Por favor, intenta de nuevo.\",\"rxy0tG\":\"Error al verificar el correo\",\"T4BMxU\":\"Las tarifas están sujetas a cambios. Se te notificará cualquier cambio en la estructura de tarifas.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Primero completa tus datos arriba\",\"8OvVZZ\":\"Filtrar Asistentes\",\"8BwQeU\":\"Finalizar configuración\",\"hg80P7\":\"Finalizar configuración de Stripe\",\"1vBhpG\":\"Primer asistente\",\"YXhom6\":\"Tarifa fija:\",\"KgxI80\":\"Venta de entradas flexible\",\"lWxAUo\":\"Comida y bebida\",\"nFm+5u\":\"Texto del Pie\",\"MY2SVM\":\"Reembolso completo\",\"vAVBBv\":\"Totalmente integrado\",\"T02gNN\":\"Admisión General\",\"3ep0Gx\":\"Información general sobre tu organizador\",\"ziAjHi\":\"Generar\",\"exy8uo\":\"Generar código\",\"4CETZY\":\"Cómo llegar\",\"kfVY6V\":\"Comienza gratis, sin tarifas de suscripción\",\"u6FPxT\":\"Obtener Entradas\",\"8KDgYV\":\"Prepare su evento\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Ir a la página del evento\",\"gHSuV/\":\"Ir a la página de inicio\",\"6nDzTl\":\"Buena legibilidad\",\"n8IUs7\":\"Ingresos brutos\",\"kTSQej\":[\"Hola \",[\"0\"],\", gestiona tu plataforma desde aquí.\"],\"dORAcs\":\"Aquí están todas las entradas asociadas a tu correo electrónico.\",\"g+2103\":\"Aquí está tu enlace de afiliado\",\"QlwJ9d\":\"Esto es lo que puede esperar:\",\"D+zLDD\":\"Oculto\",\"Rj6sIY\":\"Ocultar Opciones Adicionales\",\"P+5Pbo\":\"Ocultar respuestas\",\"gtEbeW\":\"Destacar\",\"NF8sdv\":\"Mensaje destacado\",\"MXSqmS\":\"Destacar este producto\",\"7ER2sc\":\"Destacado\",\"sq7vjE\":\"Los productos destacados tendrán un color de fondo diferente para resaltar en la página del evento.\",\"i0qMbr\":\"Inicio\",\"AVpmAa\":\"Cómo pagar fuera de línea\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Húngaro\",\"4/kP5a\":\"Si no se abrió una nueva pestaña automáticamente, haz clic en el botón de abajo para continuar al pago.\",\"PYVWEI\":\"Si está registrado, proporcione su número de IVA para validación\",\"wOU3Tr\":\"Si tienes una cuenta con nosotros, recibirás un correo con instrucciones para restablecer tu contraseña.\",\"an5hVd\":\"Imágenes\",\"tSVr6t\":\"Suplantar\",\"TWXU0c\":\"Suplantar usuario\",\"5LAZwq\":\"Suplantación iniciada\",\"IMwcdR\":\"Suplantación detenida\",\"M8M6fs\":\"Importante: Se requiere reconectar Stripe\",\"jT142F\":[\"En \",[\"diffHours\"],\" horas\"],\"OoSyqO\":[\"En \",[\"diffMinutes\"],\" minutos\"],\"UJLg8x\":\"Análisis en profundidad\",\"cljs3a\":\"Indique si está registrado para el IVA en la UE\",\"F1Xp97\":\"Asistentes individuales\",\"85e6zs\":\"Insertar token Liquid\",\"38KFY0\":\"Insertar variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Correo inválido\",\"5tT0+u\":\"Formato de correo inválido\",\"tnL+GP\":\"Sintaxis Liquid inválida. Por favor corrígela e inténtalo de nuevo.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Invitar a un miembro del equipo\",\"1z26sk\":\"Invitar miembro del equipo\",\"KR0679\":\"Invitar miembros del equipo\",\"aH6ZIb\":\"Invita a tu equipo\",\"IuMGvq\":\"Factura\",\"y0meFR\":\"Se aplicará el IVA irlandés del 23% a las tarifas de la plataforma (suministro nacional).\",\"Lj7sBL\":\"Italiano\",\"F5/CBH\":\"artículo(s)\",\"BzfzPK\":\"Artículos\",\"nCywLA\":\"Únete desde cualquier lugar\",\"hTJ4fB\":\"Simplemente haga clic en el botón de abajo para reconectar su cuenta de Stripe.\",\"MxjCqk\":\"¿Solo buscas tus entradas?\",\"lB2hSG\":[\"Mantenerme informado sobre noticias y eventos de \",[\"0\"]],\"h0Q9Iw\":\"Última respuesta\",\"gw3Ur5\":\"Última activación\",\"1njn7W\":\"Claro\",\"1qY5Ue\":\"Enlace caducado o inválido\",\"psosdY\":\"Enlace a detalles del pedido\",\"6JzK4N\":\"Enlace al boleto\",\"shkJ3U\":\"Vincula tu cuenta de Stripe para recibir fondos de la venta de entradas.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"En vivo\",\"fpMs2Z\":\"EN VIVO\",\"D9zTjx\":\"Eventos en Vivo\",\"WdmJIX\":\"Cargando vista previa...\",\"IoDI2o\":\"Cargando tokens...\",\"NFxlHW\":\"Cargando webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo y portada\",\"gddQe0\":\"Logo e imagen de portada para tu organizador\",\"TBEnp1\":\"El logo se mostrará en el encabezado\",\"Jzu30R\":\"El logo se mostrará en el ticket\",\"4wUIjX\":\"Haga que su evento esté en vivo\",\"0A7TvI\":\"Gestionar evento\",\"2FzaR1\":\"Administra tu procesamiento de pagos y consulta las tarifas de la plataforma\",\"/x0FyM\":\"Adapta tu marca\",\"xDAtGP\":\"Mensaje\",\"1jRD0v\":\"Enviar mensajes a los asistentes con entradas específicas\",\"97QrnA\":\"Envíe mensajes a los asistentes, gestione pedidos y procese reembolsos en un solo lugar\",\"48rf3i\":\"El mensaje no puede exceder 5000 caracteres\",\"Vjat/X\":\"El mensaje es obligatorio\",\"0/yJtP\":\"Enviar mensajes a los propietarios de pedidos con productos específicos\",\"tccUcA\":\"Registro móvil\",\"GfaxEk\":\"Música\",\"oVGCGh\":\"Mis Entradas\",\"8/brI5\":\"El nombre es obligatorio\",\"sCV5Yc\":\"Nombre del evento\",\"xxU3NX\":\"Ingresos netos\",\"eWRECP\":\"Vida nocturna\",\"HSw5l3\":\"No - Soy un individuo o empresa no registrada para el IVA\",\"VHfLAW\":\"Sin cuentas\",\"+jIeoh\":\"No se encontraron cuentas\",\"074+X8\":\"No hay webhooks activos\",\"zxnup4\":\"No hay afiliados para mostrar\",\"99ntUF\":\"No hay listas de check-in disponibles para este evento.\",\"6r9SGl\":\"No se requiere tarjeta de crédito\",\"eb47T5\":\"No se encontraron datos para los filtros seleccionados. Intente ajustar el rango de fechas o la moneda.\",\"pZNOT9\":\"Sin fecha de finalización\",\"dW40Uz\":\"No se encontraron eventos\",\"8pQ3NJ\":\"No hay eventos que comiencen en las próximas 24 horas\",\"8zCZQf\":\"Aún no hay eventos\",\"54GxeB\":\"Sin impacto en sus transacciones actuales o pasadas\",\"EpvBAp\":\"Sin factura\",\"XZkeaI\":\"No se encontraron registros\",\"NEmyqy\":\"Aún no hay pedidos\",\"B7w4KY\":\"No hay otros organizadores disponibles\",\"6jYQGG\":\"No hay eventos pasados\",\"zK/+ef\":\"No hay productos disponibles para seleccionar\",\"QoAi8D\":\"Sin respuesta\",\"EK/G11\":\"Aún no hay respuestas\",\"3sRuiW\":\"No se encontraron entradas\",\"yM5c0q\":\"No hay próximos eventos\",\"qpC74J\":\"No se encontraron usuarios\",\"n5vdm2\":\"Aún no se han registrado eventos de webhook para este punto de acceso. Los eventos aparecerán aquí una vez que se activen.\",\"4GhX3c\":\"No hay Webhooks\",\"4+am6b\":\"No, mantenerme aquí\",\"HVwIsd\":\"Empresas o individuos no registrados para el IVA: Se aplica el IVA irlandés del 23%\",\"x5+Lcz\":\"No Registrado\",\"8n10sz\":\"No Elegible\",\"lQgMLn\":\"Nombre de oficina o lugar\",\"6Aih4U\":\"Fuera de línea\",\"Z6gBGW\":\"Pago sin conexión\",\"nO3VbP\":[\"En venta \",[\"0\"]],\"2r6bAy\":\"Una vez que complete la actualización, su cuenta anterior solo se usará para reembolsos.\",\"oXOSPE\":\"En línea\",\"WjSpu5\":\"Evento en línea\",\"bU7oUm\":\"Enviar solo a pedidos con estos estados\",\"M2w1ni\":\"Solo visible con código promocional\",\"N141o/\":\"Abrir panel de Stripe\",\"HXMJxH\":\"Texto opcional para avisos legales, información de contacto o notas de agradecimiento (solo una línea)\",\"c/TIyD\":\"Pedido y Entrada\",\"H5qWhm\":\"Pedido cancelado\",\"b6+Y+n\":\"Pedido completado\",\"x4MLWE\":\"Confirmación de pedido\",\"ppuQR4\":\"Pedido creado\",\"0UZTSq\":\"Moneda del Pedido\",\"HdmwrI\":\"Email del pedido\",\"bwBlJv\":\"Nombre del pedido\",\"vrSW9M\":\"El pedido ha sido cancelado y reembolsado. El propietario del pedido ha sido notificado.\",\"+spgqH\":[\"ID del pedido: \",[\"0\"]],\"Pc729f\":\"Pedido Esperando Pago Fuera de Línea\",\"F4NXOl\":\"Apellido del pedido\",\"RQCXz6\":\"Límites de Pedido\",\"5RDEEn\":\"Idioma del Pedido\",\"vu6Arl\":\"Pedido marcado como pagado\",\"sLbJQz\":\"Pedido no encontrado\",\"i8VBuv\":\"Número de pedido\",\"FaPYw+\":\"Propietario del pedido\",\"eB5vce\":\"Propietarios de pedidos con un producto específico\",\"CxLoxM\":\"Propietarios de pedidos con productos\",\"DoH3fD\":\"Pago del Pedido Pendiente\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Estados de los pedidos\",\"oW5877\":\"Total del pedido\",\"e7eZuA\":\"Pedido actualizado\",\"KndP6g\":\"URL del pedido\",\"3NT0Ck\":\"El pedido fue cancelado\",\"5It1cQ\":\"Pedidos exportados\",\"B/EBQv\":\"Pedidos:\",\"ucgZ0o\":\"Organización\",\"S3CZ5M\":\"Panel del organizador\",\"Uu0hZq\":\"Correo del organizador\",\"Gy7BA3\":\"Dirección de correo electrónico del organizador\",\"SQqJd8\":\"Organizador no encontrado\",\"wpj63n\":\"Configuración del organizador\",\"coIKFu\":\"Las estadísticas del organizador no están disponibles para la moneda seleccionada o ha ocurrido un error.\",\"o1my93\":\"No se pudo actualizar el estado del organizador. Inténtalo de nuevo más tarde\",\"rLHma1\":\"Estado del organizador actualizado\",\"LqBITi\":\"Se usará la plantilla del organizador/predeterminada\",\"/IX/7x\":\"Otro\",\"RsiDDQ\":\"Otras Listas (Ticket No Incluido)\",\"6/dCYd\":\"Resumen\",\"8uqsE5\":\"Página ya no disponible\",\"QkLf4H\":\"URL de la página\",\"sF+Xp9\":\"Vistas de página\",\"5F7SYw\":\"Reembolso parcial\",\"fFYotW\":[\"Reembolsado parcialmente: \",[\"0\"]],\"Ff0Dor\":\"Pasado\",\"xTPjSy\":\"Eventos pasados\",\"/l/ckQ\":\"Pega la URL\",\"URAE3q\":\"Pausado\",\"4fL/V7\":\"Pagar\",\"OZK07J\":\"Pagar para desbloquear\",\"TskrJ8\":\"Pago y plan\",\"ENEPLY\":\"Método de pago\",\"EyE8E6\":\"Procesamiento de pagos\",\"8Lx2X7\":\"Pago recibido\",\"vcyz2L\":\"Configuración de pagos\",\"fx8BTd\":\"Pagos no disponibles\",\"51U9mG\":\"Los pagos continuarán fluyendo sin interrupción\",\"VlXNyK\":\"Por pedido\",\"hauDFf\":\"Por entrada\",\"/Bh+7r\":\"Rendimiento\",\"zmwvG2\":\"Teléfono\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"¿Planificando un evento?\",\"br3Y/y\":\"Tarifas de la plataforma\",\"jEw0Mr\":\"Por favor, introduce una URL válida\",\"n8+Ng/\":\"Por favor, ingresa el código de 5 dígitos\",\"r+lQXT\":\"Por favor ingrese su número de IVA\",\"Dvq0wf\":\"Por favor, proporciona una imagen.\",\"2cUopP\":\"Por favor, reinicia el proceso de compra.\",\"8KmsFa\":\"Por favor seleccione un rango de fechas\",\"EFq6EG\":\"Por favor, selecciona una imagen.\",\"fuwKpE\":\"Por favor, inténtalo de nuevo.\",\"klWBeI\":\"Por favor, espera antes de solicitar otro código\",\"hfHhaa\":\"Por favor, espera mientras preparamos tus afiliados para exportar...\",\"o+tJN/\":\"Por favor, espera mientras preparamos la exportación de tus asistentes...\",\"+5Mlle\":\"Por favor, espera mientras preparamos la exportación de tus pedidos...\",\"TjX7xL\":\"Mensaje Post-Compra\",\"cs5muu\":\"Vista previa de la página del evento\",\"+4yRWM\":\"Precio del boleto\",\"a5jvSX\":\"Niveles de Precio\",\"ReihZ7\":\"Vista Previa de Impresión\",\"JnuPvH\":\"Imprimir Entrada\",\"tYF4Zq\":\"Imprimir a PDF\",\"LcET2C\":\"Política de privacidad\",\"8z6Y5D\":\"Procesar reembolso\",\"JcejNJ\":\"Procesando pedido\",\"EWCLpZ\":\"Producto creado\",\"XkFYVB\":\"Producto eliminado\",\"YMwcbR\":\"Desglose de ventas de productos, ingresos e impuestos\",\"ldVIlB\":\"Producto actualizado\",\"mIqT3T\":\"Productos, mercancía y opciones de precios flexibles\",\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionales y desglose de descuentos\",\"uEhdRh\":\"Solo Promocional\",\"EEYbdt\":\"Publicar\",\"evDBV8\":\"Publicar Evento\",\"dsFmM+\":\"Comprado\",\"YwNJAq\":\"Escaneo de códigos QR con retroalimentación instantánea y uso compartido seguro para el acceso del personal\",\"fqDzSu\":\"Tasa\",\"spsZys\":\"¿Listo para actualizar? Esto solo toma unos minutos.\",\"Fi3b48\":\"Pedidos recientes\",\"Edm6av\":\"Reconectar Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirigiendo a Stripe...\",\"ACKu03\":\"Actualizar vista previa\",\"fKn/k6\":\"Monto del reembolso\",\"qY4rpA\":\"Reembolso fallido\",\"FaK/8G\":[\"Reembolsar pedido \",[\"0\"]],\"MGbi9P\":\"Reembolso pendiente\",\"BDSRuX\":[\"Reembolsado: \",[\"0\"]],\"bU4bS1\":\"Reembolsos\",\"CQeZT8\":\"Informe no encontrado\",\"JEPMXN\":\"Solicitar un nuevo enlace\",\"mdeIOH\":\"Reenviar código\",\"bxoWpz\":\"Reenviar correo de confirmación\",\"G42SNI\":\"Reenviar correo\",\"TTpXL3\":[\"Reenviar en \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reservado\",\"8wUjGl\":\"Reservado hasta\",\"slOprG\":\"Restablece tu contraseña\",\"CbnrWb\":\"Volver al evento\",\"Oo/PLb\":\"Resumen de ingresos\",\"dFFW9L\":[\"Venta terminada \",[\"0\"]],\"loCKGB\":[\"Venta termina \",[\"0\"]],\"wlfBad\":\"Período de Venta\",\"zpekWp\":[\"Venta comienza \",[\"0\"]],\"mUv9U4\":\"Ventas\",\"9KnRdL\":\"Las ventas están pausadas\",\"3VnlS9\":\"Ventas, pedidos y métricas de rendimiento para todos los eventos\",\"3Q1AWe\":\"Ventas:\",\"8BRPoH\":\"Lugar de Ejemplo\",\"KZrfYJ\":\"Guardar enlaces sociales\",\"9Y3hAT\":\"Guardar plantilla\",\"C8ne4X\":\"Guardar Diseño del Ticket\",\"6/TNCd\":\"Guardar Configuración del IVA\",\"I+FvbD\":\"Escanear\",\"4ba0NE\":\"Programado\",\"ftNXma\":\"Buscar afiliados...\",\"VY+Bdn\":\"Buscar por nombre de cuenta o correo electrónico...\",\"VX+B3I\":\"Buscar por título de evento u organizador...\",\"GHdjuo\":\"Buscar por nombre, correo electrónico o cuenta...\",\"Mck5ht\":\"Pago Seguro\",\"p7xUrt\":\"Selecciona una categoría\",\"BFRSTT\":\"Seleccionar Cuenta\",\"mCB6Je\":\"Seleccionar todo\",\"kYZSFD\":\"Selecciona un organizador para ver su panel y eventos.\",\"tVW/yo\":\"Seleccionar moneda\",\"n9ZhRa\":\"Selecciona fecha y hora de finalización\",\"gTN6Ws\":\"Seleccionar hora de finalización\",\"0U6E9W\":\"Seleccionar categoría del evento\",\"j9cPeF\":\"Seleccionar tipos de eventos\",\"1nhy8G\":\"Seleccionar tipo de escáner\",\"KizCK7\":\"Selecciona fecha y hora de inicio\",\"dJZTv2\":\"Seleccionar hora de inicio\",\"aT3jZX\":\"Seleccionar zona horaria\",\"Ropvj0\":\"Selecciona qué eventos activarán este webhook\",\"BG3f7v\":\"Vende cualquier cosa\",\"VtX8nW\":\"Vende productos junto con las entradas con soporte integrado para impuestos y códigos promocionales\",\"Cye3uV\":\"Vende más que boletos\",\"j9b/iy\":\"¡Se vende rápido! 🔥\",\"1lNPhX\":\"Enviar correo de notificación de reembolso\",\"SPdzrs\":\"Enviado a clientes cuando realizan un pedido\",\"LxSN5F\":\"Enviado a cada asistente con los detalles de su boleto\",\"eXssj5\":\"Establecer configuraciones predeterminadas para nuevos eventos creados bajo este organizador.\",\"xMO+Ao\":\"Configura tu organización\",\"HbUQWA\":\"Configura en minutos\",\"GG7qDw\":\"Compartir enlace de afiliado\",\"hL7sDJ\":\"Compartir página del organizador\",\"WHY75u\":\"Mostrar Opciones Adicionales\",\"cMW+gm\":[\"Mostrar todas las plataformas (\",[\"0\"],\" más con valores)\"],\"UVPI5D\":\"Mostrar menos plataformas\",\"Eu/N/d\":\"Mostrar casilla de aceptación de marketing\",\"SXzpzO\":\"Mostrar casilla de aceptación de marketing por defecto\",\"b33PL9\":\"Mostrar más plataformas\",\"v6IwHE\":\"Registro inteligente\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Enlaces sociales\",\"j/TOB3\":\"Enlaces sociales y sitio web\",\"2pxNFK\":\"vendido\",\"s9KGXU\":\"Vendido\",\"KTxc6k\":\"Algo salió mal, inténtalo de nuevo o contacta con soporte si el problema persiste\",\"H6Gslz\":\"Disculpe las molestias.\",\"7JFNej\":\"Deportes\",\"JcQp9p\":\"Fecha y hora de inicio\",\"0m/ekX\":\"Fecha y hora de inicio\",\"izRfYP\":\"La fecha de inicio es obligatoria\",\"2R1+Rv\":\"Hora de inicio del evento\",\"2NbyY/\":\"Estadísticas\",\"DRykfS\":\"Aún manejando reembolsos para sus transacciones anteriores.\",\"wuV0bK\":\"Detener Suplantación\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"La configuración de Stripe ya está completa.\",\"ii0qn/\":\"El asunto es requerido\",\"M7Uapz\":\"El asunto aparecerá aquí\",\"6aXq+t\":\"Asunto:\",\"JwTmB6\":\"Producto duplicado con éxito\",\"RuaKfn\":\"Dirección actualizada correctamente\",\"kzx0uD\":\"Valores Predeterminados del Evento Actualizados con Éxito\",\"5n+Wwp\":\"Organizador actualizado correctamente\",\"0Dk/l8\":\"Configuración SEO actualizada correctamente\",\"MhOoLQ\":\"Enlaces sociales actualizados correctamente\",\"kj7zYe\":\"Webhook actualizado con éxito\",\"dXoieq\":\"Resumen\",\"/RfJXt\":[\"Festival de música de verano \",[\"0\"]],\"CWOPIK\":\"Festival de Música de Verano 2025\",\"5gIl+x\":\"Soporte para ventas escalonadas, basadas en donaciones y de productos con precios y capacidad personalizables\",\"JZTQI0\":\"Cambiar organizador\",\"XX32BM\":\"Solo toma unos minutos\",\"yT6dQ8\":\"Impuestos recaudados agrupados por tipo de impuesto y evento\",\"Ye321X\":\"Nombre del impuesto\",\"WyCBRt\":\"Resumen de impuestos\",\"GkH0Pq\":\"Impuestos y tasas aplicados\",\"SmvJCM\":\"Impuestos, tasas, período de venta, límites de pedido y configuraciones de visibilidad\",\"vlf/In\":\"Tecnología\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Dile a la gente qué esperar de tu evento\",\"NiIUyb\":\"Cuéntanos sobre tu evento\",\"DovcfC\":\"Cuéntanos sobre tu organización. Esta información se mostrará en las páginas de tus eventos.\",\"7wtpH5\":\"Plantilla activa\",\"QHhZeE\":\"Plantilla creada exitosamente\",\"xrWdPR\":\"Plantilla eliminada exitosamente\",\"G04Zjt\":\"Plantilla guardada exitosamente\",\"xowcRf\":\"Términos del servicio\",\"6K0GjX\":\"El texto puede ser difícil de leer\",\"nm3Iz/\":\"¡Gracias por asistir!\",\"lhAWqI\":\"¡Gracias por su apoyo mientras continuamos creciendo y mejorando Hi.Events!\",\"KfmPRW\":\"El color de fondo de la página. Al usar imagen de portada, se aplica como una superposición.\",\"MDNyJz\":\"El código expirará en 10 minutos. Revisa tu carpeta de spam si no ves el correo.\",\"MJm4Tq\":\"La moneda del pedido\",\"I/NNtI\":\"El lugar del evento\",\"tXadb0\":\"El evento que buscas no está disponible en este momento. Puede que haya sido eliminado, haya caducado o la URL sea incorrecta.\",\"EBzPwC\":\"La dirección completa del evento\",\"sxKqBm\":\"El monto completo del pedido será reembolsado al método de pago original del cliente.\",\"5OmEal\":\"El idioma del cliente\",\"sYLeDq\":\"No se pudo encontrar el organizador que estás buscando. La página puede haber sido movida, eliminada o la URL puede ser incorrecta.\",\"HxxXZO\":\"El color principal de marca usado para botones y destacados\",\"DEcpfp\":\"El cuerpo de la plantilla contiene sintaxis Liquid inválida. Por favor corrígela e inténtalo de nuevo.\",\"A4UmDy\":\"Teatro\",\"tDwYhx\":\"Tema y colores\",\"HirZe8\":\"Estas plantillas se usarán como predeterminadas para todos los eventos en su organización. Los eventos individuales pueden anular estas plantillas con sus propias versiones personalizadas.\",\"lzAaG5\":\"Estas plantillas anularán los predeterminados del organizador solo para este evento. Si no se establece una plantilla personalizada aquí, se usará la plantilla del organizador en su lugar.\",\"XBNC3E\":\"Este código se usará para rastrear ventas. Solo se permiten letras, números, guiones y guiones bajos.\",\"AaP0M+\":\"Esta combinación de colores puede ser difícil de leer para algunos usuarios\",\"YClrdK\":\"Este evento aún no está publicado\",\"dFJnia\":\"Este es el nombre de tu organizador que se mostrará a tus usuarios.\",\"L7dIM7\":\"Este enlace es inválido o ha caducado.\",\"j5FdeA\":\"Este pedido está siendo procesado.\",\"sjNPMw\":\"Este pedido fue abandonado. Puede iniciar un nuevo pedido en cualquier momento.\",\"OhCesD\":\"Este pedido fue cancelado. Puedes iniciar un nuevo pedido en cualquier momento.\",\"lyD7rQ\":\"Este perfil de organizador aún no está publicado\",\"9b5956\":\"Esta vista previa muestra cómo se verá su correo con datos de muestra. Los correos reales usarán valores reales.\",\"uM9Alj\":\"Este producto está destacado en la página del evento\",\"RqSKdX\":\"Este producto está agotado\",\"0Ew0uk\":\"Este boleto acaba de ser escaneado. Por favor espere antes de escanear nuevamente.\",\"kvpxIU\":\"Esto se usará para notificaciones y comunicación con tus usuarios.\",\"rhsath\":\"Esto no será visible para los clientes, pero te ayuda a identificar al afiliado.\",\"Mr5UUd\":\"Entrada Cancelada\",\"0GSPnc\":\"Diseño de Ticket\",\"EZC/Cu\":\"Diseño del ticket guardado exitosamente\",\"1BPctx\":\"Entrada para\",\"bgqf+K\":\"Email del portador del boleto\",\"oR7zL3\":\"Nombre del portador del boleto\",\"HGuXjF\":\"Poseedores de entradas\",\"awHmAT\":\"ID del boleto\",\"6czJik\":\"Logo del Ticket\",\"OkRZ4Z\":\"Nombre del boleto\",\"6tmWch\":\"Entrada o producto\",\"1tfWrD\":\"Vista previa de boleto para\",\"tGCY6d\":\"Precio del boleto\",\"8jLPgH\":\"Tipo de Ticket\",\"X26cQf\":\"URL del boleto\",\"zNECqg\":\"entradas\",\"6GQNLE\":\"Entradas\",\"NRhrIB\":\"Entradas y productos\",\"EUnesn\":\"Entradas disponibles\",\"AGRilS\":\"Entradas Vendidas\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Para recibir pagos con tarjeta de crédito, debes conectar tu cuenta de Stripe. Stripe es nuestro socio de procesamiento de pagos que garantiza transacciones seguras y pagos puntuales.\",\"W428WC\":\"Alternar columnas\",\"3sZ0xx\":\"Cuentas Totales\",\"EaAPbv\":\"Cantidad total pagada\",\"SMDzqJ\":\"Total de asistentes\",\"orBECM\":\"Total recaudado\",\"KSDwd5\":\"Órdenes totales\",\"vb0Q0/\":\"Usuarios Totales\",\"/b6Z1R\":\"Rastrea ingresos, vistas de página y ventas con análisis detallados e informes exportables\",\"OpKMSn\":\"Tarifa de transacción:\",\"uKOFO5\":\"Verdadero si pago sin conexión\",\"9GsDR2\":\"Verdadero si pago pendiente\",\"ouM5IM\":\"Probar otro correo\",\"3DZvE7\":\"Probar Hi.Events gratis\",\"Kz91g/\":\"Turco\",\"GdOhw6\":\"Desactivar sonido\",\"KUOhTy\":\"Activar sonido\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Tipo de boleto\",\"IrVSu+\":\"No se pudo duplicar el producto. Por favor, revisa tus datos\",\"Vx2J6x\":\"No se pudo obtener el asistente\",\"b9SN9q\":\"Referencia única del pedido\",\"Ef7StM\":\"Desconocido\",\"ZBAScj\":\"Asistente desconocido\",\"ZkS2p3\":\"Despublicar Evento\",\"Pp1sWX\":\"Actualizar afiliado\",\"KMMOAy\":\"Actualización disponible\",\"gJQsLv\":\"Sube una imagen de portada para tu organizador\",\"4kEGqW\":\"Sube un logo para tu organizador\",\"lnCMdg\":\"Subir imagen\",\"29w7p6\":\"Subiendo imagen...\",\"HtrFfw\":\"La URL es obligatoria\",\"WBq1/R\":\"Escáner USB ya activo\",\"EV30TR\":\"Modo escáner USB activado. Comience a escanear tickets ahora.\",\"fovJi3\":\"Modo escáner USB desactivado\",\"hli+ga\":\"Escáner USB/HID\",\"OHJXlK\":\"Use <0>plantillas Liquid para personalizar sus correos electrónicos\",\"0k4cdb\":\"Usar detalles del pedido para todos los asistentes. Los nombres y correos de los asistentes coincidirán con la información del comprador.\",\"rnoQsz\":\"Usado para bordes, resaltados y estilo del código QR\",\"Fild5r\":\"Número de IVA válido\",\"sqdl5s\":\"Información del IVA\",\"UjNWsF\":\"El IVA puede aplicarse a las tarifas de la plataforma según su estado de registro de IVA. Por favor complete la sección de información del IVA a continuación.\",\"pnVh83\":\"Número de IVA\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"La validación del número de IVA falló. Por favor verifique su número e intente nuevamente.\",\"PCRCCN\":\"Información de Registro del IVA\",\"vbKW6Z\":\"Configuración del IVA guardada y validada exitosamente\",\"fb96a1\":\"Configuración del IVA guardada pero la validación falló. Por favor verifique su número de IVA.\",\"Nfbg76\":\"Configuración del IVA guardada exitosamente\",\"tJylUv\":\"Tratamiento del IVA para Tarifas de la Plataforma\",\"FlGprQ\":\"Tratamiento del IVA para tarifas de la plataforma: Las empresas registradas para el IVA en la UE pueden usar el mecanismo de inversión del sujeto pasivo (0% - Artículo 196 de la Directiva del IVA 2006/112/CE). Las empresas no registradas para el IVA se les cobra el IVA irlandés del 23%.\",\"AdWhjZ\":\"Código de verificación\",\"wCKkSr\":\"Verificar correo\",\"/IBv6X\":\"Verifica tu correo electrónico\",\"e/cvV1\":\"Verificando...\",\"fROFIL\":\"Vietnamita\",\"+WFMis\":\"Ver y descargar informes de todos sus eventos. Solo se incluyen pedidos completados.\",\"gj5YGm\":\"Consulta y descarga informes de tu evento. Ten en cuenta que solo se incluyen pedidos completados en estos informes.\",\"c7VN/A\":\"Ver respuestas\",\"FCVmuU\":\"Ver evento\",\"n6EaWL\":\"Ver registros\",\"OaKTzt\":\"Ver mapa\",\"67OJ7t\":\"Ver pedido\",\"tKKZn0\":\"Ver detalles del pedido\",\"9jnAcN\":\"Ver página principal del organizador\",\"1J/AWD\":\"Ver boleto\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible solo para el personal de check-in. Ayuda a identificar esta lista durante el check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Esperando pago\",\"RRZDED\":\"No pudimos encontrar pedidos asociados a este correo electrónico.\",\"miysJh\":\"No pudimos encontrar este pedido. Puede haber sido eliminado.\",\"HJKdzP\":\"Tuvimos un problema al cargar esta página. Por favor, inténtalo de nuevo.\",\"IfN2Qo\":\"Recomendamos un logo cuadrado con dimensiones mínimas de 200x200px\",\"wJzo/w\":\"Recomendamos dimensiones de 400px por 400px y un tamaño máximo de archivo de 5MB\",\"q1BizZ\":\"Enviaremos tus entradas a este correo electrónico\",\"zCdObC\":\"Oficialmente hemos trasladado nuestra sede a Irlanda 🇮🇪. Como parte de esta transición, ahora usamos Stripe Irlanda en lugar de Stripe Canadá. Para mantener sus pagos funcionando sin problemas, necesitará reconectar su cuenta de Stripe.\",\"jh2orE\":\"Hemos trasladado nuestra sede a Irlanda. Como resultado, necesitamos que reconecte su cuenta de Stripe. Este proceso rápido solo toma unos minutos. Sus ventas y datos existentes permanecen completamente sin cambios.\",\"Fq/Nx7\":\"Hemos enviado un código de verificación de 5 dígitos a:\",\"GdWB+V\":\"Webhook creado con éxito\",\"2X4ecw\":\"Webhook eliminado con éxito\",\"CThMKa\":\"Registros del Webhook\",\"nuh/Wq\":\"URL del Webhook\",\"8BMPMe\":\"El webhook no enviará notificaciones\",\"FSaY52\":\"El webhook enviará notificaciones\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Sitio web\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bienvenido de nuevo 👋\",\"kSYpfa\":[\"Bienvenido a \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Bienvenido a \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Bienvenido a \",[\"0\"],\", aquí hay una lista de todos tus eventos\"],\"FaSXqR\":\"¿Qué tipo de evento?\",\"f30uVZ\":\"Lo que necesita hacer:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Cuando se elimina un registro de entrada\",\"Gmd0hv\":\"Cuando se crea un nuevo asistente\",\"Lc18qn\":\"Cuando se crea un nuevo pedido\",\"dfkQIO\":\"Cuando se crea un nuevo producto\",\"8OhzyY\":\"Cuando se elimina un producto\",\"tRXdQ9\":\"Cuando se actualiza un producto\",\"Q7CWxp\":\"Cuando se cancela un asistente\",\"IuUoyV\":\"Cuando un asistente se registra\",\"nBVOd7\":\"Cuando se actualiza un asistente\",\"ny2r8d\":\"Cuando se cancela un pedido\",\"c9RYbv\":\"Cuando un pedido se marca como pagado\",\"ejMDw1\":\"Cuando se reembolsa un pedido\",\"fVPt0F\":\"Cuando se actualiza un pedido\",\"bcYlvb\":\"Cuándo cierra el check-in\",\"XIG669\":\"Cuándo abre el check-in\",\"de6HLN\":\"Cuando los clientes compren entradas, sus pedidos aparecerán aquí.\",\"blXLKj\":\"Cuando está habilitado, los nuevos eventos mostrarán una casilla de aceptación de marketing durante el checkout. Esto se puede anular por evento.\",\"uvIqcj\":\"Taller\",\"EpknJA\":\"Escribe tu mensaje aquí...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Sí - Tengo un número de registro de IVA de la UE válido\",\"Tz5oXG\":\"Sí, cancelar mi pedido\",\"QlSZU0\":[\"Estás suplantando a <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Está emitiendo un reembolso parcial. Al cliente se le reembolsará \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Has añadido impuestos y tarifas a un producto gratuito. ¿Te gustaría eliminarlos?\",\"FVTVBy\":\"Debes verificar tu dirección de correo electrónico antes de poder actualizar el estado del organizador.\",\"FRl8Jv\":\"Debes verificar el correo electrónico de tu cuenta antes de poder enviar mensajes.\",\"U3wiCB\":\"¡Está todo listo! Sus pagos se están procesando sin problemas.\",\"MNFIxz\":[\"¡Vas a ir a \",[\"0\"],\"!\"],\"x/xjzn\":\"Tus afiliados se han exportado exitosamente.\",\"TF37u6\":\"Tus asistentes se han exportado con éxito.\",\"79lXGw\":\"Tu lista de check-in se ha creado exitosamente. Comparte el enlace de abajo con tu personal de check-in.\",\"BnlG9U\":\"Tu pedido actual se perderá.\",\"nBqgQb\":\"Tu correo electrónico\",\"R02pnV\":\"Tu evento debe estar activo antes de que puedas vender entradas a los asistentes.\",\"ifRqmm\":\"¡Tu mensaje se ha enviado exitosamente!\",\"/Rj5P4\":\"Tu nombre\",\"naQW82\":\"Tu pedido ha sido cancelado.\",\"bhlHm/\":\"Tu pedido está esperando el pago\",\"XeNum6\":\"Tus pedidos se han exportado con éxito.\",\"Xd1R1a\":\"La dirección de tu organizador\",\"WWYHKD\":\"Su pago está protegido con encriptación de nivel bancario\",\"6heFYY\":\"Su cuenta de Stripe está conectada y procesando pagos.\",\"vvO1I2\":\"Tu cuenta de Stripe está conectada y lista para procesar pagos.\",\"CnZ3Ou\":\"Tus entradas han sido confirmadas.\",\"d/CiU9\":\"Su número de IVA se validará automáticamente cuando guarde\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/es.po b/frontend/src/locales/es.po index d815486a76..9bf0f089df 100644 --- a/frontend/src/locales/es.po +++ b/frontend/src/locales/es.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -62,7 +62,7 @@ msgstr "{0} creado correctamente" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "{0} restantes" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Impuestos/Tasas" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -259,15 +259,15 @@ msgstr "Un impuesto estándar, como el IVA o el GST" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Abandonado" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "Acerca de" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "Acerca de Stripe Connect" @@ -288,8 +288,8 @@ msgstr "Aceptar pagos con tarjeta de crédito a través de Stripe" msgid "Accept Invitation" msgstr "Aceptar la invitacion" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Acceso denegado" @@ -298,7 +298,7 @@ msgstr "Acceso denegado" msgid "Account" msgstr "Cuenta" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "¡Cuenta ya conectada!" @@ -321,10 +321,14 @@ msgstr "Cuenta actualizada exitosamente" msgid "Accounts" msgstr "Cuentas" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Acción requerida: Reconecte su cuenta de Stripe" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Acción Requerida: Se Necesita Información del IVA" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "Agregar nivel" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Agregar al calendario" @@ -549,7 +553,7 @@ msgstr "Todos los asistentes a este evento." msgid "All Currencies" msgstr "Todas las monedas" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "¡Todo listo! Ahora está usando nuestro sistema de pagos mejorado." @@ -579,8 +583,8 @@ msgstr "Permitir la indexación en motores de búsqueda" msgid "Allow search engines to index this event" msgstr "Permitir que los motores de búsqueda indexen este evento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "¡Casi terminamos! Complete la conexión de su cuenta de Stripe para comenzar a aceptar pagos." @@ -602,7 +606,7 @@ msgstr "También reembolsar este pedido" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Siempre disponible" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "Se produjo un error al ordenar las preguntas. Inténtalo de nuevo o actu #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Un mensaje opcional para mostrar en el producto destacado, ej. \"Se vende rápido 🔥\" o \"Mejor valor\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -727,7 +731,7 @@ msgstr "¿Está seguro de que desea eliminar esta plantilla? Esta acción no se msgid "Are you sure you want to delete this webhook?" msgstr "¿Estás seguro de que quieres eliminar este webhook?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "¿Estás seguro de que quieres salir?" @@ -777,10 +781,23 @@ msgstr "¿Estás seguro de que deseas eliminar esta Asignación de Capacidad?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "¿Está seguro de que desea eliminar esta lista de registro?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "¿Está registrado para el IVA en la UE?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Arte" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Como su negocio está ubicado en Irlanda, el IVA irlandés del 23% se aplica automáticamente a todas las tarifas de la plataforma." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Como su negocio está basado en la UE, necesitamos determinar el tratamiento correcto del IVA para las tarifas de nuestra plataforma:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Preguntar una vez por pedido" @@ -819,7 +836,7 @@ msgstr "Detalles de los asistentes" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "Los detalles del asistente se copiarán de la información del pedido." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -827,11 +844,11 @@ msgstr "Email del asistente" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Recopilación de información del asistente" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "La recopilación de información del asistente está configurada como \"Por pedido\". Los detalles del asistente se copiarán de la información del pedido." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -906,7 +923,7 @@ msgstr "Gestión automatizada de entradas con múltiples listas de registro y va #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Detectado automáticamente según el color de fondo, pero se puede anular" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1029,7 +1046,7 @@ msgstr "Texto del botón" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "Al continuar, aceptas los <0>Términos de Servicio de {0}" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1108,7 +1125,7 @@ msgstr "No se puede registrar entrada" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "No se puede registrar (Cancelado)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1387,7 +1404,7 @@ msgstr "Colapsar este producto cuando la página del evento se cargue inicialmen #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "Recopile los detalles del asistente para cada entrada comprada." #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "Color" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "Modo de Color" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,7 +1425,7 @@ msgstr "Colores" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "Columnas" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1437,7 +1454,7 @@ msgstr "El pago completo" msgid "Complete Stripe Setup" msgstr "Completar configuración de Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Complete la configuración a continuación para continuar" @@ -1530,11 +1547,11 @@ msgstr "Confirmando dirección de correo electrónico..." msgid "Congratulations on creating an event!" msgstr "¡Felicidades por crear un evento!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Conectar y actualizar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Documentación de conexión" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Conéctese con el CRM y automatice tareas mediante webhooks e integraciones" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Conéctate con Stripe" @@ -1571,15 +1588,15 @@ msgstr "Conéctate con Stripe" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Conecta tu cuenta de Stripe para aceptar pagos por entradas y productos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Conecte su cuenta de Stripe para aceptar pagos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Conecte su cuenta de Stripe para comenzar a aceptar pagos para sus eventos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Conecte su cuenta de Stripe para comenzar a aceptar pagos." @@ -1587,8 +1604,8 @@ msgstr "Conecte su cuenta de Stripe para comenzar a aceptar pagos." msgid "Connect your Stripe account to start receiving payments." msgstr "Conecte su cuenta Stripe para comenzar a recibir pagos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Conectado a Stripe" @@ -1596,7 +1613,7 @@ msgstr "Conectado a Stripe" msgid "Connection Details" msgstr "Detalles de conexión" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Contacto" @@ -1926,13 +1943,13 @@ msgstr "Divisa" msgid "Current Password" msgstr "Contraseña actual" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Procesador de pagos actual" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "Actualmente disponible para compra" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2057,7 +2074,7 @@ msgstr "Zona de Peligro" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "Oscuro" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2091,7 +2108,7 @@ msgstr "Capacidad del primer día" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "Recopilación predeterminada de información del asistente" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2205,7 +2222,7 @@ msgstr "Muestra una casilla que permite a los clientes optar por recibir comunic msgid "Document Label" msgstr "Etiqueta del documento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Documentación" @@ -2219,7 +2236,7 @@ msgstr "¿No tienes una cuenta? <0>Regístrate" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "Donación" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2273,7 +2290,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "Duplicar" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2608,6 +2625,10 @@ msgstr "Introduce tu correo electrónico" msgid "Enter your name" msgstr "Introduce tu nombre" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "Error al confirmar el cambio de correo electrónico" msgid "Error loading logs" msgstr "Error al cargar los registros" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "Empresas registradas para el IVA en la UE: Se aplica el mecanismo de inversión del sujeto pasivo (0% - Artículo 196 de la Directiva del IVA 2006/112/CE)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2808,7 +2834,7 @@ msgstr "Rendimiento de eventos" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "Eventos que Comienzan en las Próximas 24 Horas" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2934,6 +2960,10 @@ msgstr "Error al reenviar el código de verificación" msgid "Failed to save template" msgstr "Error al guardar la plantilla" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Error al guardar la configuración del IVA. Por favor, inténtelo de nuevo." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Error al enviar el mensaje. Por favor, intenta de nuevo." @@ -2993,7 +3023,7 @@ msgstr "Tarifa" msgid "Fees" msgstr "Honorarios" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "Las tarifas están sujetas a cambios. Se te notificará cualquier cambio en la estructura de tarifas." @@ -3023,12 +3053,12 @@ msgstr "Filtros" msgid "Filters ({activeFilterCount})" msgstr "Filtros ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Finalizar configuración" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Finalizar configuración de Stripe" @@ -3080,7 +3110,7 @@ msgstr "Fijado" msgid "Fixed amount" msgstr "Cantidad fija" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Tarifa fija:" @@ -3164,7 +3194,7 @@ msgstr "Generar código" msgid "German" msgstr "Alemán" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Cómo llegar" @@ -3172,9 +3202,9 @@ msgstr "Cómo llegar" msgid "Get started for free, no subscription fees" msgstr "Comienza gratis, sin tarifas de suscripción" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "Obtener Entradas" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3203,7 +3233,7 @@ msgstr "Ir a la página de inicio" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "Buena legibilidad" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3256,7 +3286,7 @@ msgstr "Aquí está el componente React que puede usar para incrustar el widget msgid "Here is your affiliate link" msgstr "Aquí está tu enlace de afiliado" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Esto es lo que puede esperar:" @@ -3267,7 +3297,7 @@ msgstr "Hola {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "Oculto" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3293,7 +3323,7 @@ msgstr "Esconder" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "Ocultar Opciones Adicionales" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3357,7 +3387,7 @@ msgstr "Destacar este producto" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "Destacado" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3440,6 +3470,10 @@ msgstr "Si está habilitado, el personal de registro puede marcar a los asistent msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Si está habilitado, el organizador recibirá una notificación por correo electrónico cuando se realice un nuevo pedido." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Si está registrado, proporcione su número de IVA para validación" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Si no solicitó este cambio, cambie inmediatamente su contraseña." @@ -3493,11 +3527,11 @@ msgstr "Importante: Se requiere reconectar Stripe" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "En {diffHours} horas" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "En {diffMinutes} minutos" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3532,6 +3566,10 @@ msgstr "Incluye {0} productos" msgid "Includes 1 product" msgstr "Incluye 1 producto" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Indique si está registrado para el IVA en la UE" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Asistentes individuales" @@ -3570,6 +3608,10 @@ msgstr "Formato de correo inválido" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Sintaxis Liquid inválida. Por favor corrígela e inténtalo de nuevo." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "¡Invitación resentida!" @@ -3600,7 +3642,7 @@ msgstr "Invita a tu equipo" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "Factura" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3619,6 +3661,10 @@ msgstr "Numeración de facturas" msgid "Invoice Settings" msgstr "Configuración de facturación" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "Se aplicará el IVA irlandés del 23% a las tarifas de la plataforma (suministro nacional)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Italiano" @@ -3629,11 +3675,11 @@ msgstr "Artículo" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "artículo(s)" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "Artículos" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3643,11 +3689,11 @@ msgstr "John" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Únete desde cualquier lugar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Simplemente haga clic en el botón de abajo para reconectar su cuenta de Stripe." @@ -3657,7 +3703,7 @@ msgstr "¿Solo buscas tus entradas?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "Mantenerme informado sobre noticias y eventos de {0}" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3751,7 +3797,7 @@ msgstr "Dejar en blanco para usar la palabra predeterminada \"Factura\"" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "Claro" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "Cargando..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "Gestionar entradas" msgid "Manage your account details and default settings" msgstr "Administre los detalles de su cuenta y la configuración predeterminada" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Administra tu procesamiento de pagos y consulta las tarifas de la plataforma" @@ -4107,6 +4153,10 @@ msgstr "Nueva contraseña" msgid "Nightlife" msgstr "Vida nocturna" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "No - Soy un individuo o empresa no registrada para el IVA" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "Sin cuentas" @@ -4173,7 +4223,7 @@ msgstr "Sin descuento" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "Sin fecha de finalización" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4185,7 +4235,7 @@ msgstr "No se encontraron eventos" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "No hay eventos que comiencen en las próximas 24 horas" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4199,13 +4249,13 @@ msgstr "Aún no hay eventos" msgid "No filters available" msgstr "No hay filtros disponibles" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Sin impacto en sus transacciones actuales o pasadas" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "Sin factura" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4311,10 +4361,15 @@ msgstr "Aún no se han registrado eventos de webhook para este punto de acceso. msgid "No Webhooks" msgstr "No hay Webhooks" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "No, mantenerme aquí" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Empresas o individuos no registrados para el IVA: Se aplica el IVA irlandés del 23%" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,9 +4462,9 @@ msgstr "En venta" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "En venta {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Una vez que complete la actualización, su cuenta anterior solo se usará para reembolsos." @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "evento en línea" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Evento en línea" @@ -4453,8 +4508,8 @@ msgid "" "Only important emails, which are directly related to this event, should be sent using this form.\n" "Any misuse, including sending promotional emails, will lead to an immediate account ban." msgstr "" -"Sólo los correos electrónicos importantes que estén directamente relacionados con este evento deben enviarse mediante este formulario.\n" -"Cualquier uso indebido, incluido el envío de correos electrónicos promocionales, dará lugar a la prohibición inmediata de la cuenta." +"Solo se deben enviar correos importantes directamente relacionados con este evento usando este formulario.\n" +"Cualquier uso indebido, incluyendo el envío de correos promocionales, resultará en una prohibición inmediata de la cuenta." #: src/components/modals/SendMessageModal/index.tsx:221 msgid "Only send to orders with these statuses" @@ -4462,7 +4517,7 @@ msgstr "Enviar solo a pedidos con estos estados" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "Solo visible con código promocional" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4473,9 +4528,9 @@ msgstr "Abrir Página de Check-In" msgid "Open sidebar" msgstr "Abrir barra lateral" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Abrir panel de Stripe" @@ -4523,7 +4578,7 @@ msgstr "Orden" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "Pedido y Entrada" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4594,7 +4649,7 @@ msgstr "Apellido del pedido" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "Límites de Pedido" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4723,7 +4778,7 @@ msgstr "Nombre de la organización" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4850,7 +4905,7 @@ msgstr "Reembolsado parcialmente" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "Reembolsado parcialmente: {0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4911,7 +4966,7 @@ msgstr "Pagar" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "Pagar para desbloquear" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4952,9 +5007,9 @@ msgstr "Método de pago" msgid "Payment Methods" msgstr "Métodos de pago" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Procesamiento de pagos" @@ -4970,7 +5025,7 @@ msgstr "Pago recibido" msgid "Payment Received" msgstr "Pago recibido" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Configuración de pagos" @@ -4990,19 +5045,19 @@ msgstr "Términos de pago" msgid "Payments not available" msgstr "Pagos no disponibles" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Los pagos continuarán fluyendo sin interrupción" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "Por pedido" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "Por entrada" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5033,7 +5088,7 @@ msgstr "Coloque esto en el de su sitio web." msgid "Planning an event?" msgstr "¿Planificando un evento?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Tarifas de la plataforma" @@ -5090,6 +5145,10 @@ msgstr "Por favor, ingresa el código de 5 dígitos" msgid "Please enter your new password" msgstr "Por favor ingrese su nueva contraseña" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Por favor ingrese su número de IVA" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Tenga en cuenta" @@ -5112,7 +5171,7 @@ msgstr "Por favor seleccione" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "Por favor seleccione un rango de fechas" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5205,7 +5264,7 @@ msgstr "Precio del boleto" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "Niveles de Precio" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5229,7 +5288,7 @@ msgstr "Vista Previa de Impresión" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "Imprimir Entrada" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5240,7 +5299,7 @@ msgstr "Imprimir boletos" msgid "Print to PDF" msgstr "Imprimir a PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Política de privacidad" @@ -5386,7 +5445,7 @@ msgstr "Informe de códigos promocionales" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "Solo Promocional" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5404,7 +5463,7 @@ msgstr "Publicar Evento" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Comprado" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5458,7 +5517,7 @@ msgstr "Tasa" msgid "Read less" msgstr "Leer menos" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "¿Listo para actualizar? Esto solo toma unos minutos." @@ -5480,10 +5539,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Redirigiendo a Stripe..." @@ -5497,7 +5556,7 @@ msgstr "Monto del reembolso" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "Reembolso fallido" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5513,7 +5572,7 @@ msgstr "Reembolsar pedido {0}" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "Reembolso pendiente" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5533,7 +5592,7 @@ msgstr "Reintegrado" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "Reembolsado: {0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5614,7 +5673,7 @@ msgstr "Reenviando..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "Reservado" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5646,7 +5705,7 @@ msgstr "Restaurar evento" msgid "Return to Event" msgstr "Volver al evento" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Volver a la página del evento" @@ -5677,16 +5736,16 @@ msgstr "Fecha de finalización de la venta" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "Venta terminada {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "Venta termina {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "Período de Venta" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5695,7 +5754,7 @@ msgstr "Fecha de inicio de la venta" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "Venta comienza {0}" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5703,7 +5762,7 @@ msgstr "Ventas" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "Las ventas están pausadas" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5775,6 +5834,10 @@ msgstr "Guardar plantilla" msgid "Save Ticket Design" msgstr "Guardar Diseño del Ticket" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "Guardar Configuración del IVA" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5782,7 +5845,7 @@ msgstr "Escanear" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "Programado" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5851,7 +5914,7 @@ msgstr "Color de texto secundario" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "Pago Seguro" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6056,7 +6119,7 @@ msgstr "Fijar un precio mínimo y dejar que los usuarios paguen más si lo desea #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "Establecer configuraciones predeterminadas para nuevos eventos creados bajo este organizador." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6092,7 +6155,7 @@ msgid "Setup in Minutes" msgstr "Configura en minutos" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6117,7 +6180,7 @@ msgstr "Compartir página del organizador" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "Mostrar Opciones Adicionales" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6211,7 +6274,7 @@ msgstr "vendido" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "Vendido" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6219,7 +6282,7 @@ msgid "Sold out" msgstr "Agotado" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Agotado" @@ -6327,7 +6390,7 @@ msgstr "Estadísticas" msgid "Status" msgstr "Estado" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Aún manejando reembolsos para sus transacciones anteriores." @@ -6340,7 +6403,7 @@ msgstr "Detener Suplantación" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6443,7 +6506,7 @@ msgstr "Evento actualizado con éxito" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "Valores Predeterminados del Evento Actualizados con Éxito" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6537,7 +6600,7 @@ msgstr "Cambiar organizador" msgid "T-shirt" msgstr "Camiseta" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Solo toma unos minutos" @@ -6590,7 +6653,7 @@ msgstr "Impuestos" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "Impuestos y tasas aplicados" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6600,7 +6663,7 @@ msgstr "Impuestos y honorarios" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "Impuestos, tasas, período de venta, límites de pedido y configuraciones de visibilidad" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6638,20 +6701,20 @@ msgstr "Plantilla eliminada exitosamente" msgid "Template saved successfully" msgstr "Plantilla guardada exitosamente" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Términos del servicio" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "El texto puede ser difícil de leer" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "¡Gracias por asistir!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "¡Gracias por su apoyo mientras continuamos creciendo y mejorando Hi.Events!" @@ -6662,7 +6725,7 @@ msgstr "Ese código de promoción no es válido." #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "El color de fondo de la página. Al usar imagen de portada, se aplica como una superposición." #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6740,7 +6803,7 @@ msgstr "El precio mostrado al cliente no incluirá impuestos ni tasas. Se mostra #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "El color principal de marca usado para botones y destacados" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6843,7 +6906,7 @@ msgstr "Este código se usará para rastrear ventas. Solo se permiten letras, n #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "Esta combinación de colores puede ser difícil de leer para algunos usuarios" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6911,7 +6974,7 @@ msgstr "Esta página de pedidos ya no está disponible." #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "Este pedido fue abandonado. Puede iniciar un nuevo pedido en cualquier momento." #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6939,11 +7002,11 @@ msgstr "Este producto es un boleto. Se emitirá un boleto a los compradores al r #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "Este producto está destacado en la página del evento" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "Este producto está agotado" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6986,7 +7049,7 @@ msgstr "Boleto" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "Entrada Cancelada" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7052,19 +7115,19 @@ msgstr "URL del boleto" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "entradas" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "Entradas" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "Entradas y productos" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Entradas disponibles" @@ -7118,13 +7181,13 @@ msgstr "Zona horaria" msgid "TIP" msgstr "CONSEJO" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Para recibir pagos con tarjeta de crédito, debes conectar tu cuenta de Stripe. Stripe es nuestro socio de procesamiento de pagos que garantiza transacciones seguras y pagos puntuales." #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "Alternar columnas" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7200,7 +7263,7 @@ msgstr "Usuarios Totales" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Rastrea ingresos, vistas de página y ventas con análisis detallados e informes exportables" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Tarifa de transacción:" @@ -7355,7 +7418,7 @@ msgstr "Actualizar el nombre del evento, la descripción y las fechas." msgid "Update profile" msgstr "Actualización del perfil" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Actualización disponible" @@ -7429,7 +7492,7 @@ msgstr "Usar imagen de portada" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:48 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:38 msgid "Use order details for all attendees. Attendee names and emails will match the buyer's information." -msgstr "" +msgstr "Usar detalles del pedido para todos los asistentes. Los nombres y correos de los asistentes coincidirán con la información del comprador." #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" @@ -7464,10 +7527,63 @@ msgstr "Los usuarios pueden cambiar su correo electrónico en <0>Configuración msgid "UTC" msgstr "UTC" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "Número de IVA válido" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "IVA" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "Información del IVA" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "El IVA puede aplicarse a las tarifas de la plataforma según su estado de registro de IVA. Por favor complete la sección de información del IVA a continuación." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "Número de IVA" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "La validación del número de IVA falló. Por favor verifique su número e intente nuevamente." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "Información de Registro del IVA" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "Configuración del IVA guardada y validada exitosamente" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "Configuración del IVA guardada pero la validación falló. Por favor verifique su número de IVA." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "Configuración del IVA guardada exitosamente" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "Tratamiento del IVA para Tarifas de la Plataforma" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "Tratamiento del IVA para tarifas de la plataforma: Las empresas registradas para el IVA en la UE pueden usar el mecanismo de inversión del sujeto pasivo (0% - Artículo 196 de la Directiva del IVA 2006/112/CE). Las empresas no registradas para el IVA se les cobra el IVA irlandés del 23%." + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "Nombre del lugar" @@ -7535,12 +7651,12 @@ msgstr "Ver registros" msgid "View map" msgstr "Ver el mapa" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "Ver mapa" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "Ver en Google Maps" @@ -7652,7 +7768,7 @@ msgstr "Enviaremos tus entradas a este correo electrónico" msgid "We're processing your order. Please wait..." msgstr "Estamos procesando tu pedido. Espere por favor..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "Oficialmente hemos trasladado nuestra sede a Irlanda 🇮🇪. Como parte de esta transición, ahora usamos Stripe Irlanda en lugar de Stripe Canadá. Para mantener sus pagos funcionando sin problemas, necesitará reconectar su cuenta de Stripe." @@ -7758,6 +7874,10 @@ msgstr "¿Qué tipo de evento?" msgid "What type of question is this?" msgstr "¿Qué tipo de pregunta es esta?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "Lo que necesita hacer:" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7901,7 +8021,11 @@ msgstr "X (Twitter)" msgid "Year to date" msgstr "Año hasta la fecha" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "Sí - Tengo un número de registro de IVA de la UE válido" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "Sí, cancelar mi pedido" @@ -8035,7 +8159,7 @@ msgstr "Necesitará un producto antes de poder crear una asignación de capacida msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "Necesitará al menos un producto para comenzar. Gratis, de pago o deje que el usuario decida cuánto pagar." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "¡Está todo listo! Sus pagos se están procesando sin problemas." @@ -8067,7 +8191,7 @@ msgstr "Tu increíble sitio web 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "Tu lista de check-in se ha creado exitosamente. Comparte el enlace de abajo con tu personal de check-in." -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "Tu pedido actual se perderá." @@ -8139,7 +8263,7 @@ msgstr "Su pago se está procesando." #: src/components/common/InlineOrderSummary/index.tsx:170 msgid "Your payment is protected with bank-level encryption" -msgstr "" +msgstr "Su pago está protegido con encriptación de nivel bancario" #: src/components/forms/StripeCheckoutForm/index.tsx:66 msgid "Your payment was not successful, please try again." @@ -8153,12 +8277,12 @@ msgstr "Su pago no fue exitoso. Inténtalo de nuevo." msgid "Your refund is processing." msgstr "Su reembolso se está procesando." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "Su cuenta de Stripe está conectada y procesando pagos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "Tu cuenta de Stripe está conectada y lista para procesar pagos." @@ -8170,6 +8294,10 @@ msgstr "Tu billete para" msgid "Your tickets have been confirmed." msgstr "Tus entradas han sido confirmadas." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "Su número de IVA se validará automáticamente cuando guarde" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/fr.js b/frontend/src/locales/fr.js index a97ba3d830..529a5bb22e 100644 --- a/frontend/src/locales/fr.js +++ b/frontend/src/locales/fr.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"\\\"Il n'y a rien à montrer pour l'instant\\\"\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>enregistré avec succès\"],\"yxhYRZ\":[[\"0\"],\" <0>sorti avec succès\"],\"KMgp2+\":[[\"0\"],\" disponible\"],\"Pmr5xp\":[[\"0\"],\" créé avec succès\"],\"FImCSc\":[[\"0\"],\" mis à jour avec succès\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" enregistré\"],\"Vjij1k\":[[\"days\"],\" jours, \",[\"hours\"],\" heures, \",[\"minutes\"],\" minutes, et \",[\"seconds\"],\" secondes\"],\"f3RdEk\":[[\"hours\"],\" heures, \",[\"minutes\"],\" minutes, et \",[\"seconds\"],\" secondes\"],\"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>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://votre-siteweb.com\",\"qnSLLW\":\"<0>Veuillez entrer le prix hors taxes et frais.<1>Les taxes et frais peuvent être ajoutés ci-dessous.\",\"ZjMs6e\":\"<0>Le nombre de produits disponibles pour ce produit<1>Cette valeur peut être remplacée s'il existe des <2>Limites de Capacité associées à ce produit.\",\"E15xs8\":\"⚡️ Organisez votre événement\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Personnalisez votre page d'événement\",\"3VPPdS\":\"💳 Connectez-vous avec Stripe\",\"cjdktw\":\"🚀 Mettez votre événement en direct\",\"rmelwV\":\"0 minute et 0 seconde\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"Un \",[\"type\"],\" par défaut est automatiquement appliqué à tous les nouveaux produits. Vous pouvez le remplacer pour chaque produit.\"],\"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\",\"POT0K/\":\"Un montant fixe par produit. Par exemple, 0,50 $ par produit\",\"f4vJgj\":\"Une saisie de texte sur plusieurs lignes\",\"OIPtI5\":\"Un pourcentage du prix du produit. Par exemple, 3,5 % du prix du produit\",\"ZthcdI\":\"Un code promo sans réduction peut être utilisé pour révéler des produits cachés.\",\"AG/qmQ\":\"Une option Radio comporte plusieurs options, mais une seule peut être sélectionnée.\",\"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\",\"BHZbFy\":\"Une seule question par commande. Par exemple, Quelle est votre adresse de livraison ?\",\"Fuh+dI\":\"Une seule question par produit. Par exemple, Quelle est votre taille de t-shirt ?\",\"RlJmQg\":\"Une taxe standard, comme la TVA ou la TPS\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accepter les virements bancaires, chèques ou autres méthodes de paiement hors ligne\",\"hrvLf4\":\"Accepter les paiements par carte bancaire avec Stripe\",\"bfXQ+N\":\"Accepter l'invitation\",\"AeXO77\":\"Compte\",\"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\",\"/PN1DA\":\"Ajouter une description pour cette liste de pointage\",\"0/vPdA\":\"Ajoutez des notes sur le participant. Celles-ci ne seront pas visibles par le participant.\",\"Or1CPR\":\"Ajoutez des notes sur le participant...\",\"l3sZO1\":\"Ajoutez des notes concernant la commande. Elles ne seront pas visibles par le client.\",\"xMekgu\":\"Ajoutez des notes concernant la commande...\",\"PGPGsL\":\"Ajouter une description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Ajoutez des instructions pour les paiements hors ligne (par exemple, les détails du virement bancaire, où envoyer les chèques, les délais de paiement)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Ajouter un nouveau\",\"TZxnm8\":\"Ajouter une option\",\"24l4x6\":\"Ajouter un produit\",\"8q0EdE\":\"Ajouter un produit à la catégorie\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Ajouter une question\",\"yWiPh+\":\"Ajouter une taxe ou des frais\",\"goOKRY\":\"Ajouter un niveau\",\"oZW/gT\":\"Ajouter au calendrier\",\"pn5qSs\":\"Informations supplémentaires\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Tous les participants à cet événement\",\"cde2hc\":\"Tous les produits\",\"5CQ+r0\":\"Autoriser les participants associés à des commandes impayées à s'enregistrer\",\"ipYKgM\":\"Autoriser l'indexation des moteurs de recherche\",\"LRbt6D\":\"Autoriser les moteurs de recherche à indexer cet événement\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Incroyable, Événement, Mots-clés...\",\"hehnjM\":\"Montant\",\"R2O9Rg\":[\"Montant payé (\",[\"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\",\"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\":\"Une erreur inattendue est apparue.\",\"byKna+\":\"Une erreur inattendue est apparue. Veuillez réessayer.\",\"ubdMGz\":\"Toute question des détenteurs de produits sera envoyée à cette adresse e-mail. Elle sera également utilisée comme adresse de réponse pour tous les e-mails envoyés depuis cet événement\",\"aAIQg2\":\"Apparence\",\"Ym1gnK\":\"appliqué\",\"sy6fss\":[\"S'applique à \",[\"0\"],\" produits\"],\"kadJKg\":\"S'applique à 1 produit\",\"DB8zMK\":\"Appliquer\",\"GctSSm\":\"Appliquer le code promotionnel\",\"ARBThj\":[\"Appliquer ce \",[\"type\"],\" à tous les nouveaux produits\"],\"S0ctOE\":\"Archiver l'événement\",\"TdfEV7\":\"Archivé\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Êtes-vous sûr de vouloir activer ce participant\xA0?\",\"TvkW9+\":\"Êtes-vous sûr de vouloir archiver cet événement\xA0?\",\"/CV2x+\":\"Êtes-vous sûr de vouloir annuler ce participant\xA0? 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\xA0?\",\"CMyVEK\":\"Êtes-vous sûr de vouloir créer un brouillon pour cet événement\xA0? Cela rendra l'événement invisible au public\",\"mEHQ8I\":\"Êtes-vous sûr de vouloir rendre cet événement public\xA0? Cela rendra l'événement visible au public\",\"s4JozW\":\"Êtes-vous sûr de vouloir restaurer cet événement\xA0? 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\xA0?\",\"LBLOqH\":\"Demander une fois par commande\",\"wu98dY\":\"Demander une fois par produit\",\"ss9PbX\":\"Participant\",\"m0CFV2\":\"Détails des participants\",\"QKim6l\":\"Participant non trouvé\",\"R5IT/I\":\"Notes du participant\",\"lXcSD2\":\"Questions des participants\",\"HT/08n\":\"Billet de l'invité\",\"9SZT4E\":\"Participants\",\"iPBfZP\":\"Invités enregistrés\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"En attente d'un paiement hors ligne\",\"2rHwhl\":\"En attente d'un paiement hors ligne\",\"3wF4Q/\":\"En attente de paiement\",\"ioG+xt\":\"En attente de paiement\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Organisateur génial Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Retour à la page de l'événement\",\"VCoEm+\":\"Retour connexion\",\"k1bLf+\":\"Couleur de l'arrière plan\",\"I7xjqg\":\"Type d'arrière-plan\",\"1mwMl+\":\"Avant d'envoyer !\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Adresse de facturation\",\"/xC/im\":\"Paramètres de facturation\",\"rp/zaT\":\"Portugais brésilien\",\"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.\",\"dEgA5A\":\"Annuler\",\"Gjt/py\":\"Annuler le changement d'e-mail\",\"tVJk4q\":\"Annuler la commande\",\"Os6n2a\":\"annuler la commande\",\"Mz7Ygx\":[\"Annuler la commande \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Annulé\",\"U7nGvl\":\"Impossible d'enregistrer\",\"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é\",\"ddha3c\":\"Les catégories vous permettent de regrouper des produits ensemble. Par exemple, vous pouvez avoir une catégorie pour \\\"Billets\\\" et une autre pour \\\"Marchandise\\\".\",\"iS0wAT\":\"Les catégories vous aident à organiser vos produits. Ce titre sera affiché sur la page publique de l'événement.\",\"eorM7z\":\"Catégories réorganisées avec succès.\",\"3EXqwa\":\"Catégorie créée avec succès\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Changer le mot de passe\",\"xMDm+I\":\"Enregistrer\",\"p2WLr3\":[\"Enregistrer \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Enregistrer et marquer la commande comme payée\",\"QYLpB4\":\"Enregistrement uniquement\",\"/Ta1d4\":\"Désenregistrer\",\"5LDT6f\":\"Découvrez cet événement !\",\"gXcPxc\":\"Enregistrement\",\"fVUbUy\":\"Check-In List created successfully\",\"+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é\",\"znIg+z\":\"Paiement\",\"1WnhCL\":\"Paramètres de paiement\",\"6imsQS\":\"Chinois simplifié\",\"JjkX4+\":\"Choisissez une couleur pour votre arrière-plan\",\"/Jizh9\":\"Choisissez un compte\",\"3wV73y\":\"Ville\",\"FG98gC\":\"Effacer le texte de recherche\",\"EYeuMv\":\"click here\",\"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\",\"oqr9HB\":\"Réduire ce produit lorsque la page de l'événement est initialement chargée\",\"jZlrte\":\"Couleur\",\"Vd+LC3\":\"La couleur doit être un code couleur hexadécimal valide. Exemple\xA0: #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\":\"Complete payment\",\"C8HNV2\":\"Paiement complet\",\"qqWcBV\":\"Complété\",\"6HK5Ct\":\"Commandes terminées\",\"NWVRtl\":\"Commandes terminées\",\"DwF9eH\":\"Code composant\",\"Tf55h7\":\"Réduction configurée\",\"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...\",\"pbAk7a\":\"Connecter la bande\",\"UMGQOh\":\"Connectez-vous avec Stripe\",\"QKLP1W\":\"Connectez votre compte Stripe pour commencer à recevoir des paiements.\",\"5lcVkL\":\"Détails de connexion\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continuer\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Texte du bouton Continuer\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continuer la configuration\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Copié\",\"T5rdis\":\"copié dans le presse-papier\",\"he3ygx\":\"Copie\",\"r2B2P8\":\"Copier l'URL de pointage\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copier le lien\",\"E6nRW7\":\"Copier le lien\",\"JNCzPW\":\"Pays\",\"IF7RiR\":\"Couverture\",\"hYgDIe\":\"Créer\",\"b9XOHo\":[\"Créer \",[\"0\"]],\"k9RiLi\":\"Créer un produit\",\"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é\",\"EwoMtl\":\"Créer une catégorie\",\"XletzW\":\"Créer une catégorie\",\"WVbTwK\":\"Créer une liste de pointage\",\"uN355O\":\"Créer un évènement\",\"BOqY23\":\"Créer un nouveau\",\"kpJAeS\":\"Créer un organisateur\",\"a0EjD+\":\"Créer un produit\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Créer un code promotionnel\",\"B3Mkdt\":\"Créer une question\",\"UKfi21\":\"Créer une taxe ou des frais\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Devise\",\"DCKkhU\":\"Mot de passe actuel\",\"uIElGP\":\"URL des cartes personnalisées\",\"UEqXyt\":\"Plage personnalisée\",\"876pfE\":\"Client\",\"QOg2Sf\":\"Personnaliser les paramètres de courrier électronique et de notification pour cet événement\",\"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\":\"Dashboard\",\"mYGY3B\":\"Date\",\"JvUngl\":\"Date et heure\",\"JJhRbH\":\"Capacité du premier jour\",\"cnGeoo\":\"Supprimer\",\"jRJZxD\":\"Supprimer la Capacité\",\"VskHIx\":\"Supprimer la catégorie\",\"Qrc8RZ\":\"Supprimer la liste de pointage\",\"WHf154\":\"Supprimer le code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Supprimer la question\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description pour le personnel de pointage\",\"URmyfc\":\"Détails\",\"1lRT3t\":\"Désactiver cette capacité suivra les ventes mais ne les arrêtera pas lorsque la limite sera atteinte\",\"H6Ma8Z\":\"Rabais\",\"ypJ62C\":\"Rabais %\",\"3LtiBI\":[\"Remise en \",[\"0\"]],\"C8JLas\":\"Type de remise\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Étiquette du document\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Produit de don / Payez ce que vous voulez\",\"OvNbls\":\"Télécharger .ics\",\"kodV18\":\"Télécharger CSV\",\"CELKku\":\"Télécharger la facture\",\"LQrXcu\":\"Télécharger la facture\",\"QIodqd\":\"Télécharger le code QR\",\"yhjU+j\":\"Téléchargement de la facture\",\"uABpqP\":\"Drag and drop or click\",\"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\":\"Options de duplication\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Lève tôt\",\"ePK91l\":\"Modifier\",\"N6j2JH\":[\"Modifier \",[\"0\"]],\"kBkYSa\":\"Modifier la Capacité\",\"oHE9JT\":\"Modifier l'Affectation de Capacité\",\"j1Jl7s\":\"Modifier la catégorie\",\"FU1gvP\":\"Modifier la liste de pointage\",\"iFgaVN\":\"Modifier le code\",\"jrBSO1\":\"Modifier l'organisateur\",\"tdD/QN\":\"Modifier le produit\",\"n143Tq\":\"Modifier la catégorie de produit\",\"9BdS63\":\"Modifier le code promotionnel\",\"O0CE67\":\"Modifier la question\",\"EzwCw7\":\"Modifier la question\",\"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\",\"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é\",\"NTZ/NX\":\"Code intégré\",\"4rnJq4\":\"Intégrer le script\",\"8oPbg1\":\"Activer la facturation\",\"j6w7d/\":\"Activer cette capacité pour arrêter les ventes de produits lorsque la limite est atteinte\",\"VFv2ZC\":\"Date de fin\",\"237hSL\":\"Terminé\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Anglais\",\"MhVoma\":\"Saisissez un montant hors taxes et frais.\",\"SlfejT\":\"Erreur\",\"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\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Date de l'Événement\",\"0Zptey\":\"Valeurs par défaut des événements\",\"QcCPs8\":\"Détails de l'événement\",\"6fuA9p\":\"Événement dupliqué avec succès\",\"AEuj2m\":\"Page d'accueil de l'événement\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Lieu de l'événement et détails du lieu\",\"OopDbA\":\"Event page\",\"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\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Échec du téléchargement de la facture. Veuillez réessayer.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Échec du chargement de la liste de pointage\",\"ZQ15eN\":\"Échec du renvoi de l'e-mail du ticket\",\"ejXy+D\":\"Échec du tri des produits\",\"PLUB/s\":\"Frais\",\"/mfICu\":\"Frais\",\"LyFC7X\":\"Filtrer les commandes\",\"cSev+j\":\"Filtres\",\"CVw2MU\":[\"Filtres (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Premier numéro de facture\",\"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.\",\"Rs/IcB\":\"Première utilisation\",\"TpqW74\":\"Fixé\",\"irpUxR\":\"Montant fixé\",\"TF9opW\":\"Flash n'est pas disponible sur cet appareil\",\"UNMVei\":\"Mot de passe oublié?\",\"2POOFK\":\"Gratuit\",\"P/OAYJ\":\"Produit gratuit\",\"vAbVy9\":\"Produit gratuit, aucune information de paiement requise\",\"nLC6tu\":\"Français\",\"Weq9zb\":\"Général\",\"DDcvSo\":\"Allemand\",\"4GLxhy\":\"Commencer\",\"4D3rRj\":\"Revenir au profil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Ventes brutes\",\"yRg26W\":\"Ventes brutes\",\"R4r4XO\":\"Invités\",\"26pGvx\":\"Avez vous un code de réduction?\",\"V7yhws\":\"bonjour@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Salut \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"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.\",\"vLyv1R\":\"Cacher\",\"Mkkvfd\":\"Masquer la page de démarrage\",\"mFn5Xz\":\"Masquer les questions cachées\",\"YHsF9c\":\"Masquer le produit après la date de fin de vente\",\"06s3w3\":\"Masquer le produit avant la date de début de vente\",\"axVMjA\":\"Masquer le produit sauf si l'utilisateur a un code promo applicable\",\"ySQGHV\":\"Masquer le produit lorsqu'il est épuisé\",\"SCimta\":\"Masquer la page de démarrage de la barre latérale\",\"5xR17G\":\"Masquer ce produit des clients\",\"Da29Y6\":\"Cacher cette question\",\"fvDQhr\":\"Masquer ce niveau aux utilisateurs\",\"lNipG+\":\"Masquer un produit empêchera les utilisateurs de le voir sur la page de l'événement.\",\"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\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Si vide, l'adresse sera utilisée pour générer un lien Google Maps\",\"UYT+c8\":\"Si activé, le personnel d'enregistrement peut marquer les participants comme enregistrés ou marquer la commande comme payée et enregistrer les participants. Si désactivé, les participants associés à des commandes impayées ne peuvent pas être enregistrés.\",\"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\",\"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 téléchargée avec succès\",\"VyUuZb\":\"URL de l'image\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactif\",\"T0K0yl\":\"Les utilisateurs inactifs ne peuvent pas se connecter.\",\"kO44sp\":\"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 le billet du participant.\",\"FlQKnG\":\"Inclure les taxes et les frais dans le prix\",\"Vi+BiW\":[\"Comprend \",[\"0\"],\" produits\"],\"lpm0+y\":\"Comprend 1 produit\",\"UiAk5P\":\"Insérer une image\",\"OyLdaz\":\"Invitation renvoyée\xA0!\",\"HE6KcK\":\"Invitation révoquée\xA0!\",\"SQKPvQ\":\"Inviter un utilisateur\",\"bKOYkd\":\"Facture téléchargée avec succès\",\"alD1+n\":\"Notes de facture\",\"kOtCs2\":\"Numérotation des factures\",\"UZ2GSZ\":\"Paramètres de facturation\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Article\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Étiquette\",\"vXIe7J\":\"Langue\",\"2LMsOq\":\"12 derniers mois\",\"vfe90m\":\"14 derniers jours\",\"aK4uBd\":\"Dernières 24 heures\",\"uq2BmQ\":\"30 derniers jours\",\"bB6Ram\":\"Dernières 48 heures\",\"VlnB7s\":\"6 derniers mois\",\"ct2SYD\":\"7 derniers jours\",\"XgOuA7\":\"90 derniers jours\",\"I3yitW\":\"Dernière connexion\",\"1ZaQUH\":\"Nom de famille\",\"UXBCwc\":\"Nom de famille\",\"tKCBU0\":\"Dernière utilisation\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Laisser vide pour utiliser le mot par défaut \\\"Facture\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Chargement...\",\"wJijgU\":\"Emplacement\",\"sQia9P\":\"Se connecter\",\"zUDyah\":\"Se connecter\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Se déconnecter\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nom placerat elementum...\",\"NJahlc\":\"Rendre l'adresse de facturation obligatoire lors du paiement\",\"MU3ijv\":\"Rendre cette question obligatoire\",\"wckWOP\":\"Gérer\",\"onpJrA\":\"Gérer le participant\",\"n4SpU5\":\"Gérer l'événement\",\"WVgSTy\":\"Gérer la commande\",\"1MAvUY\":\"Gérer les paramètres de paiement et de facturation pour cet événement.\",\"cQrNR3\":\"Gérer le profil\",\"AtXtSw\":\"Gérer les taxes et les frais qui peuvent être appliqués à vos produits\",\"ophZVW\":\"Gérer les billets\",\"DdHfeW\":\"Gérez les détails de votre compte et les paramètres par défaut\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Marquer comme payé\",\"g9dPPQ\":\"Maximum par commande\",\"l5OcwO\":\"Message au participant\",\"Gv5AMu\":\"Message aux participants\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Divers\",\"mYLhkl\":\"Paramètres divers\",\"KYveV8\":\"Zone de texte multiligne\",\"VD0iA7\":\"Options de prix multiples. Parfait pour les produits en prévente, etc.\",\"/bhMdO\":\"Mon incroyable description d'événement...\",\"vX8/tc\":\"Mon incroyable titre d'événement...\",\"hKtWk2\":\"Mon profil\",\"fj5byd\":\"N/A\",\"pRjx4L\":\"Nom placerat elementum...\",\"6YtxFj\":\"Nom\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Accédez au participant\",\"qqeAJM\":\"Jamais\",\"7vhWI8\":\"nouveau mot de passe\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Aucun événement archivé à afficher.\",\"q2LEDV\":\"Aucun invité trouvé pour cette commande.\",\"zlHa5R\":\"Aucun invité n'a été ajouté à cette commande.\",\"Wjz5KP\":\"Aucun participant à afficher\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Aucune Affectation de Capacité\",\"a/gMx2\":\"Pas de listes de pointage\",\"tMFDem\":\"Aucune donnée disponible\",\"6Z/F61\":\"Aucune donnée à afficher. Veuillez sélectionner une plage de dates\",\"fFeCKc\":\"Pas de rabais\",\"HFucK5\":\"Aucun événement terminé à afficher.\",\"yAlJXG\":\"Aucun événement à afficher\",\"GqvPcv\":\"Aucun filtre disponible\",\"KPWxKD\":\"Aucun message à afficher\",\"J2LkP8\":\"Aucune commande à afficher\",\"RBXXtB\":\"Aucune méthode de paiement n'est actuellement disponible. Veuillez contacter l'organisateur de l'événement pour obtenir de l'aide.\",\"ZWEfBE\":\"Aucun paiement requis\",\"ZPoHOn\":\"Aucun produit associé à cet invité.\",\"Ya1JhR\":\"Aucun produit disponible dans cette catégorie.\",\"FTfObB\":\"Pas encore de produits\",\"+Y976X\":\"Aucun code promotionnel à afficher\",\"MAavyl\":\"Aucune question n’a été répondue par ce participant.\",\"SnlQeq\":\"Aucune question n'a été posée pour cette commande.\",\"Ev2r9A\":\"Aucun résultat\",\"gk5uwN\":\"Aucun résultat de recherche\",\"RHyZUL\":\"Aucun résultat trouvé.\",\"RY2eP1\":\"Aucune taxe ou frais n'a été ajouté.\",\"EdQY6l\":\"Aucun\",\"OJx3wK\":\"Pas disponible\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notes\",\"jtrY3S\":\"Rien à montrer pour le moment\",\"hFwWnI\":\"Paramètres de notification\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Informer l'organisateur des nouvelles commandes\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Nombre de jours autorisés pour le paiement (laisser vide pour omettre les conditions de paiement sur les factures)\",\"n86jmj\":\"Préfixe de numéro\",\"mwe+2z\":\"Les commandes hors ligne ne sont pas reflétées dans les statistiques de l'événement tant que la commande n'est pas marquée comme payée.\",\"dWBrJX\":\"Le paiement hors ligne a échoué. Veuillez réessayer ou contacter l'organisateur de l'événement.\",\"fcnqjw\":\"Instructions de Paiement Hors Ligne\",\"+eZ7dp\":\"Paiements hors ligne\",\"ojDQlR\":\"Informations sur les paiements hors ligne\",\"u5oO/W\":\"Paramètres des paiements hors ligne\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"En soldes\",\"Ug4SfW\":\"Une fois que vous avez créé un événement, vous le verrez ici.\",\"ZxnK5C\":\"Une fois que vous commencerez à collecter des données, elles apparaîtront ici.\",\"PnSzEc\":\"Une fois prêt, mettez votre événement en ligne et commencez à vendre des produits.\",\"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 d'Enregistrement\",\"OdnLE4\":\"Ouvrir la barre latérale\",\"ZZEYpT\":[\"Option\xA0\",[\"i\"]],\"oPknTP\":\"Informations supplémentaires optionnelles à apparaître sur toutes les factures (par exemple, conditions de paiement, frais de retard, politique de retour)\",\"OrXJBY\":\"Préfixe optionnel pour les numéros de facture (par exemple, INV-)\",\"0zpgxV\":\"Possibilités\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Commande\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Commande annulée\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Date de commande\",\"Tol4BF\":\"détails de la commande\",\"WbImlQ\":\"La commande a été annulée et le propriétaire de la commande a été informé.\",\"nAn4Oe\":\"Commande marquée comme payée\",\"uzEfRz\":\"Notes de commande\",\"VCOi7U\":\"Questions de commande\",\"TPoYsF\":\"Référence de l'achat\",\"acIJ41\":\"Statut de la commande\",\"GX6dZv\":\"Récapitulatif de la commande\",\"tDTq0D\":\"Délai d'expiration de la commande\",\"1h+RBg\":\"Ordres\",\"3y+V4p\":\"Adresse de l'organisation\",\"GVcaW6\":\"Détails de l'organisation\",\"nfnm9D\":\"Nom de l'organisation\",\"G5RhpL\":\"Organisateur\",\"mYygCM\":\"Un organisateur est requis\",\"Pa6G7v\":\"Nom de l'organisateur\",\"l894xP\":\"Les organisateurs ne peuvent gérer que les événements et les produits. Ils ne peuvent pas gérer les utilisateurs, les paramètres du compte ou les informations de facturation.\",\"fdjq4c\":\"Rembourrage\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Page non trouvée\",\"QbrUIo\":\"Pages vues\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"payé\",\"HVW65c\":\"Produit payant\",\"ZfxaB4\":\"Partiellement remboursé\",\"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\",\"621rYf\":\"Paiement\",\"Lg+ewC\":\"Paiement et facturation\",\"DZjk8u\":\"Paramètres de paiement et de facturation\",\"lflimf\":\"Délai de paiement\",\"JhtZAK\":\"Paiement échoué\",\"JEdsvQ\":\"Instructions de paiement\",\"bLB3MJ\":\"Méthodes de paiement\",\"QzmQBG\":\"Fournisseur de paiement\",\"lsxOPC\":\"Paiement reçu\",\"wJTzyi\":\"Statut du paiement\",\"xgav5v\":\"Paiement réussi\xA0!\",\"R29lO5\":\"Conditions de paiement\",\"/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\",\"hcX103\":\"Veuillez créer un produit\",\"cdR8d6\":\"Veuillez créer un billet\",\"x2mjl4\":\"Veuillez entrer une URL d'image valide qui pointe vers une image.\",\"HnNept\":\"Veuillez entrer votre nouveau mot de passe\",\"5FSIzj\":\"Veuillez noter\",\"C63rRe\":\"Veuillez retourner sur la page de l'événement pour recommencer.\",\"pJLvdS\":\"Veuillez sélectionner\",\"Ewir4O\":\"Veuillez sélectionner au moins un produit\",\"igBrCH\":\"Veuillez vérifier votre adresse e-mail pour accéder à toutes les fonctionnalités\",\"/IzmnP\":\"Veuillez patienter pendant que nous préparons votre facture...\",\"MOERNx\":\"Portugais\",\"qCJyMx\":\"Message après le paiement\",\"g2UNkE\":\"Alimenté par\",\"Rs7IQv\":\"Message de pré-commande\",\"rdUucN\":\"Aperçu\",\"a7u1N9\":\"Prix\",\"CmoB9j\":\"Mode d'affichage des prix\",\"BI7D9d\":\"Prix non défini\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Type de prix\",\"6RmHKN\":\"Couleur primaire\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Couleur du texte principal\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Imprimer tous les billets\",\"DKwDdj\":\"Imprimer les billets\",\"K47k8R\":\"Produit\",\"1JwlHk\":\"Catégorie de produit\",\"U61sAj\":\"Catégorie de produit mise à jour avec succès.\",\"1USFWA\":\"Produit supprimé avec succès\",\"4Y2FZT\":\"Type de prix du produit\",\"mFwX0d\":\"Questions sur le produit\",\"Lu+kBU\":\"Ventes de produits\",\"U/R4Ng\":\"Niveau de produit\",\"sJsr1h\":\"Type de produit\",\"o1zPwM\":\"Aperçu du widget produit\",\"ktyvbu\":\"Produit(s)\",\"N0qXpE\":\"Produits\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Produits vendus\",\"/u4DIx\":\"Produits vendus\",\"DJQEZc\":\"Produits triés avec succès\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Mise à jour du profil réussie\",\"cl5WYc\":[\"Code promotionnel \",[\"promo_code\"],\" appliqué\"],\"P5sgAk\":\"Code promo\",\"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.\",\"OP094m\":\"Rapport des codes promo\",\"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.\",\"toutGW\":\"Code QR\",\"LkMOWF\":\"Quantité disponible\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Question supprimée\",\"avf0gk\":\"Description de la question\",\"oQvMPn\":\"titre de question\",\"enzGAL\":\"Des questions\",\"ROv2ZT\":\"Questions et réponses\",\"K885Eq\":\"Questions triées avec succès\",\"OMJ035\":\"Option radio\",\"C4TjpG\":\"Lire moins\",\"I3QpvQ\":\"Destinataire\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Remboursement échoué\",\"n10yGu\":\"Commande de remboursement\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Remboursement en attente\",\"xHpVRl\":\"Statut du remboursement\",\"/BI0y9\":\"Remboursé\",\"fgLNSM\":\"Registre\",\"9+8Vez\":\"Utilisations restantes\",\"tasfos\":\"retirer\",\"t/YqKh\":\"Retirer\",\"t9yxlZ\":\"Rapports\",\"prZGMe\":\"Adresse de facturation requise\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Réinitialiser\",\"RfwZxd\":\"Réinitialiser le mot de passe\",\"KbS2K9\":\"réinitialiser le mot de passe\",\"e99fHm\":\"Restaurer l'événement\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Retourner à la page de l'événement\",\"8YBH95\":\"Revenu\",\"PO/sOY\":\"Révoquer l'invitation\",\"GDvlUT\":\"Rôle\",\"ELa4O9\":\"Date de fin de vente\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Date de début de la vente\",\"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\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Recherchez par nom de participant, e-mail ou numéro de commande...\",\"+pr/FY\":\"Rechercher par nom d'événement...\",\"3zRbWw\":\"Recherchez par nom, e-mail ou numéro de commande...\",\"L22Tdf\":\"Rechercher par nom, numéro de commande, numéro de participant ou e-mail...\",\"BiYOdA\":\"Rechercher par nom...\",\"YEjitp\":\"Recherche par sujet ou contenu...\",\"Pjsch9\":\"Rechercher des affectations de capacité...\",\"r9M1hc\":\"Rechercher des listes de pointage...\",\"+0Yy2U\":\"Rechercher des produits\",\"YIix5Y\":\"Recherche...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Couleur secondaire\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Couleur du texte secondaire\",\"02ePaq\":[\"Sélectionner \",[\"0\"]],\"QuNKRX\":\"Sélectionnez la caméra\",\"9FQEn8\":\"Sélectionner une catégorie...\",\"kWI/37\":\"Sélectionnez l'organisateur\",\"ixIx1f\":\"Sélectionner le produit\",\"3oSV95\":\"Sélectionner le niveau de produit\",\"C4Y1hA\":\"Sélectionner des produits\",\"hAjDQy\":\"Sélectionnez le statut\",\"QYARw/\":\"Sélectionnez un billet\",\"OMX4tH\":\"Sélectionner des billets\",\"DrwwNd\":\"Sélectionnez la période\",\"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.\",\"M/WIer\":\"Envoyer un Message\",\"D7ZemV\":\"Envoyer la confirmation de commande et l'e-mail du ticket\",\"v1rRtW\":\"Envoyer le test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descriptif SEO\",\"/SIY6o\":\"Mots-clés SEO\",\"GfWoKv\":\"Paramètres de référencement\",\"rXngLf\":\"Titre SEO\",\"/jZOZa\":\"Frais de service\",\"Bj/QGQ\":\"Fixer un prix minimum et laisser les utilisateurs payer plus s'ils le souhaitent\",\"L0pJmz\":\"Définir le numéro de départ pour la numérotation des factures. Cela ne peut pas être modifié une fois que les factures ont été générées.\",\"nYNT+5\":\"Organisez votre événement\",\"A8iqfq\":\"Mettez votre événement en direct\",\"Tz0i8g\":\"Paramètres\",\"Z8lGw6\":\"Partager\",\"B2V3cA\":\"Partager l'événement\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Afficher la quantité de produit disponible\",\"qDsmzu\":\"Afficher les questions masquées\",\"fMPkxb\":\"Montre plus\",\"izwOOD\":\"Afficher les taxes et les frais séparément\",\"1SbbH8\":\"Affiché 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\":\"Une erreur s'est produite\",\"GRChTw\":\"Une erreur s'est produite lors de la suppression de la taxe ou des frais\",\"YHFrbe\":\"Quelque chose s'est mal passé\xA0! Veuillez réessayer\",\"kf83Ld\":\"Quelque chose s'est mal passé.\",\"fWsBTs\":\"Quelque chose s'est mal passé. Veuillez réessayer.\",\"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.\",\"6a/UJE\":\"Désolé, ce code promo n'est pas reconnu\",\"65A04M\":\"Espagnol\",\"mFuBqb\":\"Produit standard avec un prix fixe\",\"D3iCkb\":\"Date de début\",\"/2by1f\":\"État ou région\",\"uAQUqI\":\"Statut\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Les paiements Stripe ne sont pas activés pour cet événement.\",\"UJmAAK\":\"Sujet\",\"X2rrlw\":\"Total\",\"zzDlyQ\":\"Succès\",\"b0HJ45\":[\"Succès! \",[\"0\"],\" recevra un e-mail sous peu.\"],\"BJIEiF\":[[\"0\"],\" participant a réussi\"],\"OtgNFx\":\"Adresse e-mail confirmée avec succès\",\"IKwyaF\":\"Changement d'e-mail confirmé avec succès\",\"zLmvhE\":\"Participant créé avec succès\",\"gP22tw\":\"Produit créé avec succès\",\"9mZEgt\":\"Code promotionnel créé avec succès\",\"aIA9C4\":\"Question créée avec succès\",\"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\",\"4H80qv\":\"Commande mise à jour avec succès\",\"6xCBVN\":\"Paramètres de paiement et de facturation mis à jour avec succès\",\"1Ycaad\":\"Produit 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\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"E-mail d'assistance\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Impôt\",\"geUFpZ\":\"Taxes et frais\",\"dFHcIn\":\"Détails fiscaux\",\"wQzCPX\":\"Informations fiscales à apparaître en bas de toutes les factures (par exemple, numéro de TVA, enregistrement fiscal)\",\"0RXCDo\":\"Taxe ou frais supprimés avec succès\",\"ZowkxF\":\"Impôts\",\"qu6/03\":\"Taxes et frais\",\"gypigA\":\"Ce code promotionnel n'est pas valide\",\"5ShqeM\":\"La liste de pointage que vous recherchez n'existe pas.\",\"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.\",\"HsFnrk\":[\"Le nombre maximum de produits pour \",[\"0\"],\" est \",[\"1\"]],\"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.\",\"vQkyB3\":\"Les taxes et frais à appliquer à ce produit. Vous pouvez créer de nouvelles taxes et frais sur le\",\"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é\",\"wDx3FF\":\"Il n'y a pas de produits disponibles pour cet événement\",\"pNgdBv\":\"Il n'y a pas de produits disponibles dans cette catégorie\",\"rMcHYt\":\"Un remboursement est en attente. Veuillez attendre qu'il soit terminé avant de demander un autre remboursement.\",\"F89D36\":\"Une erreur est survenue lors du marquage de la commande comme payée\",\"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\",\"AhBPHd\":\"Ces détails ne seront affichés que si la commande est terminée avec succès. Les commandes en attente de paiement n'afficheront pas ce message.\",\"Pc/Wtj\":\"Ce participant a une commande impayée.\",\"mf3FrP\":\"Cette catégorie n'a pas encore de produits.\",\"8QH2Il\":\"Cette catégorie est masquée de la vue publique\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Cet email n'est pas promotionnel et est directement lié à l'événement.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Ces informations seront affichées sur la page de paiement, la page de résumé de commande et l'e-mail de confirmation de commande.\",\"XAHqAg\":\"C'est un produit général, comme un t-shirt ou une tasse. Aucun billet ne sera délivré\",\"CNk/ro\":\"Ceci est un événement en ligne\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Ce message sera inclus dans le pied de page de tous les e-mails envoyés à partir de cet événement\",\"55i7Fa\":\"Ce message ne sera affiché que si la commande est terminée avec succès. Les commandes en attente de paiement n'afficheront pas ce message.\",\"RjwlZt\":\"Cette commande a déjà été payée.\",\"5K8REg\":\"Cette commande a déjà été remboursée.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Cette commande a été annulée.\",\"Q0zd4P\":\"Cette commande a expiré. Veuillez recommencer.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Cette commande est terminée.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Cette page de commande n'est plus disponible.\",\"i0TtkR\":\"Cela remplace tous les paramètres de visibilité et masquera le produit de tous les clients.\",\"cRRc+F\":\"Ce produit ne peut pas être supprimé car il est associé à une commande. Vous pouvez le masquer à la place.\",\"3Kzsk7\":\"Ce produit est un billet. Les acheteurs recevront un billet lors de l'achat\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"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é.\",\"IV9xTT\":\"Cet utilisateur n'est pas actif car il n'a pas accepté son invitation.\",\"5AnPaO\":\"billet\",\"kjAL4v\":\"Billet\",\"dtGC3q\":\"L'e-mail du ticket a été renvoyé au participant\",\"54q0zp\":\"Billets pour\",\"xN9AhL\":[\"Niveau\xA0\",[\"0\"]],\"jZj9y9\":\"Produit par paliers\",\"8wITQA\":\"Les produits à niveaux vous permettent de proposer plusieurs options de prix pour le même produit. C'est parfait pour les produits en prévente ou pour proposer différentes options de prix à différents groupes de personnes.\\\" # fr\",\"nn3mSR\":\"Temps restant :\",\"s/0RpH\":\"Temps utilisés\",\"y55eMd\":\"Nombre d'utilisations\",\"40Gx0U\":\"Fuseau horaire\",\"oDGm7V\":\"CONSEIL\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Outils\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total avant réductions\",\"NRWNfv\":\"Montant total de la réduction\",\"BxsfMK\":\"Total des frais\",\"2bR+8v\":\"Total des ventes brutes\",\"mpB/d9\":\"Montant total de la commande\",\"m3FM1g\":\"Total remboursé\",\"jEbkcB\":\"Total remboursé\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Taxe total\",\"+zy2Nq\":\"Taper\",\"FMdMfZ\":\"Impossible d'enregistrer le participant\",\"bPWBLL\":\"Impossible de sortir le participant\",\"9+P7zk\":\"Impossible de créer le produit. Veuillez vérifier vos détails\",\"WLxtFC\":\"Impossible de créer le produit. Veuillez vérifier vos détails\",\"/cSMqv\":\"Impossible de créer une question. Veuillez vérifier vos coordonnées\",\"MH/lj8\":\"Impossible de mettre à jour la question. Veuillez vérifier vos coordonnées\",\"nnfSdK\":\"Clients uniques\",\"Mqy/Zy\":\"États-Unis\",\"NIuIk1\":\"Illimité\",\"/p9Fhq\":\"Disponible illimité\",\"E0q9qH\":\"Utilisations illimitées autorisées\",\"h10Wm5\":\"Commande impayée\",\"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\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copié dans le presse-papiers\",\"e5lF64\":\"Exemple d'utilisation\",\"fiV0xj\":\"Limite 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\",\"jpctdh\":\"Voir\",\"Pte1Hv\":\"Voir les détails de l'invité\",\"/5PEQz\":\"Voir la page de l'événement\",\"fFornT\":\"Afficher le message complet\",\"YIsEhQ\":\"Voir la carte\",\"Ep3VfY\":\"Afficher sur Google Maps\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"Nous n'avons pas pu supprimer la catégorie. Veuillez réessayer.\",\"/DNy62\":[\"Nous n'avons trouvé aucun billet correspondant à \",[\"0\"]],\"1E0vyy\":\"Nous n'avons pas pu charger les données. Veuillez réessayer.\",\"NmpGKr\":\"Nous n'avons pas pu réorganiser les catégories. Veuillez réessayer.\",\"BJtMTd\":\"Nous recommandons des dimensions de 2\xA0160\xA0px sur 1\xA0080\xA0px et une taille de fichier maximale de 5\xA0Mo.\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Quels sont les produits par paliers ?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Qu'est-ce qu'une catégorie ?\",\"gxeWAU\":\"À quels produits ce code s'applique-t-il ?\",\"hFHnxR\":\"À quels produits ce code s'applique-t-il ? (S'applique à tous par défaut)\",\"AeejQi\":\"À quels produits cette capacité doit-elle s'appliquer ?\",\"Rb0XUE\":\"A quelle heure arriverez-vous ?\",\"5N4wLD\":\"De quel type de question s'agit-il ?\",\"gyLUYU\":\"Lorsque activé, des factures seront générées pour les commandes de billets. Les factures seront envoyées avec l'e-mail de confirmation de commande. Les participants peuvent également télécharger leurs factures depuis la page de confirmation de commande.\",\"D3opg4\":\"Lorsque les paiements hors ligne sont activés, les utilisateurs pourront finaliser leurs commandes et recevoir leurs billets. Leurs billets indiqueront clairement que la commande n'est pas payée, et l'outil d'enregistrement informera le personnel si une commande nécessite un paiement.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Quels billets doivent être associés à cette liste de pointage\xA0?\",\"S+OdxP\":\"Qui organise cet événement ?\",\"LINr2M\":\"A qui s'adresse ce message ?\",\"nWhye/\":\"À qui faut-il poser cette question ?\",\"VxFvXQ\":\"Intégrer le widget\",\"v1P7Gm\":\"Paramètres des widgets\",\"b4itZn\":\"Fonctionnement\",\"hqmXmc\":\"Fonctionnement...\",\"+G/XiQ\":\"Année à ce jour\",\"l75CjT\":\"Yes\",\"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\",\"sdB7+6\":\"Vous pouvez créer un code promo qui cible ce produit sur le\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Vous ne pouvez pas changer le type de produit car des invités y sont associés.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Vous ne pouvez pas enregistrer des participants avec des commandes impayées. Ce paramètre peut être modifié dans les paramètres de l'événement.\",\"c9Evkd\":\"Vous ne pouvez pas supprimer la dernière catégorie.\",\"6uwAvx\":\"Vous ne pouvez pas supprimer ce niveau de prix car des produits ont déjà été vendus pour ce niveau. Vous pouvez le masquer à la place.\",\"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\":\"You do not have permission to access this 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\":\"You have connected your Stripe account\",\"ofEncr\":\"Vous n'avez aucune question de participant.\",\"CoZHDB\":\"Vous n'avez aucune question de commande.\",\"15qAvl\":\"Vous n’avez aucun changement d’e-mail en attente.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Vous avez manqué de temps pour compléter votre commande.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Vous n'avez encore envoyé aucun message. Vous pouvez envoyer des messages à tous les invités ou à des détenteurs de produits spécifiques.\",\"R6i9o9\":\"Vous devez reconnaître que cet e-mail n'est pas promotionnel\",\"3ZI8IL\":\"Vous devez accepter les termes et conditions\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Vous devez créer un ticket avant de pouvoir ajouter manuellement un participant.\",\"jE4Z8R\":\"Vous devez avoir au moins un niveau de prix\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Vous devrez marquer une commande comme payée manuellement. Cela peut être fait sur la page de gestion des commandes.\",\"L/+xOk\":\"Vous aurez besoin d'un billet avant de pouvoir créer une liste de pointage.\",\"Djl45M\":\"Vous aurez besoin d'un produit avant de pouvoir créer une affectation de capacité.\",\"y3qNri\":\"Vous aurez besoin d'au moins un produit pour commencer. Gratuit, payant ou laissez l'utilisateur décider du montant à payer.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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é\",\"KSQ8An\":\"Votre commande\",\"Jwiilf\":\"Votre commande a été annulée\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Votre remboursement est en cours de traitement.\",\"IFHV2p\":\"Votre billet pour\",\"x1PPdr\":\"Code postal\",\"BM/KQm\":\"Code Postal\",\"+LtVBt\":\"Code postal\",\"25QDJ1\":\"- Cliquez pour publier\",\"WOyJmc\":\"- Cliquez pour dépublier\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" est déjà enregistré\"],\"S4PqS9\":[[\"0\"],\" webhooks actifs\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organisateurs\"],\"/HkCs4\":[[\"0\"],\" billets\"],\"OJnhhX\":[[\"eventCount\"],\" événements\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Les listes d'enregistrement vous aident à gérer l'entrée à l'événement par jour, zone ou type de billet. Vous pouvez lier des billets à des listes spécifiques telles que des zones VIP ou des pass Jour 1 et partager un lien d'enregistrement sécurisé avec le personnel. Aucun compte n'est requis. L'enregistrement fonctionne sur mobile, ordinateur ou tablette, en utilisant la caméra de l'appareil ou un scanner USB HID. \",\"ZnVt5v\":\"<0>Les webhooks notifient instantanément les services externes lorsqu'un événement se produit, comme l'ajout d'un nouvel inscrit à votre CRM ou à votre liste de diffusion lors de l'inscription, garantissant une automatisation fluide.<1>Utilisez des services tiers comme <2>Zapier, <3>IFTTT ou <4>Make pour créer des workflows personnalisés et automatiser des tâches.\",\"fAv9QG\":\"🎟️ Ajouter des billets\",\"M2DyLc\":\"1 webhook actif\",\"yTsaLw\":\"1 billet\",\"HR/cvw\":\"123 Rue Exemple\",\"kMU5aM\":\"Un avis d'annulation a été envoyé à\",\"V53XzQ\":\"Un nouveau code de vérification a été envoyé à votre adresse e-mail\",\"/z/bH1\":\"Une brève description de votre organisateur qui sera affichée à vos utilisateurs.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"À propos\",\"WTk/ke\":\"À propos de Stripe Connect\",\"1uJlG9\":\"Couleur d'Accent\",\"VTfZPy\":\"Accès refusé\",\"iN5Cz3\":\"Compte déjà connecté !\",\"bPwFdf\":\"Comptes\",\"nMtNd+\":\"Action requise : Reconnectez votre compte Stripe\",\"a5KFZU\":\"Ajoutez les détails de l’événement et gérez les paramètres.\",\"Fb+SDI\":\"Ajouter plus de billets\",\"6PNlRV\":\"Ajouter cet événement à votre calendrier\",\"BGD9Yt\":\"Ajouter des billets\",\"QN2F+7\":\"Ajouter un webhook\",\"NsWqSP\":\"Ajoutez vos réseaux sociaux et l'URL de votre site. Ils seront affichés sur votre page publique d'organisateur.\",\"0Zypnp\":\"Tableau de Bord Admin\",\"YAV57v\":\"Affilié\",\"I+utEq\":\"Le code d'affiliation ne peut pas être modifié\",\"/jHBj5\":\"Affilié créé avec succès\",\"uCFbG2\":\"Affilié supprimé avec succès\",\"a41PKA\":\"Les ventes de l'affilié seront suivies\",\"mJJh2s\":\"Les ventes de l'affilié ne seront pas suivies. Cela désactivera l'affilié.\",\"jabmnm\":\"Affilié mis à jour avec succès\",\"CPXP5Z\":\"Affiliés\",\"9Wh+ug\":\"Affiliés exportés\",\"3cqmut\":\"Les affiliés vous aident à suivre les ventes générées par les partenaires et les influenceurs. Créez des codes d'affiliation et partagez-les pour surveiller les performances.\",\"7rLTkE\":\"Tous les événements archivés\",\"gKq1fa\":\"Tous les participants\",\"pMLul+\":\"Toutes les devises\",\"qlaZuT\":\"Terminé ! Vous utilisez maintenant notre système de paiement amélioré.\",\"ZS/D7f\":\"Tous les événements terminés\",\"dr7CWq\":\"Tous les événements à venir\",\"QUg5y1\":\"Presque fini ! Terminez la connexion de votre compte Stripe pour commencer à accepter les paiements.\",\"c4uJfc\":\"Presque terminé ! Nous attendons juste que votre paiement soit traité. Cela ne devrait prendre que quelques secondes.\",\"/H326L\":\"Déjà remboursé\",\"RtxQTF\":\"Annuler également cette commande\",\"jkNgQR\":\"Rembourser également cette commande\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"Une adresse e-mail à associer à cet affilié. L'affilié ne sera pas notifié.\",\"vRznIT\":\"Une erreur s'est produite lors de la vérification du statut d'exportation.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Réponse mise à jour avec succès.\",\"LchiNd\":\"Êtes-vous sûr de vouloir supprimer cet affilié ? Cette action ne peut pas être annulée.\",\"JmVITJ\":\"Êtes-vous sûr de vouloir supprimer ce modèle ? Cette action ne peut pas être annulée et les e-mails reviendront au modèle par défaut.\",\"aLS+A6\":\"Êtes-vous sûr de vouloir supprimer ce modèle ? Cette action ne peut pas être annulée et les e-mails reviendront au modèle de l'organisateur ou par défaut.\",\"5H3Z78\":\"Êtes-vous sûr de vouloir supprimer ce webhook ?\",\"147G4h\":\"Êtes-vous sûr de vouloir partir ?\",\"VDWChT\":\"Êtes-vous sûr de vouloir mettre cet organisateur en brouillon ? Cela rendra la page de l'organisateur invisible au public.\",\"pWtQJM\":\"Êtes-vous sûr de vouloir rendre cet organisateur public ? Cela rendra la page de l'organisateur visible au public.\",\"WFHOlF\":\"Êtes-vous sûr de vouloir publier cet événement ? Une fois publié, il sera visible au public.\",\"4TNVdy\":\"Êtes-vous sûr de vouloir publier ce profil d'organisateur ? Une fois publié, il sera visible au public.\",\"ExDt3P\":\"Êtes-vous sûr de vouloir dépublier cet événement ? Il ne sera plus visible au public.\",\"5Qmxo/\":\"Êtes-vous sûr de vouloir dépublier ce profil d'organisateur ? Il ne sera plus visible au public.\",\"+QARA4\":\"Art\",\"F2rX0R\":\"Au moins un type d'événement doit être sélectionné\",\"6PecK3\":\"Présence et taux d'enregistrement pour tous les événements\",\"AJ4rvK\":\"Participant annulé\",\"qvylEK\":\"Participant créé\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Email du participant\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Gestion des participants\",\"av+gjP\":\"Nom du participant\",\"cosfD8\":\"Statut du Participant\",\"D2qlBU\":\"Participant mis à jour\",\"x8Vnvf\":\"Le billet du participant n'est pas inclus dans cette liste\",\"k3Tngl\":\"Participants exportés\",\"5UbY+B\":\"Participants avec un ticket spécifique\",\"4HVzhV\":\"Participants:\",\"VPoeAx\":\"Gestion automatisée des entrées avec plusieurs listes d'enregistrement et validation en temps réel\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Disponible pour remboursement\",\"NB5+UG\":\"Jetons disponibles\",\"EmYMHc\":\"Paiement hors ligne en attente\",\"kNmmvE\":\"Awesome Events SARL\",\"kYqM1A\":\"Retour à l'événement\",\"td/bh+\":\"Retour aux rapports\",\"jIPNJG\":\"Informations de base\",\"iMdwTb\":\"Avant que votre événement puisse être mis en ligne, vous devez effectuer quelques étapes. Complétez toutes les étapes ci-dessous pour commencer.\",\"UabgBd\":\"Le corps est requis\",\"9N+p+g\":\"Affaires\",\"bv6RXK\":\"Libellé du bouton\",\"ChDLlO\":\"Texte du bouton\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Bouton d'appel à l'action\",\"PUpvQe\":\"Scanner caméra\",\"H4nE+E\":\"Annuler tous les produits et les remettre dans le pool\",\"tOXAdc\":\"L'annulation annulera tous les participants associés à cette commande et remettra les billets dans le pool disponible.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Attributions de capacité\",\"K7tIrx\":\"Catégorie\",\"2tbLdK\":\"Charité\",\"v4fiSg\":\"Vérifiez votre e-mail\",\"51AsAN\":\"Vérifiez votre boîte de réception ! Si des billets sont associés à cet e-mail, vous recevrez un lien pour les consulter.\",\"udRwQs\":\"Enregistrement créé\",\"F4SRy3\":\"Enregistrement supprimé\",\"9gPPUY\":\"Liste d'Enregistrement Créée !\",\"f2vU9t\":\"Listes d'enregistrement\",\"tMNBEF\":\"Les listes d'enregistrement vous permettent de contrôler l'entrée par jours, zones ou types de billets. Vous pouvez partager un lien sécurisé avec le personnel — aucun compte requis.\",\"SHJwyq\":\"Taux d'enregistrement\",\"qCqdg6\":\"Statut d'enregistrement\",\"cKj6OE\":\"Résumé des enregistrements\",\"7B5M35\":\"Enregistrements\",\"DM4gBB\":\"Chinois (traditionnel)\",\"pkk46Q\":\"Choisissez un organisateur\",\"Crr3pG\":\"Choisir le calendrier\",\"CySr+W\":\"Cliquez pour voir les notes\",\"RG3szS\":\"fermer\",\"RWw9Lg\":\"Fermer la fenêtre\",\"XwdMMg\":\"Le code ne peut contenir que des lettres, des chiffres, des tirets et des traits de soulignement\",\"+yMJb7\":\"Le code est obligatoire\",\"m9SD3V\":\"Le code doit contenir au moins 3 caractères\",\"V1krgP\":\"Le code ne doit pas dépasser 20 caractères\",\"psqIm5\":\"Collaborez avec votre équipe pour créer ensemble des événements incroyables.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comédie\",\"7D9MJz\":\"Finaliser la configuration de Stripe\",\"OqEV/G\":\"Complétez la configuration ci-dessous pour continuer\",\"nqx+6h\":\"Complétez ces étapes pour commencer à vendre des billets pour votre événement.\",\"5YrKW7\":\"Finalisez votre paiement pour sécuriser vos billets.\",\"ih35UP\":\"Centre de conférence\",\"NGXKG/\":\"Confirmer l'adresse e-mail\",\"Auz0Mz\":\"Confirmez votre e-mail pour accéder à toutes les fonctionnalités.\",\"7+grte\":\"E-mail de confirmation envoyé ! Veuillez vérifier votre boîte de réception.\",\"n/7+7Q\":\"Confirmation envoyée à\",\"o5A0Go\":\"Félicitations pour la création de votre événement !\",\"WNnP3w\":\"Connecter et mettre à niveau\",\"Xe2tSS\":\"Documentation de connexion\",\"1Xxb9f\":\"Connecter le traitement des paiements\",\"LmvZ+E\":\"Connectez Stripe pour activer la messagerie\",\"EWnXR+\":\"Se connecter à Stripe\",\"MOUF31\":\"Connectez-vous au CRM et automatisez les tâches à l'aide de webhooks et d'intégrations\",\"VioGG1\":\"Connectez votre compte Stripe pour accepter les paiements des billets et produits.\",\"4qmnU8\":\"Connectez votre compte Stripe pour accepter les paiements.\",\"E1eze1\":\"Connectez votre compte Stripe pour commencer à accepter les paiements pour vos événements.\",\"ulV1ju\":\"Connectez votre compte Stripe pour commencer à accepter les paiements.\",\"/3017M\":\"Connecté à Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contacter \",[\"0\"]],\"41BQ3k\":\"E-mail de contact\",\"KcXRN+\":\"Email de contact pour le support\",\"m8WD6t\":\"Continuer la configuration\",\"0GwUT4\":\"Passer à la caisse\",\"sBV87H\":\"Continuer vers la création d'événement\",\"nKtyYu\":\"Continuer à l'étape suivante\",\"F3/nus\":\"Continuer vers le paiement\",\"1JnTgU\":\"Copié d'en haut\",\"FxVG/l\":\"Copié dans le presse-papiers\",\"PiH3UR\":\"Copié !\",\"uUPbPg\":\"Copier le lien d'affiliation\",\"iVm46+\":\"Copier le code\",\"+2ZJ7N\":\"Copier les détails vers le premier participant\",\"ZN1WLO\":\"Copier l'Email\",\"tUGbi8\":\"Copier mes informations vers:\",\"y22tv0\":\"Copiez ce lien pour le partager n'importe où\",\"/4gGIX\":\"Copier dans le presse-papiers\",\"P0rbCt\":\"Image de couverture\",\"60u+dQ\":\"L'image de couverture sera affichée en haut de votre page d'événement\",\"2NLjA6\":\"L'image de couverture sera affichée en haut de votre page d'organisateur\",\"zg4oSu\":[\"Créer le modèle \",[\"0\"]],\"xfKgwv\":\"Créer un affilié\",\"dyrgS4\":\"Créez et personnalisez votre page d'événement instantanément\",\"BTne9e\":\"Créer des modèles d'email personnalisés pour cet événement qui remplacent les paramètres par défaut de l'organisateur\",\"YIDzi/\":\"Créer un modèle personnalisé\",\"8AiKIu\":\"Créer un billet ou un produit\",\"agZ87r\":\"Créez des billets pour votre événement, fixez les prix et gérez la quantité disponible.\",\"dkAPxi\":\"Créer un webhook\",\"5slqwZ\":\"Créez votre événement\",\"JQNMrj\":\"Créez votre premier événement\",\"CCjxOC\":\"Créez votre premier événement pour commencer à vendre des billets et gérer les participants.\",\"ZCSSd+\":\"Créez votre propre événement\",\"67NsZP\":\"Création de l'événement...\",\"H34qcM\":\"Création de l'organisateur...\",\"1YMS+X\":\"Création de votre événement en cours, veuillez patienter\",\"yiy8Jt\":\"Création de votre profil d'organisateur en cours, veuillez patienter\",\"lfLHNz\":\"Le libellé CTA est requis\",\"BMtue0\":\"Processeur de paiement actuel\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Message personnalisé après la commande\",\"axv/Mi\":\"Modèle personnalisé\",\"QMHSMS\":\"Le client recevra un e-mail confirmant le remboursement\",\"L/Qc+w\":\"Adresse email du client\",\"wpfWhJ\":\"Prénom du client\",\"GIoqtA\":\"Nom de famille du client\",\"NihQNk\":\"Clients\",\"7gsjkI\":\"Personnalisez les e-mails envoyés à vos clients en utilisant des modèles Liquid. Ces modèles seront utilisés comme valeurs par défaut pour tous les événements de votre organisation.\",\"iX6SLo\":\"Personnalisez le texte affiché sur le bouton continuer\",\"pxNIxa\":\"Personnalisez votre modèle d'e-mail en utilisant des modèles Liquid\",\"q9Jg0H\":\"Personnalisez votre page événement et la conception du widget pour correspondre parfaitement à votre marque\",\"mkLlne\":\"Personnalisez l'apparence de votre page d'événement\",\"3trPKm\":\"Personnalisez l'apparence de votre page d'organisateur\",\"4df0iX\":\"Personnalisez l'apparence de votre billet\",\"/gWrVZ\":\"Revenus quotidiens, taxes, frais et remboursements pour tous les événements\",\"zgCHnE\":\"Rapport des ventes quotidiennes\",\"nHm0AI\":\"Détail des ventes quotidiennes, taxes et frais\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Date de l'événement\",\"gnBreG\":\"Date à laquelle la commande a été passée\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Le modèle par défaut sera utilisé\",\"vu7gDm\":\"Supprimer l'affilié\",\"+jw/c1\":\"Supprimer l'image\",\"dPyJ15\":\"Supprimer le modèle\",\"snMaH4\":\"Supprimer le webhook\",\"vYgeDk\":\"Tout désélectionner\",\"NvuEhl\":\"Éléments de Design\",\"H8kMHT\":\"Vous n'avez pas reçu le code ?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Ignorer ce message\",\"BREO0S\":\"Affiche une case permettant aux clients de s'inscrire pour recevoir des communications marketing de cet organisateur d'événements.\",\"TvY/XA\":\"Documentation\",\"Kdpf90\":\"N'oubliez pas !\",\"V6Jjbr\":\"Vous n'avez pas de compte ? <0>Inscrivez-vous\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Terminé\",\"eneWvv\":\"Brouillon\",\"TnzbL+\":\"En raison du risque élevé de spam, vous devez connecter un compte Stripe avant de pouvoir envoyer des messages aux participants.\\nCeci est pour garantir que tous les organisateurs d'événements sont vérifiés et responsables.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Dupliquer le produit\",\"KIjvtr\":\"Néerlandais\",\"SPKbfM\":\"ex. : Obtenir des billets, S'inscrire maintenant\",\"LTzmgK\":[\"Modifier le modèle \",[\"0\"]],\"v4+lcZ\":\"Modifier l'affilié\",\"2iZEz7\":\"Modifier la réponse\",\"fW5sSv\":\"Modifier le webhook\",\"nP7CdQ\":\"Modifier le webhook\",\"uBAxNB\":\"Éditeur\",\"aqxYLv\":\"Éducation\",\"zPiC+q\":\"Listes d'Enregistrement Éligibles\",\"V2sk3H\":\"E-mail et Modèles\",\"hbwCKE\":\"Adresse e-mail copiée dans le presse-papiers\",\"dSyJj6\":\"Les adresses e-mail ne correspondent pas\",\"elW7Tn\":\"Corps de l'e-mail\",\"ZsZeV2\":\"L'e-mail est obligatoire\",\"Be4gD+\":\"Aperçu de l'e-mail\",\"6IwNUc\":\"Modèles d'e-mail\",\"H/UMUG\":\"Vérification de l'e-mail requise\",\"L86zy2\":\"E-mail vérifié avec succès !\",\"Upeg/u\":\"Activer ce modèle pour l'envoi d'e-mails\",\"RxzN1M\":\"Activé\",\"sGjBEq\":\"Date et heure de fin (optionnel)\",\"PKXt9R\":\"La date de fin doit être postérieure à la date de début\",\"48Y16Q\":\"Heure de fin (facultatif)\",\"7YZofi\":\"Entrez un sujet et un corps pour voir l'aperçu\",\"3bR1r4\":\"Saisir l'e-mail de l'affilié (facultatif)\",\"ARkzso\":\"Saisir le nom de l'affilié\",\"INDKM9\":\"Entrez le sujet de l'e-mail...\",\"kWg31j\":\"Saisir un code d'affiliation unique\",\"C3nD/1\":\"Entrez votre e-mail\",\"n9V+ps\":\"Entrez votre nom\",\"LslKhj\":\"Erreur lors du chargement des journaux\",\"WgD6rb\":\"Catégorie d'événement\",\"b46pt5\":\"Image de couverture de l'événement\",\"1Hzev4\":\"Modèle personnalisé d'événement\",\"imgKgl\":\"Description de l'événement\",\"kJDmsI\":\"Détails de l'événement\",\"m/N7Zq\":\"Adresse Complète de l'Événement\",\"Nl1ZtM\":\"Lieu de l'événement\",\"PYs3rP\":\"Nom de l'événement\",\"HhwcTQ\":\"Nom de l'événement\",\"WZZzB6\":\"Le nom de l'événement est obligatoire\",\"Wd5CDM\":\"Le nom de l'événement doit contenir moins de 150 caractères\",\"4JzCvP\":\"Événement non disponible\",\"Gh9Oqb\":\"Nom de l'organisateur de l'événement\",\"mImacG\":\"Page de l'événement\",\"cOePZk\":\"Heure de l'événement\",\"e8WNln\":\"Fuseau horaire de l'événement\",\"GeqWgj\":\"Fuseau Horaire de l'Événement\",\"XVLu2v\":\"Titre de l'événement\",\"YDVUVl\":\"Types d'événements\",\"4K2OjV\":\"Lieu de l'Événement\",\"19j6uh\":\"Performance des événements\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Chaque modèle d'e-mail doit inclure un bouton d'appel à l'action qui renvoie vers la page appropriée\",\"VlvpJ0\":\"Exporter les réponses\",\"JKfSAv\":\"Échec de l'exportation. Veuillez réessayer.\",\"SVOEsu\":\"Exportation commencée. Préparation du fichier...\",\"9bpUSo\":\"Exportation des affiliés\",\"jtrqH9\":\"Exportation des participants\",\"R4Oqr8\":\"Exportation terminée. Téléchargement du fichier...\",\"UlAK8E\":\"Exportation des commandes\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Échec de l'abandon de la commande. Veuillez réessayer.\",\"cEFg3R\":\"Échec de la création de l'affilié\",\"U66oUa\":\"Échec de la création du modèle\",\"xFj7Yj\":\"Échec de la suppression du modèle\",\"jo3Gm6\":\"Échec de l'exportation des affiliés\",\"Jjw03p\":\"Échec de l'exportation des participants\",\"ZPwFnN\":\"Échec de l'exportation des commandes\",\"X4o0MX\":\"Échec du chargement du webhook\",\"YQ3QSS\":\"Échec du renvoi du code de vérification\",\"zTkTF3\":\"Échec de la sauvegarde du modèle\",\"T6B2gk\":\"Échec de l'envoi du message. Veuillez réessayer.\",\"lKh069\":\"Échec du démarrage de l'exportation\",\"t/KVOk\":\"Échec du démarrage de l'usurpation d'identité. Veuillez réessayer.\",\"QXgjH0\":\"Échec de l'arrêt de l'usurpation d'identité. Veuillez réessayer.\",\"i0QKrm\":\"Échec de la mise à jour de l'affilié\",\"NNc33d\":\"Échec de la mise à jour de la réponse.\",\"7/9RFs\":\"Échec du téléversement de l’image.\",\"nkNfWu\":\"Échec du téléchargement de l'image. Veuillez réessayer.\",\"rxy0tG\":\"Échec de la vérification de l'e-mail\",\"T4BMxU\":\"Les frais sont susceptibles de changer. Vous serez informé de toute modification de votre structure tarifaire.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Remplissez d'abord vos informations ci-dessus\",\"8OvVZZ\":\"Filtrer les Participants\",\"8BwQeU\":\"Terminer la configuration\",\"hg80P7\":\"Terminer la configuration Stripe\",\"1vBhpG\":\"Premier participant\",\"YXhom6\":\"Frais fixes :\",\"KgxI80\":\"Billetterie flexible\",\"lWxAUo\":\"Nourriture et boissons\",\"nFm+5u\":\"Texte de Pied de Page\",\"MY2SVM\":\"Remboursement complet\",\"vAVBBv\":\"Entièrement intégré\",\"T02gNN\":\"Admission Générale\",\"3ep0Gx\":\"Informations générales sur votre organisateur\",\"ziAjHi\":\"Générer\",\"exy8uo\":\"Générer un code\",\"4CETZY\":\"Itinéraire\",\"kfVY6V\":\"Commencez gratuitement, sans frais d'abonnement\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Préparez votre événement\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Aller à la page de l'événement\",\"gHSuV/\":\"Aller à la page d'accueil\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Revenu brut\",\"kTSQej\":[\"Bonjour \",[\"0\"],\", gérez votre plateforme depuis ici.\"],\"dORAcs\":\"Voici tous les billets associés à votre adresse e-mail.\",\"g+2103\":\"Voici votre lien d'affiliation\",\"QlwJ9d\":\"Voici à quoi vous attendre :\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Masquer les réponses\",\"gtEbeW\":\"Mettre en avant\",\"NF8sdv\":\"Message de mise en avant\",\"MXSqmS\":\"Mettre ce produit en avant\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Les produits mis en avant auront une couleur de fond différente pour se démarquer sur la page de l'événement.\",\"i0qMbr\":\"Accueil\",\"AVpmAa\":\"Comment payer hors ligne\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hongrois\",\"4/kP5a\":\"Si un nouvel onglet ne s'est pas ouvert automatiquement, veuillez cliquer sur le bouton ci-dessous pour poursuivre le paiement.\",\"wOU3Tr\":\"Si vous avez un compte chez nous, vous recevrez un e-mail contenant les instructions pour réinitialiser votre mot de passe.\",\"an5hVd\":\"Images\",\"tSVr6t\":\"Usurper l'identité\",\"TWXU0c\":\"Usurper l'utilisateur\",\"5LAZwq\":\"Usurpation d'identité démarrée\",\"IMwcdR\":\"Usurpation d'identité arrêtée\",\"M8M6fs\":\"Important : Reconnexion Stripe requise\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Analyses approfondies\",\"F1Xp97\":\"Participants individuels\",\"85e6zs\":\"Insérer un jeton Liquid\",\"38KFY0\":\"Insérer une variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"E-mail invalide\",\"5tT0+u\":\"Format d'e-mail invalide\",\"tnL+GP\":\"Syntaxe Liquid invalide. Veuillez la corriger et réessayer.\",\"g+lLS9\":\"Inviter un membre de l'équipe\",\"1z26sk\":\"Inviter un membre de l'équipe\",\"KR0679\":\"Inviter des membres de l'équipe\",\"aH6ZIb\":\"Invitez votre équipe\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italien\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Rejoignez de n'importe où\",\"hTJ4fB\":\"Cliquez simplement sur le bouton ci-dessous pour reconnecter votre compte Stripe.\",\"MxjCqk\":\"Vous cherchez vos billets ?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Dernière réponse\",\"gw3Ur5\":\"Dernier déclenchement\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Lien expiré ou invalide\",\"psosdY\":\"Lien vers les détails de la commande\",\"6JzK4N\":\"Lien vers le billet\",\"shkJ3U\":\"Liez votre compte Stripe pour recevoir les fonds provenant des ventes de billets.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"En ligne\",\"fpMs2Z\":\"EN DIRECT\",\"D9zTjx\":\"Événements en Direct\",\"WdmJIX\":\"Chargement de l'aperçu...\",\"IoDI2o\":\"Chargement des jetons...\",\"NFxlHW\":\"Chargement des webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Couverture\",\"gddQe0\":\"Logo et image de couverture pour votre organisateur\",\"TBEnp1\":\"Le logo sera affiché dans l'en-tête\",\"Jzu30R\":\"Le logo sera affiché sur le billet\",\"4wUIjX\":\"Rendre votre événement public\",\"0A7TvI\":\"Gérer l'événement\",\"2FzaR1\":\"Gérez votre traitement des paiements et consultez les frais de plateforme\",\"/x0FyM\":\"Adaptez à votre marque\",\"xDAtGP\":\"Message\",\"1jRD0v\":\"Envoyez des messages aux participants avec des billets spécifiques\",\"97QrnA\":\"Envoyez des messages aux participants, gérez les commandes et traitez les remboursements en un seul endroit\",\"48rf3i\":\"Le message ne peut pas dépasser 5000 caractères\",\"Vjat/X\":\"Le message est obligatoire\",\"0/yJtP\":\"Envoyer un message aux propriétaires de commandes avec des produits spécifiques\",\"tccUcA\":\"Enregistrement mobile\",\"GfaxEk\":\"Musique\",\"oVGCGh\":\"Mes Billets\",\"8/brI5\":\"Le nom est obligatoire\",\"sCV5Yc\":\"Nom de l'événement\",\"xxU3NX\":\"Revenu net\",\"eWRECP\":\"Vie nocturne\",\"VHfLAW\":\"Aucun compte\",\"+jIeoh\":\"Aucun compte trouvé\",\"074+X8\":\"Aucun webhook actif\",\"zxnup4\":\"Aucun affilié à afficher\",\"99ntUF\":\"Aucune liste d'enregistrement disponible pour cet événement.\",\"6r9SGl\":\"Aucune carte de crédit requise\",\"eb47T5\":\"Aucune donnée trouvée pour les filtres sélectionnés. Essayez d'ajuster la plage de dates ou la devise.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"Aucun événement trouvé\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Aucun événement pour le moment\",\"54GxeB\":\"Aucun impact sur vos transactions actuelles ou passées\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"Aucun journal trouvé\",\"NEmyqy\":\"Aucune commande pour le moment\",\"B7w4KY\":\"Aucun autre organisateur disponible\",\"6jYQGG\":\"Aucun événement passé\",\"zK/+ef\":\"Aucun produit disponible pour la sélection\",\"QoAi8D\":\"Aucune réponse\",\"EK/G11\":\"Aucune réponse pour le moment\",\"3sRuiW\":\"Aucun billet trouvé\",\"yM5c0q\":\"Aucun événement à venir\",\"qpC74J\":\"Aucun utilisateur trouvé\",\"n5vdm2\":\"Aucun événement webhook n'a encore été enregistré pour ce point de terminaison. Les événements apparaîtront ici une fois qu'ils seront déclenchés.\",\"4GhX3c\":\"Aucun webhook\",\"4+am6b\":\"Non, rester ici\",\"x5+Lcz\":\"Non Enregistré\",\"8n10sz\":\"Non Éligible\",\"lQgMLn\":\"Nom du bureau ou du lieu\",\"6Aih4U\":\"Hors ligne\",\"Z6gBGW\":\"Paiement hors ligne\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Une fois la mise à niveau terminée, votre ancien compte ne sera utilisé que pour les remboursements.\",\"oXOSPE\":\"En ligne\",\"WjSpu5\":\"Événement en ligne\",\"bU7oUm\":\"Envoyer uniquement aux commandes avec ces statuts\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Ouvrir le tableau de bord Stripe\",\"HXMJxH\":\"Texte optionnel pour les avertissements, informations de contact ou notes de remerciement (une seule ligne)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Commande annulée\",\"b6+Y+n\":\"Commande terminée\",\"x4MLWE\":\"Confirmation de commande\",\"ppuQR4\":\"Commande créée\",\"0UZTSq\":\"Devise de la Commande\",\"HdmwrI\":\"Email de commande\",\"bwBlJv\":\"Prénom de la commande\",\"vrSW9M\":\"La commande a été annulée et remboursée. Le propriétaire de la commande a été notifié.\",\"+spgqH\":[\"ID de commande : \",[\"0\"]],\"Pc729f\":\"Commande en Attente de Paiement Hors Ligne\",\"F4NXOl\":\"Nom de famille de la commande\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Langue de la Commande\",\"vu6Arl\":\"Commande marquée comme payée\",\"sLbJQz\":\"Commande introuvable\",\"i8VBuv\":\"Numéro de commande\",\"FaPYw+\":\"Propriétaire de la commande\",\"eB5vce\":\"Propriétaires de commandes avec un produit spécifique\",\"CxLoxM\":\"Propriétaires de commandes avec des produits\",\"DoH3fD\":\"Paiement de la Commande en Attente\",\"EZy55F\":\"Commande remboursée\",\"6eSHqs\":\"Statuts des commandes\",\"oW5877\":\"Total de la commande\",\"e7eZuA\":\"Commande mise à jour\",\"KndP6g\":\"URL de la commande\",\"3NT0Ck\":\"La commande a été annulée\",\"5It1cQ\":\"Commandes exportées\",\"B/EBQv\":\"Commandes:\",\"ucgZ0o\":\"Organisation\",\"S3CZ5M\":\"Tableau de bord de l'organisateur\",\"Uu0hZq\":\"E-mail de l'organisateur\",\"Gy7BA3\":\"Adresse e-mail de l'organisateur\",\"SQqJd8\":\"Organisateur introuvable\",\"wpj63n\":\"Paramètres de l'organisateur\",\"coIKFu\":\"Les statistiques de l'organisateur ne sont pas disponibles pour la devise sélectionnée ou une erreur s'est produite.\",\"o1my93\":\"Échec de la mise à jour du statut de l'organisateur. Veuillez réessayer plus tard\",\"rLHma1\":\"Statut de l'organisateur mis à jour\",\"LqBITi\":\"Le modèle de l'organisateur/par défaut sera utilisé\",\"/IX/7x\":\"Autre\",\"RsiDDQ\":\"Autres Listes (Billet Non Inclus)\",\"6/dCYd\":\"Aperçu\",\"8uqsE5\":\"Page plus disponible\",\"QkLf4H\":\"URL de la page\",\"sF+Xp9\":\"Vues de page\",\"5F7SYw\":\"Remboursement partiel\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Passé\",\"xTPjSy\":\"Événements passés\",\"/l/ckQ\":\"Coller l’URL\",\"URAE3q\":\"En pause\",\"4fL/V7\":\"Payer\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Paiement et abonnement\",\"ENEPLY\":\"Mode de paiement\",\"EyE8E6\":\"Traitement des paiements\",\"8Lx2X7\":\"Paiement reçu\",\"vcyz2L\":\"Paramètres de paiement\",\"fx8BTd\":\"Paiements non disponibles\",\"51U9mG\":\"Les paiements continueront de fonctionner sans interruption\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Performance\",\"zmwvG2\":\"Téléphone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planifier un événement ?\",\"br3Y/y\":\"Frais de plateforme\",\"jEw0Mr\":\"Veuillez entrer une URL valide\",\"n8+Ng/\":\"Veuillez saisir le code à 5 chiffres\",\"Dvq0wf\":\"Veuillez fournir une image.\",\"2cUopP\":\"Veuillez recommencer le processus de commande.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Veuillez sélectionner une image.\",\"fuwKpE\":\"Veuillez réessayer.\",\"klWBeI\":\"Veuillez patienter avant de demander un autre code\",\"hfHhaa\":\"Veuillez patienter pendant que nous préparons vos affiliés pour l'exportation...\",\"o+tJN/\":\"Veuillez patienter pendant que nous préparons l'exportation de vos participants...\",\"+5Mlle\":\"Veuillez patienter pendant que nous préparons l'exportation de vos commandes...\",\"TjX7xL\":\"Message Post-Commande\",\"cs5muu\":\"Aperçu de la page de l’événement\",\"+4yRWM\":\"Prix du billet\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Aperçu avant Impression\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Imprimer en PDF\",\"LcET2C\":\"Politique de confidentialité\",\"8z6Y5D\":\"Traiter le remboursement\",\"JcejNJ\":\"Traitement de la commande\",\"EWCLpZ\":\"Produit créé\",\"XkFYVB\":\"Produit supprimé\",\"YMwcbR\":\"Détail des ventes de produits, revenus et taxes\",\"ldVIlB\":\"Produit mis à jour\",\"mIqT3T\":\"Produits, marchandises et options de tarification flexibles\",\"JoKGiJ\":\"Code promo\",\"k3wH7i\":\"Utilisation des codes promo et détail des réductions\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publier\",\"evDBV8\":\"Publier l'événement\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"Scan de QR code avec retour instantané et partage sécurisé pour l'accès du personnel\",\"fqDzSu\":\"Taux\",\"spsZys\":\"Prêt à mettre à niveau ? Cela ne prend que quelques minutes.\",\"Fi3b48\":\"Commandes récentes\",\"Edm6av\":\"Reconnecter Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirection vers Stripe...\",\"ACKu03\":\"Actualiser l'aperçu\",\"fKn/k6\":\"Montant du remboursement\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Rembourser la commande \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Remboursements\",\"CQeZT8\":\"Rapport non trouvé\",\"JEPMXN\":\"Demander un nouveau lien\",\"mdeIOH\":\"Renvoyer le code\",\"bxoWpz\":\"Renvoyer l'e-mail de confirmation\",\"G42SNI\":\"Renvoyer l'e-mail\",\"TTpXL3\":[\"Renvoyer dans \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Réservé jusqu'au\",\"slOprG\":\"Réinitialisez votre mot de passe\",\"CbnrWb\":\"Retour à l'événement\",\"Oo/PLb\":\"Résumé des revenus\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Ventes\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Ventes, commandes et indicateurs de performance pour tous les événements\",\"3Q1AWe\":\"Ventes:\",\"8BRPoH\":\"Lieu Exemple\",\"KZrfYJ\":\"Enregistrer les liens sociaux\",\"9Y3hAT\":\"Sauvegarder le modèle\",\"C8ne4X\":\"Enregistrer le Design du Billet\",\"I+FvbD\":\"Scanner\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Rechercher des affiliés...\",\"VY+Bdn\":\"Rechercher par nom de compte ou e-mail...\",\"VX+B3I\":\"Rechercher par titre d'événement ou organisateur...\",\"GHdjuo\":\"Rechercher par nom, e-mail ou compte...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Sélectionner une catégorie\",\"BFRSTT\":\"Sélectionner un compte\",\"mCB6Je\":\"Tout sélectionner\",\"kYZSFD\":\"Sélectionnez un organisateur pour voir son tableau de bord et ses événements.\",\"tVW/yo\":\"Sélectionner la devise\",\"n9ZhRa\":\"Sélectionnez la date et l'heure de fin\",\"gTN6Ws\":\"Sélectionner l'heure de fin\",\"0U6E9W\":\"Sélectionner la catégorie d'événement\",\"j9cPeF\":\"Sélectionner les types d'événements\",\"1nhy8G\":\"Sélectionner le type de scanner\",\"KizCK7\":\"Sélectionnez la date et l'heure de début\",\"dJZTv2\":\"Sélectionner l'heure de début\",\"aT3jZX\":\"Sélectionner le fuseau horaire\",\"Ropvj0\":\"Sélectionnez les événements qui déclencheront ce webhook\",\"BG3f7v\":\"Vendez tout\",\"VtX8nW\":\"Vendez des marchandises avec les billets avec prise en charge intégrée des taxes et des codes promo\",\"Cye3uV\":\"Vendez plus que des billets\",\"j9b/iy\":\"Se vend vite 🔥\",\"1lNPhX\":\"Envoyer l'e-mail de notification de remboursement\",\"SPdzrs\":\"Envoyé aux clients lorsqu'ils passent une commande\",\"LxSN5F\":\"Envoyé à chaque participant avec les détails de son billet\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Configurer votre organisation\",\"HbUQWA\":\"Configuration en quelques minutes\",\"GG7qDw\":\"Partager le lien d'affiliation\",\"hL7sDJ\":\"Partager la page de l'organisateur\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Afficher toutes les plateformes (\",[\"0\"],\" autres avec des valeurs)\"],\"UVPI5D\":\"Afficher moins de plateformes\",\"Eu/N/d\":\"Afficher la case d'opt-in marketing\",\"SXzpzO\":\"Afficher la case d'opt-in marketing par défaut\",\"b33PL9\":\"Afficher plus de plateformes\",\"v6IwHE\":\"Enregistrement intelligent\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Liens sociaux\",\"j/TOB3\":\"Liens sociaux & site web\",\"2pxNFK\":\"vendu\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Une erreur s'est produite, veuillez réessayer ou contacter le support si le problème persiste\",\"H6Gslz\":\"Désolé pour la gêne occasionnée.\",\"7JFNej\":\"Sports\",\"JcQp9p\":\"Date et heure de début\",\"0m/ekX\":\"Date et heure de début\",\"izRfYP\":\"La date de début est obligatoire\",\"2R1+Rv\":\"Heure de début de l'événement\",\"2NbyY/\":\"Statistiques\",\"DRykfS\":\"Gère toujours les remboursements pour vos anciennes transactions.\",\"wuV0bK\":\"Arrêter l'usurpation\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"La configuration Stripe est déjà terminée.\",\"ii0qn/\":\"Le sujet est requis\",\"M7Uapz\":\"Le sujet apparaîtra ici\",\"6aXq+t\":\"Sujet :\",\"JwTmB6\":\"Produit dupliqué avec succès\",\"RuaKfn\":\"Adresse mise à jour avec succès\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Organisateur mis à jour avec succès\",\"0Dk/l8\":\"Paramètres SEO mis à jour avec succès\",\"MhOoLQ\":\"Liens sociaux mis à jour avec succès\",\"kj7zYe\":\"Webhook mis à jour avec succès\",\"dXoieq\":\"Résumé\",\"/RfJXt\":[\"Festival de musique d'été \",[\"0\"]],\"CWOPIK\":\"Festival de Musique d'Été 2025\",\"5gIl+x\":\"Prise en charge des ventes échelonnées, basées sur les dons et de produits avec des prix et des capacités personnalisables\",\"JZTQI0\":\"Changer d'organisateur\",\"XX32BM\":\"Prend juste quelques minutes\",\"yT6dQ8\":\"Taxes collectées groupées par type de taxe et événement\",\"Ye321X\":\"Nom de la taxe\",\"WyCBRt\":\"Résumé des taxes\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Technologie\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Dites aux gens à quoi s'attendre lors de votre événement\",\"NiIUyb\":\"Parlez-nous de votre événement\",\"DovcfC\":\"Parlez-nous de votre organisation. Ces informations seront affichées sur vos pages d'événement.\",\"7wtpH5\":\"Modèle actif\",\"QHhZeE\":\"Modèle créé avec succès\",\"xrWdPR\":\"Modèle supprimé avec succès\",\"G04Zjt\":\"Modèle sauvegardé avec succès\",\"xowcRf\":\"Conditions d'utilisation\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Merci pour votre présence !\",\"lhAWqI\":\"Merci pour votre soutien alors que nous continuons à développer et améliorer Hi.Events !\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"Le code expirera dans 10 minutes. Vérifiez votre dossier spam si vous ne voyez pas l'e-mail.\",\"MJm4Tq\":\"La devise de la commande\",\"I/NNtI\":\"Le lieu de l'événement\",\"tXadb0\":\"L'événement que vous recherchez n'est pas disponible pour le moment. Il a peut-être été supprimé, expiré ou l'URL est incorrecte.\",\"EBzPwC\":\"L'adresse complète de l'événement\",\"sxKqBm\":\"Le montant total de la commande sera remboursé sur le mode de paiement original du client.\",\"5OmEal\":\"La langue du client\",\"sYLeDq\":\"L'organisateur que vous recherchez est introuvable. La page a peut-être été déplacée, supprimée ou l'URL est incorrecte.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"Le corps du modèle contient une syntaxe Liquid invalide. Veuillez la corriger et réessayer.\",\"A4UmDy\":\"Théâtre\",\"tDwYhx\":\"Thème et couleurs\",\"HirZe8\":\"Ces modèles seront utilisés comme valeurs par défaut pour tous les événements de votre organisation. Les événements individuels peuvent remplacer ces modèles par leurs propres versions personnalisées.\",\"lzAaG5\":\"Ces modèles remplaceront les paramètres par défaut de l'organisateur pour cet événement uniquement. Si aucun modèle personnalisé n'est défini ici, le modèle de l'organisateur sera utilisé à la place.\",\"XBNC3E\":\"Ce code sera utilisé pour suivre les ventes. Seuls les lettres, chiffres, tirets et traits de soulignement sont autorisés.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Cet événement n'est pas encore publié\",\"dFJnia\":\"Ceci est le nom de votre organisateur qui sera affiché à vos utilisateurs.\",\"L7dIM7\":\"Ce lien est invalide ou a expiré.\",\"j5FdeA\":\"Cette commande est en cours de traitement.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"Cette commande a été annulée. Vous pouvez passer une nouvelle commande à tout moment.\",\"lyD7rQ\":\"Ce profil d'organisateur n'est pas encore publié\",\"9b5956\":\"Cet aperçu montre à quoi ressemblera votre e-mail avec des données d'exemple. Les vrais e-mails utiliseront de vraies valeurs.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Ce billet vient d'être scanné. Veuillez attendre avant de scanner à nouveau.\",\"kvpxIU\":\"Ceci sera utilisé pour les notifications et la communication avec vos utilisateurs.\",\"rhsath\":\"Ceci ne sera pas visible pour les clients, mais vous aide à identifier l'affilié.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Design du Billet\",\"EZC/Cu\":\"Design du billet enregistré avec succès\",\"1BPctx\":\"Billet pour\",\"bgqf+K\":\"Email du détenteur du billet\",\"oR7zL3\":\"Nom du détenteur du billet\",\"HGuXjF\":\"Détenteurs de billets\",\"awHmAT\":\"ID du billet\",\"6czJik\":\"Logo du Billet\",\"OkRZ4Z\":\"Nom du billet\",\"6tmWch\":\"Billet ou produit\",\"1tfWrD\":\"Aperçu du billet pour\",\"tGCY6d\":\"Prix du billet\",\"8jLPgH\":\"Type de Billet\",\"X26cQf\":\"URL du billet\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Billets et produits\",\"EUnesn\":\"Billets disponibles\",\"AGRilS\":\"Billets Vendus\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Pour recevoir des paiements par carte bancaire, vous devez connecter votre compte Stripe. Stripe est notre partenaire de traitement des paiements qui garantit des transactions sécurisées et des paiements rapides.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Comptes Totaux\",\"EaAPbv\":\"Montant total payé\",\"SMDzqJ\":\"Total des participants\",\"orBECM\":\"Total collecté\",\"KSDwd5\":\"Commandes totales\",\"vb0Q0/\":\"Utilisateurs Totaux\",\"/b6Z1R\":\"Suivez les revenus, les vues de page et les ventes avec des analyses détaillées et des rapports exportables\",\"OpKMSn\":\"Frais de transaction :\",\"uKOFO5\":\"Vrai si paiement hors ligne\",\"9GsDR2\":\"Vrai si paiement en attente\",\"ouM5IM\":\"Essayer un autre e-mail\",\"3DZvE7\":\"Essayer Hi.Events gratuitement\",\"Kz91g/\":\"Turc\",\"GdOhw6\":\"Désactiver le son\",\"KUOhTy\":\"Activer le son\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type de billet\",\"IrVSu+\":\"Impossible de dupliquer le produit. Veuillez vérifier vos informations\",\"Vx2J6x\":\"Impossible de récupérer le participant\",\"b9SN9q\":\"Référence de commande unique\",\"Ef7StM\":\"Inconnu\",\"ZBAScj\":\"Participant inconnu\",\"ZkS2p3\":\"Annuler la publication de l'événement\",\"Pp1sWX\":\"Mettre à jour l'affilié\",\"KMMOAy\":\"Mise à niveau disponible\",\"gJQsLv\":\"Téléchargez une image de couverture pour votre organisateur\",\"4kEGqW\":\"Téléchargez un logo pour votre organisateur\",\"lnCMdg\":\"Téléverser l’image\",\"29w7p6\":\"Téléchargement de l'image...\",\"HtrFfw\":\"L'URL est requise\",\"WBq1/R\":\"Scanner USB déjà actif\",\"EV30TR\":\"Mode scanner USB activé. Commencez à scanner les billets maintenant.\",\"fovJi3\":\"Mode scanner USB désactivé\",\"hli+ga\":\"Scanner USB/HID\",\"OHJXlK\":\"Utilisez <0>les modèles Liquid pour personnaliser vos e-mails\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Utilisé pour les bordures, les surlignages et le style du code QR\",\"AdWhjZ\":\"Code de vérification\",\"wCKkSr\":\"Vérifier l'e-mail\",\"/IBv6X\":\"Vérifiez votre e-mail\",\"e/cvV1\":\"Vérification...\",\"fROFIL\":\"Vietnamien\",\"+WFMis\":\"Consultez et téléchargez des rapports pour tous vos événements. Seules les commandes terminées sont incluses.\",\"gj5YGm\":\"Consultez et téléchargez les rapports de votre événement. Veuillez noter que seuls les commandes complétées sont incluses dans ces rapports.\",\"c7VN/A\":\"Voir les réponses\",\"FCVmuU\":\"Voir l'événement\",\"n6EaWL\":\"Voir les journaux\",\"OaKTzt\":\"Voir la carte\",\"67OJ7t\":\"Voir la commande\",\"tKKZn0\":\"Voir les détails de la commande\",\"9jnAcN\":\"Voir la page d'accueil de l'organisateur\",\"1J/AWD\":\"Voir le billet\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible uniquement par le personnel d'enregistrement. Aide à identifier cette liste lors de l'enregistrement.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"En attente de paiement\",\"RRZDED\":\"Nous n'avons trouvé aucune commande associée à cette adresse e-mail.\",\"miysJh\":\"Nous n'avons pas pu trouver cette commande. Elle a peut-être été supprimée.\",\"HJKdzP\":\"Un problème est survenu lors du chargement de cette page. Veuillez réessayer.\",\"IfN2Qo\":\"Nous recommandons un logo carré avec des dimensions minimales de 200x200px\",\"wJzo/w\":\"Nous recommandons des dimensions de 400px par 400px et une taille maximale de 5 Mo\",\"q1BizZ\":\"Nous enverrons vos billets à cet e-mail\",\"zCdObC\":\"Nous avons officiellement déménagé notre siège social en Irlande 🇮🇪. Dans le cadre de cette transition, nous utilisons maintenant Stripe Irlande au lieu de Stripe Canada. Pour que vos paiements continuent de fonctionner correctement, vous devrez reconnecter votre compte Stripe.\",\"jh2orE\":\"Nous avons déménagé notre siège social en Irlande. Par conséquent, nous avons besoin que vous reconnectiez votre compte Stripe. Ce processus rapide ne prend que quelques minutes. Vos ventes et données existantes restent totalement inchangées.\",\"Fq/Nx7\":\"Nous avons envoyé un code de vérification à 5 chiffres à :\",\"GdWB+V\":\"Webhook créé avec succès\",\"2X4ecw\":\"Webhook supprimé avec succès\",\"CThMKa\":\"Journaux du Webhook\",\"nuh/Wq\":\"URL du Webhook\",\"8BMPMe\":\"Le webhook n'enverra pas de notifications\",\"FSaY52\":\"Le webhook enverra des notifications\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Site web\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bon retour 👋\",\"kSYpfa\":[\"Bienvenue sur \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Bienvenue sur \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Bienvenue sur \",[\"0\"],\", voici une liste de tous vos événements\"],\"FaSXqR\":\"Quel type d'événement ?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Lorsqu'un enregistrement est supprimé\",\"Gmd0hv\":\"Lorsqu'un nouveau participant est créé\",\"Lc18qn\":\"Lorsqu'une nouvelle commande est créée\",\"dfkQIO\":\"Lorsqu'un nouveau produit est créé\",\"8OhzyY\":\"Lorsqu'un produit est supprimé\",\"tRXdQ9\":\"Lorsqu'un produit est mis à jour\",\"Q7CWxp\":\"Lorsqu'un participant est annulé\",\"IuUoyV\":\"Lorsqu'un participant est enregistré\",\"nBVOd7\":\"Lorsqu'un participant est mis à jour\",\"ny2r8d\":\"Lorsqu'une commande est annulée\",\"c9RYbv\":\"Lorsqu'une commande est marquée comme payée\",\"ejMDw1\":\"Lorsqu'une commande est remboursée\",\"fVPt0F\":\"Lorsqu'une commande est mise à jour\",\"bcYlvb\":\"Quand l'enregistrement ferme\",\"XIG669\":\"Quand l'enregistrement ouvre\",\"de6HLN\":\"Lorsque les clients achètent des billets, leurs commandes apparaîtront ici.\",\"blXLKj\":\"Lorsqu'elle est activée, les nouveaux événements afficheront une case d'opt-in marketing lors du paiement. Cela peut être remplacé par événement.\",\"uvIqcj\":\"Atelier\",\"EpknJA\":\"Écrivez votre message ici...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Oui, annuler ma commande\",\"QlSZU0\":[\"Vous usurpez l'identité de <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Vous émettez un remboursement partiel. Le client sera remboursé de \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Vous avez ajouté des taxes et des frais à un produit gratuit. Voulez-vous les supprimer ?\",\"FVTVBy\":\"Vous devez vérifier votre adresse e-mail avant de pouvoir mettre à jour le statut de l'organisateur.\",\"FRl8Jv\":\"Vous devez vérifier l'adresse e-mail de votre compte avant de pouvoir envoyer des messages.\",\"U3wiCB\":\"Tout est prêt ! Vos paiements sont traités en douceur.\",\"MNFIxz\":[\"Vous allez à \",[\"0\"],\" !\"],\"x/xjzn\":\"Vos affiliés ont été exportés avec succès.\",\"TF37u6\":\"Vos participants ont été exportés avec succès.\",\"79lXGw\":\"Votre liste d'enregistrement a été créée avec succès. Partagez le lien ci-dessous avec votre personnel d'enregistrement.\",\"BnlG9U\":\"Votre commande actuelle sera perdue.\",\"nBqgQb\":\"Votre e-mail\",\"R02pnV\":\"Votre événement doit être en ligne avant que vous puissiez vendre des billets aux participants.\",\"ifRqmm\":\"Votre message a été envoyé avec succès !\",\"/Rj5P4\":\"Votre nom\",\"naQW82\":\"Votre commande a été annulée.\",\"bhlHm/\":\"Votre commande est en attente de paiement\",\"XeNum6\":\"Vos commandes ont été exportées avec succès.\",\"Xd1R1a\":\"Adresse de votre organisateur\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Votre compte Stripe est connecté et traite les paiements.\",\"vvO1I2\":\"Votre compte Stripe est connecté et prêt à traiter les paiements.\",\"CnZ3Ou\":\"Vos billets ont été confirmés.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"\\\"Il n'y a rien à montrer pour l'instant\\\"\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>enregistré avec succès\"],\"yxhYRZ\":[[\"0\"],\" <0>sorti avec succès\"],\"KMgp2+\":[[\"0\"],\" disponible\"],\"Pmr5xp\":[[\"0\"],\" créé avec succès\"],\"FImCSc\":[[\"0\"],\" mis à jour avec succès\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" enregistré\"],\"Vjij1k\":[[\"days\"],\" jours, \",[\"hours\"],\" heures, \",[\"minutes\"],\" minutes, et \",[\"seconds\"],\" secondes\"],\"f3RdEk\":[[\"hours\"],\" heures, \",[\"minutes\"],\" minutes, et \",[\"seconds\"],\" secondes\"],\"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>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://votre-siteweb.com\",\"qnSLLW\":\"<0>Veuillez entrer le prix hors taxes et frais.<1>Les taxes et frais peuvent être ajoutés ci-dessous.\",\"ZjMs6e\":\"<0>Le nombre de produits disponibles pour ce produit<1>Cette valeur peut être remplacée s'il existe des <2>Limites de Capacité associées à ce produit.\",\"E15xs8\":\"⚡️ Organisez votre événement\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Personnalisez votre page d'événement\",\"3VPPdS\":\"💳 Connectez-vous avec Stripe\",\"cjdktw\":\"🚀 Mettez votre événement en direct\",\"rmelwV\":\"0 minute et 0 seconde\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"Un \",[\"type\"],\" par défaut est automatiquement appliqué à tous les nouveaux produits. Vous pouvez le remplacer pour chaque produit.\"],\"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\",\"POT0K/\":\"Un montant fixe par produit. Par exemple, 0,50 $ par produit\",\"f4vJgj\":\"Une saisie de texte sur plusieurs lignes\",\"OIPtI5\":\"Un pourcentage du prix du produit. Par exemple, 3,5 % du prix du produit\",\"ZthcdI\":\"Un code promo sans réduction peut être utilisé pour révéler des produits cachés.\",\"AG/qmQ\":\"Une option Radio comporte plusieurs options, mais une seule peut être sélectionnée.\",\"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\",\"BHZbFy\":\"Une seule question par commande. Par exemple, Quelle est votre adresse de livraison ?\",\"Fuh+dI\":\"Une seule question par produit. Par exemple, Quelle est votre taille de t-shirt ?\",\"RlJmQg\":\"Une taxe standard, comme la TVA ou la TPS\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accepter les virements bancaires, chèques ou autres méthodes de paiement hors ligne\",\"hrvLf4\":\"Accepter les paiements par carte bancaire avec Stripe\",\"bfXQ+N\":\"Accepter l'invitation\",\"AeXO77\":\"Compte\",\"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\",\"/PN1DA\":\"Ajouter une description pour cette liste de pointage\",\"0/vPdA\":\"Ajoutez des notes sur le participant. Celles-ci ne seront pas visibles par le participant.\",\"Or1CPR\":\"Ajoutez des notes sur le participant...\",\"l3sZO1\":\"Ajoutez des notes concernant la commande. Elles ne seront pas visibles par le client.\",\"xMekgu\":\"Ajoutez des notes concernant la commande...\",\"PGPGsL\":\"Ajouter une description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Ajoutez des instructions pour les paiements hors ligne (par exemple, les détails du virement bancaire, où envoyer les chèques, les délais de paiement)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Ajouter un nouveau\",\"TZxnm8\":\"Ajouter une option\",\"24l4x6\":\"Ajouter un produit\",\"8q0EdE\":\"Ajouter un produit à la catégorie\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Ajouter une question\",\"yWiPh+\":\"Ajouter une taxe ou des frais\",\"goOKRY\":\"Ajouter un niveau\",\"oZW/gT\":\"Ajouter au calendrier\",\"pn5qSs\":\"Informations supplémentaires\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Tous les participants à cet événement\",\"cde2hc\":\"Tous les produits\",\"5CQ+r0\":\"Autoriser les participants associés à des commandes impayées à s'enregistrer\",\"ipYKgM\":\"Autoriser l'indexation des moteurs de recherche\",\"LRbt6D\":\"Autoriser les moteurs de recherche à indexer cet événement\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Incroyable, Événement, Mots-clés...\",\"hehnjM\":\"Montant\",\"R2O9Rg\":[\"Montant payé (\",[\"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\",\"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\":\"Une erreur inattendue est apparue.\",\"byKna+\":\"Une erreur inattendue est apparue. Veuillez réessayer.\",\"ubdMGz\":\"Toute question des détenteurs de produits sera envoyée à cette adresse e-mail. Elle sera également utilisée comme adresse de réponse pour tous les e-mails envoyés depuis cet événement\",\"aAIQg2\":\"Apparence\",\"Ym1gnK\":\"appliqué\",\"sy6fss\":[\"S'applique à \",[\"0\"],\" produits\"],\"kadJKg\":\"S'applique à 1 produit\",\"DB8zMK\":\"Appliquer\",\"GctSSm\":\"Appliquer le code promotionnel\",\"ARBThj\":[\"Appliquer ce \",[\"type\"],\" à tous les nouveaux produits\"],\"S0ctOE\":\"Archiver l'événement\",\"TdfEV7\":\"Archivé\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Êtes-vous sûr de vouloir activer ce participant\xA0?\",\"TvkW9+\":\"Êtes-vous sûr de vouloir archiver cet événement\xA0?\",\"/CV2x+\":\"Êtes-vous sûr de vouloir annuler ce participant\xA0? 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\xA0?\",\"CMyVEK\":\"Êtes-vous sûr de vouloir créer un brouillon pour cet événement\xA0? Cela rendra l'événement invisible au public\",\"mEHQ8I\":\"Êtes-vous sûr de vouloir rendre cet événement public\xA0? Cela rendra l'événement visible au public\",\"s4JozW\":\"Êtes-vous sûr de vouloir restaurer cet événement\xA0? 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\xA0?\",\"LBLOqH\":\"Demander une fois par commande\",\"wu98dY\":\"Demander une fois par produit\",\"ss9PbX\":\"Participant\",\"m0CFV2\":\"Détails des participants\",\"QKim6l\":\"Participant non trouvé\",\"R5IT/I\":\"Notes du participant\",\"lXcSD2\":\"Questions des participants\",\"HT/08n\":\"Billet de l'invité\",\"9SZT4E\":\"Participants\",\"iPBfZP\":\"Invités enregistrés\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"En attente d'un paiement hors ligne\",\"2rHwhl\":\"En attente d'un paiement hors ligne\",\"3wF4Q/\":\"En attente de paiement\",\"ioG+xt\":\"En attente de paiement\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Organisateur génial Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Retour à la page de l'événement\",\"VCoEm+\":\"Retour connexion\",\"k1bLf+\":\"Couleur de l'arrière plan\",\"I7xjqg\":\"Type d'arrière-plan\",\"1mwMl+\":\"Avant d'envoyer !\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Adresse de facturation\",\"/xC/im\":\"Paramètres de facturation\",\"rp/zaT\":\"Portugais brésilien\",\"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.\",\"dEgA5A\":\"Annuler\",\"Gjt/py\":\"Annuler le changement d'e-mail\",\"tVJk4q\":\"Annuler la commande\",\"Os6n2a\":\"annuler la commande\",\"Mz7Ygx\":[\"Annuler la commande \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Annulé\",\"U7nGvl\":\"Impossible d'enregistrer\",\"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é\",\"ddha3c\":\"Les catégories vous permettent de regrouper des produits ensemble. Par exemple, vous pouvez avoir une catégorie pour \\\"Billets\\\" et une autre pour \\\"Marchandise\\\".\",\"iS0wAT\":\"Les catégories vous aident à organiser vos produits. Ce titre sera affiché sur la page publique de l'événement.\",\"eorM7z\":\"Catégories réorganisées avec succès.\",\"3EXqwa\":\"Catégorie créée avec succès\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Changer le mot de passe\",\"xMDm+I\":\"Enregistrer\",\"p2WLr3\":[\"Enregistrer \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Enregistrer et marquer la commande comme payée\",\"QYLpB4\":\"Enregistrement uniquement\",\"/Ta1d4\":\"Désenregistrer\",\"5LDT6f\":\"Découvrez cet événement !\",\"gXcPxc\":\"Enregistrement\",\"fVUbUy\":\"Check-In List created successfully\",\"+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é\",\"znIg+z\":\"Paiement\",\"1WnhCL\":\"Paramètres de paiement\",\"6imsQS\":\"Chinois simplifié\",\"JjkX4+\":\"Choisissez une couleur pour votre arrière-plan\",\"/Jizh9\":\"Choisissez un compte\",\"3wV73y\":\"Ville\",\"FG98gC\":\"Effacer le texte de recherche\",\"EYeuMv\":\"click here\",\"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\",\"oqr9HB\":\"Réduire ce produit lorsque la page de l'événement est initialement chargée\",\"jZlrte\":\"Couleur\",\"Vd+LC3\":\"La couleur doit être un code couleur hexadécimal valide. Exemple\xA0: #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\":\"Complete payment\",\"C8HNV2\":\"Paiement complet\",\"qqWcBV\":\"Complété\",\"6HK5Ct\":\"Commandes terminées\",\"NWVRtl\":\"Commandes terminées\",\"DwF9eH\":\"Code composant\",\"Tf55h7\":\"Réduction configurée\",\"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...\",\"pbAk7a\":\"Connecter la bande\",\"UMGQOh\":\"Connectez-vous avec Stripe\",\"QKLP1W\":\"Connectez votre compte Stripe pour commencer à recevoir des paiements.\",\"5lcVkL\":\"Détails de connexion\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continuer\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Texte du bouton Continuer\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continuer la configuration\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Copié\",\"T5rdis\":\"copié dans le presse-papier\",\"he3ygx\":\"Copie\",\"r2B2P8\":\"Copier l'URL de pointage\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copier le lien\",\"E6nRW7\":\"Copier le lien\",\"JNCzPW\":\"Pays\",\"IF7RiR\":\"Couverture\",\"hYgDIe\":\"Créer\",\"b9XOHo\":[\"Créer \",[\"0\"]],\"k9RiLi\":\"Créer un produit\",\"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é\",\"EwoMtl\":\"Créer une catégorie\",\"XletzW\":\"Créer une catégorie\",\"WVbTwK\":\"Créer une liste de pointage\",\"uN355O\":\"Créer un évènement\",\"BOqY23\":\"Créer un nouveau\",\"kpJAeS\":\"Créer un organisateur\",\"a0EjD+\":\"Créer un produit\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Créer un code promotionnel\",\"B3Mkdt\":\"Créer une question\",\"UKfi21\":\"Créer une taxe ou des frais\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Devise\",\"DCKkhU\":\"Mot de passe actuel\",\"uIElGP\":\"URL des cartes personnalisées\",\"UEqXyt\":\"Plage personnalisée\",\"876pfE\":\"Client\",\"QOg2Sf\":\"Personnaliser les paramètres de courrier électronique et de notification pour cet événement\",\"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\":\"Dashboard\",\"mYGY3B\":\"Date\",\"JvUngl\":\"Date et heure\",\"JJhRbH\":\"Capacité du premier jour\",\"cnGeoo\":\"Supprimer\",\"jRJZxD\":\"Supprimer la Capacité\",\"VskHIx\":\"Supprimer la catégorie\",\"Qrc8RZ\":\"Supprimer la liste de pointage\",\"WHf154\":\"Supprimer le code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Supprimer la question\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description pour le personnel de pointage\",\"URmyfc\":\"Détails\",\"1lRT3t\":\"Désactiver cette capacité suivra les ventes mais ne les arrêtera pas lorsque la limite sera atteinte\",\"H6Ma8Z\":\"Rabais\",\"ypJ62C\":\"Rabais %\",\"3LtiBI\":[\"Remise en \",[\"0\"]],\"C8JLas\":\"Type de remise\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Étiquette du document\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Produit de don / Payez ce que vous voulez\",\"OvNbls\":\"Télécharger .ics\",\"kodV18\":\"Télécharger CSV\",\"CELKku\":\"Télécharger la facture\",\"LQrXcu\":\"Télécharger la facture\",\"QIodqd\":\"Télécharger le code QR\",\"yhjU+j\":\"Téléchargement de la facture\",\"uABpqP\":\"Drag and drop or click\",\"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\":\"Options de duplication\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Lève tôt\",\"ePK91l\":\"Modifier\",\"N6j2JH\":[\"Modifier \",[\"0\"]],\"kBkYSa\":\"Modifier la Capacité\",\"oHE9JT\":\"Modifier l'Affectation de Capacité\",\"j1Jl7s\":\"Modifier la catégorie\",\"FU1gvP\":\"Modifier la liste de pointage\",\"iFgaVN\":\"Modifier le code\",\"jrBSO1\":\"Modifier l'organisateur\",\"tdD/QN\":\"Modifier le produit\",\"n143Tq\":\"Modifier la catégorie de produit\",\"9BdS63\":\"Modifier le code promotionnel\",\"O0CE67\":\"Modifier la question\",\"EzwCw7\":\"Modifier la question\",\"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\",\"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é\",\"NTZ/NX\":\"Code intégré\",\"4rnJq4\":\"Intégrer le script\",\"8oPbg1\":\"Activer la facturation\",\"j6w7d/\":\"Activer cette capacité pour arrêter les ventes de produits lorsque la limite est atteinte\",\"VFv2ZC\":\"Date de fin\",\"237hSL\":\"Terminé\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Anglais\",\"MhVoma\":\"Saisissez un montant hors taxes et frais.\",\"SlfejT\":\"Erreur\",\"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\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Date de l'Événement\",\"0Zptey\":\"Valeurs par défaut des événements\",\"QcCPs8\":\"Détails de l'événement\",\"6fuA9p\":\"Événement dupliqué avec succès\",\"AEuj2m\":\"Page d'accueil de l'événement\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Lieu de l'événement et détails du lieu\",\"OopDbA\":\"Event page\",\"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\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Échec du téléchargement de la facture. Veuillez réessayer.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Échec du chargement de la liste de pointage\",\"ZQ15eN\":\"Échec du renvoi de l'e-mail du ticket\",\"ejXy+D\":\"Échec du tri des produits\",\"PLUB/s\":\"Frais\",\"/mfICu\":\"Frais\",\"LyFC7X\":\"Filtrer les commandes\",\"cSev+j\":\"Filtres\",\"CVw2MU\":[\"Filtres (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Premier numéro de facture\",\"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.\",\"Rs/IcB\":\"Première utilisation\",\"TpqW74\":\"Fixé\",\"irpUxR\":\"Montant fixé\",\"TF9opW\":\"Flash n'est pas disponible sur cet appareil\",\"UNMVei\":\"Mot de passe oublié?\",\"2POOFK\":\"Gratuit\",\"P/OAYJ\":\"Produit gratuit\",\"vAbVy9\":\"Produit gratuit, aucune information de paiement requise\",\"nLC6tu\":\"Français\",\"Weq9zb\":\"Général\",\"DDcvSo\":\"Allemand\",\"4GLxhy\":\"Commencer\",\"4D3rRj\":\"Revenir au profil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Ventes brutes\",\"yRg26W\":\"Ventes brutes\",\"R4r4XO\":\"Invités\",\"26pGvx\":\"Avez vous un code de réduction?\",\"V7yhws\":\"bonjour@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Salut \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"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.\",\"vLyv1R\":\"Cacher\",\"Mkkvfd\":\"Masquer la page de démarrage\",\"mFn5Xz\":\"Masquer les questions cachées\",\"YHsF9c\":\"Masquer le produit après la date de fin de vente\",\"06s3w3\":\"Masquer le produit avant la date de début de vente\",\"axVMjA\":\"Masquer le produit sauf si l'utilisateur a un code promo applicable\",\"ySQGHV\":\"Masquer le produit lorsqu'il est épuisé\",\"SCimta\":\"Masquer la page de démarrage de la barre latérale\",\"5xR17G\":\"Masquer ce produit des clients\",\"Da29Y6\":\"Cacher cette question\",\"fvDQhr\":\"Masquer ce niveau aux utilisateurs\",\"lNipG+\":\"Masquer un produit empêchera les utilisateurs de le voir sur la page de l'événement.\",\"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\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Si vide, l'adresse sera utilisée pour générer un lien Google Maps\",\"UYT+c8\":\"Si activé, le personnel d'enregistrement peut marquer les participants comme enregistrés ou marquer la commande comme payée et enregistrer les participants. Si désactivé, les participants associés à des commandes impayées ne peuvent pas être enregistrés.\",\"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\",\"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 téléchargée avec succès\",\"VyUuZb\":\"URL de l'image\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactif\",\"T0K0yl\":\"Les utilisateurs inactifs ne peuvent pas se connecter.\",\"kO44sp\":\"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 le billet du participant.\",\"FlQKnG\":\"Inclure les taxes et les frais dans le prix\",\"Vi+BiW\":[\"Comprend \",[\"0\"],\" produits\"],\"lpm0+y\":\"Comprend 1 produit\",\"UiAk5P\":\"Insérer une image\",\"OyLdaz\":\"Invitation renvoyée\xA0!\",\"HE6KcK\":\"Invitation révoquée\xA0!\",\"SQKPvQ\":\"Inviter un utilisateur\",\"bKOYkd\":\"Facture téléchargée avec succès\",\"alD1+n\":\"Notes de facture\",\"kOtCs2\":\"Numérotation des factures\",\"UZ2GSZ\":\"Paramètres de facturation\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Article\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Étiquette\",\"vXIe7J\":\"Langue\",\"2LMsOq\":\"12 derniers mois\",\"vfe90m\":\"14 derniers jours\",\"aK4uBd\":\"Dernières 24 heures\",\"uq2BmQ\":\"30 derniers jours\",\"bB6Ram\":\"Dernières 48 heures\",\"VlnB7s\":\"6 derniers mois\",\"ct2SYD\":\"7 derniers jours\",\"XgOuA7\":\"90 derniers jours\",\"I3yitW\":\"Dernière connexion\",\"1ZaQUH\":\"Nom de famille\",\"UXBCwc\":\"Nom de famille\",\"tKCBU0\":\"Dernière utilisation\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Laisser vide pour utiliser le mot par défaut \\\"Facture\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Chargement...\",\"wJijgU\":\"Emplacement\",\"sQia9P\":\"Se connecter\",\"zUDyah\":\"Se connecter\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Se déconnecter\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nom placerat elementum...\",\"NJahlc\":\"Rendre l'adresse de facturation obligatoire lors du paiement\",\"MU3ijv\":\"Rendre cette question obligatoire\",\"wckWOP\":\"Gérer\",\"onpJrA\":\"Gérer le participant\",\"n4SpU5\":\"Gérer l'événement\",\"WVgSTy\":\"Gérer la commande\",\"1MAvUY\":\"Gérer les paramètres de paiement et de facturation pour cet événement.\",\"cQrNR3\":\"Gérer le profil\",\"AtXtSw\":\"Gérer les taxes et les frais qui peuvent être appliqués à vos produits\",\"ophZVW\":\"Gérer les billets\",\"DdHfeW\":\"Gérez les détails de votre compte et les paramètres par défaut\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Marquer comme payé\",\"g9dPPQ\":\"Maximum par commande\",\"l5OcwO\":\"Message au participant\",\"Gv5AMu\":\"Message aux participants\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Divers\",\"mYLhkl\":\"Paramètres divers\",\"KYveV8\":\"Zone de texte multiligne\",\"VD0iA7\":\"Options de prix multiples. Parfait pour les produits en prévente, etc.\",\"/bhMdO\":\"Mon incroyable description d'événement...\",\"vX8/tc\":\"Mon incroyable titre d'événement...\",\"hKtWk2\":\"Mon profil\",\"fj5byd\":\"N/A\",\"pRjx4L\":\"Nom placerat elementum...\",\"6YtxFj\":\"Nom\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Accédez au participant\",\"qqeAJM\":\"Jamais\",\"7vhWI8\":\"nouveau mot de passe\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Aucun événement archivé à afficher.\",\"q2LEDV\":\"Aucun invité trouvé pour cette commande.\",\"zlHa5R\":\"Aucun invité n'a été ajouté à cette commande.\",\"Wjz5KP\":\"Aucun participant à afficher\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Aucune Affectation de Capacité\",\"a/gMx2\":\"Pas de listes de pointage\",\"tMFDem\":\"Aucune donnée disponible\",\"6Z/F61\":\"Aucune donnée à afficher. Veuillez sélectionner une plage de dates\",\"fFeCKc\":\"Pas de rabais\",\"HFucK5\":\"Aucun événement terminé à afficher.\",\"yAlJXG\":\"Aucun événement à afficher\",\"GqvPcv\":\"Aucun filtre disponible\",\"KPWxKD\":\"Aucun message à afficher\",\"J2LkP8\":\"Aucune commande à afficher\",\"RBXXtB\":\"Aucune méthode de paiement n'est actuellement disponible. Veuillez contacter l'organisateur de l'événement pour obtenir de l'aide.\",\"ZWEfBE\":\"Aucun paiement requis\",\"ZPoHOn\":\"Aucun produit associé à cet invité.\",\"Ya1JhR\":\"Aucun produit disponible dans cette catégorie.\",\"FTfObB\":\"Pas encore de produits\",\"+Y976X\":\"Aucun code promotionnel à afficher\",\"MAavyl\":\"Aucune question n’a été répondue par ce participant.\",\"SnlQeq\":\"Aucune question n'a été posée pour cette commande.\",\"Ev2r9A\":\"Aucun résultat\",\"gk5uwN\":\"Aucun résultat de recherche\",\"RHyZUL\":\"Aucun résultat trouvé.\",\"RY2eP1\":\"Aucune taxe ou frais n'a été ajouté.\",\"EdQY6l\":\"Aucun\",\"OJx3wK\":\"Pas disponible\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notes\",\"jtrY3S\":\"Rien à montrer pour le moment\",\"hFwWnI\":\"Paramètres de notification\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Informer l'organisateur des nouvelles commandes\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Nombre de jours autorisés pour le paiement (laisser vide pour omettre les conditions de paiement sur les factures)\",\"n86jmj\":\"Préfixe de numéro\",\"mwe+2z\":\"Les commandes hors ligne ne sont pas reflétées dans les statistiques de l'événement tant que la commande n'est pas marquée comme payée.\",\"dWBrJX\":\"Le paiement hors ligne a échoué. Veuillez réessayer ou contacter l'organisateur de l'événement.\",\"fcnqjw\":\"Instructions de Paiement Hors Ligne\",\"+eZ7dp\":\"Paiements hors ligne\",\"ojDQlR\":\"Informations sur les paiements hors ligne\",\"u5oO/W\":\"Paramètres des paiements hors ligne\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"En soldes\",\"Ug4SfW\":\"Une fois que vous avez créé un événement, vous le verrez ici.\",\"ZxnK5C\":\"Une fois que vous commencerez à collecter des données, elles apparaîtront ici.\",\"PnSzEc\":\"Une fois prêt, mettez votre événement en ligne et commencez à vendre des produits.\",\"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 une interdiction immédiate du compte.\",\"Qqqrwa\":\"Ouvrir la Page d'Enregistrement\",\"OdnLE4\":\"Ouvrir la barre latérale\",\"ZZEYpT\":[\"Option\xA0\",[\"i\"]],\"oPknTP\":\"Informations supplémentaires optionnelles à apparaître sur toutes les factures (par exemple, conditions de paiement, frais de retard, politique de retour)\",\"OrXJBY\":\"Préfixe optionnel pour les numéros de facture (par exemple, INV-)\",\"0zpgxV\":\"Possibilités\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Commande\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Commande annulée\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Date de commande\",\"Tol4BF\":\"détails de la commande\",\"WbImlQ\":\"La commande a été annulée et le propriétaire de la commande a été informé.\",\"nAn4Oe\":\"Commande marquée comme payée\",\"uzEfRz\":\"Notes de commande\",\"VCOi7U\":\"Questions de commande\",\"TPoYsF\":\"Référence de l'achat\",\"acIJ41\":\"Statut de la commande\",\"GX6dZv\":\"Récapitulatif de la commande\",\"tDTq0D\":\"Délai d'expiration de la commande\",\"1h+RBg\":\"Ordres\",\"3y+V4p\":\"Adresse de l'organisation\",\"GVcaW6\":\"Détails de l'organisation\",\"nfnm9D\":\"Nom de l'organisation\",\"G5RhpL\":\"Organisateur\",\"mYygCM\":\"Un organisateur est requis\",\"Pa6G7v\":\"Nom de l'organisateur\",\"l894xP\":\"Les organisateurs ne peuvent gérer que les événements et les produits. Ils ne peuvent pas gérer les utilisateurs, les paramètres du compte ou les informations de facturation.\",\"fdjq4c\":\"Rembourrage\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Page non trouvée\",\"QbrUIo\":\"Pages vues\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"payé\",\"HVW65c\":\"Produit payant\",\"ZfxaB4\":\"Partiellement remboursé\",\"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\",\"621rYf\":\"Paiement\",\"Lg+ewC\":\"Paiement et facturation\",\"DZjk8u\":\"Paramètres de paiement et de facturation\",\"lflimf\":\"Délai de paiement\",\"JhtZAK\":\"Paiement échoué\",\"JEdsvQ\":\"Instructions de paiement\",\"bLB3MJ\":\"Méthodes de paiement\",\"QzmQBG\":\"Fournisseur de paiement\",\"lsxOPC\":\"Paiement reçu\",\"wJTzyi\":\"Statut du paiement\",\"xgav5v\":\"Paiement réussi\xA0!\",\"R29lO5\":\"Conditions de paiement\",\"/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\",\"hcX103\":\"Veuillez créer un produit\",\"cdR8d6\":\"Veuillez créer un billet\",\"x2mjl4\":\"Veuillez entrer une URL d'image valide qui pointe vers une image.\",\"HnNept\":\"Veuillez entrer votre nouveau mot de passe\",\"5FSIzj\":\"Veuillez noter\",\"C63rRe\":\"Veuillez retourner sur la page de l'événement pour recommencer.\",\"pJLvdS\":\"Veuillez sélectionner\",\"Ewir4O\":\"Veuillez sélectionner au moins un produit\",\"igBrCH\":\"Veuillez vérifier votre adresse e-mail pour accéder à toutes les fonctionnalités\",\"/IzmnP\":\"Veuillez patienter pendant que nous préparons votre facture...\",\"MOERNx\":\"Portugais\",\"qCJyMx\":\"Message après le paiement\",\"g2UNkE\":\"Alimenté par\",\"Rs7IQv\":\"Message de pré-commande\",\"rdUucN\":\"Aperçu\",\"a7u1N9\":\"Prix\",\"CmoB9j\":\"Mode d'affichage des prix\",\"BI7D9d\":\"Prix non défini\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Type de prix\",\"6RmHKN\":\"Couleur primaire\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Couleur du texte principal\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Imprimer tous les billets\",\"DKwDdj\":\"Imprimer les billets\",\"K47k8R\":\"Produit\",\"1JwlHk\":\"Catégorie de produit\",\"U61sAj\":\"Catégorie de produit mise à jour avec succès.\",\"1USFWA\":\"Produit supprimé avec succès\",\"4Y2FZT\":\"Type de prix du produit\",\"mFwX0d\":\"Questions sur le produit\",\"Lu+kBU\":\"Ventes de produits\",\"U/R4Ng\":\"Niveau de produit\",\"sJsr1h\":\"Type de produit\",\"o1zPwM\":\"Aperçu du widget produit\",\"ktyvbu\":\"Produit(s)\",\"N0qXpE\":\"Produits\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Produits vendus\",\"/u4DIx\":\"Produits vendus\",\"DJQEZc\":\"Produits triés avec succès\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Mise à jour du profil réussie\",\"cl5WYc\":[\"Code promotionnel \",[\"promo_code\"],\" appliqué\"],\"P5sgAk\":\"Code promo\",\"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.\",\"OP094m\":\"Rapport des codes promo\",\"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.\",\"toutGW\":\"Code QR\",\"LkMOWF\":\"Quantité disponible\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Question supprimée\",\"avf0gk\":\"Description de la question\",\"oQvMPn\":\"titre de question\",\"enzGAL\":\"Des questions\",\"ROv2ZT\":\"Questions et réponses\",\"K885Eq\":\"Questions triées avec succès\",\"OMJ035\":\"Option radio\",\"C4TjpG\":\"Lire moins\",\"I3QpvQ\":\"Destinataire\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Remboursement échoué\",\"n10yGu\":\"Commande de remboursement\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Remboursement en attente\",\"xHpVRl\":\"Statut du remboursement\",\"/BI0y9\":\"Remboursé\",\"fgLNSM\":\"Registre\",\"9+8Vez\":\"Utilisations restantes\",\"tasfos\":\"retirer\",\"t/YqKh\":\"Retirer\",\"t9yxlZ\":\"Rapports\",\"prZGMe\":\"Adresse de facturation requise\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Réinitialiser\",\"RfwZxd\":\"Réinitialiser le mot de passe\",\"KbS2K9\":\"réinitialiser le mot de passe\",\"e99fHm\":\"Restaurer l'événement\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Retourner à la page de l'événement\",\"8YBH95\":\"Revenu\",\"PO/sOY\":\"Révoquer l'invitation\",\"GDvlUT\":\"Rôle\",\"ELa4O9\":\"Date de fin de vente\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Date de début de la vente\",\"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\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Recherchez par nom de participant, e-mail ou numéro de commande...\",\"+pr/FY\":\"Rechercher par nom d'événement...\",\"3zRbWw\":\"Recherchez par nom, e-mail ou numéro de commande...\",\"L22Tdf\":\"Rechercher par nom, numéro de commande, numéro de participant ou e-mail...\",\"BiYOdA\":\"Rechercher par nom...\",\"YEjitp\":\"Recherche par sujet ou contenu...\",\"Pjsch9\":\"Rechercher des affectations de capacité...\",\"r9M1hc\":\"Rechercher des listes de pointage...\",\"+0Yy2U\":\"Rechercher des produits\",\"YIix5Y\":\"Recherche...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Couleur secondaire\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Couleur du texte secondaire\",\"02ePaq\":[\"Sélectionner \",[\"0\"]],\"QuNKRX\":\"Sélectionnez la caméra\",\"9FQEn8\":\"Sélectionner une catégorie...\",\"kWI/37\":\"Sélectionnez l'organisateur\",\"ixIx1f\":\"Sélectionner le produit\",\"3oSV95\":\"Sélectionner le niveau de produit\",\"C4Y1hA\":\"Sélectionner des produits\",\"hAjDQy\":\"Sélectionnez le statut\",\"QYARw/\":\"Sélectionnez un billet\",\"OMX4tH\":\"Sélectionner des billets\",\"DrwwNd\":\"Sélectionnez la période\",\"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.\",\"M/WIer\":\"Envoyer un Message\",\"D7ZemV\":\"Envoyer la confirmation de commande et l'e-mail du ticket\",\"v1rRtW\":\"Envoyer le test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descriptif SEO\",\"/SIY6o\":\"Mots-clés SEO\",\"GfWoKv\":\"Paramètres de référencement\",\"rXngLf\":\"Titre SEO\",\"/jZOZa\":\"Frais de service\",\"Bj/QGQ\":\"Fixer un prix minimum et laisser les utilisateurs payer plus s'ils le souhaitent\",\"L0pJmz\":\"Définir le numéro de départ pour la numérotation des factures. Cela ne peut pas être modifié une fois que les factures ont été générées.\",\"nYNT+5\":\"Organisez votre événement\",\"A8iqfq\":\"Mettez votre événement en direct\",\"Tz0i8g\":\"Paramètres\",\"Z8lGw6\":\"Partager\",\"B2V3cA\":\"Partager l'événement\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Afficher la quantité de produit disponible\",\"qDsmzu\":\"Afficher les questions masquées\",\"fMPkxb\":\"Montre plus\",\"izwOOD\":\"Afficher les taxes et les frais séparément\",\"1SbbH8\":\"Affiché 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\":\"Une erreur s'est produite\",\"GRChTw\":\"Une erreur s'est produite lors de la suppression de la taxe ou des frais\",\"YHFrbe\":\"Quelque chose s'est mal passé\xA0! Veuillez réessayer\",\"kf83Ld\":\"Quelque chose s'est mal passé.\",\"fWsBTs\":\"Quelque chose s'est mal passé. Veuillez réessayer.\",\"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.\",\"6a/UJE\":\"Désolé, ce code promo n'est pas reconnu\",\"65A04M\":\"Espagnol\",\"mFuBqb\":\"Produit standard avec un prix fixe\",\"D3iCkb\":\"Date de début\",\"/2by1f\":\"État ou région\",\"uAQUqI\":\"Statut\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Les paiements Stripe ne sont pas activés pour cet événement.\",\"UJmAAK\":\"Sujet\",\"X2rrlw\":\"Total\",\"zzDlyQ\":\"Succès\",\"b0HJ45\":[\"Succès! \",[\"0\"],\" recevra un e-mail sous peu.\"],\"BJIEiF\":[[\"0\"],\" participant a réussi\"],\"OtgNFx\":\"Adresse e-mail confirmée avec succès\",\"IKwyaF\":\"Changement d'e-mail confirmé avec succès\",\"zLmvhE\":\"Participant créé avec succès\",\"gP22tw\":\"Produit créé avec succès\",\"9mZEgt\":\"Code promotionnel créé avec succès\",\"aIA9C4\":\"Question créée avec succès\",\"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\",\"4H80qv\":\"Commande mise à jour avec succès\",\"6xCBVN\":\"Paramètres de paiement et de facturation mis à jour avec succès\",\"1Ycaad\":\"Produit 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\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"E-mail d'assistance\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Impôt\",\"geUFpZ\":\"Taxes et frais\",\"dFHcIn\":\"Détails fiscaux\",\"wQzCPX\":\"Informations fiscales à apparaître en bas de toutes les factures (par exemple, numéro de TVA, enregistrement fiscal)\",\"0RXCDo\":\"Taxe ou frais supprimés avec succès\",\"ZowkxF\":\"Impôts\",\"qu6/03\":\"Taxes et frais\",\"gypigA\":\"Ce code promotionnel n'est pas valide\",\"5ShqeM\":\"La liste de pointage que vous recherchez n'existe pas.\",\"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.\",\"HsFnrk\":[\"Le nombre maximum de produits pour \",[\"0\"],\" est \",[\"1\"]],\"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.\",\"vQkyB3\":\"Les taxes et frais à appliquer à ce produit. Vous pouvez créer de nouvelles taxes et frais sur le\",\"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é\",\"wDx3FF\":\"Il n'y a pas de produits disponibles pour cet événement\",\"pNgdBv\":\"Il n'y a pas de produits disponibles dans cette catégorie\",\"rMcHYt\":\"Un remboursement est en attente. Veuillez attendre qu'il soit terminé avant de demander un autre remboursement.\",\"F89D36\":\"Une erreur est survenue lors du marquage de la commande comme payée\",\"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\",\"AhBPHd\":\"Ces détails ne seront affichés que si la commande est terminée avec succès. Les commandes en attente de paiement n'afficheront pas ce message.\",\"Pc/Wtj\":\"Ce participant a une commande impayée.\",\"mf3FrP\":\"Cette catégorie n'a pas encore de produits.\",\"8QH2Il\":\"Cette catégorie est masquée de la vue publique\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Cet email n'est pas promotionnel et est directement lié à l'événement.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Ces informations seront affichées sur la page de paiement, la page de résumé de commande et l'e-mail de confirmation de commande.\",\"XAHqAg\":\"C'est un produit général, comme un t-shirt ou une tasse. Aucun billet ne sera délivré\",\"CNk/ro\":\"Ceci est un événement en ligne\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Ce message sera inclus dans le pied de page de tous les e-mails envoyés à partir de cet événement\",\"55i7Fa\":\"Ce message ne sera affiché que si la commande est terminée avec succès. Les commandes en attente de paiement n'afficheront pas ce message.\",\"RjwlZt\":\"Cette commande a déjà été payée.\",\"5K8REg\":\"Cette commande a déjà été remboursée.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Cette commande a été annulée.\",\"Q0zd4P\":\"Cette commande a expiré. Veuillez recommencer.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Cette commande est terminée.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Cette page de commande n'est plus disponible.\",\"i0TtkR\":\"Cela remplace tous les paramètres de visibilité et masquera le produit de tous les clients.\",\"cRRc+F\":\"Ce produit ne peut pas être supprimé car il est associé à une commande. Vous pouvez le masquer à la place.\",\"3Kzsk7\":\"Ce produit est un billet. Les acheteurs recevront un billet lors de l'achat\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"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é.\",\"IV9xTT\":\"Cet utilisateur n'est pas actif car il n'a pas accepté son invitation.\",\"5AnPaO\":\"billet\",\"kjAL4v\":\"Billet\",\"dtGC3q\":\"L'e-mail du ticket a été renvoyé au participant\",\"54q0zp\":\"Billets pour\",\"xN9AhL\":[\"Niveau\xA0\",[\"0\"]],\"jZj9y9\":\"Produit par paliers\",\"8wITQA\":\"Les produits à niveaux vous permettent de proposer plusieurs options de prix pour le même produit. C'est parfait pour les produits en prévente ou pour proposer différentes options de prix à différents groupes de personnes.\\\" # fr\",\"nn3mSR\":\"Temps restant :\",\"s/0RpH\":\"Temps utilisés\",\"y55eMd\":\"Nombre d'utilisations\",\"40Gx0U\":\"Fuseau horaire\",\"oDGm7V\":\"CONSEIL\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Outils\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total avant réductions\",\"NRWNfv\":\"Montant total de la réduction\",\"BxsfMK\":\"Total des frais\",\"2bR+8v\":\"Total des ventes brutes\",\"mpB/d9\":\"Montant total de la commande\",\"m3FM1g\":\"Total remboursé\",\"jEbkcB\":\"Total remboursé\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Taxe total\",\"+zy2Nq\":\"Taper\",\"FMdMfZ\":\"Impossible d'enregistrer le participant\",\"bPWBLL\":\"Impossible de sortir le participant\",\"9+P7zk\":\"Impossible de créer le produit. Veuillez vérifier vos détails\",\"WLxtFC\":\"Impossible de créer le produit. Veuillez vérifier vos détails\",\"/cSMqv\":\"Impossible de créer une question. Veuillez vérifier vos coordonnées\",\"MH/lj8\":\"Impossible de mettre à jour la question. Veuillez vérifier vos coordonnées\",\"nnfSdK\":\"Clients uniques\",\"Mqy/Zy\":\"États-Unis\",\"NIuIk1\":\"Illimité\",\"/p9Fhq\":\"Disponible illimité\",\"E0q9qH\":\"Utilisations illimitées autorisées\",\"h10Wm5\":\"Commande impayée\",\"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\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copié dans le presse-papiers\",\"e5lF64\":\"Exemple d'utilisation\",\"fiV0xj\":\"Limite 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\",\"jpctdh\":\"Voir\",\"Pte1Hv\":\"Voir les détails de l'invité\",\"/5PEQz\":\"Voir la page de l'événement\",\"fFornT\":\"Afficher le message complet\",\"YIsEhQ\":\"Voir la carte\",\"Ep3VfY\":\"Afficher sur Google Maps\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"Nous n'avons pas pu supprimer la catégorie. Veuillez réessayer.\",\"/DNy62\":[\"Nous n'avons trouvé aucun billet correspondant à \",[\"0\"]],\"1E0vyy\":\"Nous n'avons pas pu charger les données. Veuillez réessayer.\",\"NmpGKr\":\"Nous n'avons pas pu réorganiser les catégories. Veuillez réessayer.\",\"BJtMTd\":\"Nous recommandons des dimensions de 2\xA0160\xA0px sur 1\xA0080\xA0px et une taille de fichier maximale de 5\xA0Mo.\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Quels sont les produits par paliers ?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Qu'est-ce qu'une catégorie ?\",\"gxeWAU\":\"À quels produits ce code s'applique-t-il ?\",\"hFHnxR\":\"À quels produits ce code s'applique-t-il ? (S'applique à tous par défaut)\",\"AeejQi\":\"À quels produits cette capacité doit-elle s'appliquer ?\",\"Rb0XUE\":\"A quelle heure arriverez-vous ?\",\"5N4wLD\":\"De quel type de question s'agit-il ?\",\"gyLUYU\":\"Lorsque activé, des factures seront générées pour les commandes de billets. Les factures seront envoyées avec l'e-mail de confirmation de commande. Les participants peuvent également télécharger leurs factures depuis la page de confirmation de commande.\",\"D3opg4\":\"Lorsque les paiements hors ligne sont activés, les utilisateurs pourront finaliser leurs commandes et recevoir leurs billets. Leurs billets indiqueront clairement que la commande n'est pas payée, et l'outil d'enregistrement informera le personnel si une commande nécessite un paiement.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Quels billets doivent être associés à cette liste de pointage\xA0?\",\"S+OdxP\":\"Qui organise cet événement ?\",\"LINr2M\":\"A qui s'adresse ce message ?\",\"nWhye/\":\"À qui faut-il poser cette question ?\",\"VxFvXQ\":\"Intégrer le widget\",\"v1P7Gm\":\"Paramètres des widgets\",\"b4itZn\":\"Fonctionnement\",\"hqmXmc\":\"Fonctionnement...\",\"+G/XiQ\":\"Année à ce jour\",\"l75CjT\":\"Yes\",\"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\",\"sdB7+6\":\"Vous pouvez créer un code promo qui cible ce produit sur le\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Vous ne pouvez pas changer le type de produit car des invités y sont associés.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Vous ne pouvez pas enregistrer des participants avec des commandes impayées. Ce paramètre peut être modifié dans les paramètres de l'événement.\",\"c9Evkd\":\"Vous ne pouvez pas supprimer la dernière catégorie.\",\"6uwAvx\":\"Vous ne pouvez pas supprimer ce niveau de prix car des produits ont déjà été vendus pour ce niveau. Vous pouvez le masquer à la place.\",\"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\":\"You do not have permission to access this 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\":\"You have connected your Stripe account\",\"ofEncr\":\"Vous n'avez aucune question de participant.\",\"CoZHDB\":\"Vous n'avez aucune question de commande.\",\"15qAvl\":\"Vous n’avez aucun changement d’e-mail en attente.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Vous avez manqué de temps pour compléter votre commande.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Vous n'avez encore envoyé aucun message. Vous pouvez envoyer des messages à tous les invités ou à des détenteurs de produits spécifiques.\",\"R6i9o9\":\"Vous devez reconnaître que cet e-mail n'est pas promotionnel\",\"3ZI8IL\":\"Vous devez accepter les termes et conditions\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Vous devez créer un ticket avant de pouvoir ajouter manuellement un participant.\",\"jE4Z8R\":\"Vous devez avoir au moins un niveau de prix\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Vous devrez marquer une commande comme payée manuellement. Cela peut être fait sur la page de gestion des commandes.\",\"L/+xOk\":\"Vous aurez besoin d'un billet avant de pouvoir créer une liste de pointage.\",\"Djl45M\":\"Vous aurez besoin d'un produit avant de pouvoir créer une affectation de capacité.\",\"y3qNri\":\"Vous aurez besoin d'au moins un produit pour commencer. Gratuit, payant ou laissez l'utilisateur décider du montant à payer.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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é\",\"KSQ8An\":\"Votre commande\",\"Jwiilf\":\"Votre commande a été annulée\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Votre remboursement est en cours de traitement.\",\"IFHV2p\":\"Votre billet pour\",\"x1PPdr\":\"Code postal\",\"BM/KQm\":\"Code Postal\",\"+LtVBt\":\"Code postal\",\"25QDJ1\":\"- Cliquez pour publier\",\"WOyJmc\":\"- Cliquez pour dépublier\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" est déjà enregistré\"],\"S4PqS9\":[[\"0\"],\" webhooks actifs\"],\"6MIiOI\":[[\"0\"],\" restant\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organisateurs\"],\"/HkCs4\":[[\"0\"],\" billets\"],\"OJnhhX\":[[\"eventCount\"],\" événements\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Taxes/Frais\",\"B1St2O\":\"<0>Les listes d'enregistrement vous aident à gérer l'entrée à l'événement par jour, zone ou type de billet. Vous pouvez lier des billets à des listes spécifiques telles que des zones VIP ou des pass Jour 1 et partager un lien d'enregistrement sécurisé avec le personnel. Aucun compte n'est requis. L'enregistrement fonctionne sur mobile, ordinateur ou tablette, en utilisant la caméra de l'appareil ou un scanner USB HID. \",\"ZnVt5v\":\"<0>Les webhooks notifient instantanément les services externes lorsqu'un événement se produit, comme l'ajout d'un nouvel inscrit à votre CRM ou à votre liste de diffusion lors de l'inscription, garantissant une automatisation fluide.<1>Utilisez des services tiers comme <2>Zapier, <3>IFTTT ou <4>Make pour créer des workflows personnalisés et automatiser des tâches.\",\"fAv9QG\":\"🎟️ Ajouter des billets\",\"M2DyLc\":\"1 webhook actif\",\"yTsaLw\":\"1 billet\",\"HR/cvw\":\"123 Rue Exemple\",\"kMU5aM\":\"Un avis d'annulation a été envoyé à\",\"V53XzQ\":\"Un nouveau code de vérification a été envoyé à votre adresse e-mail\",\"/z/bH1\":\"Une brève description de votre organisateur qui sera affichée à vos utilisateurs.\",\"aS0jtz\":\"Abandonné\",\"uyJsf6\":\"À propos\",\"WTk/ke\":\"À propos de Stripe Connect\",\"1uJlG9\":\"Couleur d'Accent\",\"VTfZPy\":\"Accès refusé\",\"iN5Cz3\":\"Compte déjà connecté !\",\"bPwFdf\":\"Comptes\",\"nMtNd+\":\"Action requise : Reconnectez votre compte Stripe\",\"AhwTa1\":\"Action requise : Informations TVA nécessaires\",\"a5KFZU\":\"Ajoutez les détails de l’événement et gérez les paramètres.\",\"Fb+SDI\":\"Ajouter plus de billets\",\"6PNlRV\":\"Ajouter cet événement à votre calendrier\",\"BGD9Yt\":\"Ajouter des billets\",\"QN2F+7\":\"Ajouter un webhook\",\"NsWqSP\":\"Ajoutez vos réseaux sociaux et l'URL de votre site. Ils seront affichés sur votre page publique d'organisateur.\",\"0Zypnp\":\"Tableau de Bord Admin\",\"YAV57v\":\"Affilié\",\"I+utEq\":\"Le code d'affiliation ne peut pas être modifié\",\"/jHBj5\":\"Affilié créé avec succès\",\"uCFbG2\":\"Affilié supprimé avec succès\",\"a41PKA\":\"Les ventes de l'affilié seront suivies\",\"mJJh2s\":\"Les ventes de l'affilié ne seront pas suivies. Cela désactivera l'affilié.\",\"jabmnm\":\"Affilié mis à jour avec succès\",\"CPXP5Z\":\"Affiliés\",\"9Wh+ug\":\"Affiliés exportés\",\"3cqmut\":\"Les affiliés vous aident à suivre les ventes générées par les partenaires et les influenceurs. Créez des codes d'affiliation et partagez-les pour surveiller les performances.\",\"7rLTkE\":\"Tous les événements archivés\",\"gKq1fa\":\"Tous les participants\",\"pMLul+\":\"Toutes les devises\",\"qlaZuT\":\"Terminé ! Vous utilisez maintenant notre système de paiement amélioré.\",\"ZS/D7f\":\"Tous les événements terminés\",\"dr7CWq\":\"Tous les événements à venir\",\"QUg5y1\":\"Presque fini ! Terminez la connexion de votre compte Stripe pour commencer à accepter les paiements.\",\"c4uJfc\":\"Presque terminé ! Nous attendons juste que votre paiement soit traité. Cela ne devrait prendre que quelques secondes.\",\"/H326L\":\"Déjà remboursé\",\"RtxQTF\":\"Annuler également cette commande\",\"jkNgQR\":\"Rembourser également cette commande\",\"xYqsHg\":\"Toujours disponible\",\"Zkymb9\":\"Une adresse e-mail à associer à cet affilié. L'affilié ne sera pas notifié.\",\"vRznIT\":\"Une erreur s'est produite lors de la vérification du statut d'exportation.\",\"eusccx\":\"Un message optionnel à afficher sur le produit en vedette, par ex. \\\"Se vend rapidement 🔥\\\" ou \\\"Meilleur rapport qualité-prix\\\"\",\"QNrkms\":\"Réponse mise à jour avec succès.\",\"LchiNd\":\"Êtes-vous sûr de vouloir supprimer cet affilié ? Cette action ne peut pas être annulée.\",\"JmVITJ\":\"Êtes-vous sûr de vouloir supprimer ce modèle ? Cette action ne peut pas être annulée et les e-mails reviendront au modèle par défaut.\",\"aLS+A6\":\"Êtes-vous sûr de vouloir supprimer ce modèle ? Cette action ne peut pas être annulée et les e-mails reviendront au modèle de l'organisateur ou par défaut.\",\"5H3Z78\":\"Êtes-vous sûr de vouloir supprimer ce webhook ?\",\"147G4h\":\"Êtes-vous sûr de vouloir partir ?\",\"VDWChT\":\"Êtes-vous sûr de vouloir mettre cet organisateur en brouillon ? Cela rendra la page de l'organisateur invisible au public.\",\"pWtQJM\":\"Êtes-vous sûr de vouloir rendre cet organisateur public ? Cela rendra la page de l'organisateur visible au public.\",\"WFHOlF\":\"Êtes-vous sûr de vouloir publier cet événement ? Une fois publié, il sera visible au public.\",\"4TNVdy\":\"Êtes-vous sûr de vouloir publier ce profil d'organisateur ? Une fois publié, il sera visible au public.\",\"ExDt3P\":\"Êtes-vous sûr de vouloir dépublier cet événement ? Il ne sera plus visible au public.\",\"5Qmxo/\":\"Êtes-vous sûr de vouloir dépublier ce profil d'organisateur ? Il ne sera plus visible au public.\",\"Uqefyd\":\"Êtes-vous assujetti à la TVA dans l'UE ?\",\"+QARA4\":\"Art\",\"tLf3yJ\":\"Comme votre entreprise est basée en Irlande, la TVA irlandaise à 23 % s'applique automatiquement à tous les frais de plateforme.\",\"QGoXh3\":\"Comme votre entreprise est basée dans l'UE, nous devons déterminer le traitement TVA approprié pour nos frais de plateforme :\",\"F2rX0R\":\"Au moins un type d'événement doit être sélectionné\",\"6PecK3\":\"Présence et taux d'enregistrement pour tous les événements\",\"AJ4rvK\":\"Participant annulé\",\"qvylEK\":\"Participant créé\",\"DVQSxl\":\"Les détails du participant seront copiés depuis les informations de commande.\",\"0R3Y+9\":\"Email du participant\",\"KkrBiR\":\"Collecte d'informations sur les participants\",\"XBLgX1\":\"La collecte d'informations sur les participants est définie sur \\\"Par commande\\\". Les détails du participant seront copiés depuis les informations de commande.\",\"Xc2I+v\":\"Gestion des participants\",\"av+gjP\":\"Nom du participant\",\"cosfD8\":\"Statut du Participant\",\"D2qlBU\":\"Participant mis à jour\",\"x8Vnvf\":\"Le billet du participant n'est pas inclus dans cette liste\",\"k3Tngl\":\"Participants exportés\",\"5UbY+B\":\"Participants avec un ticket spécifique\",\"4HVzhV\":\"Participants:\",\"VPoeAx\":\"Gestion automatisée des entrées avec plusieurs listes d'enregistrement et validation en temps réel\",\"PZ7FTW\":\"Détecté automatiquement selon la couleur de fond, mais peut être remplacé\",\"clF06r\":\"Disponible pour remboursement\",\"NB5+UG\":\"Jetons disponibles\",\"EmYMHc\":\"Paiement hors ligne en attente\",\"kNmmvE\":\"Awesome Events SARL\",\"kYqM1A\":\"Retour à l'événement\",\"td/bh+\":\"Retour aux rapports\",\"jIPNJG\":\"Informations de base\",\"iMdwTb\":\"Avant que votre événement puisse être mis en ligne, vous devez effectuer quelques étapes. Complétez toutes les étapes ci-dessous pour commencer.\",\"UabgBd\":\"Le corps est requis\",\"9N+p+g\":\"Affaires\",\"bv6RXK\":\"Libellé du bouton\",\"ChDLlO\":\"Texte du bouton\",\"DFqasq\":[\"En continuant, vous acceptez les <0>Conditions d'utilisation de \",[\"0\"],\"\"],\"2VLZwd\":\"Bouton d'appel à l'action\",\"PUpvQe\":\"Scanner caméra\",\"H4nE+E\":\"Annuler tous les produits et les remettre dans le pool\",\"tOXAdc\":\"L'annulation annulera tous les participants associés à cette commande et remettra les billets dans le pool disponible.\",\"IrUqjC\":\"Impossible d'enregistrer (Annulé)\",\"VsM1HH\":\"Attributions de capacité\",\"K7tIrx\":\"Catégorie\",\"2tbLdK\":\"Charité\",\"v4fiSg\":\"Vérifiez votre e-mail\",\"51AsAN\":\"Vérifiez votre boîte de réception ! Si des billets sont associés à cet e-mail, vous recevrez un lien pour les consulter.\",\"udRwQs\":\"Enregistrement créé\",\"F4SRy3\":\"Enregistrement supprimé\",\"9gPPUY\":\"Liste d'Enregistrement Créée !\",\"f2vU9t\":\"Listes d'enregistrement\",\"tMNBEF\":\"Les listes d'enregistrement vous permettent de contrôler l'entrée par jours, zones ou types de billets. Vous pouvez partager un lien sécurisé avec le personnel — aucun compte requis.\",\"SHJwyq\":\"Taux d'enregistrement\",\"qCqdg6\":\"Statut d'enregistrement\",\"cKj6OE\":\"Résumé des enregistrements\",\"7B5M35\":\"Enregistrements\",\"DM4gBB\":\"Chinois (traditionnel)\",\"pkk46Q\":\"Choisissez un organisateur\",\"Crr3pG\":\"Choisir le calendrier\",\"CySr+W\":\"Cliquez pour voir les notes\",\"RG3szS\":\"fermer\",\"RWw9Lg\":\"Fermer la fenêtre\",\"XwdMMg\":\"Le code ne peut contenir que des lettres, des chiffres, des tirets et des traits de soulignement\",\"+yMJb7\":\"Le code est obligatoire\",\"m9SD3V\":\"Le code doit contenir au moins 3 caractères\",\"V1krgP\":\"Le code ne doit pas dépasser 20 caractères\",\"psqIm5\":\"Collaborez avec votre équipe pour créer ensemble des événements incroyables.\",\"4bUH9i\":\"Collectez les détails du participant pour chaque billet acheté.\",\"FpsvqB\":\"Mode de couleur\",\"jEu4bB\":\"Colonnes\",\"CWk59I\":\"Comédie\",\"7D9MJz\":\"Finaliser la configuration de Stripe\",\"OqEV/G\":\"Complétez la configuration ci-dessous pour continuer\",\"nqx+6h\":\"Complétez ces étapes pour commencer à vendre des billets pour votre événement.\",\"5YrKW7\":\"Finalisez votre paiement pour sécuriser vos billets.\",\"ih35UP\":\"Centre de conférence\",\"NGXKG/\":\"Confirmer l'adresse e-mail\",\"Auz0Mz\":\"Confirmez votre e-mail pour accéder à toutes les fonctionnalités.\",\"7+grte\":\"E-mail de confirmation envoyé ! Veuillez vérifier votre boîte de réception.\",\"n/7+7Q\":\"Confirmation envoyée à\",\"o5A0Go\":\"Félicitations pour la création de votre événement !\",\"WNnP3w\":\"Connecter et mettre à niveau\",\"Xe2tSS\":\"Documentation de connexion\",\"1Xxb9f\":\"Connecter le traitement des paiements\",\"LmvZ+E\":\"Connectez Stripe pour activer la messagerie\",\"EWnXR+\":\"Se connecter à Stripe\",\"MOUF31\":\"Connectez-vous au CRM et automatisez les tâches à l'aide de webhooks et d'intégrations\",\"VioGG1\":\"Connectez votre compte Stripe pour accepter les paiements des billets et produits.\",\"4qmnU8\":\"Connectez votre compte Stripe pour accepter les paiements.\",\"E1eze1\":\"Connectez votre compte Stripe pour commencer à accepter les paiements pour vos événements.\",\"ulV1ju\":\"Connectez votre compte Stripe pour commencer à accepter les paiements.\",\"/3017M\":\"Connecté à Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contacter \",[\"0\"]],\"41BQ3k\":\"E-mail de contact\",\"KcXRN+\":\"Email de contact pour le support\",\"m8WD6t\":\"Continuer la configuration\",\"0GwUT4\":\"Passer à la caisse\",\"sBV87H\":\"Continuer vers la création d'événement\",\"nKtyYu\":\"Continuer à l'étape suivante\",\"F3/nus\":\"Continuer vers le paiement\",\"1JnTgU\":\"Copié d'en haut\",\"FxVG/l\":\"Copié dans le presse-papiers\",\"PiH3UR\":\"Copié !\",\"uUPbPg\":\"Copier le lien d'affiliation\",\"iVm46+\":\"Copier le code\",\"+2ZJ7N\":\"Copier les détails vers le premier participant\",\"ZN1WLO\":\"Copier l'Email\",\"tUGbi8\":\"Copier mes informations vers:\",\"y22tv0\":\"Copiez ce lien pour le partager n'importe où\",\"/4gGIX\":\"Copier dans le presse-papiers\",\"P0rbCt\":\"Image de couverture\",\"60u+dQ\":\"L'image de couverture sera affichée en haut de votre page d'événement\",\"2NLjA6\":\"L'image de couverture sera affichée en haut de votre page d'organisateur\",\"zg4oSu\":[\"Créer le modèle \",[\"0\"]],\"xfKgwv\":\"Créer un affilié\",\"dyrgS4\":\"Créez et personnalisez votre page d'événement instantanément\",\"BTne9e\":\"Créer des modèles d'email personnalisés pour cet événement qui remplacent les paramètres par défaut de l'organisateur\",\"YIDzi/\":\"Créer un modèle personnalisé\",\"8AiKIu\":\"Créer un billet ou un produit\",\"agZ87r\":\"Créez des billets pour votre événement, fixez les prix et gérez la quantité disponible.\",\"dkAPxi\":\"Créer un webhook\",\"5slqwZ\":\"Créez votre événement\",\"JQNMrj\":\"Créez votre premier événement\",\"CCjxOC\":\"Créez votre premier événement pour commencer à vendre des billets et gérer les participants.\",\"ZCSSd+\":\"Créez votre propre événement\",\"67NsZP\":\"Création de l'événement...\",\"H34qcM\":\"Création de l'organisateur...\",\"1YMS+X\":\"Création de votre événement en cours, veuillez patienter\",\"yiy8Jt\":\"Création de votre profil d'organisateur en cours, veuillez patienter\",\"lfLHNz\":\"Le libellé CTA est requis\",\"BMtue0\":\"Processeur de paiement actuel\",\"iTvh6I\":\"Actuellement disponible à l'achat\",\"mimF6c\":\"Message personnalisé après la commande\",\"axv/Mi\":\"Modèle personnalisé\",\"QMHSMS\":\"Le client recevra un e-mail confirmant le remboursement\",\"L/Qc+w\":\"Adresse email du client\",\"wpfWhJ\":\"Prénom du client\",\"GIoqtA\":\"Nom de famille du client\",\"NihQNk\":\"Clients\",\"7gsjkI\":\"Personnalisez les e-mails envoyés à vos clients en utilisant des modèles Liquid. Ces modèles seront utilisés comme valeurs par défaut pour tous les événements de votre organisation.\",\"iX6SLo\":\"Personnalisez le texte affiché sur le bouton continuer\",\"pxNIxa\":\"Personnalisez votre modèle d'e-mail en utilisant des modèles Liquid\",\"q9Jg0H\":\"Personnalisez votre page événement et la conception du widget pour correspondre parfaitement à votre marque\",\"mkLlne\":\"Personnalisez l'apparence de votre page d'événement\",\"3trPKm\":\"Personnalisez l'apparence de votre page d'organisateur\",\"4df0iX\":\"Personnalisez l'apparence de votre billet\",\"/gWrVZ\":\"Revenus quotidiens, taxes, frais et remboursements pour tous les événements\",\"zgCHnE\":\"Rapport des ventes quotidiennes\",\"nHm0AI\":\"Détail des ventes quotidiennes, taxes et frais\",\"pvnfJD\":\"Sombre\",\"lnYE59\":\"Date de l'événement\",\"gnBreG\":\"Date à laquelle la commande a été passée\",\"JtI4vj\":\"Collecte d'informations par défaut sur les participants\",\"1bZAZA\":\"Le modèle par défaut sera utilisé\",\"vu7gDm\":\"Supprimer l'affilié\",\"+jw/c1\":\"Supprimer l'image\",\"dPyJ15\":\"Supprimer le modèle\",\"snMaH4\":\"Supprimer le webhook\",\"vYgeDk\":\"Tout désélectionner\",\"NvuEhl\":\"Éléments de Design\",\"H8kMHT\":\"Vous n'avez pas reçu le code ?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Ignorer ce message\",\"BREO0S\":\"Affiche une case permettant aux clients de s'inscrire pour recevoir des communications marketing de cet organisateur d'événements.\",\"TvY/XA\":\"Documentation\",\"Kdpf90\":\"N'oubliez pas !\",\"V6Jjbr\":\"Vous n'avez pas de compte ? <0>Inscrivez-vous\",\"AXXqG+\":\"Don\",\"DPfwMq\":\"Terminé\",\"eneWvv\":\"Brouillon\",\"TnzbL+\":\"En raison du risque élevé de spam, vous devez connecter un compte Stripe avant de pouvoir envoyer des messages aux participants.\\nCeci afin de s'assurer que tous les organisateurs d'événements sont vérifiés et responsables.\",\"euc6Ns\":\"Dupliquer\",\"KRmTkx\":\"Dupliquer le produit\",\"KIjvtr\":\"Néerlandais\",\"SPKbfM\":\"ex. : Obtenir des billets, S'inscrire maintenant\",\"LTzmgK\":[\"Modifier le modèle \",[\"0\"]],\"v4+lcZ\":\"Modifier l'affilié\",\"2iZEz7\":\"Modifier la réponse\",\"fW5sSv\":\"Modifier le webhook\",\"nP7CdQ\":\"Modifier le webhook\",\"uBAxNB\":\"Éditeur\",\"aqxYLv\":\"Éducation\",\"zPiC+q\":\"Listes d'Enregistrement Éligibles\",\"V2sk3H\":\"E-mail et Modèles\",\"hbwCKE\":\"Adresse e-mail copiée dans le presse-papiers\",\"dSyJj6\":\"Les adresses e-mail ne correspondent pas\",\"elW7Tn\":\"Corps de l'e-mail\",\"ZsZeV2\":\"L'e-mail est obligatoire\",\"Be4gD+\":\"Aperçu de l'e-mail\",\"6IwNUc\":\"Modèles d'e-mail\",\"H/UMUG\":\"Vérification de l'e-mail requise\",\"L86zy2\":\"E-mail vérifié avec succès !\",\"Upeg/u\":\"Activer ce modèle pour l'envoi d'e-mails\",\"RxzN1M\":\"Activé\",\"sGjBEq\":\"Date et heure de fin (optionnel)\",\"PKXt9R\":\"La date de fin doit être postérieure à la date de début\",\"48Y16Q\":\"Heure de fin (facultatif)\",\"7YZofi\":\"Entrez un sujet et un corps pour voir l'aperçu\",\"3bR1r4\":\"Saisir l'e-mail de l'affilié (facultatif)\",\"ARkzso\":\"Saisir le nom de l'affilié\",\"INDKM9\":\"Entrez le sujet de l'e-mail...\",\"kWg31j\":\"Saisir un code d'affiliation unique\",\"C3nD/1\":\"Entrez votre e-mail\",\"n9V+ps\":\"Entrez votre nom\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Erreur lors du chargement des journaux\",\"AKbElk\":\"Entreprises enregistrées à la TVA UE : Mécanisme d'autoliquidation applicable (0% - Article 196 de la Directive TVA 2006/112/CE)\",\"WgD6rb\":\"Catégorie d'événement\",\"b46pt5\":\"Image de couverture de l'événement\",\"1Hzev4\":\"Modèle personnalisé d'événement\",\"imgKgl\":\"Description de l'événement\",\"kJDmsI\":\"Détails de l'événement\",\"m/N7Zq\":\"Adresse Complète de l'Événement\",\"Nl1ZtM\":\"Lieu de l'événement\",\"PYs3rP\":\"Nom de l'événement\",\"HhwcTQ\":\"Nom de l'événement\",\"WZZzB6\":\"Le nom de l'événement est obligatoire\",\"Wd5CDM\":\"Le nom de l'événement doit contenir moins de 150 caractères\",\"4JzCvP\":\"Événement non disponible\",\"Gh9Oqb\":\"Nom de l'organisateur de l'événement\",\"mImacG\":\"Page de l'événement\",\"cOePZk\":\"Heure de l'événement\",\"e8WNln\":\"Fuseau horaire de l'événement\",\"GeqWgj\":\"Fuseau Horaire de l'Événement\",\"XVLu2v\":\"Titre de l'événement\",\"YDVUVl\":\"Types d'événements\",\"4K2OjV\":\"Lieu de l'Événement\",\"19j6uh\":\"Performance des événements\",\"PC3/fk\":\"Événements commençant dans les prochaines 24 heures\",\"fTFfOK\":\"Chaque modèle d'e-mail doit inclure un bouton d'appel à l'action qui renvoie vers la page appropriée\",\"VlvpJ0\":\"Exporter les réponses\",\"JKfSAv\":\"Échec de l'exportation. Veuillez réessayer.\",\"SVOEsu\":\"Exportation commencée. Préparation du fichier...\",\"9bpUSo\":\"Exportation des affiliés\",\"jtrqH9\":\"Exportation des participants\",\"R4Oqr8\":\"Exportation terminée. Téléchargement du fichier...\",\"UlAK8E\":\"Exportation des commandes\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Échec de l'abandon de la commande. Veuillez réessayer.\",\"cEFg3R\":\"Échec de la création de l'affilié\",\"U66oUa\":\"Échec de la création du modèle\",\"xFj7Yj\":\"Échec de la suppression du modèle\",\"jo3Gm6\":\"Échec de l'exportation des affiliés\",\"Jjw03p\":\"Échec de l'exportation des participants\",\"ZPwFnN\":\"Échec de l'exportation des commandes\",\"X4o0MX\":\"Échec du chargement du webhook\",\"YQ3QSS\":\"Échec du renvoi du code de vérification\",\"zTkTF3\":\"Échec de la sauvegarde du modèle\",\"l6acRV\":\"Échec de l'enregistrement des paramètres TVA. Veuillez réessayer.\",\"T6B2gk\":\"Échec de l'envoi du message. Veuillez réessayer.\",\"lKh069\":\"Échec du démarrage de l'exportation\",\"t/KVOk\":\"Échec du démarrage de l'usurpation d'identité. Veuillez réessayer.\",\"QXgjH0\":\"Échec de l'arrêt de l'usurpation d'identité. Veuillez réessayer.\",\"i0QKrm\":\"Échec de la mise à jour de l'affilié\",\"NNc33d\":\"Échec de la mise à jour de la réponse.\",\"7/9RFs\":\"Échec du téléversement de l’image.\",\"nkNfWu\":\"Échec du téléchargement de l'image. Veuillez réessayer.\",\"rxy0tG\":\"Échec de la vérification de l'e-mail\",\"T4BMxU\":\"Les frais sont susceptibles de changer. Vous serez informé de toute modification de votre structure tarifaire.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Remplissez d'abord vos informations ci-dessus\",\"8OvVZZ\":\"Filtrer les Participants\",\"8BwQeU\":\"Terminer la configuration\",\"hg80P7\":\"Terminer la configuration Stripe\",\"1vBhpG\":\"Premier participant\",\"YXhom6\":\"Frais fixes :\",\"KgxI80\":\"Billetterie flexible\",\"lWxAUo\":\"Nourriture et boissons\",\"nFm+5u\":\"Texte de Pied de Page\",\"MY2SVM\":\"Remboursement complet\",\"vAVBBv\":\"Entièrement intégré\",\"T02gNN\":\"Admission Générale\",\"3ep0Gx\":\"Informations générales sur votre organisateur\",\"ziAjHi\":\"Générer\",\"exy8uo\":\"Générer un code\",\"4CETZY\":\"Itinéraire\",\"kfVY6V\":\"Commencez gratuitement, sans frais d'abonnement\",\"u6FPxT\":\"Obtenir des billets\",\"8KDgYV\":\"Préparez votre événement\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Aller à la page de l'événement\",\"gHSuV/\":\"Aller à la page d'accueil\",\"6nDzTl\":\"Bonne lisibilité\",\"n8IUs7\":\"Revenu brut\",\"kTSQej\":[\"Bonjour \",[\"0\"],\", gérez votre plateforme depuis ici.\"],\"dORAcs\":\"Voici tous les billets associés à votre adresse e-mail.\",\"g+2103\":\"Voici votre lien d'affiliation\",\"QlwJ9d\":\"Voici à quoi vous attendre :\",\"D+zLDD\":\"Masqué\",\"Rj6sIY\":\"Masquer les options supplémentaires\",\"P+5Pbo\":\"Masquer les réponses\",\"gtEbeW\":\"Mettre en avant\",\"NF8sdv\":\"Message de mise en avant\",\"MXSqmS\":\"Mettre ce produit en avant\",\"7ER2sc\":\"En vedette\",\"sq7vjE\":\"Les produits mis en avant auront une couleur de fond différente pour se démarquer sur la page de l'événement.\",\"i0qMbr\":\"Accueil\",\"AVpmAa\":\"Comment payer hors ligne\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hongrois\",\"4/kP5a\":\"Si un nouvel onglet ne s'est pas ouvert automatiquement, veuillez cliquer sur le bouton ci-dessous pour poursuivre le paiement.\",\"PYVWEI\":\"Si vous êtes enregistré, fournissez votre numéro de TVA pour validation\",\"wOU3Tr\":\"Si vous avez un compte chez nous, vous recevrez un e-mail contenant les instructions pour réinitialiser votre mot de passe.\",\"an5hVd\":\"Images\",\"tSVr6t\":\"Usurper l'identité\",\"TWXU0c\":\"Usurper l'utilisateur\",\"5LAZwq\":\"Usurpation d'identité démarrée\",\"IMwcdR\":\"Usurpation d'identité arrêtée\",\"M8M6fs\":\"Important : Reconnexion Stripe requise\",\"jT142F\":[\"Dans \",[\"diffHours\"],\" heures\"],\"OoSyqO\":[\"Dans \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Analyses approfondies\",\"cljs3a\":\"Indiquez si vous êtes assujetti à la TVA dans l'UE\",\"F1Xp97\":\"Participants individuels\",\"85e6zs\":\"Insérer un jeton Liquid\",\"38KFY0\":\"Insérer une variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"E-mail invalide\",\"5tT0+u\":\"Format d'e-mail invalide\",\"tnL+GP\":\"Syntaxe Liquid invalide. Veuillez la corriger et réessayer.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Inviter un membre de l'équipe\",\"1z26sk\":\"Inviter un membre de l'équipe\",\"KR0679\":\"Inviter des membres de l'équipe\",\"aH6ZIb\":\"Invitez votre équipe\",\"IuMGvq\":\"Facture\",\"y0meFR\":\"La TVA irlandaise à 23 % sera appliquée aux frais de plateforme (fourniture nationale).\",\"Lj7sBL\":\"Italien\",\"F5/CBH\":\"article(s)\",\"BzfzPK\":\"Articles\",\"nCywLA\":\"Rejoignez de n'importe où\",\"hTJ4fB\":\"Cliquez simplement sur le bouton ci-dessous pour reconnecter votre compte Stripe.\",\"MxjCqk\":\"Vous cherchez vos billets ?\",\"lB2hSG\":[\"Me tenir informé des actualités et événements de \",[\"0\"]],\"h0Q9Iw\":\"Dernière réponse\",\"gw3Ur5\":\"Dernier déclenchement\",\"1njn7W\":\"Clair\",\"1qY5Ue\":\"Lien expiré ou invalide\",\"psosdY\":\"Lien vers les détails de la commande\",\"6JzK4N\":\"Lien vers le billet\",\"shkJ3U\":\"Liez votre compte Stripe pour recevoir les fonds provenant des ventes de billets.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"En ligne\",\"fpMs2Z\":\"EN DIRECT\",\"D9zTjx\":\"Événements en Direct\",\"WdmJIX\":\"Chargement de l'aperçu...\",\"IoDI2o\":\"Chargement des jetons...\",\"NFxlHW\":\"Chargement des webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Couverture\",\"gddQe0\":\"Logo et image de couverture pour votre organisateur\",\"TBEnp1\":\"Le logo sera affiché dans l'en-tête\",\"Jzu30R\":\"Le logo sera affiché sur le billet\",\"4wUIjX\":\"Rendre votre événement public\",\"0A7TvI\":\"Gérer l'événement\",\"2FzaR1\":\"Gérez votre traitement des paiements et consultez les frais de plateforme\",\"/x0FyM\":\"Adaptez à votre marque\",\"xDAtGP\":\"Message\",\"1jRD0v\":\"Envoyez des messages aux participants avec des billets spécifiques\",\"97QrnA\":\"Envoyez des messages aux participants, gérez les commandes et traitez les remboursements en un seul endroit\",\"48rf3i\":\"Le message ne peut pas dépasser 5000 caractères\",\"Vjat/X\":\"Le message est obligatoire\",\"0/yJtP\":\"Envoyer un message aux propriétaires de commandes avec des produits spécifiques\",\"tccUcA\":\"Enregistrement mobile\",\"GfaxEk\":\"Musique\",\"oVGCGh\":\"Mes Billets\",\"8/brI5\":\"Le nom est obligatoire\",\"sCV5Yc\":\"Nom de l'événement\",\"xxU3NX\":\"Revenu net\",\"eWRECP\":\"Vie nocturne\",\"HSw5l3\":\"Non - Je suis un particulier ou une entreprise non assujettie à la TVA\",\"VHfLAW\":\"Aucun compte\",\"+jIeoh\":\"Aucun compte trouvé\",\"074+X8\":\"Aucun webhook actif\",\"zxnup4\":\"Aucun affilié à afficher\",\"99ntUF\":\"Aucune liste d'enregistrement disponible pour cet événement.\",\"6r9SGl\":\"Aucune carte de crédit requise\",\"eb47T5\":\"Aucune donnée trouvée pour les filtres sélectionnés. Essayez d'ajuster la plage de dates ou la devise.\",\"pZNOT9\":\"Pas de date de fin\",\"dW40Uz\":\"Aucun événement trouvé\",\"8pQ3NJ\":\"Aucun événement ne commence dans les prochaines 24 heures\",\"8zCZQf\":\"Aucun événement pour le moment\",\"54GxeB\":\"Aucun impact sur vos transactions actuelles ou passées\",\"EpvBAp\":\"Pas de facture\",\"XZkeaI\":\"Aucun journal trouvé\",\"NEmyqy\":\"Aucune commande pour le moment\",\"B7w4KY\":\"Aucun autre organisateur disponible\",\"6jYQGG\":\"Aucun événement passé\",\"zK/+ef\":\"Aucun produit disponible pour la sélection\",\"QoAi8D\":\"Aucune réponse\",\"EK/G11\":\"Aucune réponse pour le moment\",\"3sRuiW\":\"Aucun billet trouvé\",\"yM5c0q\":\"Aucun événement à venir\",\"qpC74J\":\"Aucun utilisateur trouvé\",\"n5vdm2\":\"Aucun événement webhook n'a encore été enregistré pour ce point de terminaison. Les événements apparaîtront ici une fois qu'ils seront déclenchés.\",\"4GhX3c\":\"Aucun webhook\",\"4+am6b\":\"Non, rester ici\",\"HVwIsd\":\"Entreprises ou particuliers non assujettis à la TVA : TVA irlandaise à 23 % applicable\",\"x5+Lcz\":\"Non Enregistré\",\"8n10sz\":\"Non Éligible\",\"lQgMLn\":\"Nom du bureau ou du lieu\",\"6Aih4U\":\"Hors ligne\",\"Z6gBGW\":\"Paiement hors ligne\",\"nO3VbP\":[\"En vente \",[\"0\"]],\"2r6bAy\":\"Une fois la mise à niveau terminée, votre ancien compte ne sera utilisé que pour les remboursements.\",\"oXOSPE\":\"En ligne\",\"WjSpu5\":\"Événement en ligne\",\"bU7oUm\":\"Envoyer uniquement aux commandes avec ces statuts\",\"M2w1ni\":\"Visible uniquement avec un code promo\",\"N141o/\":\"Ouvrir le tableau de bord Stripe\",\"HXMJxH\":\"Texte optionnel pour les avertissements, informations de contact ou notes de remerciement (une seule ligne)\",\"c/TIyD\":\"Commande et billet\",\"H5qWhm\":\"Commande annulée\",\"b6+Y+n\":\"Commande terminée\",\"x4MLWE\":\"Confirmation de commande\",\"ppuQR4\":\"Commande créée\",\"0UZTSq\":\"Devise de la Commande\",\"HdmwrI\":\"Email de commande\",\"bwBlJv\":\"Prénom de la commande\",\"vrSW9M\":\"La commande a été annulée et remboursée. Le propriétaire de la commande a été notifié.\",\"+spgqH\":[\"ID de commande : \",[\"0\"]],\"Pc729f\":\"Commande en Attente de Paiement Hors Ligne\",\"F4NXOl\":\"Nom de famille de la commande\",\"RQCXz6\":\"Limites de commande\",\"5RDEEn\":\"Langue de la Commande\",\"vu6Arl\":\"Commande marquée comme payée\",\"sLbJQz\":\"Commande introuvable\",\"i8VBuv\":\"Numéro de commande\",\"FaPYw+\":\"Propriétaire de la commande\",\"eB5vce\":\"Propriétaires de commandes avec un produit spécifique\",\"CxLoxM\":\"Propriétaires de commandes avec des produits\",\"DoH3fD\":\"Paiement de la Commande en Attente\",\"EZy55F\":\"Commande remboursée\",\"6eSHqs\":\"Statuts des commandes\",\"oW5877\":\"Total de la commande\",\"e7eZuA\":\"Commande mise à jour\",\"KndP6g\":\"URL de la commande\",\"3NT0Ck\":\"La commande a été annulée\",\"5It1cQ\":\"Commandes exportées\",\"B/EBQv\":\"Commandes:\",\"ucgZ0o\":\"Organisation\",\"S3CZ5M\":\"Tableau de bord de l'organisateur\",\"Uu0hZq\":\"E-mail de l'organisateur\",\"Gy7BA3\":\"Adresse e-mail de l'organisateur\",\"SQqJd8\":\"Organisateur introuvable\",\"wpj63n\":\"Paramètres de l'organisateur\",\"coIKFu\":\"Les statistiques de l'organisateur ne sont pas disponibles pour la devise sélectionnée ou une erreur s'est produite.\",\"o1my93\":\"Échec de la mise à jour du statut de l'organisateur. Veuillez réessayer plus tard\",\"rLHma1\":\"Statut de l'organisateur mis à jour\",\"LqBITi\":\"Le modèle de l'organisateur/par défaut sera utilisé\",\"/IX/7x\":\"Autre\",\"RsiDDQ\":\"Autres Listes (Billet Non Inclus)\",\"6/dCYd\":\"Aperçu\",\"8uqsE5\":\"Page plus disponible\",\"QkLf4H\":\"URL de la page\",\"sF+Xp9\":\"Vues de page\",\"5F7SYw\":\"Remboursement partiel\",\"fFYotW\":[\"Partiellement remboursé : \",[\"0\"]],\"Ff0Dor\":\"Passé\",\"xTPjSy\":\"Événements passés\",\"/l/ckQ\":\"Coller l’URL\",\"URAE3q\":\"En pause\",\"4fL/V7\":\"Payer\",\"OZK07J\":\"Payer pour déverrouiller\",\"TskrJ8\":\"Paiement et abonnement\",\"ENEPLY\":\"Mode de paiement\",\"EyE8E6\":\"Traitement des paiements\",\"8Lx2X7\":\"Paiement reçu\",\"vcyz2L\":\"Paramètres de paiement\",\"fx8BTd\":\"Paiements non disponibles\",\"51U9mG\":\"Les paiements continueront de fonctionner sans interruption\",\"VlXNyK\":\"Par commande\",\"hauDFf\":\"Par billet\",\"/Bh+7r\":\"Performance\",\"zmwvG2\":\"Téléphone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planifier un événement ?\",\"br3Y/y\":\"Frais de plateforme\",\"jEw0Mr\":\"Veuillez entrer une URL valide\",\"n8+Ng/\":\"Veuillez saisir le code à 5 chiffres\",\"r+lQXT\":\"Veuillez entrer votre numéro de TVA\",\"Dvq0wf\":\"Veuillez fournir une image.\",\"2cUopP\":\"Veuillez recommencer le processus de commande.\",\"8KmsFa\":\"Veuillez sélectionner une plage de dates\",\"EFq6EG\":\"Veuillez sélectionner une image.\",\"fuwKpE\":\"Veuillez réessayer.\",\"klWBeI\":\"Veuillez patienter avant de demander un autre code\",\"hfHhaa\":\"Veuillez patienter pendant que nous préparons vos affiliés pour l'exportation...\",\"o+tJN/\":\"Veuillez patienter pendant que nous préparons l'exportation de vos participants...\",\"+5Mlle\":\"Veuillez patienter pendant que nous préparons l'exportation de vos commandes...\",\"TjX7xL\":\"Message Post-Commande\",\"cs5muu\":\"Aperçu de la page de l’événement\",\"+4yRWM\":\"Prix du billet\",\"a5jvSX\":\"Niveaux de prix\",\"ReihZ7\":\"Aperçu avant Impression\",\"JnuPvH\":\"Imprimer le billet\",\"tYF4Zq\":\"Imprimer en PDF\",\"LcET2C\":\"Politique de confidentialité\",\"8z6Y5D\":\"Traiter le remboursement\",\"JcejNJ\":\"Traitement de la commande\",\"EWCLpZ\":\"Produit créé\",\"XkFYVB\":\"Produit supprimé\",\"YMwcbR\":\"Détail des ventes de produits, revenus et taxes\",\"ldVIlB\":\"Produit mis à jour\",\"mIqT3T\":\"Produits, marchandises et options de tarification flexibles\",\"JoKGiJ\":\"Code promo\",\"k3wH7i\":\"Utilisation des codes promo et détail des réductions\",\"uEhdRh\":\"Promo seulement\",\"EEYbdt\":\"Publier\",\"evDBV8\":\"Publier l'événement\",\"dsFmM+\":\"Acheté\",\"YwNJAq\":\"Scan de QR code avec retour instantané et partage sécurisé pour l'accès du personnel\",\"fqDzSu\":\"Taux\",\"spsZys\":\"Prêt à mettre à niveau ? Cela ne prend que quelques minutes.\",\"Fi3b48\":\"Commandes récentes\",\"Edm6av\":\"Reconnecter Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirection vers Stripe...\",\"ACKu03\":\"Actualiser l'aperçu\",\"fKn/k6\":\"Montant du remboursement\",\"qY4rpA\":\"Remboursement échoué\",\"FaK/8G\":[\"Rembourser la commande \",[\"0\"]],\"MGbi9P\":\"Remboursement en attente\",\"BDSRuX\":[\"Remboursé : \",[\"0\"]],\"bU4bS1\":\"Remboursements\",\"CQeZT8\":\"Rapport non trouvé\",\"JEPMXN\":\"Demander un nouveau lien\",\"mdeIOH\":\"Renvoyer le code\",\"bxoWpz\":\"Renvoyer l'e-mail de confirmation\",\"G42SNI\":\"Renvoyer l'e-mail\",\"TTpXL3\":[\"Renvoyer dans \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Réservé\",\"8wUjGl\":\"Réservé jusqu'au\",\"slOprG\":\"Réinitialisez votre mot de passe\",\"CbnrWb\":\"Retour à l'événement\",\"Oo/PLb\":\"Résumé des revenus\",\"dFFW9L\":[\"Vente terminée \",[\"0\"]],\"loCKGB\":[\"Vente se termine \",[\"0\"]],\"wlfBad\":\"Période de vente\",\"zpekWp\":[\"Vente commence \",[\"0\"]],\"mUv9U4\":\"Ventes\",\"9KnRdL\":\"Ventes en pause\",\"3VnlS9\":\"Ventes, commandes et indicateurs de performance pour tous les événements\",\"3Q1AWe\":\"Ventes:\",\"8BRPoH\":\"Lieu Exemple\",\"KZrfYJ\":\"Enregistrer les liens sociaux\",\"9Y3hAT\":\"Sauvegarder le modèle\",\"C8ne4X\":\"Enregistrer le Design du Billet\",\"6/TNCd\":\"Enregistrer les paramètres TVA\",\"I+FvbD\":\"Scanner\",\"4ba0NE\":\"Planifié\",\"ftNXma\":\"Rechercher des affiliés...\",\"VY+Bdn\":\"Rechercher par nom de compte ou e-mail...\",\"VX+B3I\":\"Rechercher par titre d'événement ou organisateur...\",\"GHdjuo\":\"Rechercher par nom, e-mail ou compte...\",\"Mck5ht\":\"Paiement sécurisé\",\"p7xUrt\":\"Sélectionner une catégorie\",\"BFRSTT\":\"Sélectionner un compte\",\"mCB6Je\":\"Tout sélectionner\",\"kYZSFD\":\"Sélectionnez un organisateur pour voir son tableau de bord et ses événements.\",\"tVW/yo\":\"Sélectionner la devise\",\"n9ZhRa\":\"Sélectionnez la date et l'heure de fin\",\"gTN6Ws\":\"Sélectionner l'heure de fin\",\"0U6E9W\":\"Sélectionner la catégorie d'événement\",\"j9cPeF\":\"Sélectionner les types d'événements\",\"1nhy8G\":\"Sélectionner le type de scanner\",\"KizCK7\":\"Sélectionnez la date et l'heure de début\",\"dJZTv2\":\"Sélectionner l'heure de début\",\"aT3jZX\":\"Sélectionner le fuseau horaire\",\"Ropvj0\":\"Sélectionnez les événements qui déclencheront ce webhook\",\"BG3f7v\":\"Vendez tout\",\"VtX8nW\":\"Vendez des marchandises avec les billets avec prise en charge intégrée des taxes et des codes promo\",\"Cye3uV\":\"Vendez plus que des billets\",\"j9b/iy\":\"Se vend vite 🔥\",\"1lNPhX\":\"Envoyer l'e-mail de notification de remboursement\",\"SPdzrs\":\"Envoyé aux clients lorsqu'ils passent une commande\",\"LxSN5F\":\"Envoyé à chaque participant avec les détails de son billet\",\"eXssj5\":\"Définir les paramètres par défaut pour les nouveaux événements créés sous cet organisateur.\",\"xMO+Ao\":\"Configurer votre organisation\",\"HbUQWA\":\"Configuration en quelques minutes\",\"GG7qDw\":\"Partager le lien d'affiliation\",\"hL7sDJ\":\"Partager la page de l'organisateur\",\"WHY75u\":\"Afficher les options supplémentaires\",\"cMW+gm\":[\"Afficher toutes les plateformes (\",[\"0\"],\" autres avec des valeurs)\"],\"UVPI5D\":\"Afficher moins de plateformes\",\"Eu/N/d\":\"Afficher la case d'opt-in marketing\",\"SXzpzO\":\"Afficher la case d'opt-in marketing par défaut\",\"b33PL9\":\"Afficher plus de plateformes\",\"v6IwHE\":\"Enregistrement intelligent\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Liens sociaux\",\"j/TOB3\":\"Liens sociaux & site web\",\"2pxNFK\":\"vendu\",\"s9KGXU\":\"Vendu\",\"KTxc6k\":\"Une erreur s'est produite, veuillez réessayer ou contacter le support si le problème persiste\",\"H6Gslz\":\"Désolé pour la gêne occasionnée.\",\"7JFNej\":\"Sports\",\"JcQp9p\":\"Date et heure de début\",\"0m/ekX\":\"Date et heure de début\",\"izRfYP\":\"La date de début est obligatoire\",\"2R1+Rv\":\"Heure de début de l'événement\",\"2NbyY/\":\"Statistiques\",\"DRykfS\":\"Gère toujours les remboursements pour vos anciennes transactions.\",\"wuV0bK\":\"Arrêter l'usurpation\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"La configuration Stripe est déjà terminée.\",\"ii0qn/\":\"Le sujet est requis\",\"M7Uapz\":\"Le sujet apparaîtra ici\",\"6aXq+t\":\"Sujet :\",\"JwTmB6\":\"Produit dupliqué avec succès\",\"RuaKfn\":\"Adresse mise à jour avec succès\",\"kzx0uD\":\"Paramètres par défaut de l'événement mis à jour avec succès\",\"5n+Wwp\":\"Organisateur mis à jour avec succès\",\"0Dk/l8\":\"Paramètres SEO mis à jour avec succès\",\"MhOoLQ\":\"Liens sociaux mis à jour avec succès\",\"kj7zYe\":\"Webhook mis à jour avec succès\",\"dXoieq\":\"Résumé\",\"/RfJXt\":[\"Festival de musique d'été \",[\"0\"]],\"CWOPIK\":\"Festival de Musique d'Été 2025\",\"5gIl+x\":\"Prise en charge des ventes échelonnées, basées sur les dons et de produits avec des prix et des capacités personnalisables\",\"JZTQI0\":\"Changer d'organisateur\",\"XX32BM\":\"Prend juste quelques minutes\",\"yT6dQ8\":\"Taxes collectées groupées par type de taxe et événement\",\"Ye321X\":\"Nom de la taxe\",\"WyCBRt\":\"Résumé des taxes\",\"GkH0Pq\":\"Taxes et frais appliqués\",\"SmvJCM\":\"Taxes, frais, période de vente, limites de commande et paramètres de visibilité\",\"vlf/In\":\"Technologie\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Dites aux gens à quoi s'attendre lors de votre événement\",\"NiIUyb\":\"Parlez-nous de votre événement\",\"DovcfC\":\"Parlez-nous de votre organisation. Ces informations seront affichées sur vos pages d'événement.\",\"7wtpH5\":\"Modèle actif\",\"QHhZeE\":\"Modèle créé avec succès\",\"xrWdPR\":\"Modèle supprimé avec succès\",\"G04Zjt\":\"Modèle sauvegardé avec succès\",\"xowcRf\":\"Conditions d'utilisation\",\"6K0GjX\":\"Le texte peut être difficile à lire\",\"nm3Iz/\":\"Merci pour votre présence !\",\"lhAWqI\":\"Merci pour votre soutien alors que nous continuons à développer et améliorer Hi.Events !\",\"KfmPRW\":\"La couleur de fond de la page. Lors de l'utilisation d'une image de couverture, ceci est appliqué en superposition.\",\"MDNyJz\":\"Le code expirera dans 10 minutes. Vérifiez votre dossier spam si vous ne voyez pas l'e-mail.\",\"MJm4Tq\":\"La devise de la commande\",\"I/NNtI\":\"Le lieu de l'événement\",\"tXadb0\":\"L'événement que vous recherchez n'est pas disponible pour le moment. Il a peut-être été supprimé, expiré ou l'URL est incorrecte.\",\"EBzPwC\":\"L'adresse complète de l'événement\",\"sxKqBm\":\"Le montant total de la commande sera remboursé sur le mode de paiement original du client.\",\"5OmEal\":\"La langue du client\",\"sYLeDq\":\"L'organisateur que vous recherchez est introuvable. La page a peut-être été déplacée, supprimée ou l'URL est incorrecte.\",\"HxxXZO\":\"La couleur principale de la marque utilisée pour les boutons et les éléments en surbrillance\",\"DEcpfp\":\"Le corps du modèle contient une syntaxe Liquid invalide. Veuillez la corriger et réessayer.\",\"A4UmDy\":\"Théâtre\",\"tDwYhx\":\"Thème et couleurs\",\"HirZe8\":\"Ces modèles seront utilisés comme valeurs par défaut pour tous les événements de votre organisation. Les événements individuels peuvent remplacer ces modèles par leurs propres versions personnalisées.\",\"lzAaG5\":\"Ces modèles remplaceront les paramètres par défaut de l'organisateur pour cet événement uniquement. Si aucun modèle personnalisé n'est défini ici, le modèle de l'organisateur sera utilisé à la place.\",\"XBNC3E\":\"Ce code sera utilisé pour suivre les ventes. Seuls les lettres, chiffres, tirets et traits de soulignement sont autorisés.\",\"AaP0M+\":\"Cette combinaison de couleurs peut être difficile à lire pour certains utilisateurs\",\"YClrdK\":\"Cet événement n'est pas encore publié\",\"dFJnia\":\"Ceci est le nom de votre organisateur qui sera affiché à vos utilisateurs.\",\"L7dIM7\":\"Ce lien est invalide ou a expiré.\",\"j5FdeA\":\"Cette commande est en cours de traitement.\",\"sjNPMw\":\"Cette commande a été abandonnée. Vous pouvez commencer une nouvelle commande à tout moment.\",\"OhCesD\":\"Cette commande a été annulée. Vous pouvez passer une nouvelle commande à tout moment.\",\"lyD7rQ\":\"Ce profil d'organisateur n'est pas encore publié\",\"9b5956\":\"Cet aperçu montre à quoi ressemblera votre e-mail avec des données d'exemple. Les vrais e-mails utiliseront de vraies valeurs.\",\"uM9Alj\":\"Ce produit est mis en vedette sur la page de l'événement\",\"RqSKdX\":\"Ce produit est épuisé\",\"0Ew0uk\":\"Ce billet vient d'être scanné. Veuillez attendre avant de scanner à nouveau.\",\"kvpxIU\":\"Ceci sera utilisé pour les notifications et la communication avec vos utilisateurs.\",\"rhsath\":\"Ceci ne sera pas visible pour les clients, mais vous aide à identifier l'affilié.\",\"Mr5UUd\":\"Billet annulé\",\"0GSPnc\":\"Design du Billet\",\"EZC/Cu\":\"Design du billet enregistré avec succès\",\"1BPctx\":\"Billet pour\",\"bgqf+K\":\"Email du détenteur du billet\",\"oR7zL3\":\"Nom du détenteur du billet\",\"HGuXjF\":\"Détenteurs de billets\",\"awHmAT\":\"ID du billet\",\"6czJik\":\"Logo du Billet\",\"OkRZ4Z\":\"Nom du billet\",\"6tmWch\":\"Billet ou produit\",\"1tfWrD\":\"Aperçu du billet pour\",\"tGCY6d\":\"Prix du billet\",\"8jLPgH\":\"Type de Billet\",\"X26cQf\":\"URL du billet\",\"zNECqg\":\"billets\",\"6GQNLE\":\"Billets\",\"NRhrIB\":\"Billets et produits\",\"EUnesn\":\"Billets disponibles\",\"AGRilS\":\"Billets Vendus\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Pour recevoir des paiements par carte bancaire, vous devez connecter votre compte Stripe. Stripe est notre partenaire de traitement des paiements qui garantit des transactions sécurisées et des paiements rapides.\",\"W428WC\":\"Basculer les colonnes\",\"3sZ0xx\":\"Comptes Totaux\",\"EaAPbv\":\"Montant total payé\",\"SMDzqJ\":\"Total des participants\",\"orBECM\":\"Total collecté\",\"KSDwd5\":\"Commandes totales\",\"vb0Q0/\":\"Utilisateurs Totaux\",\"/b6Z1R\":\"Suivez les revenus, les vues de page et les ventes avec des analyses détaillées et des rapports exportables\",\"OpKMSn\":\"Frais de transaction :\",\"uKOFO5\":\"Vrai si paiement hors ligne\",\"9GsDR2\":\"Vrai si paiement en attente\",\"ouM5IM\":\"Essayer un autre e-mail\",\"3DZvE7\":\"Essayer Hi.Events gratuitement\",\"Kz91g/\":\"Turc\",\"GdOhw6\":\"Désactiver le son\",\"KUOhTy\":\"Activer le son\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type de billet\",\"IrVSu+\":\"Impossible de dupliquer le produit. Veuillez vérifier vos informations\",\"Vx2J6x\":\"Impossible de récupérer le participant\",\"b9SN9q\":\"Référence de commande unique\",\"Ef7StM\":\"Inconnu\",\"ZBAScj\":\"Participant inconnu\",\"ZkS2p3\":\"Annuler la publication de l'événement\",\"Pp1sWX\":\"Mettre à jour l'affilié\",\"KMMOAy\":\"Mise à niveau disponible\",\"gJQsLv\":\"Téléchargez une image de couverture pour votre organisateur\",\"4kEGqW\":\"Téléchargez un logo pour votre organisateur\",\"lnCMdg\":\"Téléverser l’image\",\"29w7p6\":\"Téléchargement de l'image...\",\"HtrFfw\":\"L'URL est requise\",\"WBq1/R\":\"Scanner USB déjà actif\",\"EV30TR\":\"Mode scanner USB activé. Commencez à scanner les billets maintenant.\",\"fovJi3\":\"Mode scanner USB désactivé\",\"hli+ga\":\"Scanner USB/HID\",\"OHJXlK\":\"Utilisez <0>les modèles Liquid pour personnaliser vos e-mails\",\"0k4cdb\":\"Utiliser les détails de commande pour tous les participants. Les noms et e-mails des participants correspondront aux informations de l'acheteur.\",\"rnoQsz\":\"Utilisé pour les bordures, les surlignages et le style du code QR\",\"Fild5r\":\"Numéro de TVA valide\",\"sqdl5s\":\"Informations TVA\",\"UjNWsF\":\"La TVA peut être appliquée aux frais de plateforme selon votre statut d'assujettissement à la TVA. Veuillez compléter la section d'informations TVA ci-dessous.\",\"pnVh83\":\"Numéro de TVA\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"La validation du numéro de TVA a échoué. Veuillez vérifier votre numéro et réessayer.\",\"PCRCCN\":\"VAT Registration Information\",\"vbKW6Z\":\"VAT settings saved and validated successfully\",\"fb96a1\":\"VAT settings saved but validation failed. Please check your VAT number.\",\"Nfbg76\":\"VAT settings saved successfully\",\"tJylUv\":\"VAT Treatment for Platform Fees\",\"FlGprQ\":\"VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%.\",\"AdWhjZ\":\"Code de vérification\",\"wCKkSr\":\"Vérifier l'e-mail\",\"/IBv6X\":\"Vérifiez votre e-mail\",\"e/cvV1\":\"Vérification...\",\"fROFIL\":\"Vietnamien\",\"+WFMis\":\"Consultez et téléchargez des rapports pour tous vos événements. Seules les commandes terminées sont incluses.\",\"gj5YGm\":\"Consultez et téléchargez les rapports de votre événement. Veuillez noter que seuls les commandes complétées sont incluses dans ces rapports.\",\"c7VN/A\":\"Voir les réponses\",\"FCVmuU\":\"Voir l'événement\",\"n6EaWL\":\"Voir les journaux\",\"OaKTzt\":\"Voir la carte\",\"67OJ7t\":\"Voir la commande\",\"tKKZn0\":\"Voir les détails de la commande\",\"9jnAcN\":\"Voir la page d'accueil de l'organisateur\",\"1J/AWD\":\"Voir le billet\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible uniquement par le personnel d'enregistrement. Aide à identifier cette liste lors de l'enregistrement.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"En attente de paiement\",\"RRZDED\":\"Nous n'avons trouvé aucune commande associée à cette adresse e-mail.\",\"miysJh\":\"Nous n'avons pas pu trouver cette commande. Elle a peut-être été supprimée.\",\"HJKdzP\":\"Un problème est survenu lors du chargement de cette page. Veuillez réessayer.\",\"IfN2Qo\":\"Nous recommandons un logo carré avec des dimensions minimales de 200x200px\",\"wJzo/w\":\"Nous recommandons des dimensions de 400px par 400px et une taille maximale de 5 Mo\",\"q1BizZ\":\"Nous enverrons vos billets à cet e-mail\",\"zCdObC\":\"Nous avons officiellement déménagé notre siège social en Irlande 🇮🇪. Dans le cadre de cette transition, nous utilisons maintenant Stripe Irlande au lieu de Stripe Canada. Pour que vos paiements continuent de fonctionner correctement, vous devrez reconnecter votre compte Stripe.\",\"jh2orE\":\"Nous avons déménagé notre siège social en Irlande. Par conséquent, nous avons besoin que vous reconnectiez votre compte Stripe. Ce processus rapide ne prend que quelques minutes. Vos ventes et données existantes restent totalement inchangées.\",\"Fq/Nx7\":\"Nous avons envoyé un code de vérification à 5 chiffres à :\",\"GdWB+V\":\"Webhook créé avec succès\",\"2X4ecw\":\"Webhook supprimé avec succès\",\"CThMKa\":\"Journaux du Webhook\",\"nuh/Wq\":\"URL du Webhook\",\"8BMPMe\":\"Le webhook n'enverra pas de notifications\",\"FSaY52\":\"Le webhook enverra des notifications\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Site web\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bon retour 👋\",\"kSYpfa\":[\"Bienvenue sur \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Bienvenue sur \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Bienvenue sur \",[\"0\"],\", voici une liste de tous vos événements\"],\"FaSXqR\":\"Quel type d'événement ?\",\"f30uVZ\":\"What you need to do:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Lorsqu'un enregistrement est supprimé\",\"Gmd0hv\":\"Lorsqu'un nouveau participant est créé\",\"Lc18qn\":\"Lorsqu'une nouvelle commande est créée\",\"dfkQIO\":\"Lorsqu'un nouveau produit est créé\",\"8OhzyY\":\"Lorsqu'un produit est supprimé\",\"tRXdQ9\":\"Lorsqu'un produit est mis à jour\",\"Q7CWxp\":\"Lorsqu'un participant est annulé\",\"IuUoyV\":\"Lorsqu'un participant est enregistré\",\"nBVOd7\":\"Lorsqu'un participant est mis à jour\",\"ny2r8d\":\"Lorsqu'une commande est annulée\",\"c9RYbv\":\"Lorsqu'une commande est marquée comme payée\",\"ejMDw1\":\"Lorsqu'une commande est remboursée\",\"fVPt0F\":\"Lorsqu'une commande est mise à jour\",\"bcYlvb\":\"Quand l'enregistrement ferme\",\"XIG669\":\"Quand l'enregistrement ouvre\",\"de6HLN\":\"Lorsque les clients achètent des billets, leurs commandes apparaîtront ici.\",\"blXLKj\":\"Lorsqu'elle est activée, les nouveaux événements afficheront une case d'opt-in marketing lors du paiement. Cela peut être remplacé par événement.\",\"uvIqcj\":\"Atelier\",\"EpknJA\":\"Écrivez votre message ici...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Yes - I have a valid EU VAT registration number\",\"Tz5oXG\":\"Oui, annuler ma commande\",\"QlSZU0\":[\"Vous usurpez l'identité de <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Vous émettez un remboursement partiel. Le client sera remboursé de \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Vous avez ajouté des taxes et des frais à un produit gratuit. Voulez-vous les supprimer ?\",\"FVTVBy\":\"Vous devez vérifier votre adresse e-mail avant de pouvoir mettre à jour le statut de l'organisateur.\",\"FRl8Jv\":\"Vous devez vérifier l'adresse e-mail de votre compte avant de pouvoir envoyer des messages.\",\"U3wiCB\":\"Tout est prêt ! Vos paiements sont traités en douceur.\",\"MNFIxz\":[\"Vous allez à \",[\"0\"],\" !\"],\"x/xjzn\":\"Vos affiliés ont été exportés avec succès.\",\"TF37u6\":\"Vos participants ont été exportés avec succès.\",\"79lXGw\":\"Votre liste d'enregistrement a été créée avec succès. Partagez le lien ci-dessous avec votre personnel d'enregistrement.\",\"BnlG9U\":\"Votre commande actuelle sera perdue.\",\"nBqgQb\":\"Votre e-mail\",\"R02pnV\":\"Votre événement doit être en ligne avant que vous puissiez vendre des billets aux participants.\",\"ifRqmm\":\"Votre message a été envoyé avec succès !\",\"/Rj5P4\":\"Votre nom\",\"naQW82\":\"Votre commande a été annulée.\",\"bhlHm/\":\"Votre commande est en attente de paiement\",\"XeNum6\":\"Vos commandes ont été exportées avec succès.\",\"Xd1R1a\":\"Adresse de votre organisateur\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Votre compte Stripe est connecté et traite les paiements.\",\"vvO1I2\":\"Votre compte Stripe est connecté et prêt à traiter les paiements.\",\"CnZ3Ou\":\"Vos billets ont été confirmés.\",\"d/CiU9\":\"Your VAT number will be validated automatically when you save\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/fr.po b/frontend/src/locales/fr.po index 21b58a90d3..fc770d3d18 100644 --- a/frontend/src/locales/fr.po +++ b/frontend/src/locales/fr.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -62,7 +62,7 @@ msgstr "{0} créé avec succès" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "{0} restant" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Taxes/Frais" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -259,15 +259,15 @@ msgstr "Une taxe standard, comme la TVA ou la TPS" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Abandonné" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "À propos" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "À propos de Stripe Connect" @@ -288,8 +288,8 @@ msgstr "Accepter les paiements par carte bancaire avec Stripe" msgid "Accept Invitation" msgstr "Accepter l'invitation" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Accès refusé" @@ -298,7 +298,7 @@ msgstr "Accès refusé" msgid "Account" msgstr "Compte" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Compte déjà connecté !" @@ -321,10 +321,14 @@ msgstr "Compte mis à jour avec succès" msgid "Accounts" msgstr "Comptes" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Action requise : Reconnectez votre compte Stripe" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Action requise : Informations TVA nécessaires" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "Ajouter un niveau" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Ajouter au calendrier" @@ -549,7 +553,7 @@ msgstr "Tous les participants à cet événement" msgid "All Currencies" msgstr "Toutes les devises" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "Terminé ! Vous utilisez maintenant notre système de paiement amélioré." @@ -579,8 +583,8 @@ msgstr "Autoriser l'indexation des moteurs de recherche" msgid "Allow search engines to index this event" msgstr "Autoriser les moteurs de recherche à indexer cet événement" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Presque fini ! Terminez la connexion de votre compte Stripe pour commencer à accepter les paiements." @@ -602,7 +606,7 @@ msgstr "Rembourser également cette commande" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Toujours disponible" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "Une erreur s'est produite lors du tri des questions. Veuillez réessayer #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Un message optionnel à afficher sur le produit en vedette, par ex. \"Se vend rapidement 🔥\" ou \"Meilleur rapport qualité-prix\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -727,7 +731,7 @@ msgstr "Êtes-vous sûr de vouloir supprimer ce modèle ? Cette action ne peut p msgid "Are you sure you want to delete this webhook?" msgstr "Êtes-vous sûr de vouloir supprimer ce webhook ?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Êtes-vous sûr de vouloir partir ?" @@ -777,10 +781,23 @@ msgstr "Êtes-vous sûr de vouloir supprimer cette Affectation de Capacité?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Êtes-vous sûr de vouloir supprimer cette liste de pointage ?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "Êtes-vous assujetti à la TVA dans l'UE ?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Art" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Comme votre entreprise est basée en Irlande, la TVA irlandaise à 23 % s'applique automatiquement à tous les frais de plateforme." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Comme votre entreprise est basée dans l'UE, nous devons déterminer le traitement TVA approprié pour nos frais de plateforme :" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Demander une fois par commande" @@ -819,7 +836,7 @@ msgstr "Détails des participants" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "Les détails du participant seront copiés depuis les informations de commande." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -827,11 +844,11 @@ msgstr "Email du participant" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Collecte d'informations sur les participants" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "La collecte d'informations sur les participants est définie sur \"Par commande\". Les détails du participant seront copiés depuis les informations de commande." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -906,7 +923,7 @@ msgstr "Gestion automatisée des entrées avec plusieurs listes d'enregistrement #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Détecté automatiquement selon la couleur de fond, mais peut être remplacé" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1029,7 +1046,7 @@ msgstr "Texte du bouton" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "En continuant, vous acceptez les <0>Conditions d'utilisation de {0}" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1108,7 +1125,7 @@ msgstr "Impossible d'enregistrer" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "Impossible d'enregistrer (Annulé)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1387,7 +1404,7 @@ msgstr "Réduire ce produit lorsque la page de l'événement est initialement ch #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "Collectez les détails du participant pour chaque billet acheté." #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "Couleur" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "Mode de couleur" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,7 +1425,7 @@ msgstr "Couleurs" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "Colonnes" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1437,7 +1454,7 @@ msgstr "Paiement complet" msgid "Complete Stripe Setup" msgstr "Finaliser la configuration de Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Complétez la configuration ci-dessous pour continuer" @@ -1530,11 +1547,11 @@ msgstr "Confirmation de l'adresse e-mail..." msgid "Congratulations on creating an event!" msgstr "Félicitations pour la création de votre événement !" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Connecter et mettre à niveau" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Documentation de connexion" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Connectez-vous au CRM et automatisez les tâches à l'aide de webhooks et d'intégrations" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Connectez-vous avec Stripe" @@ -1571,15 +1588,15 @@ msgstr "Connectez-vous avec Stripe" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Connectez votre compte Stripe pour accepter les paiements des billets et produits." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Connectez votre compte Stripe pour accepter les paiements." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Connectez votre compte Stripe pour commencer à accepter les paiements pour vos événements." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Connectez votre compte Stripe pour commencer à accepter les paiements." @@ -1587,8 +1604,8 @@ msgstr "Connectez votre compte Stripe pour commencer à accepter les paiements." msgid "Connect your Stripe account to start receiving payments." msgstr "Connectez votre compte Stripe pour commencer à recevoir des paiements." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Connecté à Stripe" @@ -1596,7 +1613,7 @@ msgstr "Connecté à Stripe" msgid "Connection Details" msgstr "Détails de connexion" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Contact" @@ -1926,13 +1943,13 @@ msgstr "Devise" msgid "Current Password" msgstr "Mot de passe actuel" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Processeur de paiement actuel" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "Actuellement disponible à l'achat" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2057,7 +2074,7 @@ msgstr "Zone de Danger" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "Sombre" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2091,7 +2108,7 @@ msgstr "Capacité du premier jour" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "Collecte d'informations par défaut sur les participants" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2205,7 +2222,7 @@ msgstr "Affiche une case permettant aux clients de s'inscrire pour recevoir des msgid "Document Label" msgstr "Étiquette du document" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Documentation" @@ -2219,7 +2236,7 @@ msgstr "Vous n'avez pas de compte ? <0>Inscrivez-vous" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "Don" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2269,11 +2286,11 @@ msgid "" "This is to ensure that all event organizers are verified and accountable." msgstr "" "En raison du risque élevé de spam, vous devez connecter un compte Stripe avant de pouvoir envoyer des messages aux participants.\n" -"Ceci est pour garantir que tous les organisateurs d'événements sont vérifiés et responsables." +"Ceci afin de s'assurer que tous les organisateurs d'événements sont vérifiés et responsables." #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "Dupliquer" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2608,6 +2625,10 @@ msgstr "Entrez votre e-mail" msgid "Enter your name" msgstr "Entrez votre nom" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "Erreur lors de la confirmation du changement d'adresse e-mail" msgid "Error loading logs" msgstr "Erreur lors du chargement des journaux" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "Entreprises enregistrées à la TVA UE : Mécanisme d'autoliquidation applicable (0% - Article 196 de la Directive TVA 2006/112/CE)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2808,7 +2834,7 @@ msgstr "Performance des événements" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "Événements commençant dans les prochaines 24 heures" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2934,6 +2960,10 @@ msgstr "Échec du renvoi du code de vérification" msgid "Failed to save template" msgstr "Échec de la sauvegarde du modèle" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Échec de l'enregistrement des paramètres TVA. Veuillez réessayer." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Échec de l'envoi du message. Veuillez réessayer." @@ -2993,7 +3023,7 @@ msgstr "Frais" msgid "Fees" msgstr "Frais" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "Les frais sont susceptibles de changer. Vous serez informé de toute modification de votre structure tarifaire." @@ -3023,12 +3053,12 @@ msgstr "Filtres" msgid "Filters ({activeFilterCount})" msgstr "Filtres ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Terminer la configuration" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Terminer la configuration Stripe" @@ -3080,7 +3110,7 @@ msgstr "Fixé" msgid "Fixed amount" msgstr "Montant fixé" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Frais fixes :" @@ -3164,7 +3194,7 @@ msgstr "Générer un code" msgid "German" msgstr "Allemand" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Itinéraire" @@ -3172,9 +3202,9 @@ msgstr "Itinéraire" msgid "Get started for free, no subscription fees" msgstr "Commencez gratuitement, sans frais d'abonnement" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "Obtenir des billets" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3203,7 +3233,7 @@ msgstr "Aller à la page d'accueil" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "Bonne lisibilité" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3256,7 +3286,7 @@ msgstr "Voici le composant React que vous pouvez utiliser pour intégrer le widg msgid "Here is your affiliate link" msgstr "Voici votre lien d'affiliation" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Voici à quoi vous attendre :" @@ -3267,7 +3297,7 @@ msgstr "Salut {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "Masqué" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3293,7 +3323,7 @@ msgstr "Cacher" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "Masquer les options supplémentaires" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3357,7 +3387,7 @@ msgstr "Mettre ce produit en avant" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "En vedette" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3440,6 +3470,10 @@ msgstr "Si activé, le personnel d'enregistrement peut marquer les participants msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Si activé, l'organisateur recevra une notification par e-mail lorsqu'une nouvelle commande sera passée" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Si vous êtes enregistré, fournissez votre numéro de TVA pour validation" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Si vous n'avez pas demandé ce changement, veuillez immédiatement modifier votre mot de passe." @@ -3493,11 +3527,11 @@ msgstr "Important : Reconnexion Stripe requise" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "Dans {diffHours} heures" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "Dans {diffMinutes} minutes" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3532,6 +3566,10 @@ msgstr "Comprend {0} produits" msgid "Includes 1 product" msgstr "Comprend 1 produit" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Indiquez si vous êtes assujetti à la TVA dans l'UE" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Participants individuels" @@ -3570,6 +3608,10 @@ msgstr "Format d'e-mail invalide" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Syntaxe Liquid invalide. Veuillez la corriger et réessayer." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Invitation renvoyée !" @@ -3600,7 +3642,7 @@ msgstr "Invitez votre équipe" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "Facture" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3619,6 +3661,10 @@ msgstr "Numérotation des factures" msgid "Invoice Settings" msgstr "Paramètres de facturation" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "La TVA irlandaise à 23 % sera appliquée aux frais de plateforme (fourniture nationale)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Italien" @@ -3629,11 +3675,11 @@ msgstr "Article" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "article(s)" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "Articles" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3643,11 +3689,11 @@ msgstr "John" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Rejoignez de n'importe où" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Cliquez simplement sur le bouton ci-dessous pour reconnecter votre compte Stripe." @@ -3657,7 +3703,7 @@ msgstr "Vous cherchez vos billets ?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "Me tenir informé des actualités et événements de {0}" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3751,7 +3797,7 @@ msgstr "Laisser vide pour utiliser le mot par défaut \"Facture\"" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "Clair" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "Chargement..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "Gérer les billets" msgid "Manage your account details and default settings" msgstr "Gérez les détails de votre compte et les paramètres par défaut" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Gérez votre traitement des paiements et consultez les frais de plateforme" @@ -4107,6 +4153,10 @@ msgstr "nouveau mot de passe" msgid "Nightlife" msgstr "Vie nocturne" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "Non - Je suis un particulier ou une entreprise non assujettie à la TVA" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "Aucun compte" @@ -4173,7 +4223,7 @@ msgstr "Pas de rabais" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "Pas de date de fin" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4185,7 +4235,7 @@ msgstr "Aucun événement trouvé" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "Aucun événement ne commence dans les prochaines 24 heures" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4199,13 +4249,13 @@ msgstr "Aucun événement pour le moment" msgid "No filters available" msgstr "Aucun filtre disponible" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Aucun impact sur vos transactions actuelles ou passées" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "Pas de facture" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4311,10 +4361,15 @@ msgstr "Aucun événement webhook n'a encore été enregistré pour ce point de msgid "No Webhooks" msgstr "Aucun webhook" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "Non, rester ici" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Entreprises ou particuliers non assujettis à la TVA : TVA irlandaise à 23 % applicable" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,9 +4462,9 @@ msgstr "En soldes" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "En vente {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Une fois la mise à niveau terminée, votre ancien compte ne sera utilisé que pour les remboursements." @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "Événement en ligne" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Événement en ligne" @@ -4453,8 +4508,8 @@ msgid "" "Only important emails, which are directly related to this event, should be sent using this form.\n" "Any misuse, including sending promotional emails, will lead to an immediate account ban." msgstr "" -"Seuls les e-mails importants, directement liés à cet événement, doivent être envoyés via ce formulaire.\n" -"Toute utilisation abusive, y compris l'envoi d'e-mails promotionnels, entraînera un bannissement immédiat du compte." +"Seuls les e-mails importants directement liés à cet événement doivent être envoyés via ce formulaire.\n" +"Toute utilisation abusive, y compris l'envoi d'e-mails promotionnels, entraînera une interdiction immédiate du compte." #: src/components/modals/SendMessageModal/index.tsx:221 msgid "Only send to orders with these statuses" @@ -4462,7 +4517,7 @@ msgstr "Envoyer uniquement aux commandes avec ces statuts" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "Visible uniquement avec un code promo" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4473,9 +4528,9 @@ msgstr "Ouvrir la Page d'Enregistrement" msgid "Open sidebar" msgstr "Ouvrir la barre latérale" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Ouvrir le tableau de bord Stripe" @@ -4523,7 +4578,7 @@ msgstr "Commande" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "Commande et billet" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4594,7 +4649,7 @@ msgstr "Nom de famille de la commande" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "Limites de commande" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4723,7 +4778,7 @@ msgstr "Nom de l'organisation" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4850,7 +4905,7 @@ msgstr "Partiellement remboursé" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "Partiellement remboursé : {0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4911,7 +4966,7 @@ msgstr "Payer" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "Payer pour déverrouiller" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4952,9 +5007,9 @@ msgstr "Mode de paiement" msgid "Payment Methods" msgstr "Méthodes de paiement" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Traitement des paiements" @@ -4970,7 +5025,7 @@ msgstr "Paiement reçu" msgid "Payment Received" msgstr "Paiement reçu" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Paramètres de paiement" @@ -4990,19 +5045,19 @@ msgstr "Conditions de paiement" msgid "Payments not available" msgstr "Paiements non disponibles" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Les paiements continueront de fonctionner sans interruption" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "Par commande" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "Par billet" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5033,7 +5088,7 @@ msgstr "Placez-le dans le de votre site Web." msgid "Planning an event?" msgstr "Planifier un événement ?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Frais de plateforme" @@ -5090,6 +5145,10 @@ msgstr "Veuillez saisir le code à 5 chiffres" msgid "Please enter your new password" msgstr "Veuillez entrer votre nouveau mot de passe" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Veuillez entrer votre numéro de TVA" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Veuillez noter" @@ -5112,7 +5171,7 @@ msgstr "Veuillez sélectionner" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "Veuillez sélectionner une plage de dates" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5205,7 +5264,7 @@ msgstr "Prix du billet" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "Niveaux de prix" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5229,7 +5288,7 @@ msgstr "Aperçu avant Impression" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "Imprimer le billet" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5240,7 +5299,7 @@ msgstr "Imprimer les billets" msgid "Print to PDF" msgstr "Imprimer en PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Politique de confidentialité" @@ -5386,7 +5445,7 @@ msgstr "Rapport des codes promo" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "Promo seulement" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5404,7 +5463,7 @@ msgstr "Publier l'événement" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Acheté" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5458,7 +5517,7 @@ msgstr "Taux" msgid "Read less" msgstr "Lire moins" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Prêt à mettre à niveau ? Cela ne prend que quelques minutes." @@ -5480,10 +5539,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Redirection vers Stripe..." @@ -5497,7 +5556,7 @@ msgstr "Montant du remboursement" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "Remboursement échoué" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5513,7 +5572,7 @@ msgstr "Rembourser la commande {0}" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "Remboursement en attente" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5533,7 +5592,7 @@ msgstr "Remboursé" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "Remboursé : {0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5614,7 +5673,7 @@ msgstr "Renvoi..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "Réservé" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5646,7 +5705,7 @@ msgstr "Restaurer l'événement" msgid "Return to Event" msgstr "Retour à l'événement" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Retourner à la page de l'événement" @@ -5677,16 +5736,16 @@ msgstr "Date de fin de vente" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "Vente terminée {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "Vente se termine {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "Période de vente" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5695,7 +5754,7 @@ msgstr "Date de début de la vente" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "Vente commence {0}" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5703,7 +5762,7 @@ msgstr "Ventes" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "Ventes en pause" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5775,6 +5834,10 @@ msgstr "Sauvegarder le modèle" msgid "Save Ticket Design" msgstr "Enregistrer le Design du Billet" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "Enregistrer les paramètres TVA" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5782,7 +5845,7 @@ msgstr "Scanner" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "Planifié" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5851,7 +5914,7 @@ msgstr "Couleur du texte secondaire" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "Paiement sécurisé" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6056,7 +6119,7 @@ msgstr "Fixer un prix minimum et laisser les utilisateurs payer plus s'ils le so #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "Définir les paramètres par défaut pour les nouveaux événements créés sous cet organisateur." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6092,7 +6155,7 @@ msgid "Setup in Minutes" msgstr "Configuration en quelques minutes" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6117,7 +6180,7 @@ msgstr "Partager la page de l'organisateur" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "Afficher les options supplémentaires" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6211,7 +6274,7 @@ msgstr "vendu" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "Vendu" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6219,7 +6282,7 @@ msgid "Sold out" msgstr "Épuisé" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Épuisé" @@ -6327,7 +6390,7 @@ msgstr "Statistiques" msgid "Status" msgstr "Statut" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Gère toujours les remboursements pour vos anciennes transactions." @@ -6340,7 +6403,7 @@ msgstr "Arrêter l'usurpation" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6443,7 +6506,7 @@ msgstr "Événement mis à jour avec succès" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "Paramètres par défaut de l'événement mis à jour avec succès" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6537,7 +6600,7 @@ msgstr "Changer d'organisateur" msgid "T-shirt" msgstr "T-shirt" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Prend juste quelques minutes" @@ -6590,7 +6653,7 @@ msgstr "Impôts" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "Taxes et frais appliqués" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6600,7 +6663,7 @@ msgstr "Taxes et frais" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "Taxes, frais, période de vente, limites de commande et paramètres de visibilité" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6638,20 +6701,20 @@ msgstr "Modèle supprimé avec succès" msgid "Template saved successfully" msgstr "Modèle sauvegardé avec succès" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Conditions d'utilisation" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "Le texte peut être difficile à lire" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "Merci pour votre présence !" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Merci pour votre soutien alors que nous continuons à développer et améliorer Hi.Events !" @@ -6662,7 +6725,7 @@ msgstr "Ce code promotionnel n'est pas valide" #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "La couleur de fond de la page. Lors de l'utilisation d'une image de couverture, ceci est appliqué en superposition." #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6740,7 +6803,7 @@ msgstr "Le prix affiché au client ne comprendra pas les taxes et frais. Ils ser #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "La couleur principale de la marque utilisée pour les boutons et les éléments en surbrillance" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6843,7 +6906,7 @@ msgstr "Ce code sera utilisé pour suivre les ventes. Seuls les lettres, chiffre #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "Cette combinaison de couleurs peut être difficile à lire pour certains utilisateurs" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6911,7 +6974,7 @@ msgstr "Cette page de commande n'est plus disponible." #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "Cette commande a été abandonnée. Vous pouvez commencer une nouvelle commande à tout moment." #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6939,11 +7002,11 @@ msgstr "Ce produit est un billet. Les acheteurs recevront un billet lors de l'ac #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "Ce produit est mis en vedette sur la page de l'événement" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "Ce produit est épuisé" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6986,7 +7049,7 @@ msgstr "Billet" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "Billet annulé" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7052,19 +7115,19 @@ msgstr "URL du billet" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "billets" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "Billets" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "Billets et produits" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Billets disponibles" @@ -7118,13 +7181,13 @@ msgstr "Fuseau horaire" msgid "TIP" msgstr "CONSEIL" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Pour recevoir des paiements par carte bancaire, vous devez connecter votre compte Stripe. Stripe est notre partenaire de traitement des paiements qui garantit des transactions sécurisées et des paiements rapides." #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "Basculer les colonnes" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7200,7 +7263,7 @@ msgstr "Utilisateurs Totaux" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Suivez les revenus, les vues de page et les ventes avec des analyses détaillées et des rapports exportables" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Frais de transaction :" @@ -7355,7 +7418,7 @@ msgstr "Mettre à jour le nom, la description et les dates de l'événement" msgid "Update profile" msgstr "Mettre à jour le profil" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Mise à niveau disponible" @@ -7429,7 +7492,7 @@ msgstr "Utiliser l'image de couverture" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:48 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:38 msgid "Use order details for all attendees. Attendee names and emails will match the buyer's information." -msgstr "" +msgstr "Utiliser les détails de commande pour tous les participants. Les noms et e-mails des participants correspondront aux informations de l'acheteur." #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" @@ -7464,10 +7527,63 @@ msgstr "Les utilisateurs peuvent modifier leur adresse e-mail dans <0>Paramètre msgid "UTC" msgstr "UTC" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "Numéro de TVA valide" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "T.V.A." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "Informations TVA" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "La TVA peut être appliquée aux frais de plateforme selon votre statut d'assujettissement à la TVA. Veuillez compléter la section d'informations TVA ci-dessous." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "Numéro de TVA" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "La validation du numéro de TVA a échoué. Veuillez vérifier votre numéro et réessayer." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "" + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "nom de la place" @@ -7535,12 +7651,12 @@ msgstr "Voir les journaux" msgid "View map" msgstr "Voir la carte" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "Voir la carte" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "Afficher sur Google Maps" @@ -7652,7 +7768,7 @@ msgstr "Nous enverrons vos billets à cet e-mail" msgid "We're processing your order. Please wait..." msgstr "Nous traitons votre commande. S'il vous plaît, attendez..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "Nous avons officiellement déménagé notre siège social en Irlande 🇮🇪. Dans le cadre de cette transition, nous utilisons maintenant Stripe Irlande au lieu de Stripe Canada. Pour que vos paiements continuent de fonctionner correctement, vous devrez reconnecter votre compte Stripe." @@ -7758,6 +7874,10 @@ msgstr "Quel type d'événement ?" msgid "What type of question is this?" msgstr "De quel type de question s'agit-il ?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7901,7 +8021,11 @@ msgstr "X (Twitter)" msgid "Year to date" msgstr "Année à ce jour" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "Oui, annuler ma commande" @@ -8035,7 +8159,7 @@ msgstr "Vous aurez besoin d'un produit avant de pouvoir créer une affectation d msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "Vous aurez besoin d'au moins un produit pour commencer. Gratuit, payant ou laissez l'utilisateur décider du montant à payer." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "Tout est prêt ! Vos paiements sont traités en douceur." @@ -8067,7 +8191,7 @@ msgstr "Votre superbe site internet 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "Votre liste d'enregistrement a été créée avec succès. Partagez le lien ci-dessous avec votre personnel d'enregistrement." -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "Votre commande actuelle sera perdue." @@ -8153,12 +8277,12 @@ msgstr "Votre paiement a échoué. Veuillez réessayer." msgid "Your refund is processing." msgstr "Votre remboursement est en cours de traitement." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "Votre compte Stripe est connecté et traite les paiements." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "Votre compte Stripe est connecté et prêt à traiter les paiements." @@ -8170,6 +8294,10 @@ msgstr "Votre billet pour" msgid "Your tickets have been confirmed." msgstr "Vos billets ont été confirmés." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/hu.js b/frontend/src/locales/hu.js index 948cb94c81..ed4e1eff7a 100644 --- a/frontend/src/locales/hu.js +++ b/frontend/src/locales/hu.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'Még semmi sem látható'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>sikeresen bejelentkezett\"],\"yxhYRZ\":[[\"0\"],\" <0>sikeresen kijelentkezett\"],\"KMgp2+\":[[\"0\"],\" elérhető\"],\"Pmr5xp\":[[\"0\"],\" sikeresen létrehozva\"],\"FImCSc\":[[\"0\"],\" sikeresen frissítve\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" bejelentkezett\"],\"Vjij1k\":[[\"days\"],\" nap, \",[\"hours\"],\" óra, \",[\"minutes\"],\" perc, és \",[\"seconds\"],\" másodperc\"],\"f3RdEk\":[[\"hours\"],\" óra, \",[\"minutes\"],\" perc, és \",[\"seconds\"],\" másodperc\"],\"fyE7Au\":[[\"minutes\"],\" perc és \",[\"seconds\"],\" másodperc\"],\"NlQ0cx\":[[\"organizerName\"],\" első eseménye\"],\"Ul6IgC\":\"<0>A kapacitás-hozzárendelések lehetővé teszik a jegyek vagy egy egész esemény kapacitásának kezelését. Ideális többnapos eseményekhez, workshopokhoz és egyéb olyan alkalmakhoz, ahol a részvétel ellenőrzése kulcsfontosságú.<1>Például egy kapacitás-hozzárendelést társíthat a <2>Első nap és <3>Minden nap jegyhez. Amint a kapacitás elérte a határt, mindkét jegy automatikusan leáll a további értékesítésről.\",\"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://az-ön-weboldala.com\",\"qnSLLW\":\"<0>Kérjük, adja meg az árat adók és díjak nélkül.<1>Az adók és díjak alább adhatók hozzá.\",\"ZjMs6e\":\"<0>A termékhez elérhető termékek száma<1>Ez az érték felülírható, ha a termékhez <2>Kapacitáskorlátok vannak társítva.\",\"E15xs8\":\"⚡️ Esemény beállítása\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Eseményoldal testreszabása\",\"3VPPdS\":\"💳 Kapcsolódás a Stripe-hoz\",\"cjdktw\":\"🚀 Indítsa el az eseményt\",\"rmelwV\":\"0 perc és 0 másodperc\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"123 Fő utca\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Dátum beviteli mező. Tökéletes születési dátum stb. kérésére.\",\"6euFZ/\":[\"Az összes új termékre automatikusan alkalmazásra kerül egy alapértelmezett \",[\"type\"],\" típus. Ezt termékenként felülírhatja.\"],\"SMUbbQ\":\"A legördülő menü csak egy kiválasztást tesz lehetővé\",\"qv4bfj\":\"Díj, például foglalási díj vagy szolgáltatási díj\",\"POT0K/\":\"Fix összeg termékenként. Pl. 0,50 dollár termékenként\",\"f4vJgj\":\"Többsoros szövegbevitel\",\"OIPtI5\":\"A termék árának százaléka. Pl. a termék árának 3,5%-a\",\"ZthcdI\":\"A kedvezmény nélküli promóciós kód elrejtett termékek felfedésére használható.\",\"AG/qmQ\":\"A rádió opció több lehetőséget kínál, de csak egy választható ki.\",\"h179TP\":\"Az esemény rövid leírása, amely megjelenik a keresőmotorok találatai között és a közösségi médiában való megosztáskor. Alapértelmezés szerint az esemény leírása kerül felhasználásra.\",\"WKMnh4\":\"Egysoros szövegbevitel\",\"BHZbFy\":\"Egyetlen kérdés megrendelésenként. Pl. Mi a szállítási címe?\",\"Fuh+dI\":\"Egyetlen kérdés termékenként. Pl. Mi a póló mérete?\",\"RlJmQg\":\"Standard adó, mint az ÁFA vagy a GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Banki átutalások, csekkek vagy egyéb offline fizetési módok elfogadása\",\"hrvLf4\":\"Hitelkártyás fizetések elfogadása a Stripe-pal\",\"bfXQ+N\":\"Meghívó elfogadása\",\"AeXO77\":\"Fiók\",\"lkNdiH\":\"Fióknév\",\"Puv7+X\":\"Fiókbeállítások\",\"OmylXO\":\"Fiók sikeresen frissítve\",\"7L01XJ\":\"Műveletek\",\"FQBaXG\":\"Aktiválás\",\"5T2HxQ\":\"Aktiválás dátuma\",\"F6pfE9\":\"Aktív\",\"/PN1DA\":\"Adjon leírást ehhez a bejelentkezési listához\",\"0/vPdA\":\"Adjon hozzá bármilyen megjegyzést a résztvevőhöz. Ezek nem lesznek láthatók a résztvevő számára.\",\"Or1CPR\":\"Adjon hozzá bármilyen megjegyzést a résztvevőhöz...\",\"l3sZO1\":\"Adjon hozzá bármilyen megjegyzést a megrendeléshez. Ezek nem lesznek láthatók az ügyfél számára.\",\"xMekgu\":\"Adjon hozzá bármilyen megjegyzést a megrendeléshez...\",\"PGPGsL\":\"Leírás hozzáadása\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Adjon hozzá utasításokat az offline fizetésekhez (pl. banki átutalás részletei, hová küldje a csekkeket, fizetési határidők)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Új hozzáadása\",\"TZxnm8\":\"Opció hozzáadása\",\"24l4x6\":\"Termék hozzáadása\",\"8q0EdE\":\"Termék hozzáadása kategóriához\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Kérdés hozzáadása\",\"yWiPh+\":\"Adó vagy díj hozzáadása\",\"goOKRY\":\"Szint hozzáadása\",\"oZW/gT\":\"Hozzáadás a naptárhoz\",\"pn5qSs\":\"További információk\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Cím\",\"NY/x1b\":\"Cím 1. sor\",\"POdIrN\":\"Cím 1. sor\",\"cormHa\":\"Cím 2. sor\",\"gwk5gg\":\"Cím 2. sor\",\"U3pytU\":\"Adminisztrátor\",\"HLDaLi\":\"Az adminisztrátor felhasználók teljes hozzáféréssel rendelkeznek az eseményekhez és a fiókbeállításokhoz.\",\"W7AfhC\":\"Az esemény összes résztvevője\",\"cde2hc\":\"Minden termék\",\"5CQ+r0\":\"Engedélyezze a be nem fizetett megrendelésekhez társított résztvevők bejelentkezését\",\"ipYKgM\":\"Keresőmotor indexelésének engedélyezése\",\"LRbt6D\":\"Engedélyezze a keresőmotoroknak az esemény indexelését\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Csodálatos, esemény, kulcsszavak...\",\"hehnjM\":\"Összeg\",\"R2O9Rg\":[\"Fizetett összeg (\",[\"0\"],\")\"],\"V7MwOy\":\"Hiba történt az oldal betöltésekor\",\"Q7UCEH\":\"Hiba történt a kérdések rendezésekor. Kérjük, próbálja újra, vagy frissítse az oldalt.\",\"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\":\"Váratlan hiba történt.\",\"byKna+\":\"Váratlan hiba történt. Kérjük, próbálja újra.\",\"ubdMGz\":\"A terméktulajdonosoktól érkező bármilyen kérdés erre az e-mail címre kerül elküldésre. Ez lesz az „válasz” cím is az eseményről küldött összes e-mailhez.\",\"aAIQg2\":\"Megjelenés\",\"Ym1gnK\":\"alkalmazva\",\"sy6fss\":[\"Alkalmazható \",[\"0\"],\" termékre\"],\"kadJKg\":\"1 termékre vonatkozik\",\"DB8zMK\":\"Alkalmaz\",\"GctSSm\":\"Promóciós kód alkalmazása\",\"ARBThj\":[\"Alkalmazza ezt a \",[\"type\"],\" típust minden új termékre\"],\"S0ctOE\":\"Esemény archiválása\",\"TdfEV7\":\"Archivált\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Biztosan aktiválni szeretné ezt a résztvevőt?\",\"TvkW9+\":\"Biztosan archiválni szeretné ezt az eseményt?\",\"/CV2x+\":\"Biztosan törölni szeretné ezt a résztvevőt? Ez érvényteleníti a jegyét.\",\"YgRSEE\":\"Biztosan törölni szeretné ezt a promóciós kódot?\",\"iU234U\":\"Biztosan törölni szeretné ezt a kérdést?\",\"CMyVEK\":\"Biztosan piszkozatba szeretné tenni ezt az eseményt? Ezzel az esemény láthatatlanná válik a nyilvánosság számára.\",\"mEHQ8I\":\"Biztosan nyilvánossá szeretné tenni ezt az eseményt? Ezzel az esemény láthatóvá válik a nyilvánosság számára.\",\"s4JozW\":\"Biztosan vissza szeretné állítani ezt az eseményt? Piszkozatként lesz visszaállítva.\",\"vJuISq\":\"Biztosan törölni szeretné ezt a kapacitás-hozzárendelést?\",\"baHeCz\":\"Biztosan törölni szeretné ezt a bejelentkezési listát?\",\"LBLOqH\":\"Kérdezze meg egyszer megrendelésenként\",\"wu98dY\":\"Kérdezze meg egyszer termékenként\",\"ss9PbX\":\"Résztvevő\",\"m0CFV2\":\"Résztvevő adatai\",\"QKim6l\":\"Résztvevő nem található\",\"R5IT/I\":\"Résztvevő megjegyzései\",\"lXcSD2\":\"Résztvevői kérdések\",\"HT/08n\":\"Résztvevői jegy\",\"9SZT4E\":\"Résztvevők\",\"iPBfZP\":\"Regisztrált résztvevők\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Automatikus átméretezés\",\"vZ5qKF\":\"Automatikusan átméretezi a widget magasságát a tartalom alapján. Ha le van tiltva, a widget kitölti a tároló magasságát.\",\"4lVaWA\":\"Offline fizetésre vár\",\"2rHwhl\":\"Offline fizetésre vár\",\"3wF4Q/\":\"Fizetésre vár\",\"ioG+xt\":\"Fizetésre vár\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Kft.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Vissza az esemény oldalára\",\"VCoEm+\":\"Vissza a bejelentkezéshez\",\"k1bLf+\":\"Háttérszín\",\"I7xjqg\":\"Háttér típusa\",\"1mwMl+\":\"Küldés előtt!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Számlázási cím\",\"/xC/im\":\"Számlázási beállítások\",\"rp/zaT\":\"Brazíliai portugál\",\"whqocw\":\"A regisztrációval elfogadja <0>Szolgáltatási feltételeinket és <1>Adatvédelmi irányelveinket.\",\"bcCn6r\":\"Számítás típusa\",\"+8bmSu\":\"Kalifornia\",\"iStTQt\":\"A kamera engedélyezése megtagadva. <0>Kérje újra az engedélyt, vagy ha ez nem működik, akkor <1>engedélyeznie kell ennek az oldalnak a kamerájához való hozzáférést a böngésző beállításai között.\",\"dEgA5A\":\"Mégsem\",\"Gjt/py\":\"E-mail cím módosításának visszavonása\",\"tVJk4q\":\"Megrendelés törlése\",\"Os6n2a\":\"Megrendelés törlése\",\"Mz7Ygx\":[\"Megrendelés törlése \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Törölve\",\"U7nGvl\":\"Nem lehet bejelentkezni\",\"QyjCeq\":\"Kapacitás\",\"V6Q5RZ\":\"Kapacitás-hozzárendelés sikeresen létrehozva\",\"k5p8dz\":\"Kapacitás-hozzárendelés sikeresen törölve\",\"nDBs04\":\"Kapacitás kezelése\",\"ddha3c\":\"A kategóriák lehetővé teszik a termékek csoportosítását. Például létrehozhat egy kategóriát „Jegyek” néven, és egy másikat „Árucikkek” néven.\",\"iS0wAT\":\"A kategóriák segítenek a termékek rendszerezésében. Ez a cím megjelenik a nyilvános eseményoldalon.\",\"eorM7z\":\"Kategóriák sikeresen átrendezve.\",\"3EXqwa\":\"Kategória sikeresen létrehozva\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Jelszó módosítása\",\"xMDm+I\":\"Bejelentkezés\",\"p2WLr3\":[\"Bejelentkezés \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Bejelentkezés és megrendelés fizetettként jelölése\",\"QYLpB4\":\"Csak bejelentkezés\",\"/Ta1d4\":\"Kijelentkezés\",\"5LDT6f\":\"Nézze meg ezt az eseményt!\",\"gXcPxc\":\"Bejelentkezés\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Bejelentkezési lista sikeresen törölve\",\"+hBhWk\":\"A bejelentkezési lista lejárt\",\"mBsBHq\":\"A bejelentkezési lista nem aktív\",\"vPqpQG\":\"Bejelentkezési lista nem található\",\"tejfAy\":\"Bejelentkezési listák\",\"hD1ocH\":\"Bejelentkezési URL a vágólapra másolva\",\"CNafaC\":\"A jelölőnégyzet opciók több kiválasztást is lehetővé tesznek\",\"SpabVf\":\"Jelölőnégyzetek\",\"CRu4lK\":\"Checked In\",\"znIg+z\":\"Fizetés\",\"1WnhCL\":\"Fizetési beállítások\",\"6imsQS\":\"Kínai (egyszerűsített)\",\"JjkX4+\":\"Válasszon színt a háttérhez\",\"/Jizh9\":\"Válasszon fiókot\",\"3wV73y\":\"Város\",\"FG98gC\":\"Keresési szöveg törlése\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Kattintson a másoláshoz\",\"yz7wBu\":\"Bezárás\",\"62Ciis\":\"Oldalsáv bezárása\",\"EWPtMO\":\"Kód\",\"ercTDX\":\"A kódnak 3 és 50 karakter között kell lennie\",\"oqr9HB\":\"Összecsukja ezt a terméket, amikor az eseményoldal kezdetben betöltődik\",\"jZlrte\":\"Szín\",\"Vd+LC3\":\"A színnek érvényes hexadecimális színkódnak kell lennie. Példa: #ffffff\",\"1HfW/F\":\"Színek\",\"VZeG/A\":\"Hamarosan érkezik\",\"yPI7n9\":\"Vesszővel elválasztott kulcsszavak, amelyek leírják az eseményt. Ezeket a keresőmotorok használják az esemény kategorizálásához és indexeléséhez.\",\"NPZqBL\":\"Megrendelés befejezése\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Fizetés befejezése\",\"qqWcBV\":\"Befejezett\",\"6HK5Ct\":\"Befejezett megrendelések\",\"NWVRtl\":\"Befejezett megrendelések\",\"DwF9eH\":\"Komponens kód\",\"Tf55h7\":\"Konfigurált kedvezmény\",\"7VpPHA\":\"Megerősítés\",\"ZaEJZM\":\"E-mail cím módosításának megerősítése\",\"yjkELF\":\"Új jelszó megerősítése\",\"xnWESi\":\"Jelszó megerősítése\",\"p2/GCq\":\"Jelszó megerősítése\",\"wnDgGj\":\"E-mail cím megerősítése...\",\"pbAk7a\":\"Stripe csatlakoztatása\",\"UMGQOh\":\"Csatlakozás a Stripe-hoz\",\"QKLP1W\":\"Csatlakoztassa Stripe fiókját, hogy elkezdhesse a fizetések fogadását.\",\"5lcVkL\":\"Csatlakozási adatok\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Folytatás\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Folytatás gomb szövege\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Beállítás folytatása\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Másolva\",\"T5rdis\":\"vágólapra másolva\",\"he3ygx\":\"Másolás\",\"r2B2P8\":\"Bejelentkezési URL másolása\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Link másolása\",\"E6nRW7\":\"URL másolása\",\"JNCzPW\":\"Ország\",\"IF7RiR\":\"Borító\",\"hYgDIe\":\"Létrehozás\",\"b9XOHo\":[\"Létrehozás \",[\"0\"]],\"k9RiLi\":\"Termék létrehozása\",\"6kdXbW\":\"Promóciós kód létrehozása\",\"n5pRtF\":\"Jegy létrehozása\",\"X6sRve\":[\"Regisztráljon vagy <0>\",[\"0\"],\" a kezdéshez\"],\"nx+rqg\":\"szervező létrehozása\",\"ipP6Ue\":\"Résztvevő létrehozása\",\"VwdqVy\":\"Kapacitás-hozzárendelés létrehozása\",\"EwoMtl\":\"Kategória létrehozása\",\"XletzW\":\"Kategória létrehozása\",\"WVbTwK\":\"Bejelentkezési lista létrehozása\",\"uN355O\":\"Esemény létrehozása\",\"BOqY23\":\"Új létrehozása\",\"kpJAeS\":\"Szervező létrehozása\",\"a0EjD+\":\"Termék létrehozása\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Promóciós kód létrehozása\",\"B3Mkdt\":\"Kérdés létrehozása\",\"UKfi21\":\"Adó vagy díj létrehozása\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Pénznem\",\"DCKkhU\":\"Jelenlegi jelszó\",\"uIElGP\":\"Egyedi térképek URL\",\"UEqXyt\":\"Egyedi tartomány\",\"876pfE\":\"Ügyfél\",\"QOg2Sf\":\"Testreszabhatja az esemény e-mail és értesítési beállításait.\",\"Y9Z/vP\":\"Testreszabhatja az esemény honlapját és a fizetési üzeneteket.\",\"2E2O5H\":\"Testreszabhatja az esemény egyéb beállításait.\",\"iJhSxe\":\"Testreszabhatja az esemény SEO beállításait.\",\"KIhhpi\":\"Testreszabhatja eseményoldalát\",\"nrGWUv\":\"Testreszabhatja eseményoldalát, hogy illeszkedjen márkájához és stílusához.\",\"Zz6Cxn\":\"Veszélyzóna\",\"ZQKLI1\":\"Veszélyzóna\",\"7p5kLi\":\"Irányítópult\",\"mYGY3B\":\"Dátum\",\"JvUngl\":\"Dátum és idő\",\"JJhRbH\":\"Első nap kapacitás\",\"cnGeoo\":\"Törlés\",\"jRJZxD\":\"Kapacitás törlése\",\"VskHIx\":\"Kategória törlése\",\"Qrc8RZ\":\"Bejelentkezési lista törlése\",\"WHf154\":\"Kód törlése\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Kérdés törlése\",\"Nu4oKW\":\"Leírás\",\"YC3oXa\":\"Leírás a bejelentkezési személyzet számára\",\"URmyfc\":\"Részletek\",\"1lRT3t\":\"Ezen kapacitás letiltása nyomon követi az értékesítéseket, de nem állítja le őket, amikor a limit elérte a határt.\",\"H6Ma8Z\":\"Kedvezmény\",\"ypJ62C\":\"Kedvezmény %\",\"3LtiBI\":[\"Kedvezmény \",[\"0\"],\"-ban\"],\"C8JLas\":\"Kedvezmény típusa\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Dokumentum címke\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Adomány / Fizess, amennyit szeretnél termék\",\"OvNbls\":\".ics letöltése\",\"kodV18\":\"CSV letöltése\",\"CELKku\":\"Számla letöltése\",\"LQrXcu\":\"Számla letöltése\",\"QIodqd\":\"QR kód letöltése\",\"yhjU+j\":\"Számla letöltése\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Legördülő menü kiválasztása\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Esemény másolása\",\"3ogkAk\":\"Esemény másolása\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Opciók másolása\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Korai madár\",\"ePK91l\":\"Szerkesztés\",\"N6j2JH\":[\"Szerkesztés \",[\"0\"]],\"kBkYSa\":\"Kapacitás szerkesztése\",\"oHE9JT\":\"Kapacitás-hozzárendelés szerkesztése\",\"j1Jl7s\":\"Kategória szerkesztése\",\"FU1gvP\":\"Bejelentkezési lista szerkesztése\",\"iFgaVN\":\"Kód szerkesztése\",\"jrBSO1\":\"Szervező szerkesztése\",\"tdD/QN\":\"Termék szerkesztése\",\"n143Tq\":\"Termékkategória szerkesztése\",\"9BdS63\":\"Promóciós kód szerkesztése\",\"O0CE67\":\"Kérdés szerkesztése\",\"EzwCw7\":\"Kérdés szerkesztése\",\"poTr35\":\"Felhasználó szerkesztése\",\"GTOcxw\":\"Felhasználó szerkesztése\",\"pqFrv2\":\"pl. 2.50 2.50 dollárért\",\"3yiej1\":\"pl. 23.5 23.5%-ért\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"E-mail és értesítési beállítások\",\"ATGYL1\":\"E-mail cím\",\"hzKQCy\":\"E-mail cím\",\"HqP6Qf\":\"E-mail cím módosítása sikeresen törölve\",\"mISwW1\":\"E-mail cím módosítása függőben\",\"APuxIE\":\"E-mail megerősítés újraküldve\",\"YaCgdO\":\"E-mail megerősítés sikeresen újraküldve\",\"jyt+cx\":\"E-mail lábléc üzenet\",\"I6F3cp\":\"E-mail nem ellenőrzött\",\"NTZ/NX\":\"Beágyazási kód\",\"4rnJq4\":\"Beágyazási szkript\",\"8oPbg1\":\"Számlázás engedélyezése\",\"j6w7d/\":\"Engedélyezze ezt a kapacitást, hogy leállítsa a termékértékesítést, amikor a limit elérte a határt.\",\"VFv2ZC\":\"Befejezés dátuma\",\"237hSL\":\"Befejezett\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Angol\",\"MhVoma\":\"Adjon meg egy összeget adók és díjak nélkül.\",\"SlfejT\":\"Hiba\",\"3Z223G\":\"Hiba az e-mail cím megerősítésekor\",\"a6gga1\":\"Hiba az e-mail cím módosításának megerősítésekor\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Esemény\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Esemény dátuma\",\"0Zptey\":\"Esemény alapértelmezett beállításai\",\"QcCPs8\":\"Esemény részletei\",\"6fuA9p\":\"Esemény sikeresen másolva\",\"AEuj2m\":\"Esemény honlapja\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Esemény helyszíne és helyszín adatai\",\"OopDbA\":\"Event page\",\"4/If97\":\"Esemény állapotának frissítése sikertelen. Kérjük, próbálja újra később.\",\"btxLWj\":\"Esemény állapota frissítve\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Események\",\"sZg7s1\":\"Lejárati dátum\",\"KnN1Tu\":\"Lejár\",\"uaSvqt\":\"Lejárati dátum\",\"GS+Mus\":\"Exportálás\",\"9xAp/j\":\"Nem sikerült törölni a résztvevőt.\",\"ZpieFv\":\"Nem sikerült törölni a megrendelést.\",\"z6tdjE\":\"Nem sikerült törölni az üzenetet. Kérjük, próbálja újra.\",\"xDzTh7\":\"Nem sikerült letölteni a számlát. Kérjük, próbálja újra.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Bejelentkezési lista betöltése sikertelen\",\"ZQ15eN\":\"Jegy e-mail újraküldése sikertelen\",\"ejXy+D\":\"Termékek rendezése sikertelen\",\"PLUB/s\":\"Díj\",\"/mfICu\":\"Díjak\",\"LyFC7X\":\"Megrendelések szűrése\",\"cSev+j\":\"Szűrők\",\"CVw2MU\":[\"Szűrők (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Első számla száma\",\"V1EGGU\":\"Keresztnév\",\"kODvZJ\":\"Keresztnév\",\"S+tm06\":\"A keresztnévnek 1 és 50 karakter között kell lennie.\",\"1g0dC4\":\"A keresztnév, vezetéknév és e-mail cím alapértelmezett kérdések, és mindig szerepelnek a fizetési folyamatban.\",\"Rs/IcB\":\"Először használva\",\"TpqW74\":\"Fix\",\"irpUxR\":\"Fix összeg\",\"TF9opW\":\"Vaku nem elérhető ezen az eszközön\",\"UNMVei\":\"Elfelejtette jelszavát?\",\"2POOFK\":\"Ingyenes\",\"P/OAYJ\":\"Ingyenes termék\",\"vAbVy9\":\"Ingyenes termék, fizetési információ nem szükséges\",\"nLC6tu\":\"Francia\",\"Weq9zb\":\"Általános\",\"DDcvSo\":\"Német\",\"4GLxhy\":\"Első lépések\",\"4D3rRj\":\"Vissza a profilhoz\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Naptár\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Bruttó értékesítés\",\"yRg26W\":\"Bruttó értékesítés\",\"R4r4XO\":\"Résztvevők\",\"26pGvx\":\"Van promóciós kódja?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"Íme egy példa, hogyan használhatja a komponenst az alkalmazásában.\",\"Y1SSqh\":\"Íme a React komponens, amelyet a widget beágyazásához használhatja az alkalmazásában.\",\"QuhVpV\":[\"Szia \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Rejtett a nyilvánosság elől\",\"gt3Xw9\":\"rejtett kérdés\",\"g3rqFe\":\"rejtett kérdések\",\"k3dfFD\":\"A rejtett kérdések csak az eseményszervező számára láthatók, az ügyfél számára nem.\",\"vLyv1R\":\"Elrejtés\",\"Mkkvfd\":\"Első lépések oldal elrejtése\",\"mFn5Xz\":\"Rejtett kérdések elrejtése\",\"YHsF9c\":\"Termék elrejtése az értékesítés befejezési dátuma után\",\"06s3w3\":\"Termék elrejtése az értékesítés kezdési dátuma előtt\",\"axVMjA\":\"Termék elrejtése, kivéve, ha a felhasználónak van érvényes promóciós kódja\",\"ySQGHV\":\"Termék elrejtése, ha elfogyott\",\"SCimta\":\"Elrejti az első lépések oldalt az oldalsávról\",\"5xR17G\":\"Termék elrejtése az ügyfelek elől\",\"Da29Y6\":\"Kérdés elrejtése\",\"fvDQhr\":\"Szint elrejtése a felhasználók elől\",\"lNipG+\":\"Egy termék elrejtése megakadályozza, hogy a felhasználók lássák azt az eseményoldalon.\",\"ZOBwQn\":\"Honlaptervezés\",\"PRuBTd\":\"Honlaptervező\",\"YjVNGZ\":\"Honlap előnézet\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Hány perc áll az ügyfél rendelkezésére a megrendelés befejezéséhez? Legalább 15 percet javaslunk.\",\"ySxKZe\":\"Hányszor használható fel ez a kód?\",\"dZsDbK\":[\"HTML karakterkorlát túllépve: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Elfogadom az <0>általános szerződési feltételeket\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Ha üres, a cím Google térkép link generálására lesz használva\",\"UYT+c8\":\"Ha engedélyezve van, a bejelentkezési személyzet bejelentkezettként jelölheti meg a résztvevőket, vagy fizetettként jelölheti meg a megrendelést, és bejelentkezhet a résztvevők. Ha le van tiltva, a fizetetlen megrendelésekhez társított résztvevők nem jelentkezhetnek be.\",\"muXhGi\":\"Ha engedélyezve van, a szervező e-mail értesítést kap, amikor új megrendelés érkezik.\",\"6fLyj/\":\"Ha nem Ön kérte ezt a módosítást, kérjük, azonnal változtassa meg jelszavát.\",\"n/ZDCz\":\"Kép sikeresen törölve\",\"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\":\"Kép sikeresen feltöltve\",\"VyUuZb\":\"Kép URL-címe\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inaktív\",\"T0K0yl\":\"Az inaktív felhasználók nem tudnak bejelentkezni.\",\"kO44sp\":\"Adja meg az online esemény csatlakozási adatait. Ezek az adatok megjelennek a megrendelés összefoglaló oldalán és a résztvevő jegy oldalán.\",\"FlQKnG\":\"Adó és díjak belefoglalása az árba\",\"Vi+BiW\":[[\"0\"],\" terméket tartalmaz\"],\"lpm0+y\":\"1 terméket tartalmaz\",\"UiAk5P\":\"Kép beszúrása\",\"OyLdaz\":\"Meghívó újraküldve!\",\"HE6KcK\":\"Meghívó visszavonva!\",\"SQKPvQ\":\"Felhasználó meghívása\",\"bKOYkd\":\"Számla sikeresen letöltve\",\"alD1+n\":\"Számlamegjegyzések\",\"kOtCs2\":\"Számlaszámozás\",\"UZ2GSZ\":\"Számla beállítások\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Tétel\",\"KFXip/\":\"János\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Címke\",\"vXIe7J\":\"Nyelv\",\"2LMsOq\":\"Utolsó 12 hónap\",\"vfe90m\":\"Utolsó 14 nap\",\"aK4uBd\":\"Utolsó 24 óra\",\"uq2BmQ\":\"Utolsó 30 nap\",\"bB6Ram\":\"Utolsó 48 óra\",\"VlnB7s\":\"Utolsó 6 hónap\",\"ct2SYD\":\"Utolsó 7 nap\",\"XgOuA7\":\"Utolsó 90 nap\",\"I3yitW\":\"Utolsó bejelentkezés\",\"1ZaQUH\":\"Vezetéknév\",\"UXBCwc\":\"Vezetéknév\",\"tKCBU0\":\"Utoljára használva\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Hagyja üresen az alapértelmezett „Számla” szó használatához\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Betöltés...\",\"wJijgU\":\"Helyszín\",\"sQia9P\":\"Bejelentkezés\",\"zUDyah\":\"Bejelentkezés...\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Kijelentkezés\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Tegye kötelezővé a számlázási címet a fizetés során\",\"MU3ijv\":\"Tegye kötelezővé ezt a kérdést\",\"wckWOP\":\"Kezelés\",\"onpJrA\":\"Résztvevő kezelése\",\"n4SpU5\":\"Esemény kezelése\",\"WVgSTy\":\"Megrendelés kezelése\",\"1MAvUY\":\"Kezelje az esemény fizetési és számlázási beállításait.\",\"cQrNR3\":\"Profil kezelése\",\"AtXtSw\":\"Kezelje az adókat és díjakat, amelyek alkalmazhatók a termékeire.\",\"ophZVW\":\"Jegyek kezelése\",\"DdHfeW\":\"Kezelje fiókadatait és alapértelmezett beállításait.\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Kezelje felhasználóit és engedélyeiket.\",\"1m+YT2\":\"A kötelező kérdésekre válaszolni kell, mielőtt az ügyfél fizethetne.\",\"Dim4LO\":\"Résztvevő manuális hozzáadása\",\"e4KdjJ\":\"Résztvevő manuális hozzáadása\",\"vFjEnF\":\"Fizetettként jelölés\",\"g9dPPQ\":\"Maximum megrendelésenként\",\"l5OcwO\":\"Üzenet a résztvevőnek\",\"Gv5AMu\":\"Üzenet a résztvevőknek\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Üzenet a vásárlónak\",\"tNZzFb\":\"Üzenet tartalma\",\"lYDV/s\":\"Egyéni résztvevők üzenete\",\"V7DYWd\":\"Üzenet elküldve\",\"t7TeQU\":\"Üzenetek\",\"xFRMlO\":\"Minimum megrendelésenként\",\"QYcUEf\":\"Minimális ár\",\"RDie0n\":\"Egyéb\",\"mYLhkl\":\"Egyéb beállítások\",\"KYveV8\":\"Többsoros szövegdoboz\",\"VD0iA7\":\"Több árlehetőség. Tökéletes a korai madár termékekhez stb.\",\"/bhMdO\":\"Az én csodálatos eseményem leírása...\",\"vX8/tc\":\"Az én csodálatos eseményem címe...\",\"hKtWk2\":\"Profilom\",\"fj5byd\":\"N/A\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Név\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigálás a résztvevőhöz\",\"qqeAJM\":\"Soha\",\"7vhWI8\":\"Új jelszó\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Nincs megjeleníthető archivált esemény.\",\"q2LEDV\":\"Nincsenek résztvevők ehhez a megrendeléshez.\",\"zlHa5R\":\"Ehhez a megrendeléshez nem adtak hozzá résztvevőket.\",\"Wjz5KP\":\"Nincs megjeleníthető résztvevő\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Nincs kapacitás-hozzárendelés\",\"a/gMx2\":\"Nincsenek bejelentkezési listák\",\"tMFDem\":\"Nincs adat\",\"6Z/F61\":\"Nincs megjeleníthető adat. Kérjük, válasszon dátumtartományt.\",\"fFeCKc\":\"Nincs kedvezmény\",\"HFucK5\":\"Nincs megjeleníthető befejezett esemény.\",\"yAlJXG\":\"Nincs megjeleníthető esemény\",\"GqvPcv\":\"Nincsenek elérhető szűrők\",\"KPWxKD\":\"Nincs megjeleníthető üzenet\",\"J2LkP8\":\"Nincs megjeleníthető megrendelés\",\"RBXXtB\":\"Jelenleg nem állnak rendelkezésre fizetési módok. Kérjük, vegye fel a kapcsolatot az eseményszervezővel segítségért.\",\"ZWEfBE\":\"Fizetés nem szükséges\",\"ZPoHOn\":\"Nincs termék ehhez a résztvevőhöz társítva.\",\"Ya1JhR\":\"Nincsenek termékek ebben a kategóriában.\",\"FTfObB\":\"Még nincsenek termékek\",\"+Y976X\":\"Nincs megjeleníthető promóciós kód\",\"MAavyl\":\"Ehhez a résztvevőhöz nem érkezett válasz.\",\"SnlQeq\":\"Ehhez a megrendeléshez nem tettek fel kérdéseket.\",\"Ev2r9A\":\"Nincs találat\",\"gk5uwN\":\"Nincs találat\",\"RHyZUL\":\"Nincs találat.\",\"RY2eP1\":\"Nem adtak hozzá adókat vagy díjakat.\",\"EdQY6l\":\"Egyik sem\",\"OJx3wK\":\"Nem elérhető\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Jegyzetek\",\"jtrY3S\":\"Még nincs mit mutatni\",\"hFwWnI\":\"Értesítési beállítások\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Szervező értesítése új megrendelésekről\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Engedélyezett napok száma a fizetésre (hagyja üresen a fizetési feltételek kihagyásához a számlákról)\",\"n86jmj\":\"Szám előtag\",\"mwe+2z\":\"Az offline megrendelések nem jelennek meg az esemény statisztikáiban, amíg a megrendelés nem kerül fizetettként megjelölésre.\",\"dWBrJX\":\"Offline fizetés sikertelen. Kérjük, próbálja újra, vagy lépjen kapcsolatba az eseményszervezővel.\",\"fcnqjw\":\"Offline fizetési utasítások\",\"+eZ7dp\":\"Offline fizetések\",\"ojDQlR\":\"Offline fizetési információk\",\"u5oO/W\":\"Offline fizetési beállítások\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"Eladó\",\"Ug4SfW\":\"Miután létrehozott egy eseményt, itt fogja látni.\",\"ZxnK5C\":\"Miután elkezd gyűjteni adatokat, itt fogja látni.\",\"PnSzEc\":\"Amikor elkészült, tegye élővé eseményét, és kezdjen el termékeket értékesíteni.\",\"J6n7sl\":\"Folyamatban\",\"z+nuVJ\":\"Online esemény\",\"WKHW0N\":\"Online esemény részletei\",\"/xkmKX\":\"Csak az eseménnyel közvetlenül kapcsolatos fontos e-maileket küldje el ezen a formon keresztül.\\nBármilyen visszaélés, beleértve a promóciós e-mailek küldését is, azonnali fiókletiltáshoz vezet.\",\"Qqqrwa\":\"Bejelentkezési oldal megnyitása\",\"OdnLE4\":\"Oldalsáv megnyitása\",\"ZZEYpT\":[\"Opció \",[\"i\"]],\"oPknTP\":\"Opcionális további információk, amelyek megjelennek minden számlán (pl. fizetési feltételek, késedelmi díjak, visszatérítési szabályzat).\",\"OrXJBY\":\"Opcionális előtag a számlaszámokhoz (pl. INV-)\",\"0zpgxV\":\"Opciók\",\"BzEFor\":\"vagy\",\"UYUgdb\":\"Megrendelés\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Megrendelés törölve\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Megrendelés dátuma\",\"Tol4BF\":\"Megrendelés részletei\",\"WbImlQ\":\"A megrendelés törölve lett, és a megrendelő értesítést kapott.\",\"nAn4Oe\":\"Megrendelés fizetettként megjelölve\",\"uzEfRz\":\"Megrendelés jegyzetek\",\"VCOi7U\":\"Megrendelési kérdések\",\"TPoYsF\":\"Rendelésszám\",\"acIJ41\":\"Megrendelés állapota\",\"GX6dZv\":\"Megrendelés összefoglaló\",\"tDTq0D\":\"Megrendelés időtúllépés\",\"1h+RBg\":\"Megrendelések\",\"3y+V4p\":\"Szervezet címe\",\"GVcaW6\":\"Szervezet részletei\",\"nfnm9D\":\"Szervezet neve\",\"G5RhpL\":\"Szervező\",\"mYygCM\":\"Szervező kötelező\",\"Pa6G7v\":\"Szervező neve\",\"l894xP\":\"A szervezők csak eseményeket és termékeket kezelhetnek. Nem kezelhetik a felhasználókat, fiókbeállításokat vagy számlázási információkat.\",\"fdjq4c\":\"Kitöltés\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Oldal nem található\",\"QbrUIo\":\"Oldalmegtekintések\",\"6D8ePg\":\"oldal.\",\"IkGIz8\":\"fizetett\",\"HVW65c\":\"Fizetős termék\",\"ZfxaB4\":\"Részben visszatérítve\",\"8ZsakT\":\"Jelszó\",\"TUJAyx\":\"Password must be a minimum of 8 characters\",\"vwGkYB\":\"A jelszónak legalább 8 karakter hosszúnak kell lennie.\",\"BLTZ42\":\"Jelszó sikeresen visszaállítva. Kérjük, jelentkezzen be új jelszavával.\",\"f7SUun\":\"A jelszavak nem egyeznek.\",\"aEDp5C\":\"Illessze be ezt oda, ahová a widgetet szeretné.\",\"+23bI/\":\"Patrik\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Fizetés\",\"Lg+ewC\":\"Fizetés és számlázás\",\"DZjk8u\":\"Fizetési és számlázási beállítások\",\"lflimf\":\"Fizetési határidő\",\"JhtZAK\":\"Fizetés sikertelen\",\"JEdsvQ\":\"Fizetési utasítások\",\"bLB3MJ\":\"Fizetési módok\",\"QzmQBG\":\"Fizetési szolgáltató\",\"lsxOPC\":\"Fizetés beérkezett\",\"wJTzyi\":\"Fizetési állapot\",\"xgav5v\":\"Fizetés sikeres!\",\"R29lO5\":\"Fizetési feltételek\",\"/roQKz\":\"Százalék\",\"vPJ1FI\":\"Százalékos összeg\",\"xdA9ud\":\"Helyezze ezt a weboldalának részébe.\",\"blK94r\":\"Kérjük, adjon hozzá legalább egy opciót.\",\"FJ9Yat\":\"Kérjük, ellenőrizze, hogy a megadott információk helyesek-e.\",\"TkQVup\":\"Kérjük, ellenőrizze e-mail címét és jelszavát, majd próbálja újra.\",\"sMiGXD\":\"Kérjük, ellenőrizze, hogy az e-mail címe érvényes-e.\",\"Ajavq0\":\"Kérjük, ellenőrizze e-mail címét az e-mail cím megerősítéséhez.\",\"MdfrBE\":\"Kérjük, töltse ki az alábbi űrlapot a meghívás elfogadásához.\",\"b1Jvg+\":\"Kérjük, folytassa az új lapon.\",\"hcX103\":\"Kérjük, hozzon létre egy terméket.\",\"cdR8d6\":\"Kérjük, hozzon létre egy jegyet.\",\"x2mjl4\":\"Kérjük, adjon meg egy érvényes kép URL-t, amely egy képre mutat.\",\"HnNept\":\"Kérjük, adja meg új jelszavát.\",\"5FSIzj\":\"Kérjük, vegye figyelembe\",\"C63rRe\":\"Kérjük, térjen vissza az esemény oldalára az újrakezdéshez.\",\"pJLvdS\":\"Kérjük, válassza ki\",\"Ewir4O\":\"Kérjük, válasszon ki legalább egy terméket.\",\"igBrCH\":\"Kérjük, erősítse meg e-mail címét az összes funkció eléréséhez.\",\"/IzmnP\":\"Kérjük, várjon, amíg előkészítjük számláját...\",\"MOERNx\":\"Portugál\",\"qCJyMx\":\"Fizetés utáni üzenet\",\"g2UNkE\":\"Működteti:\",\"Rs7IQv\":\"Fizetés előtti üzenet\",\"rdUucN\":\"Előnézet\",\"a7u1N9\":\"Ár\",\"CmoB9j\":\"Ármegjelenítési mód\",\"BI7D9d\":\"Ár nincs beállítva\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Ár típusa\",\"6RmHKN\":\"Elsődleges szín\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Elsődleges szövegszín\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Összes jegy nyomtatása\",\"DKwDdj\":\"Jegyek nyomtatása\",\"K47k8R\":\"Termék\",\"1JwlHk\":\"Termékkategória\",\"U61sAj\":\"Termékkategória sikeresen frissítve.\",\"1USFWA\":\"Termék sikeresen törölve\",\"4Y2FZT\":\"Termék ár típusa\",\"mFwX0d\":\"Termékkel kapcsolatos kérdések\",\"Lu+kBU\":\"Termék értékesítés\",\"U/R4Ng\":\"Terméksor\",\"sJsr1h\":\"Termék típusa\",\"o1zPwM\":\"Termék widget előnézet\",\"ktyvbu\":\"Termék(ek)\",\"N0qXpE\":\"Termékek\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Eladott termékek\",\"/u4DIx\":\"Eladott termékek\",\"DJQEZc\":\"Termékek sikeresen rendezve\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Profil sikeresen frissítve\",\"cl5WYc\":[\"Promóciós kód \",[\"promo_code\"],\" alkalmazva\"],\"P5sgAk\":\"Promóciós kód\",\"yKWfjC\":\"Promóciós kód oldal\",\"RVb8Fo\":\"Promóciós kódok\",\"BZ9GWa\":\"A promóciós kódok kedvezmények, előzetes hozzáférés vagy különleges hozzáférés biztosítására használhatók az eseményéhez.\",\"OP094m\":\"Promóciós kódok jelentés\",\"4kyDD5\":\"Adjon meg további kontextust vagy utasításokat ehhez a kérdéshez. Ezt a mezőt használja a feltételek, irányelvek vagy bármilyen fontos információ hozzáadására, amelyet a résztvevőknek tudniuk kell a válaszadás előtt.\",\"toutGW\":\"QR kód\",\"LkMOWF\":\"Elérhető mennyiség\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Kérdés törölve\",\"avf0gk\":\"Kérdés leírása\",\"oQvMPn\":\"Kérdés címe\",\"enzGAL\":\"Kérdések\",\"ROv2ZT\":\"Kérdések és válaszok\",\"K885Eq\":\"Kérdések sikeresen rendezve\",\"OMJ035\":\"Rádió opció\",\"C4TjpG\":\"Kevesebb olvasása\",\"I3QpvQ\":\"Címzett\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Visszatérítés sikertelen\",\"n10yGu\":\"Megrendelés visszatérítése\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Visszatérítés függőben\",\"xHpVRl\":\"Visszatérítés állapota\",\"/BI0y9\":\"Visszatérítve\",\"fgLNSM\":\"Regisztráció\",\"9+8Vez\":\"Fennmaradó felhasználások\",\"tasfos\":\"eltávolítás\",\"t/YqKh\":\"Eltávolítás\",\"t9yxlZ\":\"Jelentések\",\"prZGMe\":\"Számlázási cím kötelező\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"E-mail megerősítés újraküldése\",\"wIa8Qe\":\"Meghívó újraküldése\",\"VeKsnD\":\"Megrendelés e-mail újraküldése\",\"dFuEhO\":\"Jegy e-mail újraküldése\",\"o6+Y6d\":\"Újraküldés...\",\"OfhWJH\":\"Visszaállítás\",\"RfwZxd\":\"Jelszó visszaállítása\",\"KbS2K9\":\"Jelszó visszaállítása\",\"e99fHm\":\"Esemény visszaállítása\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Vissza az esemény oldalára\",\"8YBH95\":\"Bevétel\",\"PO/sOY\":\"Meghívó visszavonása\",\"GDvlUT\":\"Szerep\",\"ELa4O9\":\"Értékesítés befejezési dátuma\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Értékesítés kezdési dátuma\",\"hBsw5C\":\"Értékesítés befejezve\",\"kpAzPe\":\"Értékesítés kezdete\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Mentés\",\"IUwGEM\":\"Változások mentése\",\"U65fiW\":\"Szervező mentése\",\"UGT5vp\":\"Beállítások mentése\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Keresés résztvevő neve, e-mail címe vagy rendelési száma alapján...\",\"+pr/FY\":\"Keresés eseménynév alapján...\",\"3zRbWw\":\"Keresés név, e-mail vagy rendelési szám alapján...\",\"L22Tdf\":\"Keresés név, rendelési szám, résztvevő azonosító vagy e-mail alapján...\",\"BiYOdA\":\"Keresés név alapján...\",\"YEjitp\":\"Keresés tárgy vagy tartalom alapján...\",\"Pjsch9\":\"Kapacitás-hozzárendelések keresése...\",\"r9M1hc\":\"Bejelentkezési listák keresése...\",\"+0Yy2U\":\"Termékek keresése\",\"YIix5Y\":\"Keresés...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Másodlagos szín\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Másodlagos szövegszín\",\"02ePaq\":[\"Válasszon \",[\"0\"]],\"QuNKRX\":\"Kamera kiválasztása\",\"9FQEn8\":\"Kategória kiválasztása...\",\"kWI/37\":\"Szervező kiválasztása\",\"ixIx1f\":\"Termék kiválasztása\",\"3oSV95\":\"Terméksor kiválasztása\",\"C4Y1hA\":\"Termékek kiválasztása\",\"hAjDQy\":\"Állapot kiválasztása\",\"QYARw/\":\"Jegy kiválasztása\",\"OMX4tH\":\"Jegyek kiválasztása\",\"DrwwNd\":\"Időszak kiválasztása\",\"O/7I0o\":\"Válasszon...\",\"JlFcis\":\"Küldés\",\"qKWv5N\":[\"Másolat küldése ide: <0>\",[\"0\"],\"\"],\"RktTWf\":\"Üzenet küldése\",\"/mQ/tD\":\"Küldés tesztként. Ez az üzenetet az Ön e-mail címére küldi, nem a címzetteknek.\",\"M/WIer\":\"Üzenet küldése\",\"D7ZemV\":\"Rendelés visszaigazoló és jegy e-mail küldése\",\"v1rRtW\":\"Teszt küldése\",\"4Ml90q\":\"Keresőoptimalizálás\",\"j1VfcT\":\"Keresőoptimalizálási leírás\",\"/SIY6o\":\"Keresőoptimalizálási kulcsszavak\",\"GfWoKv\":\"Keresőoptimalizálási beállítások\",\"rXngLf\":\"Keresőoptimalizálási cím\",\"/jZOZa\":\"Szolgáltatási díj\",\"Bj/QGQ\":\"Adjon meg minimális árat, és hagyja, hogy a felhasználók többet fizessenek, ha úgy döntenek.\",\"L0pJmz\":\"Állítsa be a számlaszámozás kezdő számát. Ez nem módosítható, amint a számlák elkészültek.\",\"nYNT+5\":\"Állítsa be eseményét\",\"A8iqfq\":\"Tegye élővé eseményét\",\"Tz0i8g\":\"Beállítások\",\"Z8lGw6\":\"Megosztás\",\"B2V3cA\":\"Esemény megosztása\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Elérhető termékmennyiség megjelenítése\",\"qDsmzu\":\"Rejtett kérdések megjelenítése\",\"fMPkxb\":\"Több mutatása\",\"izwOOD\":\"Adó és díjak külön megjelenítése\",\"1SbbH8\":\"Az ügyfélnek a fizetés után, a rendelésösszegző oldalon jelenik meg.\",\"YfHZv0\":\"Az ügyfélnek a fizetés előtt jelenik meg.\",\"CBBcly\":\"Gyakori címmezőket mutat, beleértve az országot is.\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Egysoros szövegmező\",\"+P0Cn2\":\"Lépés kihagyása\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Elfogyott\",\"Mi1rVn\":\"Elfogyott\",\"nwtY4N\":\"Valami hiba történt\",\"GRChTw\":\"Hiba történt az adó vagy díj törlésekor\",\"YHFrbe\":\"Valami hiba történt! Kérjük, próbálja újra.\",\"kf83Ld\":\"Valami hiba történt.\",\"fWsBTs\":\"Valami hiba történt. Kérjük, próbálja újra.\",\"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.\",\"6a/UJE\":\"Sajnáljuk, ez a promóciós kód nem felismerhető.\",\"65A04M\":\"Spanyol\",\"mFuBqb\":\"Standard termék fix árral\",\"D3iCkb\":\"Kezdés dátuma\",\"/2by1f\":\"Állam vagy régió\",\"uAQUqI\":\"Állapot\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"A Stripe fizetések nincsenek engedélyezve ehhez az eseményhez.\",\"UJmAAK\":\"Tárgy\",\"X2rrlw\":\"Részösszeg\",\"zzDlyQ\":\"Sikeres\",\"b0HJ45\":[\"Sikeres! \",[\"0\"],\" hamarosan e-mailt kap.\"],\"BJIEiF\":[\"Sikeresen \",[\"0\"],\" résztvevő\"],\"OtgNFx\":\"E-mail cím sikeresen megerősítve\",\"IKwyaF\":\"E-mail cím módosítás sikeresen megerősítve\",\"zLmvhE\":\"Résztvevő sikeresen létrehozva\",\"gP22tw\":\"Termék sikeresen létrehozva\",\"9mZEgt\":\"Promóciós kód sikeresen létrehozva\",\"aIA9C4\":\"Kérdés sikeresen létrehozva\",\"J3RJSZ\":\"Résztvevő sikeresen frissítve\",\"3suLF0\":\"Kapacitás-hozzárendelés sikeresen frissítve\",\"Z+rnth\":\"Bejelentkezési lista sikeresen frissítve\",\"vzJenu\":\"E-mail beállítások sikeresen frissítve\",\"7kOMfV\":\"Esemény sikeresen frissítve\",\"G0KW+e\":\"Honlapterv sikeresen frissítve\",\"k9m6/E\":\"Honlapbeállítások sikeresen frissítve\",\"y/NR6s\":\"Helyszín sikeresen frissítve\",\"73nxDO\":\"Egyéb beállítások sikeresen frissítve\",\"4H80qv\":\"Megrendelés sikeresen frissítve\",\"6xCBVN\":\"Fizetési és számlázási beállítások sikeresen frissítve\",\"1Ycaad\":\"Termék sikeresen frissítve\",\"70dYC8\":\"Promóciós kód sikeresen frissítve\",\"F+pJnL\":\"Keresőoptimalizálási beállítások sikeresen frissítve\",\"DXZRk5\":\"100-as lakosztály\",\"GNcfRk\":\"Támogatási e-mail\",\"uRfugr\":\"Póló\",\"JpohL9\":\"Adó\",\"geUFpZ\":\"Adó és díjak\",\"dFHcIn\":\"Adó adatok\",\"wQzCPX\":\"Adózási információk, amelyek minden számla alján megjelennek (pl. adószám, adóazonosító szám).\",\"0RXCDo\":\"Adó vagy díj sikeresen törölve\",\"ZowkxF\":\"Adók\",\"qu6/03\":\"Adók és díjak\",\"gypigA\":\"Ez a promóciós kód érvénytelen.\",\"5ShqeM\":\"A keresett bejelentkezési lista nem létezik.\",\"QXlz+n\":\"Az események alapértelmezett pénzneme.\",\"mnafgQ\":\"Az események alapértelmezett időzónája.\",\"o7s5FA\":\"Az a nyelv, amelyen a résztvevő e-maileket kap.\",\"NlfnUd\":\"A link, amire kattintott, érvénytelen.\",\"HsFnrk\":[\"A termékek maximális száma \",[\"0\"],\" számára \",[\"1\"]],\"TSAiPM\":\"A keresett oldal nem létezik.\",\"MSmKHn\":\"Az ügyfélnek megjelenő ár tartalmazza az adókat és díjakat.\",\"6zQOg1\":\"Az ügyfélnek megjelenő ár nem tartalmazza az adókat és díjakat. Külön lesznek feltüntetve.\",\"ne/9Ur\":\"A kiválasztott stílusbeállítások csak a másolt HTML-re vonatkoznak, és nem kerülnek tárolásra.\",\"vQkyB3\":\"Az ehhez a termékhez alkalmazandó adók és díjak. Új adókat és díjakat hozhat létre a\",\"esY5SG\":\"Az esemény címe, amely megjelenik a keresőmotorok találatai között és a közösségi médiában való megosztáskor. Alapértelmezés szerint az esemény címe kerül felhasználásra.\",\"wDx3FF\":\"Nincsenek elérhető termékek ehhez az eseményhez.\",\"pNgdBv\":\"Nincsenek elérhető termékek ebben a kategóriában.\",\"rMcHYt\":\"Függőben lévő visszatérítés van. Kérjük, várja meg a befejezését, mielőtt újabb visszatérítést kérne.\",\"F89D36\":\"Hiba történt a megrendelés fizetettként való megjelölésekor.\",\"68Axnm\":\"Hiba történt a kérés feldolgozása során. Kérjük, próbálja újra.\",\"mVKOW6\":\"Hiba történt az üzenet küldésekor.\",\"AhBPHd\":\"Ezek a részletek csak akkor jelennek meg, ha a megrendelés sikeresen befejeződött. A fizetésre váró megrendelések nem jelenítik meg ezt az üzenetet.\",\"Pc/Wtj\":\"Ennek a résztvevőnek van egy kifizetetlen megrendelése.\",\"mf3FrP\":\"Ez a kategória még nem tartalmaz termékeket.\",\"8QH2Il\":\"Ez a kategória el van rejtve a nyilvánosság elől.\",\"xxv3BZ\":\"Ez a bejelentkezési lista lejárt.\",\"Sa7w7S\":\"Ez a bejelentkezési lista lejárt, és már nem használható bejelentkezéshez.\",\"Uicx2U\":\"Ez a bejelentkezési lista aktív.\",\"1k0Mp4\":\"Ez a bejelentkezési lista még nem aktív.\",\"K6fmBI\":\"Ez a bejelentkezési lista még nem aktív, és nem használható bejelentkezéshez.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Ez az e-mail nem promóciós, és közvetlenül kapcsolódik az eseményhez.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Ez az információ megjelenik a fizetési oldalon, a megrendelés összefoglaló oldalán és a megrendelés visszaigazoló e-mailben.\",\"XAHqAg\":\"Ez egy általános termék, mint egy póló vagy egy bögre. Nem kerül jegy kiállításra.\",\"CNk/ro\":\"Ez egy online esemény.\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Ez az üzenet szerepelni fog az eseményről küldött összes e-mail láblécében.\",\"55i7Fa\":\"Ez az üzenet csak akkor jelenik meg, ha a megrendelés sikeresen befejeződött. A fizetésre váró megrendelések nem jelenítik meg ezt az üzenetet.\",\"RjwlZt\":\"Ez a megrendelés már ki lett fizetve.\",\"5K8REg\":\"Ez a megrendelés már visszatérítésre került.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Ez a megrendelés törölve lett.\",\"Q0zd4P\":\"Ez a megrendelés lejárt. Kérjük, kezdje újra.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Ez a megrendelés kész.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Ez a megrendelési oldal már nem elérhető.\",\"i0TtkR\":\"Ez felülírja az összes láthatósági beállítást, és elrejti a terméket minden ügyfél elől.\",\"cRRc+F\":\"Ez a termék nem törölhető, mert megrendeléshez van társítva. Helyette elrejtheti.\",\"3Kzsk7\":\"Ez a termék egy jegy. A vásárlók jegyet kapnak a vásárláskor.\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Ez a kérdés csak az eseményszervező számára látható.\",\"os29v1\":\"Ez a jelszó-visszaállító link érvénytelen vagy lejárt.\",\"IV9xTT\":\"Ez a felhasználó nem aktív, mivel nem fogadta el a meghívóját.\",\"5AnPaO\":\"jegy\",\"kjAL4v\":\"Jegy\",\"dtGC3q\":\"Jegy e-mailt újraküldték a résztvevőnek.\",\"54q0zp\":\"Jegyek ehhez:\",\"xN9AhL\":[\"Szint \",[\"0\"]],\"jZj9y9\":\"Többszintű termék\",\"8wITQA\":\"A többszintű termékek lehetővé teszik, hogy ugyanahhoz a termékhez több árlehetőséget kínáljon. Ez tökéletes a korai madár termékekhez, vagy különböző árlehetőségek kínálásához különböző embercsoportok számára.\",\"nn3mSR\":\"Hátralévő idő:\",\"s/0RpH\":\"Felhasználások száma\",\"y55eMd\":\"Felhasználások száma\",\"40Gx0U\":\"Időzóna\",\"oDGm7V\":\"TIPP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Eszközök\",\"72c5Qo\":\"Összesen\",\"YXx+fG\":\"Összesen kedvezmények előtt\",\"NRWNfv\":\"Összes kedvezmény összege\",\"BxsfMK\":\"Összes díj\",\"2bR+8v\":\"Összes bruttó értékesítés\",\"mpB/d9\":\"Teljes megrendelési összeg\",\"m3FM1g\":\"Összes visszatérített\",\"jEbkcB\":\"Összes visszatérített\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Összes adó\",\"+zy2Nq\":\"Típus\",\"FMdMfZ\":\"Nem sikerült bejelentkezni a résztvevőnek.\",\"bPWBLL\":\"Nem sikerült kijelentkezni a résztvevőnek.\",\"9+P7zk\":\"Nem sikerült létrehozni a terméket. Kérjük, ellenőrizze adatait.\",\"WLxtFC\":\"Nem sikerült létrehozni a terméket. Kérjük, ellenőrizze adatait.\",\"/cSMqv\":\"Nem sikerült kérdést létrehozni. Kérjük, ellenőrizze adatait.\",\"MH/lj8\":\"Nem sikerült frissíteni a kérdést. Kérjük, ellenőrizze adatait.\",\"nnfSdK\":\"Egyedi ügyfelek\",\"Mqy/Zy\":\"Egyesült Államok\",\"NIuIk1\":\"Korlátlan\",\"/p9Fhq\":\"Korlátlanul elérhető\",\"E0q9qH\":\"Korlátlan felhasználás engedélyezett\",\"h10Wm5\":\"Kifizetetlen megrendelés\",\"ia8YsC\":\"Közelgő\",\"TlEeFv\":\"Közelgő események\",\"L/gNNk\":[\"Frissítés \",[\"0\"]],\"+qqX74\":\"Eseménynév, leírás és dátumok frissítése\",\"vXPSuB\":\"Profil frissítése\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL a vágólapra másolva\",\"e5lF64\":\"Használati példa\",\"fiV0xj\":\"Használati limit\",\"sGEOe4\":\"Használja a borítókép elmosódott változatát háttérként.\",\"OadMRm\":\"Borítókép használata\",\"7PzzBU\":\"Felhasználó\",\"yDOdwQ\":\"Felhasználókezelés\",\"Sxm8rQ\":\"Felhasználók\",\"VEsDvU\":\"A felhasználók módosíthatják e-mail címüket a <0>Profilbeállítások menüpontban.\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"ÁFA\",\"E/9LUk\":\"Helyszín neve\",\"jpctdh\":\"Megtekintés\",\"Pte1Hv\":\"Résztvevő adatainak megtekintése\",\"/5PEQz\":\"Eseményoldal megtekintése\",\"fFornT\":\"Teljes üzenet megtekintése\",\"YIsEhQ\":\"Térkép megtekintése\",\"Ep3VfY\":\"Megtekintés a Google Térképen\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP bejelentkezési lista\",\"tF+VVr\":\"VIP jegy\",\"2q/Q7x\":\"Láthatóság\",\"vmOFL/\":\"Nem sikerült feldolgozni a fizetését. Kérjük, próbálja újra, vagy lépjen kapcsolatba a támogatással.\",\"45Srzt\":\"Nem sikerült törölni a kategóriát. Kérjük, próbálja újra.\",\"/DNy62\":[\"Nem találtunk jegyeket, amelyek megfelelnek a következőnek: \",[\"0\"]],\"1E0vyy\":\"Nem sikerült betölteni az adatokat. Kérjük, próbálja újra.\",\"NmpGKr\":\"Nem sikerült átrendezni a kategóriákat. Kérjük, próbálja újra.\",\"BJtMTd\":\"Javasolt méretek: 1950px x 650px, 3:1 arány, maximális fájlméret: 5MB.\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"Nem sikerült megerősíteni a fizetését. Kérjük, próbálja újra, vagy lépjen kapcsolatba a támogatással.\",\"Gspam9\":\"Megrendelését feldolgozzuk. Kérjük, várjon...\",\"LuY52w\":\"Üdv a fedélzeten! Kérjük, jelentkezzen be a folytatáshoz.\",\"dVxpp5\":[\"Üdv újra, \",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Mik azok a többszintű termékek?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Mi az a kategória?\",\"gxeWAU\":\"Mely termékekre vonatkozik ez a kód?\",\"hFHnxR\":\"Mely termékekre vonatkozik ez a kód? (Alapértelmezés szerint mindenre vonatkozik)\",\"AeejQi\":\"Mely termékekre kell vonatkoznia ennek a kapacitásnak?\",\"Rb0XUE\":\"Mikor érkezik?\",\"5N4wLD\":\"Milyen típusú kérdés ez?\",\"gyLUYU\":\"Ha engedélyezve van, számlák készülnek a jegyrendelésekről. A számlákat a rendelés visszaigazoló e-maillel együtt küldjük el. A résztvevők a rendelés visszaigazoló oldaláról is letölthetik számláikat.\",\"D3opg4\":\"Ha az offline fizetések engedélyezve vannak, a felhasználók befejezhetik megrendeléseiket és megkaphatják jegyeiket. Jegyükön egyértelműen fel lesz tüntetve, hogy a megrendelés nincs kifizetve, és a bejelentkezési eszköz értesíti a bejelentkezési személyzetet, ha egy megrendelés fizetést igényel.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Mely jegyeket kell ehhez a bejelentkezési listához társítani?\",\"S+OdxP\":\"Ki szervezi ezt az eseményt?\",\"LINr2M\":\"Kinek szól ez az üzenet?\",\"nWhye/\":\"Kinek kell feltenni ezt a kérdést?\",\"VxFvXQ\":\"Widget beágyazása\",\"v1P7Gm\":\"Widget beállítások\",\"b4itZn\":\"Dolgozik\",\"hqmXmc\":\"Dolgozik...\",\"+G/XiQ\":\"Év elejétől napjainkig\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Igen, távolítsa el őket.\",\"ySeBKv\":\"Ezt a jegyet már beolvasta.\",\"P+Sty0\":[\"E-mail címét <0>\",[\"0\"],\" címre módosítja.\"],\"gGhBmF\":\"Offline állapotban van.\",\"sdB7+6\":\"Létrehozhat egy promóciós kódot, amely ezt a terméket célozza meg a\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Nem módosíthatja a terméktípust, mivel ehhez a termékhez résztvevők vannak társítva.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Nem jelentkezhet be kifizetetlen megrendeléssel rendelkező résztvevőket. Ez a beállítás az eseménybeállításokban módosítható.\",\"c9Evkd\":\"Nem törölheti az utolsó kategóriát.\",\"6uwAvx\":\"Nem törölheti ezt az árszintet, mert már eladtak termékeket ehhez a szinthez. Helyette elrejtheti.\",\"tFbRKJ\":\"Nem szerkesztheti a fióktulajdonos szerepét vagy állapotát.\",\"fHfiEo\":\"Nem téríthet vissza manuálisan létrehozott megrendelést.\",\"hK9c7R\":\"Elrejtett kérdést hozott létre, de letiltotta az elrejtett kérdések megjelenítésének lehetőségét. Engedélyezve lett.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Több fiókhoz is hozzáfér. Kérjük, válasszon egyet a folytatáshoz.\",\"Z6q0Vl\":\"Ezt a meghívót már elfogadta. Kérjük, jelentkezzen be a folytatáshoz.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Nincsenek résztvevői kérdései.\",\"CoZHDB\":\"Nincsenek megrendelési kérdései.\",\"15qAvl\":\"Nincs függőben lévő e-mail cím módosítás.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Kifutott az időből a megrendelés befejezéséhez.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Még nem küldött üzeneteket. Üzeneteket küldhet minden résztvevőnek, vagy meghatározott terméktulajdonosoknak.\",\"R6i9o9\":\"El kell ismernie, hogy ez az e-mail nem promóciós.\",\"3ZI8IL\":\"El kell fogadnia a feltételeket.\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Jegy létrehozása kötelező, mielőtt manuálisan hozzáadhatna egy résztvevőt.\",\"jE4Z8R\":\"Legalább egy árszintre szüksége van.\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Manuálisan kell fizetettként megjelölnie egy megrendelést. Ez a megrendelés kezelése oldalon tehető meg.\",\"L/+xOk\":\"Szüksége lesz egy jegyre, mielőtt létrehozhat egy bejelentkezési listát.\",\"Djl45M\":\"Szüksége lesz egy termékre, mielőtt létrehozhat egy kapacitás-hozzárendelést.\",\"y3qNri\":\"Legalább egy termékre szüksége lesz a kezdéshez. Ingyenes, fizetős, vagy hagyja, hogy a felhasználó döntse el, mennyit fizet.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Fióknevét az eseményoldalakon és az e-mailekben használják.\",\"veessc\":\"Résztvevői itt jelennek meg, miután regisztráltak az eseményére. Manuálisan is hozzáadhat résztvevőket.\",\"Eh5Wrd\":\"Az Ön csodálatos weboldala 🎉\",\"lkMK2r\":\"Az Ön adatai\",\"3ENYTQ\":[\"E-mail cím módosítási kérelme a következőre: <0>\",[\"0\"],\" függőben. Kérjük, ellenőrizze e-mail címét a megerősítéshez.\"],\"yZfBoy\":\"Üzenetét elküldtük.\",\"KSQ8An\":\"Az Ön megrendelése\",\"Jwiilf\":\"Az Ön megrendelése törölve lett.\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"Megrendelései itt fognak megjelenni, amint beérkeznek.\",\"9TO8nT\":\"Az Ön jelszava\",\"P8hBau\":\"Fizetése feldolgozás alatt áll.\",\"UdY1lL\":\"Fizetése sikertelen volt, kérjük, próbálja újra.\",\"fzuM26\":\"Fizetése sikertelen volt. Kérjük, próbálja újra.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Visszatérítése feldolgozás alatt áll.\",\"IFHV2p\":\"Jegyéhez:\",\"x1PPdr\":\"Irányítószám / Postai irányítószám\",\"BM/KQm\":\"Irányítószám vagy postai irányítószám\",\"+LtVBt\":\"Irányítószám vagy postai irányítószám\",\"25QDJ1\":\"- Kattintson a közzétételhez\",\"WOyJmc\":\"- Kattintson a visszavonáshoz\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" is already checked in\"],\"S4PqS9\":[[\"0\"],\" aktív webhook\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" logó\"],\"B7pZfX\":[[\"0\"],\" szervező\"],\"/HkCs4\":[[\"0\"],\" tickets\"],\"OJnhhX\":[[\"eventCount\"],\" esemény\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>A bejelentkezési listák segítenek az esemény belépésének kezelésében nap, terület vagy jegytípus szerint. Összekapcsolhatja a jegyeket konkrét listákkal, például VIP zónákkal vagy 1. napi bérletek, és megoszthat egy biztonságos bejelentkezési linket a személyzettel. Nincs szükség fiókra. A bejelentkezés mobil, asztali vagy táblagépen működik, eszköz kamerával vagy HID USB szkennerrel. \",\"ZnVt5v\":\"<0>A webhookok azonnal értesítik a külső szolgáltatásokat, amikor események történnek, például új résztvevő hozzáadása a CRM-hez vagy levelezési listához regisztrációkor, biztosítva a zökkenőmentes automatizálást.<1>Használjon harmadik féltől származó szolgáltatásokat, mint a <2>Zapier, <3>IFTTT vagy <4>Make egyedi munkafolyamatok létrehozásához és feladatok automatizálásához.\",\"fAv9QG\":\"🎟️ Jegyek hozzáadása\",\"M2DyLc\":\"1 aktív webhook\",\"yTsaLw\":\"1 ticket\",\"HR/cvw\":\"Minta utca 123\",\"kMU5aM\":\"A cancellation notice has been sent to\",\"V53XzQ\":\"Új ellenőrző kód került elküldésre az e-mail címére.\",\"/z/bH1\":\"A szervező rövid leírása, amely megjelenik a felhasználók számára.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"Rólunk\",\"WTk/ke\":\"A Stripe Connectről\",\"1uJlG9\":\"Accent Color\",\"VTfZPy\":\"Hozzáférés megtagadva\",\"iN5Cz3\":\"Account already connected!\",\"bPwFdf\":\"Accounts\",\"nMtNd+\":\"Action Required: Reconnect Your Stripe Account\",\"a5KFZU\":\"Adja meg az esemény részleteit és kezelje az esemény beállításait.\",\"Fb+SDI\":\"További jegyek hozzáadása\",\"6PNlRV\":\"Add this event to your calendar\",\"BGD9Yt\":\"Jegyek hozzáadása\",\"QN2F+7\":\"Webhook hozzáadása\",\"NsWqSP\":\"Adja hozzá közösségi média hivatkozásait és weboldalának URL-jét. Ezek megjelennek a nyilvános szervezői oldalán.\",\"0Zypnp\":\"Admin Dashboard\",\"YAV57v\":\"Partner\",\"I+utEq\":\"A partnerkód nem módosítható.\",\"/jHBj5\":\"Partner sikeresen létrehozva\",\"uCFbG2\":\"Partner sikeresen törölve\",\"a41PKA\":\"Partneri értékesítések nyomon követése\",\"mJJh2s\":\"A partneri értékesítések nem kerülnek nyomon követésre. Ez inaktiválja a partnert.\",\"jabmnm\":\"Partner sikeresen frissítve\",\"CPXP5Z\":\"Partnerek\",\"9Wh+ug\":\"Partnerek exportálva\",\"3cqmut\":\"A partnerek segítenek nyomon követni a partnerek és befolyásolók által generált értékesítéseket. Hozzon létre partnerkódokat és ossza meg őket a teljesítmény nyomon követéséhez.\",\"7rLTkE\":\"Összes archivált esemény\",\"gKq1fa\":\"Minden résztvevő\",\"pMLul+\":\"All Currencies\",\"qlaZuT\":\"All done! You're now using our upgraded payment system.\",\"ZS/D7f\":\"Összes befejezett esemény\",\"dr7CWq\":\"Összes közelgő esemény\",\"QUg5y1\":\"Almost there! Finish connecting your Stripe account to start accepting payments.\",\"c4uJfc\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds.\",\"/H326L\":\"Already Refunded\",\"RtxQTF\":\"Also cancel this order\",\"jkNgQR\":\"Also refund this order\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"E-mail cím, amelyet ehhez a partnerhez társít. A partner nem kap értesítést.\",\"vRznIT\":\"Hiba történt az exportálási állapot ellenőrzésekor.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Válasz sikeresen frissítve.\",\"LchiNd\":\"Biztosan törölni szeretné ezt a partnert? Ez a művelet nem vonható vissza.\",\"JmVITJ\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the default template.\",\"aLS+A6\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the organizer or default template.\",\"5H3Z78\":\"Biztosan törölni szeretné ezt a webhookot?\",\"147G4h\":\"Biztos, hogy el akarsz menni?\",\"VDWChT\":\"Biztosan piszkozatba szeretné tenni ezt a szervezőt? Ezzel a szervezői oldal láthatatlanná válik a nyilvánosság számára.\",\"pWtQJM\":\"Biztosan nyilvánossá szeretné tenni ezt a szervezőt? Ezzel a szervezői oldal láthatóvá válik a nyilvánosság számára.\",\"WFHOlF\":\"Biztosan közzé szeretné tenni ezt az eseményt? A közzététel után láthatóvá válik a nyilvánosság számára.\",\"4TNVdy\":\"Biztosan közzé szeretné tenni ezt a szervezői profilt? A közzététel után láthatóvá válik a nyilvánosság számára.\",\"ExDt3P\":\"Biztosan visszavonja ennek az eseménynek a közzétételét? Ezzel már nem lesz látható a nyilvánosság számára.\",\"5Qmxo/\":\"Biztosan visszavonja ennek a szervezői profilnak a közzétételét? Ezzel már nem lesz látható a nyilvánosság számára.\",\"+QARA4\":\"Művészet\",\"F2rX0R\":\"Legalább egy eseménytípust ki kell választani.\",\"6PecK3\":\"Attendance and check-in rates across all events\",\"AJ4rvK\":\"Résztvevő törölve\",\"qvylEK\":\"Résztvevő létrehozva\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Attendee Email\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Résztvevő kezelése\",\"av+gjP\":\"Attendee Name\",\"cosfD8\":\"Attendee Status\",\"D2qlBU\":\"Résztvevő frissítve\",\"x8Vnvf\":\"Attendee's ticket not included in this list\",\"k3Tngl\":\"Résztvevők exportálva\",\"5UbY+B\":\"Résztvevők meghatározott jeggyel\",\"4HVzhV\":\"Attendees:\",\"VPoeAx\":\"Automatizált belépéskezelés több bejelentkezési listával és valós idejű ellenőrzéssel\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Available to Refund\",\"NB5+UG\":\"Available Tokens\",\"EmYMHc\":\"Offline fizetésre vár.\",\"kNmmvE\":\"Awesome Events Kft.\",\"kYqM1A\":\"Back to Event\",\"td/bh+\":\"Back to Reports\",\"jIPNJG\":\"Alapvető információk\",\"iMdwTb\":\"Mielőtt az esemény élővé válna, néhány dolgot meg kell tennie. Fejezze be az összes alábbi lépést a kezdéshez.\",\"UabgBd\":\"Body is required\",\"9N+p+g\":\"Üzlet\",\"bv6RXK\":\"Button Label\",\"ChDLlO\":\"Gomb szövege\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Call-to-Action Button\",\"PUpvQe\":\"Camera Scanner\",\"H4nE+E\":\"Cancel all products and release them back to the pool\",\"tOXAdc\":\"Canceling will cancel all attendees associated with this order, and release the tickets back into the available pool.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Kapacitás-hozzárendelések\",\"K7tIrx\":\"Kategória\",\"2tbLdK\":\"Jótékonyság\",\"v4fiSg\":\"Ellenőrizze e-mail címét\",\"51AsAN\":\"Check your inbox! If tickets are associated with this email, you'll receive a link to view them.\",\"udRwQs\":\"Bejelentkezés létrehozva\",\"F4SRy3\":\"Bejelentkezés törölve\",\"9gPPUY\":\"Check-In List Created\",\"f2vU9t\":\"Check-in Lists\",\"tMNBEF\":\"Check-in lists let you control entry across days, areas, or ticket types. You can share a secure check-in link with staff — no account required.\",\"SHJwyq\":\"Check-in Rate\",\"qCqdg6\":\"Check-In Status\",\"cKj6OE\":\"Check-in Summary\",\"7B5M35\":\"Bejelentkezések\",\"DM4gBB\":\"Kínai (hagyományos)\",\"pkk46Q\":\"Válasszon szervezőt\",\"Crr3pG\":\"Choose calendar\",\"CySr+W\":\"Click to view notes\",\"RG3szS\":\"bezárás\",\"RWw9Lg\":\"Modális ablak bezárása\",\"XwdMMg\":\"A kód csak betűket, számokat, kötőjeleket és aláhúzásokat tartalmazhat\",\"+yMJb7\":\"Kód kötelező\",\"m9SD3V\":\"A kódnak legalább 3 karakter hosszúnak kell lennie\",\"V1krgP\":\"A kód legfeljebb 20 karakter hosszúságú lehet\",\"psqIm5\":\"Kollaboráljon csapatával, hogy csodálatos eseményeket hozzanak létre együtt.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Vígjáték\",\"7D9MJz\":\"Stripe beállításának befejezése\",\"OqEV/G\":\"Complete the setup below to continue\",\"nqx+6h\":\"Fejezze be ezeket a lépéseket, hogy elkezdhesse jegyek értékesítését az eseményéhez.\",\"5YrKW7\":\"Complete your payment to secure your tickets.\",\"ih35UP\":\"Konferencia Központ\",\"NGXKG/\":\"Confirm Email Address\",\"Auz0Mz\":\"Erősítse meg e-mail címét az összes funkció eléréséhez.\",\"7+grte\":\"Megerősítő e-mail elküldve! Kérjük, ellenőrizze postaládáját.\",\"n/7+7Q\":\"Confirmation sent to\",\"o5A0Go\":\"Gratulálunk az esemény létrehozásához!\",\"WNnP3w\":\"Connect & Upgrade\",\"Xe2tSS\":\"Dokumentáció csatlakoztatása\",\"1Xxb9f\":\"Fizetésfeldolgozás csatlakoztatása\",\"LmvZ+E\":\"Connect Stripe to enable messaging\",\"EWnXR+\":\"Csatlakozás a Stripe-hoz\",\"MOUF31\":\"Kapcsolódás a CRM-hez és feladatok automatizálása webhookok és integrációk segítségével\",\"VioGG1\":\"Csatlakoztassa Stripe fiókját, hogy elfogadja a jegyek és termékek fizetését.\",\"4qmnU8\":\"Connect your Stripe account to accept payments.\",\"E1eze1\":\"Connect your Stripe account to start accepting payments for your events.\",\"ulV1ju\":\"Connect your Stripe account to start accepting payments.\",\"/3017M\":\"Csatlakoztatva a Stripe-hoz\",\"jfC/xh\":\"Kapcsolat\",\"LOFgda\":[\"Kapcsolatfelvétel \",[\"0\"]],\"41BQ3k\":\"Kapcsolattartási e-mail\",\"KcXRN+\":\"Contact email for support\",\"m8WD6t\":\"Beállítás folytatása\",\"0GwUT4\":\"Folytatás\",\"sBV87H\":\"Folytatás az esemény létrehozásához\",\"nKtyYu\":\"Folytatás a következő lépésre\",\"F3/nus\":\"Continue to Payment\",\"1JnTgU\":\"Copied from above\",\"FxVG/l\":\"Vágólapra másolva\",\"PiH3UR\":\"Másolva!\",\"uUPbPg\":\"Partneri link másolása\",\"iVm46+\":\"Kód másolása\",\"+2ZJ7N\":\"Copy details to first attendee\",\"ZN1WLO\":\"Copy Email\",\"tUGbi8\":\"Adataim másolása:\",\"y22tv0\":\"Másolja ezt a linket a megosztáshoz bárhol\",\"/4gGIX\":\"Vágólapra másolás\",\"P0rbCt\":\"Borítókép\",\"60u+dQ\":\"A borítókép az eseményoldal tetején jelenik meg\",\"2NLjA6\":\"A borítókép a szervezői oldal tetején jelenik meg\",\"zg4oSu\":[\"Create \",[\"0\"],\" Template\"],\"xfKgwv\":\"Partner létrehozása\",\"dyrgS4\":\"Azonnal létrehozhatja és testreszabhatja eseményoldalát\",\"BTne9e\":\"Create custom email templates for this event that override the organizer defaults\",\"YIDzi/\":\"Create Custom Template\",\"8AiKIu\":\"Jegy vagy termék létrehozása\",\"agZ87r\":\"Hozzon létre jegyeket az eseményéhez, állítsa be az árakat és kezelje az elérhető mennyiséget.\",\"dkAPxi\":\"Webhook létrehozása\",\"5slqwZ\":\"Hozza létre eseményét\",\"JQNMrj\":\"Hozza létre első eseményét\",\"CCjxOC\":\"Hozza létre első eseményét, hogy elkezdhesse a jegyek értékesítését és a résztvevők kezelését.\",\"ZCSSd+\":\"Hozza létre saját eseményét\",\"67NsZP\":\"Esemény létrehozása...\",\"H34qcM\":\"Szervező létrehozása...\",\"1YMS+X\":\"Esemény létrehozása, kérjük, várjon.\",\"yiy8Jt\":\"Szervezői profil létrehozása, kérjük, várjon.\",\"lfLHNz\":\"CTA label is required\",\"BMtue0\":\"Current payment processor\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Custom message after checkout\",\"axv/Mi\":\"Custom template\",\"QMHSMS\":\"Customer will receive an email confirming the refund\",\"L/Qc+w\":\"Customer's email address\",\"wpfWhJ\":\"Customer's first name\",\"GIoqtA\":\"Customer's last name\",\"NihQNk\":\"Customers\",\"7gsjkI\":\"Customize the emails sent to your customers using Liquid templating. These templates will be used as defaults for all events in your organization.\",\"iX6SLo\":\"Testreszabhatja a folytatás gomb szövegét.\",\"pxNIxa\":\"Customize your email template using Liquid templating\",\"q9Jg0H\":\"Testreszabhatja eseményoldalát és widget-tervét, hogy tökéletesen illeszkedjen márkájához.\",\"mkLlne\":\"Testreszabhatja eseményoldalának megjelenését.\",\"3trPKm\":\"Testreszabhatja szervezői oldalának megjelenését.\",\"4df0iX\":\"Customize your ticket appearance\",\"/gWrVZ\":\"Daily revenue, taxes, fees, and refunds across all events\",\"zgCHnE\":\"Napi értékesítési jelentés\",\"nHm0AI\":\"Napi értékesítési, adó- és díj bontás.\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Date of the event\",\"gnBreG\":\"Date order was placed\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Default template will be used\",\"vu7gDm\":\"Partner törlése\",\"+jw/c1\":\"Kép törlése\",\"dPyJ15\":\"Delete Template\",\"snMaH4\":\"Webhook törlése\",\"vYgeDk\":\"Összes kijelölés megszüntetése\",\"NvuEhl\":\"Design Elements\",\"H8kMHT\":\"Nem kapta meg a kódot?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Üzenet elvetése\",\"BREO0S\":\"Jelölőnégyzet megjelenítése, amely lehetővé teszi az ügyfelek számára, hogy feliratkozzanak a rendezvényszervező marketing kommunikációira.\",\"TvY/XA\":\"Dokumentáció\",\"Kdpf90\":\"Don't forget!\",\"V6Jjbr\":\"Nincs fiókja? <0>Regisztráljon\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Done\",\"eneWvv\":\"Piszkozat\",\"TnzbL+\":\"Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\\nThis is to ensure that all event organizers are verified and accountable.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Termék másolása\",\"KIjvtr\":\"Holland\",\"SPKbfM\":\"pl. Jegyek beszerzése, Regisztráció most\",\"LTzmgK\":[\"Edit \",[\"0\"],\" Template\"],\"v4+lcZ\":\"Partner szerkesztése\",\"2iZEz7\":\"Válasz szerkesztése\",\"fW5sSv\":\"Webhook szerkesztése\",\"nP7CdQ\":\"Webhook szerkesztése\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Oktatás\",\"zPiC+q\":\"Eligible Check-In Lists\",\"V2sk3H\":\"Email & Templates\",\"hbwCKE\":\"Email address copied to clipboard\",\"dSyJj6\":\"Email addresses do not match\",\"elW7Tn\":\"Email Body\",\"ZsZeV2\":\"E-mail cím kötelező\",\"Be4gD+\":\"Email Preview\",\"6IwNUc\":\"Email Templates\",\"H/UMUG\":\"E-mail ellenőrzés szükséges\",\"L86zy2\":\"E-mail sikeresen ellenőrizve!\",\"Upeg/u\":\"Enable this template for sending emails\",\"RxzN1M\":\"Engedélyezve\",\"sGjBEq\":\"Befejezés dátuma és ideje (opcionális)\",\"PKXt9R\":\"A befejezés dátumának a kezdő dátum után kell lennie.\",\"48Y16Q\":\"Befejezés ideje (opcionális)\",\"7YZofi\":\"Enter a subject and body to see the preview\",\"3bR1r4\":\"Adja meg a partner e-mail címét (opcionális)\",\"ARkzso\":\"Adja meg a partner nevét\",\"INDKM9\":\"Enter email subject...\",\"kWg31j\":\"Adjon meg egyedi partnerkódot\",\"C3nD/1\":\"Adja meg e-mail címét\",\"n9V+ps\":\"Adja meg nevét\",\"LslKhj\":\"Hiba a naplók betöltésekor\",\"WgD6rb\":\"Eseménykategória\",\"b46pt5\":\"Esemény borítóképe\",\"1Hzev4\":\"Event custom template\",\"imgKgl\":\"Esemény leírása\",\"kJDmsI\":\"Event details\",\"m/N7Zq\":\"Event Full Address\",\"Nl1ZtM\":\"Event Location\",\"PYs3rP\":\"Esemény neve\",\"HhwcTQ\":\"Esemény neve\",\"WZZzB6\":\"Esemény neve kötelező\",\"Wd5CDM\":\"Az esemény nevének 150 karakternél rövidebbnek kell lennie.\",\"4JzCvP\":\"Esemény nem elérhető\",\"Gh9Oqb\":\"Event organizer name\",\"mImacG\":\"Eseményoldal\",\"cOePZk\":\"Event Time\",\"e8WNln\":\"Event timezone\",\"GeqWgj\":\"Event Timezone\",\"XVLu2v\":\"Event Title\",\"YDVUVl\":\"Eseménytípusok\",\"4K2OjV\":\"Event Venue\",\"19j6uh\":\"Events Performance\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Every email template must include a call-to-action button that links to the appropriate page\",\"VlvpJ0\":\"Válaszok exportálása\",\"JKfSAv\":\"Exportálás sikertelen. Kérjük, próbálja újra.\",\"SVOEsu\":\"Exportálás elindítva. Fájl előkészítése...\",\"9bpUSo\":\"Partnerek exportálása\",\"jtrqH9\":\"Résztvevők exportálása\",\"R4Oqr8\":\"Exportálás befejezve. Fájl letöltése...\",\"UlAK8E\":\"Megrendelések exportálása\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"A rendelés feladása sikertelen. Kérjük, próbálja újra.\",\"cEFg3R\":\"Nem sikerült létrehozni a partnert.\",\"U66oUa\":\"Failed to create template\",\"xFj7Yj\":\"Failed to delete template\",\"jo3Gm6\":\"Nem sikerült exportálni a partnereket.\",\"Jjw03p\":\"Résztvevők exportálása sikertelen\",\"ZPwFnN\":\"Megrendelések exportálása sikertelen\",\"X4o0MX\":\"Webhook betöltése sikertelen\",\"YQ3QSS\":\"Ellenőrző kód újraküldése sikertelen\",\"zTkTF3\":\"Failed to save template\",\"T6B2gk\":\"Üzenet küldése sikertelen. Kérjük, próbálja újra.\",\"lKh069\":\"Exportálási feladat indítása sikertelen\",\"t/KVOk\":\"Failed to start impersonation. Please try again.\",\"QXgjH0\":\"Failed to stop impersonation. Please try again.\",\"i0QKrm\":\"Partner frissítése sikertelen\",\"NNc33d\":\"Válasz frissítése sikertelen.\",\"7/9RFs\":\"Kép feltöltése sikertelen.\",\"nkNfWu\":\"Kép feltöltése sikertelen. Kérjük, próbálja újra.\",\"rxy0tG\":\"E-mail ellenőrzése sikertelen\",\"T4BMxU\":\"A díjak változhatnak. Értesítést kap minden díjstruktúrájában bekövetkező változásról.\",\"cf35MA\":\"Fesztivál\",\"VejKUM\":\"Fill in your details above first\",\"8OvVZZ\":\"Filter Attendees\",\"8BwQeU\":\"Finish Setup\",\"hg80P7\":\"Finish Stripe Setup\",\"1vBhpG\":\"Első résztvevő\",\"YXhom6\":\"Fix díj:\",\"KgxI80\":\"Rugalmas jegyértékesítés\",\"lWxAUo\":\"Étel és ital\",\"nFm+5u\":\"Footer Text\",\"MY2SVM\":\"Full refund\",\"vAVBBv\":\"Teljesen integrált\",\"T02gNN\":\"General Admission\",\"3ep0Gx\":\"Általános információk a szervezőjéről\",\"ziAjHi\":\"Generálás\",\"exy8uo\":\"Kód generálása\",\"4CETZY\":\"Get Directions\",\"kfVY6V\":\"Kezdje ingyenesen, előfizetési díjak nélkül\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Készítse elő eseményét\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Go to Event Page\",\"gHSuV/\":\"Ugrás a főoldalra\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Gross Revenue\",\"kTSQej\":[\"Hello \",[\"0\"],\", manage your platform from here.\"],\"dORAcs\":\"Here are all the tickets associated with your email address.\",\"g+2103\":\"Íme az affiliate linkje\",\"QlwJ9d\":\"Here's what to expect:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Válaszok elrejtése\",\"gtEbeW\":\"Highlight\",\"NF8sdv\":\"Highlight Message\",\"MXSqmS\":\"Highlight this product\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Highlighted products will have a different background color to make them stand out on the event page.\",\"i0qMbr\":\"Főoldal\",\"AVpmAa\":\"How to pay offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Magyar\",\"4/kP5a\":\"Ha nem nyílt meg automatikusan új lap, kérjük, kattintson az alábbi gombra a fizetés folytatásához.\",\"wOU3Tr\":\"Ha van fiókja nálunk, e-mailt kap a jelszó visszaállítására vonatkozó utasításokkal.\",\"an5hVd\":\"Képek\",\"tSVr6t\":\"Impersonate\",\"TWXU0c\":\"Impersonate User\",\"5LAZwq\":\"Impersonation started\",\"IMwcdR\":\"Impersonation stopped\",\"M8M6fs\":\"Important: Stripe reconnection required\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Részletes analitika\",\"F1Xp97\":\"Egyéni résztvevők\",\"85e6zs\":\"Insert Liquid Token\",\"38KFY0\":\"Insert Variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Érvénytelen e-mail\",\"5tT0+u\":\"Érvénytelen e-mail formátum\",\"tnL+GP\":\"Invalid Liquid syntax. Please correct it and try again.\",\"g+lLS9\":\"Csapattag meghívása\",\"1z26sk\":\"Csapattag meghívása\",\"KR0679\":\"Csapattagok meghívása\",\"aH6ZIb\":\"Hívja meg csapatát\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Olasz\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Join from anywhere\",\"hTJ4fB\":\"Just click the button below to reconnect your Stripe account.\",\"MxjCqk\":\"Just looking for your tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Utolsó válasz\",\"gw3Ur5\":\"Utoljára aktiválva\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link Expired or Invalid\",\"psosdY\":\"Link to order details\",\"6JzK4N\":\"Link to ticket\",\"shkJ3U\":\"Linkelje Stripe fiókját, hogy jegyértékesítésből származó bevételeket fogadjon.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Élő\",\"fpMs2Z\":\"ÉLŐ\",\"D9zTjx\":\"Live Events\",\"WdmJIX\":\"Loading preview...\",\"IoDI2o\":\"Loading tokens...\",\"NFxlHW\":\"Webhookok betöltése\",\"iG7KNr\":\"Logó\",\"vu7ZGG\":\"Logó és borítókép\",\"gddQe0\":\"Logó és borítókép a szervezőjéhez\",\"TBEnp1\":\"A logó a fejlécben jelenik meg\",\"Jzu30R\":\"Logo will be displayed on the ticket\",\"4wUIjX\":\"Tegye élővé eseményét\",\"0A7TvI\":\"Esemény kezelése\",\"2FzaR1\":\"Kezelje fizetésfeldolgozását és tekintse meg a platformdíjakat.\",\"/x0FyM\":\"Illeszkedjen márkájához\",\"xDAtGP\":\"Üzenet\",\"1jRD0v\":\"Üzenet a résztvevőknek meghatározott jegyekkel\",\"97QrnA\":\"Üzenet a résztvevőknek, megrendelések kezelése és visszatérítések kezelése egy helyen.\",\"48rf3i\":\"Message cannot exceed 5000 characters\",\"Vjat/X\":\"Üzenet kötelező\",\"0/yJtP\":\"Üzenet a megrendelőknek meghatározott termékekkel\",\"tccUcA\":\"Mobil bejelentkezés\",\"GfaxEk\":\"Zene\",\"oVGCGh\":\"My Tickets\",\"8/brI5\":\"Név kötelező\",\"sCV5Yc\":\"Name of the event\",\"xxU3NX\":\"Net Revenue\",\"eWRECP\":\"Éjszakai élet\",\"VHfLAW\":\"No accounts\",\"+jIeoh\":\"No accounts found\",\"074+X8\":\"Nincsenek aktív webhookok\",\"zxnup4\":\"Nincs megjeleníthető partner\",\"99ntUF\":\"No check-in lists available for this event.\",\"6r9SGl\":\"Hitelkártya nem szükséges\",\"eb47T5\":\"No data found for the selected filters. Try adjusting the date range or currency.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"No events found\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Még nincsenek események\",\"54GxeB\":\"No impact on your current or past transactions\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"Nem található napló\",\"NEmyqy\":\"Még nincsenek megrendelések\",\"B7w4KY\":\"Nincsenek más szervezők\",\"6jYQGG\":\"Nincsenek múltbeli események\",\"zK/+ef\":\"Nincsenek kiválasztható termékek\",\"QoAi8D\":\"Nincs válasz\",\"EK/G11\":\"Még nincsenek válaszok\",\"3sRuiW\":\"No Tickets Found\",\"yM5c0q\":\"Nincsenek közelgő események\",\"qpC74J\":\"No users found\",\"n5vdm2\":\"Ehhez a végponthoz még nem rögzítettek webhook eseményeket. Az események itt jelennek meg, amint aktiválódnak.\",\"4GhX3c\":\"Nincsenek Webhookok\",\"4+am6b\":\"Nem, maradok itt\",\"x5+Lcz\":\"Not Checked In\",\"8n10sz\":\"Not Eligible\",\"lQgMLn\":\"Iroda vagy helyszín neve\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Payment\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Once you complete the upgrade, your old account will only be used for refunds.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online esemény\",\"bU7oUm\":\"Csak az ilyen státuszú megrendelésekre küldje el\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Open Stripe Dashboard\",\"HXMJxH\":\"Optional text for disclaimers, contact info, or thank you notes (single line only)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Order cancelled\",\"b6+Y+n\":\"Order complete\",\"x4MLWE\":\"Order Confirmation\",\"ppuQR4\":\"Megrendelés létrehozva\",\"0UZTSq\":\"Order Currency\",\"HdmwrI\":\"Order Email\",\"bwBlJv\":\"Order First Name\",\"vrSW9M\":\"Order has been canceled and refunded. The order owner has been notified.\",\"+spgqH\":[\"Megrendelés azonosító: \",[\"0\"]],\"Pc729f\":\"Order Is Awaiting Offline Payment\",\"F4NXOl\":\"Order Last Name\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Order Locale\",\"vu6Arl\":\"Megrendelés fizetettként megjelölve\",\"sLbJQz\":\"Order not found\",\"i8VBuv\":\"Order Number\",\"FaPYw+\":\"Megrendelő\",\"eB5vce\":\"Megrendelők meghatározott termékkel\",\"CxLoxM\":\"Megrendelők termékekkel\",\"DoH3fD\":\"Order Payment Pending\",\"EZy55F\":\"Megrendelés visszatérítve\",\"6eSHqs\":\"Megrendelés állapotok\",\"oW5877\":\"Order Total\",\"e7eZuA\":\"Megrendelés frissítve\",\"KndP6g\":\"Order URL\",\"3NT0Ck\":\"Order was cancelled\",\"5It1cQ\":\"Exportált megrendelések\",\"B/EBQv\":\"Orders:\",\"ucgZ0o\":\"Organization\",\"S3CZ5M\":\"Szervezői irányítópult\",\"Uu0hZq\":\"Organizer Email\",\"Gy7BA3\":\"Organizer email address\",\"SQqJd8\":\"Szervező nem található\",\"wpj63n\":\"Szervezői beállítások\",\"coIKFu\":\"A szervezői statisztikák nem érhetők el a kiválasztott pénznemhez, vagy hiba történt.\",\"o1my93\":\"Szervező állapotának frissítése sikertelen. Kérjük, próbálja újra később.\",\"rLHma1\":\"Szervező állapota frissítve\",\"LqBITi\":\"Organizer/default template will be used\",\"/IX/7x\":\"Egyéb\",\"RsiDDQ\":\"Other Lists (Ticket Not Included)\",\"6/dCYd\":\"Áttekintés\",\"8uqsE5\":\"Page no longer available\",\"QkLf4H\":\"Oldal URL-címe\",\"sF+Xp9\":\"Page Views\",\"5F7SYw\":\"Partial refund\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Múlt\",\"xTPjSy\":\"Múltbeli események\",\"/l/ckQ\":\"URL beillesztése\",\"URAE3q\":\"Szüneteltetve\",\"4fL/V7\":\"Pay\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Fizetés és terv\",\"ENEPLY\":\"Payment method\",\"EyE8E6\":\"Fizetésfeldolgozás\",\"8Lx2X7\":\"Payment received\",\"vcyz2L\":\"Fizetési beállítások\",\"fx8BTd\":\"Payments not available\",\"51U9mG\":\"Payments will continue to flow without interruption\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Teljesítmény\",\"zmwvG2\":\"Telefon\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planning an event?\",\"br3Y/y\":\"Platformdíjak\",\"jEw0Mr\":\"Kérjük, adjon meg érvényes URL-t.\",\"n8+Ng/\":\"Kérjük, adja meg az 5 jegyű kódot.\",\"Dvq0wf\":\"Kérjük, adjon meg egy képet.\",\"2cUopP\":\"Please restart the checkout process.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Kérjük, válasszon egy képet.\",\"fuwKpE\":\"Kérjük, próbálja újra.\",\"klWBeI\":\"Kérjük, várjon, mielőtt újabb kódot kér.\",\"hfHhaa\":\"Kérjük, várjon, amíg előkészítjük partnereit az exportálásra...\",\"o+tJN/\":\"Kérjük, várjon, amíg előkészítjük résztvevőit az exportálásra...\",\"+5Mlle\":\"Kérjük, várjon, amíg előkészítjük megrendeléseit az exportálásra...\",\"TjX7xL\":\"Post Checkout Message\",\"cs5muu\":\"Eseményoldal előnézete\",\"+4yRWM\":\"Price of the ticket\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Print Preview\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Print to PDF\",\"LcET2C\":\"Adatvédelmi irányelvek\",\"8z6Y5D\":\"Process Refund\",\"JcejNJ\":\"Processing order\",\"EWCLpZ\":\"Termék létrehozva\",\"XkFYVB\":\"Termék törölve\",\"YMwcbR\":\"Termék értékesítés, bevétel és adó bontás\",\"ldVIlB\":\"Termék frissítve\",\"mIqT3T\":\"Termékek, árucikkek és rugalmas árképzési lehetőségek\",\"JoKGiJ\":\"Promóciós kód\",\"k3wH7i\":\"Promóciós kód felhasználás és kedvezmény bontás\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Közzététel\",\"evDBV8\":\"Esemény közzététele\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR kód beolvasása azonnali visszajelzéssel és biztonságos megosztással a személyzeti hozzáféréshez\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Ready to upgrade? This takes only a few minutes.\",\"Fi3b48\":\"Legutóbbi megrendelések\",\"Edm6av\":\"Reconnect Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Átirányítás a Stripe-ra...\",\"ACKu03\":\"Refresh Preview\",\"fKn/k6\":\"Refund amount\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Refund Order \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Refunds\",\"CQeZT8\":\"Report not found\",\"JEPMXN\":\"Request a new link\",\"mdeIOH\":\"Kód újraküldése\",\"bxoWpz\":\"Megerősítő e-mail újraküldése\",\"G42SNI\":\"E-mail újraküldése\",\"TTpXL3\":[\"Újraküldés \",[\"resendCooldown\"],\" másodperc múlva\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reserved until\",\"slOprG\":\"Jelszó visszaállítása\",\"CbnrWb\":\"Return to Event\",\"Oo/PLb\":\"Revenue Summary\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Értékesítések\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Sales, orders, and performance metrics for all events\",\"3Q1AWe\":\"Sales:\",\"8BRPoH\":\"Minta helyszín\",\"KZrfYJ\":\"Közösségi linkek mentése\",\"9Y3hAT\":\"Save Template\",\"C8ne4X\":\"Save Ticket Design\",\"I+FvbD\":\"Scan\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Partnerek keresése...\",\"VY+Bdn\":\"Search by account name or email...\",\"VX+B3I\":\"Search by event title or organizer...\",\"GHdjuo\":\"Search by name, email, or account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Válasszon egy kategóriát\",\"BFRSTT\":\"Select Account\",\"mCB6Je\":\"Összes kiválasztása\",\"kYZSFD\":\"Válasszon egy szervezőt az irányítópultjának és eseményeinek megtekintéséhez.\",\"tVW/yo\":\"Pénznem kiválasztása\",\"n9ZhRa\":\"Befejezés dátumának és idejének kiválasztása\",\"gTN6Ws\":\"Befejezési idő kiválasztása\",\"0U6E9W\":\"Eseménykategória kiválasztása\",\"j9cPeF\":\"Eseménytípusok kiválasztása\",\"1nhy8G\":\"Select Scanner Type\",\"KizCK7\":\"Kezdés dátumának és idejének kiválasztása\",\"dJZTv2\":\"Kezdési idő kiválasztása\",\"aT3jZX\":\"Időzóna kiválasztása\",\"Ropvj0\":\"Válassza ki, mely események indítják el ezt a webhookot.\",\"BG3f7v\":\"Bármit eladni\",\"VtX8nW\":\"Árucikkek értékesítése jegyek mellett integrált adó- és promóciós kód támogatással\",\"Cye3uV\":\"Többet eladni, mint jegyek\",\"j9b/iy\":\"Selling fast 🔥\",\"1lNPhX\":\"Send refund notification email\",\"SPdzrs\":\"Sent to customers when they place an order\",\"LxSN5F\":\"Sent to each attendee with their ticket details\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Állítsa be szervezetét\",\"HbUQWA\":\"Percek alatt beállítható\",\"GG7qDw\":\"Partnerlink megosztása\",\"hL7sDJ\":\"Szervezői oldal megosztása\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Összes platform megjelenítése (további \",[\"0\"],\" értékkel)\"],\"UVPI5D\":\"Kevesebb platform megjelenítése\",\"Eu/N/d\":\"Marketing opt-in jelölőnégyzet megjelenítése\",\"SXzpzO\":\"Marketing opt-in jelölőnégyzet alapértelmezés szerinti megjelenítése\",\"b33PL9\":\"Több platform megjelenítése\",\"v6IwHE\":\"Okos bejelentkezés\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Közösségi\",\"d0rUsW\":\"Közösségi linkek\",\"j/TOB3\":\"Közösségi linkek és weboldal\",\"2pxNFK\":\"eladott\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Valami hiba történt, kérjük, próbálja újra, vagy vegye fel a kapcsolatot az ügyfélszolgálattal, ha a probléma továbbra is fennáll.\",\"H6Gslz\":\"Sorry for the inconvenience.\",\"7JFNej\":\"Sport\",\"JcQp9p\":\"Kezdés dátuma és ideje\",\"0m/ekX\":\"Kezdés dátuma és ideje\",\"izRfYP\":\"Kezdés dátuma kötelező\",\"2R1+Rv\":\"Start time of the event\",\"2NbyY/\":\"Statistics\",\"DRykfS\":\"Still handling refunds for your older transactions.\",\"wuV0bK\":\"Stop Impersonating\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe setup is already complete.\",\"ii0qn/\":\"Subject is required\",\"M7Uapz\":\"Subject will appear here\",\"6aXq+t\":\"Subject:\",\"JwTmB6\":\"Termék sikeresen másolva\",\"RuaKfn\":\"Cím sikeresen frissítve\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Szervező sikeresen frissítve\",\"0Dk/l8\":\"Keresőoptimalizálási beállítások sikeresen frissítve\",\"MhOoLQ\":\"Közösségi linkek sikeresen frissítve\",\"kj7zYe\":\"Webhook sikeresen frissítve\",\"dXoieq\":\"Summary\",\"/RfJXt\":[\"Nyári Zenei Fesztivál \",[\"0\"]],\"CWOPIK\":\"Nyári Zenei Fesztivál 2025\",\"5gIl+x\":\"Támogatás réteges, adományalapú és termékértékesítéshez, testreszabható árazással és kapacitással.\",\"JZTQI0\":\"Szervező váltása\",\"XX32BM\":\"Takes just a few minutes\",\"yT6dQ8\":\"Tax collected grouped by tax type and event\",\"Ye321X\":\"Tax Name\",\"WyCBRt\":\"Tax Summary\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Technológia\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Mondja el az embereknek, mire számíthatnak az eseményén.\",\"NiIUyb\":\"Meséljen nekünk az eseményéről.\",\"DovcfC\":\"Meséljen nekünk a szervezetéről. Ez az információ megjelenik az eseményoldalain.\",\"7wtpH5\":\"Template Active\",\"QHhZeE\":\"Template created successfully\",\"xrWdPR\":\"Template deleted successfully\",\"G04Zjt\":\"Template saved successfully\",\"xowcRf\":\"Szolgáltatási feltételek\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Thank you for attending!\",\"lhAWqI\":\"Thanks for your support as we continue to grow and improve Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"A kód 10 percen belül lejár. Ellenőrizze a spam mappáját, ha nem látja az e-mailt.\",\"MJm4Tq\":\"The currency of the order\",\"I/NNtI\":\"The event venue\",\"tXadb0\":\"A keresett esemény jelenleg nem elérhető. Lehet, hogy eltávolították, lejárt, vagy az URL hibás.\",\"EBzPwC\":\"The full event address\",\"sxKqBm\":\"The full order amount will be refunded to the customer's original payment method.\",\"5OmEal\":\"The locale of the customer\",\"sYLeDq\":\"A keresett szervező nem található. Lehet, hogy az oldalt áthelyezték, törölték, vagy az URL hibás.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"The template body contains invalid Liquid syntax. Please correct it and try again.\",\"A4UmDy\":\"Színház\",\"tDwYhx\":\"Téma és színek\",\"HirZe8\":\"These templates will be used as defaults for all events in your organization. Individual events can override these templates with their own custom versions.\",\"lzAaG5\":\"These templates will override the organizer defaults for this event only. If no custom template is set here, the organizer template will be used instead.\",\"XBNC3E\":\"Ezt a kódot az értékesítések nyomon követésére használjuk. Csak betűk, számok, kötőjelek és aláhúzások engedélyezettek.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Ez az esemény még nem került közzétételre.\",\"dFJnia\":\"Ez a szervezőjének neve, amely megjelenik a felhasználók számára.\",\"L7dIM7\":\"This link is invalid or has expired.\",\"j5FdeA\":\"This order is being processed.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"This order was cancelled. You can start a new order anytime.\",\"lyD7rQ\":\"Ez a szervezői profil még nem került közzétételre.\",\"9b5956\":\"This preview shows how your email will look with sample data. Actual emails will use real values.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"This ticket was just scanned. Please wait before scanning again.\",\"kvpxIU\":\"Ez értesítésekhez és a felhasználókkal való kommunikációhoz lesz használva.\",\"rhsath\":\"Ez nem lesz látható az ügyfelek számára, de segít azonosítani a partnert.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticket Design\",\"EZC/Cu\":\"Ticket design saved successfully\",\"1BPctx\":\"Ticket for\",\"bgqf+K\":\"Ticket holder's email\",\"oR7zL3\":\"Ticket holder's name\",\"HGuXjF\":\"Jegytulajdonosok\",\"awHmAT\":\"Ticket ID\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Name\",\"6tmWch\":\"Jegy vagy termék\",\"1tfWrD\":\"Ticket Preview for\",\"tGCY6d\":\"Ticket Price\",\"8jLPgH\":\"Jegy típusa\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Jegyek és termékek\",\"EUnesn\":\"Tickets Available\",\"AGRilS\":\"Tickets Sold\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Hitelkártyás fizetések fogadásához csatlakoztatnia kell Stripe-fiókját. A Stripe a fizetésfeldolgozó partnerünk, amely biztosítja a biztonságos tranzakciókat és az időben történő kifizetéseket.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total Accounts\",\"EaAPbv\":\"Total amount paid\",\"SMDzqJ\":\"Total Attendees\",\"orBECM\":\"Total Collected\",\"KSDwd5\":\"Összes megrendelés\",\"vb0Q0/\":\"Total Users\",\"/b6Z1R\":\"Nyomon követheti a bevételt, az oldalmegtekintéseket és az értékesítéseket részletes elemzésekkel és exportálható jelentésekkel.\",\"OpKMSn\":\"Tranzakciós díj:\",\"uKOFO5\":\"True if offline payment\",\"9GsDR2\":\"True if payment pending\",\"ouM5IM\":\"Try another email\",\"3DZvE7\":\"Try Hi.Events Free\",\"Kz91g/\":\"Turkish\",\"GdOhw6\":\"Turn sound off\",\"KUOhTy\":\"Turn sound on\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type of ticket\",\"IrVSu+\":\"Nem sikerült másolni a terméket. Kérjük, ellenőrizze adatait.\",\"Vx2J6x\":\"Nem sikerült lekérni a résztvevőt.\",\"b9SN9q\":\"Unique order reference\",\"Ef7StM\":\"Ismeretlen\",\"ZBAScj\":\"Ismeretlen résztvevő\",\"ZkS2p3\":\"Esemény visszavonása\",\"Pp1sWX\":\"Partner frissítése\",\"KMMOAy\":\"Upgrade Available\",\"gJQsLv\":\"Borítókép feltöltése a szervezőhöz\",\"4kEGqW\":\"Logó feltöltése a szervezőhöz\",\"lnCMdg\":\"Kép feltöltése\",\"29w7p6\":\"Kép feltöltése...\",\"HtrFfw\":\"URL kötelező\",\"WBq1/R\":\"USB Scanner Already Active\",\"EV30TR\":\"USB Scanner mode activated. Start scanning tickets now.\",\"fovJi3\":\"USB Scanner mode deactivated\",\"hli+ga\":\"USB/HID Scanner\",\"OHJXlK\":\"Use <0>Liquid templating to personalize your emails\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Used for borders, highlights, and QR code styling\",\"AdWhjZ\":\"Ellenőrző kód\",\"wCKkSr\":\"E-mail ellenőrzése\",\"/IBv6X\":\"Ellenőrizze e-mail címét\",\"e/cvV1\":\"Ellenőrzés...\",\"fROFIL\":\"Vietnámi\",\"+WFMis\":\"View and download reports across all your events. Only completed orders are included.\",\"gj5YGm\":\"Tekintse meg és töltse le az eseménye jelentéseit. Kérjük, vegye figyelembe, hogy ezek a jelentések csak a befejezett megrendeléseket tartalmazzák.\",\"c7VN/A\":\"Válaszok megtekintése\",\"FCVmuU\":\"View Event\",\"n6EaWL\":\"Naplók megtekintése\",\"OaKTzt\":\"View Map\",\"67OJ7t\":\"View Order\",\"tKKZn0\":\"View Order Details\",\"9jnAcN\":\"Szervezői honlap megtekintése\",\"1J/AWD\":\"View Ticket\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible to check-in staff only. Helps identify this list during check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Waiting for payment\",\"RRZDED\":\"We couldn't find any orders associated with this email address.\",\"miysJh\":\"We couldn't find this order. It may have been removed.\",\"HJKdzP\":\"We hit a snag loading this page. Please try again.\",\"IfN2Qo\":\"We recommend a square logo with minimum dimensions of 200x200px\",\"wJzo/w\":\"Javasolt méretek: 400px x 400px, maximális fájlméret: 5MB.\",\"q1BizZ\":\"We'll send your tickets to this email\",\"zCdObC\":\"We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account.\",\"jh2orE\":\"We've relocated our headquarters to Ireland. As a result, we need you to reconnect your Stripe account. This quick process takes just a few minutes. Your sales and existing data remain completely unaffected.\",\"Fq/Nx7\":\"Öt számjegyű ellenőrző kódot küldtünk ide:\",\"GdWB+V\":\"Webhook sikeresen létrehozva\",\"2X4ecw\":\"Webhook sikeresen törölve\",\"CThMKa\":\"Webhook naplók\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"A Webhook nem küld értesítéseket.\",\"FSaY52\":\"A Webhook értesítéseket küld.\",\"v1kQyJ\":\"Webhookok\",\"On0aF2\":\"Weboldal\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Üdv újra 👋\",\"kSYpfa\":[\"Üdv a \",[\"0\"],\" oldalon 👋\"],\"QDWsl9\":[\"Üdvözöljük a \",[\"0\"],\" oldalon, \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Üdv a \",[\"0\"],\" oldalon, itt található az összes eseménye.\"],\"FaSXqR\":\"Milyen típusú esemény?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Amikor egy bejelentkezés törölve lett\",\"Gmd0hv\":\"Amikor új résztvevő jön létre\",\"Lc18qn\":\"Amikor új megrendelés jön létre\",\"dfkQIO\":\"Amikor új termék jön létre\",\"8OhzyY\":\"Amikor egy termék törölve lett\",\"tRXdQ9\":\"Amikor egy termék frissül\",\"Q7CWxp\":\"Amikor egy résztvevő le lett mondva\",\"IuUoyV\":\"Amikor egy résztvevő bejelentkezett\",\"nBVOd7\":\"Amikor egy résztvevő frissül\",\"ny2r8d\":\"Amikor egy megrendelés törölve lett\",\"c9RYbv\":\"Amikor egy megrendelés fizetettként lett megjelölve\",\"ejMDw1\":\"Amikor egy megrendelés visszatérítésre került\",\"fVPt0F\":\"Amikor egy megrendelés frissül\",\"bcYlvb\":\"When check-in closes\",\"XIG669\":\"When check-in opens\",\"de6HLN\":\"Amikor az ügyfelek jegyeket vásárolnak, megrendeléseik itt fognak megjelenni.\",\"blXLKj\":\"Ha engedélyezve van, az új események marketing opt-in jelölőnégyzetet jelenítenek meg a fizetés során. Ez eseményenként felülírható.\",\"uvIqcj\":\"Műhely\",\"EpknJA\":\"Írja ide üzenetét...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Igen, rendelés törlése\",\"QlSZU0\":[\"You are impersonating <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"You are issuing a partial refund. The customer will be refunded \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Adók és díjak vannak hozzáadva egy ingyenes termékhez. Szeretné eltávolítani őket?\",\"FVTVBy\":\"Megerősítenie kell e-mail címét, mielőtt frissítheti a szervezői státuszt.\",\"FRl8Jv\":\"Ellenőriznie kell fiókja e-mail címét, mielőtt üzeneteket küldhet.\",\"U3wiCB\":\"You're all set! Your payments are being processed smoothly.\",\"MNFIxz\":[\"You're going to \",[\"0\"],\"!\"],\"x/xjzn\":\"Partnerei sikeresen exportálva.\",\"TF37u6\":\"Résztvevői sikeresen exportálva.\",\"79lXGw\":\"Your check-in list has been created successfully. Share the link below with your check-in staff.\",\"BnlG9U\":\"A jelenlegi rendelésed el fog veszni.\",\"nBqgQb\":\"Az Ön e-mail címe\",\"R02pnV\":\"Eseménye élőnek kell lennie, mielőtt jegyeket értékesíthetne a résztvevőknek.\",\"ifRqmm\":\"Üzenetét sikeresen elküldtük!\",\"/Rj5P4\":\"Az Ön neve\",\"naQW82\":\"A rendelésed törlésre került.\",\"bhlHm/\":\"Your order is awaiting payment\",\"XeNum6\":\"Megrendelései sikeresen exportálva.\",\"Xd1R1a\":\"Szervezői címe\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Your Stripe account is connected and processing payments.\",\"vvO1I2\":\"Stripe fiókja csatlakoztatva van, és készen áll a fizetések feldolgozására.\",\"CnZ3Ou\":\"Your tickets have been confirmed.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'Még semmi sem látható'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>sikeresen bejelentkezett\"],\"yxhYRZ\":[[\"0\"],\" <0>sikeresen kijelentkezett\"],\"KMgp2+\":[[\"0\"],\" elérhető\"],\"Pmr5xp\":[[\"0\"],\" sikeresen létrehozva\"],\"FImCSc\":[[\"0\"],\" sikeresen frissítve\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" bejelentkezett\"],\"Vjij1k\":[[\"days\"],\" nap, \",[\"hours\"],\" óra, \",[\"minutes\"],\" perc, és \",[\"seconds\"],\" másodperc\"],\"f3RdEk\":[[\"hours\"],\" óra, \",[\"minutes\"],\" perc, és \",[\"seconds\"],\" másodperc\"],\"fyE7Au\":[[\"minutes\"],\" perc és \",[\"seconds\"],\" másodperc\"],\"NlQ0cx\":[[\"organizerName\"],\" első eseménye\"],\"Ul6IgC\":\"<0>A kapacitás-hozzárendelések lehetővé teszik a jegyek vagy egy egész esemény kapacitásának kezelését. Ideális többnapos eseményekhez, workshopokhoz és egyéb olyan alkalmakhoz, ahol a részvétel ellenőrzése kulcsfontosságú.<1>Például egy kapacitás-hozzárendelést társíthat a <2>Első nap és <3>Minden nap jegyhez. Amint a kapacitás elérte a határt, mindkét jegy automatikusan leáll a további értékesítésről.\",\"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://az-ön-weboldala.com\",\"qnSLLW\":\"<0>Kérjük, adja meg az árat adók és díjak nélkül.<1>Az adók és díjak alább adhatók hozzá.\",\"ZjMs6e\":\"<0>A termékhez elérhető termékek száma<1>Ez az érték felülírható, ha a termékhez <2>Kapacitáskorlátok vannak társítva.\",\"E15xs8\":\"⚡️ Esemény beállítása\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Eseményoldal testreszabása\",\"3VPPdS\":\"💳 Kapcsolódás a Stripe-hoz\",\"cjdktw\":\"🚀 Indítsa el az eseményt\",\"rmelwV\":\"0 perc és 0 másodperc\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"123 Fő utca\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Dátum beviteli mező. Tökéletes születési dátum stb. kérésére.\",\"6euFZ/\":[\"Az összes új termékre automatikusan alkalmazásra kerül egy alapértelmezett \",[\"type\"],\" típus. Ezt termékenként felülírhatja.\"],\"SMUbbQ\":\"A legördülő menü csak egy kiválasztást tesz lehetővé\",\"qv4bfj\":\"Díj, például foglalási díj vagy szolgáltatási díj\",\"POT0K/\":\"Fix összeg termékenként. Pl. 0,50 dollár termékenként\",\"f4vJgj\":\"Többsoros szövegbevitel\",\"OIPtI5\":\"A termék árának százaléka. Pl. a termék árának 3,5%-a\",\"ZthcdI\":\"A kedvezmény nélküli promóciós kód elrejtett termékek felfedésére használható.\",\"AG/qmQ\":\"A rádió opció több lehetőséget kínál, de csak egy választható ki.\",\"h179TP\":\"Az esemény rövid leírása, amely megjelenik a keresőmotorok találatai között és a közösségi médiában való megosztáskor. Alapértelmezés szerint az esemény leírása kerül felhasználásra.\",\"WKMnh4\":\"Egysoros szövegbevitel\",\"BHZbFy\":\"Egyetlen kérdés megrendelésenként. Pl. Mi a szállítási címe?\",\"Fuh+dI\":\"Egyetlen kérdés termékenként. Pl. Mi a póló mérete?\",\"RlJmQg\":\"Standard adó, mint az ÁFA vagy a GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Banki átutalások, csekkek vagy egyéb offline fizetési módok elfogadása\",\"hrvLf4\":\"Hitelkártyás fizetések elfogadása a Stripe-pal\",\"bfXQ+N\":\"Meghívó elfogadása\",\"AeXO77\":\"Fiók\",\"lkNdiH\":\"Fióknév\",\"Puv7+X\":\"Fiókbeállítások\",\"OmylXO\":\"Fiók sikeresen frissítve\",\"7L01XJ\":\"Műveletek\",\"FQBaXG\":\"Aktiválás\",\"5T2HxQ\":\"Aktiválás dátuma\",\"F6pfE9\":\"Aktív\",\"/PN1DA\":\"Adjon leírást ehhez a bejelentkezési listához\",\"0/vPdA\":\"Adjon hozzá bármilyen megjegyzést a résztvevőhöz. Ezek nem lesznek láthatók a résztvevő számára.\",\"Or1CPR\":\"Adjon hozzá bármilyen megjegyzést a résztvevőhöz...\",\"l3sZO1\":\"Adjon hozzá bármilyen megjegyzést a megrendeléshez. Ezek nem lesznek láthatók az ügyfél számára.\",\"xMekgu\":\"Adjon hozzá bármilyen megjegyzést a megrendeléshez...\",\"PGPGsL\":\"Leírás hozzáadása\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Adjon hozzá utasításokat az offline fizetésekhez (pl. banki átutalás részletei, hová küldje a csekkeket, fizetési határidők)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Új hozzáadása\",\"TZxnm8\":\"Opció hozzáadása\",\"24l4x6\":\"Termék hozzáadása\",\"8q0EdE\":\"Termék hozzáadása kategóriához\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Kérdés hozzáadása\",\"yWiPh+\":\"Adó vagy díj hozzáadása\",\"goOKRY\":\"Szint hozzáadása\",\"oZW/gT\":\"Hozzáadás a naptárhoz\",\"pn5qSs\":\"További információk\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Cím\",\"NY/x1b\":\"Cím 1. sor\",\"POdIrN\":\"Cím 1. sor\",\"cormHa\":\"Cím 2. sor\",\"gwk5gg\":\"Cím 2. sor\",\"U3pytU\":\"Adminisztrátor\",\"HLDaLi\":\"Az adminisztrátor felhasználók teljes hozzáféréssel rendelkeznek az eseményekhez és a fiókbeállításokhoz.\",\"W7AfhC\":\"Az esemény összes résztvevője\",\"cde2hc\":\"Minden termék\",\"5CQ+r0\":\"Engedélyezze a be nem fizetett megrendelésekhez társított résztvevők bejelentkezését\",\"ipYKgM\":\"Keresőmotor indexelésének engedélyezése\",\"LRbt6D\":\"Engedélyezze a keresőmotoroknak az esemény indexelését\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Csodálatos, esemény, kulcsszavak...\",\"hehnjM\":\"Összeg\",\"R2O9Rg\":[\"Fizetett összeg (\",[\"0\"],\")\"],\"V7MwOy\":\"Hiba történt az oldal betöltésekor\",\"Q7UCEH\":\"Hiba történt a kérdések rendezésekor. Kérjük, próbálja újra, vagy frissítse az oldalt.\",\"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\":\"Váratlan hiba történt.\",\"byKna+\":\"Váratlan hiba történt. Kérjük, próbálja újra.\",\"ubdMGz\":\"A terméktulajdonosoktól érkező bármilyen kérdés erre az e-mail címre kerül elküldésre. Ez lesz az „válasz” cím is az eseményről küldött összes e-mailhez.\",\"aAIQg2\":\"Megjelenés\",\"Ym1gnK\":\"alkalmazva\",\"sy6fss\":[\"Alkalmazható \",[\"0\"],\" termékre\"],\"kadJKg\":\"1 termékre vonatkozik\",\"DB8zMK\":\"Alkalmaz\",\"GctSSm\":\"Promóciós kód alkalmazása\",\"ARBThj\":[\"Alkalmazza ezt a \",[\"type\"],\" típust minden új termékre\"],\"S0ctOE\":\"Esemény archiválása\",\"TdfEV7\":\"Archivált\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Biztosan aktiválni szeretné ezt a résztvevőt?\",\"TvkW9+\":\"Biztosan archiválni szeretné ezt az eseményt?\",\"/CV2x+\":\"Biztosan törölni szeretné ezt a résztvevőt? Ez érvényteleníti a jegyét.\",\"YgRSEE\":\"Biztosan törölni szeretné ezt a promóciós kódot?\",\"iU234U\":\"Biztosan törölni szeretné ezt a kérdést?\",\"CMyVEK\":\"Biztosan piszkozatba szeretné tenni ezt az eseményt? Ezzel az esemény láthatatlanná válik a nyilvánosság számára.\",\"mEHQ8I\":\"Biztosan nyilvánossá szeretné tenni ezt az eseményt? Ezzel az esemény láthatóvá válik a nyilvánosság számára.\",\"s4JozW\":\"Biztosan vissza szeretné állítani ezt az eseményt? Piszkozatként lesz visszaállítva.\",\"vJuISq\":\"Biztosan törölni szeretné ezt a kapacitás-hozzárendelést?\",\"baHeCz\":\"Biztosan törölni szeretné ezt a bejelentkezési listát?\",\"LBLOqH\":\"Kérdezze meg egyszer megrendelésenként\",\"wu98dY\":\"Kérdezze meg egyszer termékenként\",\"ss9PbX\":\"Résztvevő\",\"m0CFV2\":\"Résztvevő adatai\",\"QKim6l\":\"Résztvevő nem található\",\"R5IT/I\":\"Résztvevő megjegyzései\",\"lXcSD2\":\"Résztvevői kérdések\",\"HT/08n\":\"Résztvevői jegy\",\"9SZT4E\":\"Résztvevők\",\"iPBfZP\":\"Regisztrált résztvevők\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Automatikus átméretezés\",\"vZ5qKF\":\"Automatikusan átméretezi a widget magasságát a tartalom alapján. Ha le van tiltva, a widget kitölti a tároló magasságát.\",\"4lVaWA\":\"Offline fizetésre vár\",\"2rHwhl\":\"Offline fizetésre vár\",\"3wF4Q/\":\"Fizetésre vár\",\"ioG+xt\":\"Fizetésre vár\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Kft.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Vissza az esemény oldalára\",\"VCoEm+\":\"Vissza a bejelentkezéshez\",\"k1bLf+\":\"Háttérszín\",\"I7xjqg\":\"Háttér típusa\",\"1mwMl+\":\"Küldés előtt!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Számlázási cím\",\"/xC/im\":\"Számlázási beállítások\",\"rp/zaT\":\"Brazíliai portugál\",\"whqocw\":\"A regisztrációval elfogadja <0>Szolgáltatási feltételeinket és <1>Adatvédelmi irányelveinket.\",\"bcCn6r\":\"Számítás típusa\",\"+8bmSu\":\"Kalifornia\",\"iStTQt\":\"A kamera engedélyezése megtagadva. <0>Kérje újra az engedélyt, vagy ha ez nem működik, akkor <1>engedélyeznie kell ennek az oldalnak a kamerájához való hozzáférést a böngésző beállításai között.\",\"dEgA5A\":\"Mégsem\",\"Gjt/py\":\"E-mail cím módosításának visszavonása\",\"tVJk4q\":\"Megrendelés törlése\",\"Os6n2a\":\"Megrendelés törlése\",\"Mz7Ygx\":[\"Megrendelés törlése \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Törölve\",\"U7nGvl\":\"Nem lehet bejelentkezni\",\"QyjCeq\":\"Kapacitás\",\"V6Q5RZ\":\"Kapacitás-hozzárendelés sikeresen létrehozva\",\"k5p8dz\":\"Kapacitás-hozzárendelés sikeresen törölve\",\"nDBs04\":\"Kapacitás kezelése\",\"ddha3c\":\"A kategóriák lehetővé teszik a termékek csoportosítását. Például létrehozhat egy kategóriát „Jegyek” néven, és egy másikat „Árucikkek” néven.\",\"iS0wAT\":\"A kategóriák segítenek a termékek rendszerezésében. Ez a cím megjelenik a nyilvános eseményoldalon.\",\"eorM7z\":\"Kategóriák sikeresen átrendezve.\",\"3EXqwa\":\"Kategória sikeresen létrehozva\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Jelszó módosítása\",\"xMDm+I\":\"Bejelentkezés\",\"p2WLr3\":[\"Bejelentkezés \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Bejelentkezés és megrendelés fizetettként jelölése\",\"QYLpB4\":\"Csak bejelentkezés\",\"/Ta1d4\":\"Kijelentkezés\",\"5LDT6f\":\"Nézze meg ezt az eseményt!\",\"gXcPxc\":\"Bejelentkezés\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Bejelentkezési lista sikeresen törölve\",\"+hBhWk\":\"A bejelentkezési lista lejárt\",\"mBsBHq\":\"A bejelentkezési lista nem aktív\",\"vPqpQG\":\"Bejelentkezési lista nem található\",\"tejfAy\":\"Bejelentkezési listák\",\"hD1ocH\":\"Bejelentkezési URL a vágólapra másolva\",\"CNafaC\":\"A jelölőnégyzet opciók több kiválasztást is lehetővé tesznek\",\"SpabVf\":\"Jelölőnégyzetek\",\"CRu4lK\":\"Checked In\",\"znIg+z\":\"Fizetés\",\"1WnhCL\":\"Fizetési beállítások\",\"6imsQS\":\"Kínai (egyszerűsített)\",\"JjkX4+\":\"Válasszon színt a háttérhez\",\"/Jizh9\":\"Válasszon fiókot\",\"3wV73y\":\"Város\",\"FG98gC\":\"Keresési szöveg törlése\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Kattintson a másoláshoz\",\"yz7wBu\":\"Bezárás\",\"62Ciis\":\"Oldalsáv bezárása\",\"EWPtMO\":\"Kód\",\"ercTDX\":\"A kódnak 3 és 50 karakter között kell lennie\",\"oqr9HB\":\"Összecsukja ezt a terméket, amikor az eseményoldal kezdetben betöltődik\",\"jZlrte\":\"Szín\",\"Vd+LC3\":\"A színnek érvényes hexadecimális színkódnak kell lennie. Példa: #ffffff\",\"1HfW/F\":\"Színek\",\"VZeG/A\":\"Hamarosan érkezik\",\"yPI7n9\":\"Vesszővel elválasztott kulcsszavak, amelyek leírják az eseményt. Ezeket a keresőmotorok használják az esemény kategorizálásához és indexeléséhez.\",\"NPZqBL\":\"Megrendelés befejezése\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Fizetés befejezése\",\"qqWcBV\":\"Befejezett\",\"6HK5Ct\":\"Befejezett megrendelések\",\"NWVRtl\":\"Befejezett megrendelések\",\"DwF9eH\":\"Komponens kód\",\"Tf55h7\":\"Konfigurált kedvezmény\",\"7VpPHA\":\"Megerősítés\",\"ZaEJZM\":\"E-mail cím módosításának megerősítése\",\"yjkELF\":\"Új jelszó megerősítése\",\"xnWESi\":\"Jelszó megerősítése\",\"p2/GCq\":\"Jelszó megerősítése\",\"wnDgGj\":\"E-mail cím megerősítése...\",\"pbAk7a\":\"Stripe csatlakoztatása\",\"UMGQOh\":\"Csatlakozás a Stripe-hoz\",\"QKLP1W\":\"Csatlakoztassa Stripe fiókját, hogy elkezdhesse a fizetések fogadását.\",\"5lcVkL\":\"Csatlakozási adatok\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Folytatás\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Folytatás gomb szövege\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Beállítás folytatása\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Másolva\",\"T5rdis\":\"vágólapra másolva\",\"he3ygx\":\"Másolás\",\"r2B2P8\":\"Bejelentkezési URL másolása\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Link másolása\",\"E6nRW7\":\"URL másolása\",\"JNCzPW\":\"Ország\",\"IF7RiR\":\"Borító\",\"hYgDIe\":\"Létrehozás\",\"b9XOHo\":[\"Létrehozás \",[\"0\"]],\"k9RiLi\":\"Termék létrehozása\",\"6kdXbW\":\"Promóciós kód létrehozása\",\"n5pRtF\":\"Jegy létrehozása\",\"X6sRve\":[\"Regisztráljon vagy <0>\",[\"0\"],\" a kezdéshez\"],\"nx+rqg\":\"szervező létrehozása\",\"ipP6Ue\":\"Résztvevő létrehozása\",\"VwdqVy\":\"Kapacitás-hozzárendelés létrehozása\",\"EwoMtl\":\"Kategória létrehozása\",\"XletzW\":\"Kategória létrehozása\",\"WVbTwK\":\"Bejelentkezési lista létrehozása\",\"uN355O\":\"Esemény létrehozása\",\"BOqY23\":\"Új létrehozása\",\"kpJAeS\":\"Szervező létrehozása\",\"a0EjD+\":\"Termék létrehozása\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Promóciós kód létrehozása\",\"B3Mkdt\":\"Kérdés létrehozása\",\"UKfi21\":\"Adó vagy díj létrehozása\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Pénznem\",\"DCKkhU\":\"Jelenlegi jelszó\",\"uIElGP\":\"Egyedi térképek URL\",\"UEqXyt\":\"Egyedi tartomány\",\"876pfE\":\"Ügyfél\",\"QOg2Sf\":\"Testreszabhatja az esemény e-mail és értesítési beállításait.\",\"Y9Z/vP\":\"Testreszabhatja az esemény honlapját és a fizetési üzeneteket.\",\"2E2O5H\":\"Testreszabhatja az esemény egyéb beállításait.\",\"iJhSxe\":\"Testreszabhatja az esemény SEO beállításait.\",\"KIhhpi\":\"Testreszabhatja eseményoldalát\",\"nrGWUv\":\"Testreszabhatja eseményoldalát, hogy illeszkedjen márkájához és stílusához.\",\"Zz6Cxn\":\"Veszélyzóna\",\"ZQKLI1\":\"Veszélyzóna\",\"7p5kLi\":\"Irányítópult\",\"mYGY3B\":\"Dátum\",\"JvUngl\":\"Dátum és idő\",\"JJhRbH\":\"Első nap kapacitás\",\"cnGeoo\":\"Törlés\",\"jRJZxD\":\"Kapacitás törlése\",\"VskHIx\":\"Kategória törlése\",\"Qrc8RZ\":\"Bejelentkezési lista törlése\",\"WHf154\":\"Kód törlése\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Kérdés törlése\",\"Nu4oKW\":\"Leírás\",\"YC3oXa\":\"Leírás a bejelentkezési személyzet számára\",\"URmyfc\":\"Részletek\",\"1lRT3t\":\"Ezen kapacitás letiltása nyomon követi az értékesítéseket, de nem állítja le őket, amikor a limit elérte a határt.\",\"H6Ma8Z\":\"Kedvezmény\",\"ypJ62C\":\"Kedvezmény %\",\"3LtiBI\":[\"Kedvezmény \",[\"0\"],\"-ban\"],\"C8JLas\":\"Kedvezmény típusa\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Dokumentum címke\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Adomány / Fizess, amennyit szeretnél termék\",\"OvNbls\":\".ics letöltése\",\"kodV18\":\"CSV letöltése\",\"CELKku\":\"Számla letöltése\",\"LQrXcu\":\"Számla letöltése\",\"QIodqd\":\"QR kód letöltése\",\"yhjU+j\":\"Számla letöltése\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Legördülő menü kiválasztása\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Esemény másolása\",\"3ogkAk\":\"Esemény másolása\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Opciók másolása\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Korai madár\",\"ePK91l\":\"Szerkesztés\",\"N6j2JH\":[\"Szerkesztés \",[\"0\"]],\"kBkYSa\":\"Kapacitás szerkesztése\",\"oHE9JT\":\"Kapacitás-hozzárendelés szerkesztése\",\"j1Jl7s\":\"Kategória szerkesztése\",\"FU1gvP\":\"Bejelentkezési lista szerkesztése\",\"iFgaVN\":\"Kód szerkesztése\",\"jrBSO1\":\"Szervező szerkesztése\",\"tdD/QN\":\"Termék szerkesztése\",\"n143Tq\":\"Termékkategória szerkesztése\",\"9BdS63\":\"Promóciós kód szerkesztése\",\"O0CE67\":\"Kérdés szerkesztése\",\"EzwCw7\":\"Kérdés szerkesztése\",\"poTr35\":\"Felhasználó szerkesztése\",\"GTOcxw\":\"Felhasználó szerkesztése\",\"pqFrv2\":\"pl. 2.50 2.50 dollárért\",\"3yiej1\":\"pl. 23.5 23.5%-ért\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"E-mail és értesítési beállítások\",\"ATGYL1\":\"E-mail cím\",\"hzKQCy\":\"E-mail cím\",\"HqP6Qf\":\"E-mail cím módosítása sikeresen törölve\",\"mISwW1\":\"E-mail cím módosítása függőben\",\"APuxIE\":\"E-mail megerősítés újraküldve\",\"YaCgdO\":\"E-mail megerősítés sikeresen újraküldve\",\"jyt+cx\":\"E-mail lábléc üzenet\",\"I6F3cp\":\"E-mail nem ellenőrzött\",\"NTZ/NX\":\"Beágyazási kód\",\"4rnJq4\":\"Beágyazási szkript\",\"8oPbg1\":\"Számlázás engedélyezése\",\"j6w7d/\":\"Engedélyezze ezt a kapacitást, hogy leállítsa a termékértékesítést, amikor a limit elérte a határt.\",\"VFv2ZC\":\"Befejezés dátuma\",\"237hSL\":\"Befejezett\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Angol\",\"MhVoma\":\"Adjon meg egy összeget adók és díjak nélkül.\",\"SlfejT\":\"Hiba\",\"3Z223G\":\"Hiba az e-mail cím megerősítésekor\",\"a6gga1\":\"Hiba az e-mail cím módosításának megerősítésekor\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Esemény\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Esemény dátuma\",\"0Zptey\":\"Esemény alapértelmezett beállításai\",\"QcCPs8\":\"Esemény részletei\",\"6fuA9p\":\"Esemény sikeresen másolva\",\"AEuj2m\":\"Esemény honlapja\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Esemény helyszíne és helyszín adatai\",\"OopDbA\":\"Event page\",\"4/If97\":\"Esemény állapotának frissítése sikertelen. Kérjük, próbálja újra később.\",\"btxLWj\":\"Esemény állapota frissítve\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Események\",\"sZg7s1\":\"Lejárati dátum\",\"KnN1Tu\":\"Lejár\",\"uaSvqt\":\"Lejárati dátum\",\"GS+Mus\":\"Exportálás\",\"9xAp/j\":\"Nem sikerült törölni a résztvevőt.\",\"ZpieFv\":\"Nem sikerült törölni a megrendelést.\",\"z6tdjE\":\"Nem sikerült törölni az üzenetet. Kérjük, próbálja újra.\",\"xDzTh7\":\"Nem sikerült letölteni a számlát. Kérjük, próbálja újra.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Bejelentkezési lista betöltése sikertelen\",\"ZQ15eN\":\"Jegy e-mail újraküldése sikertelen\",\"ejXy+D\":\"Termékek rendezése sikertelen\",\"PLUB/s\":\"Díj\",\"/mfICu\":\"Díjak\",\"LyFC7X\":\"Megrendelések szűrése\",\"cSev+j\":\"Szűrők\",\"CVw2MU\":[\"Szűrők (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Első számla száma\",\"V1EGGU\":\"Keresztnév\",\"kODvZJ\":\"Keresztnév\",\"S+tm06\":\"A keresztnévnek 1 és 50 karakter között kell lennie.\",\"1g0dC4\":\"A keresztnév, vezetéknév és e-mail cím alapértelmezett kérdések, és mindig szerepelnek a fizetési folyamatban.\",\"Rs/IcB\":\"Először használva\",\"TpqW74\":\"Fix\",\"irpUxR\":\"Fix összeg\",\"TF9opW\":\"Vaku nem elérhető ezen az eszközön\",\"UNMVei\":\"Elfelejtette jelszavát?\",\"2POOFK\":\"Ingyenes\",\"P/OAYJ\":\"Ingyenes termék\",\"vAbVy9\":\"Ingyenes termék, fizetési információ nem szükséges\",\"nLC6tu\":\"Francia\",\"Weq9zb\":\"Általános\",\"DDcvSo\":\"Német\",\"4GLxhy\":\"Első lépések\",\"4D3rRj\":\"Vissza a profilhoz\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Naptár\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Bruttó értékesítés\",\"yRg26W\":\"Bruttó értékesítés\",\"R4r4XO\":\"Résztvevők\",\"26pGvx\":\"Van promóciós kódja?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"Íme egy példa, hogyan használhatja a komponenst az alkalmazásában.\",\"Y1SSqh\":\"Íme a React komponens, amelyet a widget beágyazásához használhatja az alkalmazásában.\",\"QuhVpV\":[\"Szia \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Rejtett a nyilvánosság elől\",\"gt3Xw9\":\"rejtett kérdés\",\"g3rqFe\":\"rejtett kérdések\",\"k3dfFD\":\"A rejtett kérdések csak az eseményszervező számára láthatók, az ügyfél számára nem.\",\"vLyv1R\":\"Elrejtés\",\"Mkkvfd\":\"Első lépések oldal elrejtése\",\"mFn5Xz\":\"Rejtett kérdések elrejtése\",\"YHsF9c\":\"Termék elrejtése az értékesítés befejezési dátuma után\",\"06s3w3\":\"Termék elrejtése az értékesítés kezdési dátuma előtt\",\"axVMjA\":\"Termék elrejtése, kivéve, ha a felhasználónak van érvényes promóciós kódja\",\"ySQGHV\":\"Termék elrejtése, ha elfogyott\",\"SCimta\":\"Elrejti az első lépések oldalt az oldalsávról\",\"5xR17G\":\"Termék elrejtése az ügyfelek elől\",\"Da29Y6\":\"Kérdés elrejtése\",\"fvDQhr\":\"Szint elrejtése a felhasználók elől\",\"lNipG+\":\"Egy termék elrejtése megakadályozza, hogy a felhasználók lássák azt az eseményoldalon.\",\"ZOBwQn\":\"Honlaptervezés\",\"PRuBTd\":\"Honlaptervező\",\"YjVNGZ\":\"Honlap előnézet\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Hány perc áll az ügyfél rendelkezésére a megrendelés befejezéséhez? Legalább 15 percet javaslunk.\",\"ySxKZe\":\"Hányszor használható fel ez a kód?\",\"dZsDbK\":[\"HTML karakterkorlát túllépve: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Elfogadom az <0>általános szerződési feltételeket\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Ha üres, a cím Google térkép link generálására lesz használva\",\"UYT+c8\":\"Ha engedélyezve van, a bejelentkezési személyzet bejelentkezettként jelölheti meg a résztvevőket, vagy fizetettként jelölheti meg a megrendelést, és bejelentkezhet a résztvevők. Ha le van tiltva, a fizetetlen megrendelésekhez társított résztvevők nem jelentkezhetnek be.\",\"muXhGi\":\"Ha engedélyezve van, a szervező e-mail értesítést kap, amikor új megrendelés érkezik.\",\"6fLyj/\":\"Ha nem Ön kérte ezt a módosítást, kérjük, azonnal változtassa meg jelszavát.\",\"n/ZDCz\":\"Kép sikeresen törölve\",\"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\":\"Kép sikeresen feltöltve\",\"VyUuZb\":\"Kép URL-címe\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inaktív\",\"T0K0yl\":\"Az inaktív felhasználók nem tudnak bejelentkezni.\",\"kO44sp\":\"Adja meg az online esemény csatlakozási adatait. Ezek az adatok megjelennek a megrendelés összefoglaló oldalán és a résztvevő jegy oldalán.\",\"FlQKnG\":\"Adó és díjak belefoglalása az árba\",\"Vi+BiW\":[[\"0\"],\" terméket tartalmaz\"],\"lpm0+y\":\"1 terméket tartalmaz\",\"UiAk5P\":\"Kép beszúrása\",\"OyLdaz\":\"Meghívó újraküldve!\",\"HE6KcK\":\"Meghívó visszavonva!\",\"SQKPvQ\":\"Felhasználó meghívása\",\"bKOYkd\":\"Számla sikeresen letöltve\",\"alD1+n\":\"Számlamegjegyzések\",\"kOtCs2\":\"Számlaszámozás\",\"UZ2GSZ\":\"Számla beállítások\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Tétel\",\"KFXip/\":\"János\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Címke\",\"vXIe7J\":\"Nyelv\",\"2LMsOq\":\"Utolsó 12 hónap\",\"vfe90m\":\"Utolsó 14 nap\",\"aK4uBd\":\"Utolsó 24 óra\",\"uq2BmQ\":\"Utolsó 30 nap\",\"bB6Ram\":\"Utolsó 48 óra\",\"VlnB7s\":\"Utolsó 6 hónap\",\"ct2SYD\":\"Utolsó 7 nap\",\"XgOuA7\":\"Utolsó 90 nap\",\"I3yitW\":\"Utolsó bejelentkezés\",\"1ZaQUH\":\"Vezetéknév\",\"UXBCwc\":\"Vezetéknév\",\"tKCBU0\":\"Utoljára használva\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Hagyja üresen az alapértelmezett „Számla” szó használatához\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Betöltés...\",\"wJijgU\":\"Helyszín\",\"sQia9P\":\"Bejelentkezés\",\"zUDyah\":\"Bejelentkezés...\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Kijelentkezés\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Tegye kötelezővé a számlázási címet a fizetés során\",\"MU3ijv\":\"Tegye kötelezővé ezt a kérdést\",\"wckWOP\":\"Kezelés\",\"onpJrA\":\"Résztvevő kezelése\",\"n4SpU5\":\"Esemény kezelése\",\"WVgSTy\":\"Megrendelés kezelése\",\"1MAvUY\":\"Kezelje az esemény fizetési és számlázási beállításait.\",\"cQrNR3\":\"Profil kezelése\",\"AtXtSw\":\"Kezelje az adókat és díjakat, amelyek alkalmazhatók a termékeire.\",\"ophZVW\":\"Jegyek kezelése\",\"DdHfeW\":\"Kezelje fiókadatait és alapértelmezett beállításait.\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Kezelje felhasználóit és engedélyeiket.\",\"1m+YT2\":\"A kötelező kérdésekre válaszolni kell, mielőtt az ügyfél fizethetne.\",\"Dim4LO\":\"Résztvevő manuális hozzáadása\",\"e4KdjJ\":\"Résztvevő manuális hozzáadása\",\"vFjEnF\":\"Fizetettként jelölés\",\"g9dPPQ\":\"Maximum megrendelésenként\",\"l5OcwO\":\"Üzenet a résztvevőnek\",\"Gv5AMu\":\"Üzenet a résztvevőknek\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Üzenet a vásárlónak\",\"tNZzFb\":\"Üzenet tartalma\",\"lYDV/s\":\"Egyéni résztvevők üzenete\",\"V7DYWd\":\"Üzenet elküldve\",\"t7TeQU\":\"Üzenetek\",\"xFRMlO\":\"Minimum megrendelésenként\",\"QYcUEf\":\"Minimális ár\",\"RDie0n\":\"Egyéb\",\"mYLhkl\":\"Egyéb beállítások\",\"KYveV8\":\"Többsoros szövegdoboz\",\"VD0iA7\":\"Több árlehetőség. Tökéletes a korai madár termékekhez stb.\",\"/bhMdO\":\"Az én csodálatos eseményem leírása...\",\"vX8/tc\":\"Az én csodálatos eseményem címe...\",\"hKtWk2\":\"Profilom\",\"fj5byd\":\"N/A\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Név\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigálás a résztvevőhöz\",\"qqeAJM\":\"Soha\",\"7vhWI8\":\"Új jelszó\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Nincs megjeleníthető archivált esemény.\",\"q2LEDV\":\"Nincsenek résztvevők ehhez a megrendeléshez.\",\"zlHa5R\":\"Ehhez a megrendeléshez nem adtak hozzá résztvevőket.\",\"Wjz5KP\":\"Nincs megjeleníthető résztvevő\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Nincs kapacitás-hozzárendelés\",\"a/gMx2\":\"Nincsenek bejelentkezési listák\",\"tMFDem\":\"Nincs adat\",\"6Z/F61\":\"Nincs megjeleníthető adat. Kérjük, válasszon dátumtartományt.\",\"fFeCKc\":\"Nincs kedvezmény\",\"HFucK5\":\"Nincs megjeleníthető befejezett esemény.\",\"yAlJXG\":\"Nincs megjeleníthető esemény\",\"GqvPcv\":\"Nincsenek elérhető szűrők\",\"KPWxKD\":\"Nincs megjeleníthető üzenet\",\"J2LkP8\":\"Nincs megjeleníthető megrendelés\",\"RBXXtB\":\"Jelenleg nem állnak rendelkezésre fizetési módok. Kérjük, vegye fel a kapcsolatot az eseményszervezővel segítségért.\",\"ZWEfBE\":\"Fizetés nem szükséges\",\"ZPoHOn\":\"Nincs termék ehhez a résztvevőhöz társítva.\",\"Ya1JhR\":\"Nincsenek termékek ebben a kategóriában.\",\"FTfObB\":\"Még nincsenek termékek\",\"+Y976X\":\"Nincs megjeleníthető promóciós kód\",\"MAavyl\":\"Ehhez a résztvevőhöz nem érkezett válasz.\",\"SnlQeq\":\"Ehhez a megrendeléshez nem tettek fel kérdéseket.\",\"Ev2r9A\":\"Nincs találat\",\"gk5uwN\":\"Nincs találat\",\"RHyZUL\":\"Nincs találat.\",\"RY2eP1\":\"Nem adtak hozzá adókat vagy díjakat.\",\"EdQY6l\":\"Egyik sem\",\"OJx3wK\":\"Nem elérhető\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Jegyzetek\",\"jtrY3S\":\"Még nincs mit mutatni\",\"hFwWnI\":\"Értesítési beállítások\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Szervező értesítése új megrendelésekről\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Engedélyezett napok száma a fizetésre (hagyja üresen a fizetési feltételek kihagyásához a számlákról)\",\"n86jmj\":\"Szám előtag\",\"mwe+2z\":\"Az offline megrendelések nem jelennek meg az esemény statisztikáiban, amíg a megrendelés nem kerül fizetettként megjelölésre.\",\"dWBrJX\":\"Offline fizetés sikertelen. Kérjük, próbálja újra, vagy lépjen kapcsolatba az eseményszervezővel.\",\"fcnqjw\":\"Offline fizetési utasítások\",\"+eZ7dp\":\"Offline fizetések\",\"ojDQlR\":\"Offline fizetési információk\",\"u5oO/W\":\"Offline fizetési beállítások\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"Eladó\",\"Ug4SfW\":\"Miután létrehozott egy eseményt, itt fogja látni.\",\"ZxnK5C\":\"Miután elkezd gyűjteni adatokat, itt fogja látni.\",\"PnSzEc\":\"Amikor elkészült, tegye élővé eseményét, és kezdjen el termékeket értékesíteni.\",\"J6n7sl\":\"Folyamatban\",\"z+nuVJ\":\"Online esemény\",\"WKHW0N\":\"Online esemény részletei\",\"/xkmKX\":\"Csak az eseménnyel közvetlenül kapcsolatos fontos e-maileket küldje el ezen a formon keresztül.\\nBármilyen visszaélés, beleértve a promóciós e-mailek küldését is, azonnali fiókletiltáshoz vezet.\",\"Qqqrwa\":\"Bejelentkezési oldal megnyitása\",\"OdnLE4\":\"Oldalsáv megnyitása\",\"ZZEYpT\":[\"Opció \",[\"i\"]],\"oPknTP\":\"Opcionális további információk, amelyek megjelennek minden számlán (pl. fizetési feltételek, késedelmi díjak, visszatérítési szabályzat).\",\"OrXJBY\":\"Opcionális előtag a számlaszámokhoz (pl. INV-)\",\"0zpgxV\":\"Opciók\",\"BzEFor\":\"vagy\",\"UYUgdb\":\"Megrendelés\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Megrendelés törölve\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Megrendelés dátuma\",\"Tol4BF\":\"Megrendelés részletei\",\"WbImlQ\":\"A megrendelés törölve lett, és a megrendelő értesítést kapott.\",\"nAn4Oe\":\"Megrendelés fizetettként megjelölve\",\"uzEfRz\":\"Megrendelés jegyzetek\",\"VCOi7U\":\"Megrendelési kérdések\",\"TPoYsF\":\"Rendelésszám\",\"acIJ41\":\"Megrendelés állapota\",\"GX6dZv\":\"Megrendelés összefoglaló\",\"tDTq0D\":\"Megrendelés időtúllépés\",\"1h+RBg\":\"Megrendelések\",\"3y+V4p\":\"Szervezet címe\",\"GVcaW6\":\"Szervezet részletei\",\"nfnm9D\":\"Szervezet neve\",\"G5RhpL\":\"Szervező\",\"mYygCM\":\"Szervező kötelező\",\"Pa6G7v\":\"Szervező neve\",\"l894xP\":\"A szervezők csak eseményeket és termékeket kezelhetnek. Nem kezelhetik a felhasználókat, fiókbeállításokat vagy számlázási információkat.\",\"fdjq4c\":\"Kitöltés\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Oldal nem található\",\"QbrUIo\":\"Oldalmegtekintések\",\"6D8ePg\":\"oldal.\",\"IkGIz8\":\"fizetett\",\"HVW65c\":\"Fizetős termék\",\"ZfxaB4\":\"Részben visszatérítve\",\"8ZsakT\":\"Jelszó\",\"TUJAyx\":\"Password must be a minimum of 8 characters\",\"vwGkYB\":\"A jelszónak legalább 8 karakter hosszúnak kell lennie.\",\"BLTZ42\":\"Jelszó sikeresen visszaállítva. Kérjük, jelentkezzen be új jelszavával.\",\"f7SUun\":\"A jelszavak nem egyeznek.\",\"aEDp5C\":\"Illessze be ezt oda, ahová a widgetet szeretné.\",\"+23bI/\":\"Patrik\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Fizetés\",\"Lg+ewC\":\"Fizetés és számlázás\",\"DZjk8u\":\"Fizetési és számlázási beállítások\",\"lflimf\":\"Fizetési határidő\",\"JhtZAK\":\"Fizetés sikertelen\",\"JEdsvQ\":\"Fizetési utasítások\",\"bLB3MJ\":\"Fizetési módok\",\"QzmQBG\":\"Fizetési szolgáltató\",\"lsxOPC\":\"Fizetés beérkezett\",\"wJTzyi\":\"Fizetési állapot\",\"xgav5v\":\"Fizetés sikeres!\",\"R29lO5\":\"Fizetési feltételek\",\"/roQKz\":\"Százalék\",\"vPJ1FI\":\"Százalékos összeg\",\"xdA9ud\":\"Helyezze ezt a weboldalának részébe.\",\"blK94r\":\"Kérjük, adjon hozzá legalább egy opciót.\",\"FJ9Yat\":\"Kérjük, ellenőrizze, hogy a megadott információk helyesek-e.\",\"TkQVup\":\"Kérjük, ellenőrizze e-mail címét és jelszavát, majd próbálja újra.\",\"sMiGXD\":\"Kérjük, ellenőrizze, hogy az e-mail címe érvényes-e.\",\"Ajavq0\":\"Kérjük, ellenőrizze e-mail címét az e-mail cím megerősítéséhez.\",\"MdfrBE\":\"Kérjük, töltse ki az alábbi űrlapot a meghívás elfogadásához.\",\"b1Jvg+\":\"Kérjük, folytassa az új lapon.\",\"hcX103\":\"Kérjük, hozzon létre egy terméket.\",\"cdR8d6\":\"Kérjük, hozzon létre egy jegyet.\",\"x2mjl4\":\"Kérjük, adjon meg egy érvényes kép URL-t, amely egy képre mutat.\",\"HnNept\":\"Kérjük, adja meg új jelszavát.\",\"5FSIzj\":\"Kérjük, vegye figyelembe\",\"C63rRe\":\"Kérjük, térjen vissza az esemény oldalára az újrakezdéshez.\",\"pJLvdS\":\"Kérjük, válassza ki\",\"Ewir4O\":\"Kérjük, válasszon ki legalább egy terméket.\",\"igBrCH\":\"Kérjük, erősítse meg e-mail címét az összes funkció eléréséhez.\",\"/IzmnP\":\"Kérjük, várjon, amíg előkészítjük számláját...\",\"MOERNx\":\"Portugál\",\"qCJyMx\":\"Fizetés utáni üzenet\",\"g2UNkE\":\"Működteti:\",\"Rs7IQv\":\"Fizetés előtti üzenet\",\"rdUucN\":\"Előnézet\",\"a7u1N9\":\"Ár\",\"CmoB9j\":\"Ármegjelenítési mód\",\"BI7D9d\":\"Ár nincs beállítva\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Ár típusa\",\"6RmHKN\":\"Elsődleges szín\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Elsődleges szövegszín\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Összes jegy nyomtatása\",\"DKwDdj\":\"Jegyek nyomtatása\",\"K47k8R\":\"Termék\",\"1JwlHk\":\"Termékkategória\",\"U61sAj\":\"Termékkategória sikeresen frissítve.\",\"1USFWA\":\"Termék sikeresen törölve\",\"4Y2FZT\":\"Termék ár típusa\",\"mFwX0d\":\"Termékkel kapcsolatos kérdések\",\"Lu+kBU\":\"Termék értékesítés\",\"U/R4Ng\":\"Terméksor\",\"sJsr1h\":\"Termék típusa\",\"o1zPwM\":\"Termék widget előnézet\",\"ktyvbu\":\"Termék(ek)\",\"N0qXpE\":\"Termékek\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Eladott termékek\",\"/u4DIx\":\"Eladott termékek\",\"DJQEZc\":\"Termékek sikeresen rendezve\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Profil sikeresen frissítve\",\"cl5WYc\":[\"Promóciós kód \",[\"promo_code\"],\" alkalmazva\"],\"P5sgAk\":\"Promóciós kód\",\"yKWfjC\":\"Promóciós kód oldal\",\"RVb8Fo\":\"Promóciós kódok\",\"BZ9GWa\":\"A promóciós kódok kedvezmények, előzetes hozzáférés vagy különleges hozzáférés biztosítására használhatók az eseményéhez.\",\"OP094m\":\"Promóciós kódok jelentés\",\"4kyDD5\":\"Adjon meg további kontextust vagy utasításokat ehhez a kérdéshez. Ezt a mezőt használja a feltételek, irányelvek vagy bármilyen fontos információ hozzáadására, amelyet a résztvevőknek tudniuk kell a válaszadás előtt.\",\"toutGW\":\"QR kód\",\"LkMOWF\":\"Elérhető mennyiség\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Kérdés törölve\",\"avf0gk\":\"Kérdés leírása\",\"oQvMPn\":\"Kérdés címe\",\"enzGAL\":\"Kérdések\",\"ROv2ZT\":\"Kérdések és válaszok\",\"K885Eq\":\"Kérdések sikeresen rendezve\",\"OMJ035\":\"Rádió opció\",\"C4TjpG\":\"Kevesebb olvasása\",\"I3QpvQ\":\"Címzett\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Visszatérítés sikertelen\",\"n10yGu\":\"Megrendelés visszatérítése\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Visszatérítés függőben\",\"xHpVRl\":\"Visszatérítés állapota\",\"/BI0y9\":\"Visszatérítve\",\"fgLNSM\":\"Regisztráció\",\"9+8Vez\":\"Fennmaradó felhasználások\",\"tasfos\":\"eltávolítás\",\"t/YqKh\":\"Eltávolítás\",\"t9yxlZ\":\"Jelentések\",\"prZGMe\":\"Számlázási cím kötelező\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"E-mail megerősítés újraküldése\",\"wIa8Qe\":\"Meghívó újraküldése\",\"VeKsnD\":\"Megrendelés e-mail újraküldése\",\"dFuEhO\":\"Jegy e-mail újraküldése\",\"o6+Y6d\":\"Újraküldés...\",\"OfhWJH\":\"Visszaállítás\",\"RfwZxd\":\"Jelszó visszaállítása\",\"KbS2K9\":\"Jelszó visszaállítása\",\"e99fHm\":\"Esemény visszaállítása\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Vissza az esemény oldalára\",\"8YBH95\":\"Bevétel\",\"PO/sOY\":\"Meghívó visszavonása\",\"GDvlUT\":\"Szerep\",\"ELa4O9\":\"Értékesítés befejezési dátuma\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Értékesítés kezdési dátuma\",\"hBsw5C\":\"Értékesítés befejezve\",\"kpAzPe\":\"Értékesítés kezdete\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Mentés\",\"IUwGEM\":\"Változások mentése\",\"U65fiW\":\"Szervező mentése\",\"UGT5vp\":\"Beállítások mentése\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Keresés résztvevő neve, e-mail címe vagy rendelési száma alapján...\",\"+pr/FY\":\"Keresés eseménynév alapján...\",\"3zRbWw\":\"Keresés név, e-mail vagy rendelési szám alapján...\",\"L22Tdf\":\"Keresés név, rendelési szám, résztvevő azonosító vagy e-mail alapján...\",\"BiYOdA\":\"Keresés név alapján...\",\"YEjitp\":\"Keresés tárgy vagy tartalom alapján...\",\"Pjsch9\":\"Kapacitás-hozzárendelések keresése...\",\"r9M1hc\":\"Bejelentkezési listák keresése...\",\"+0Yy2U\":\"Termékek keresése\",\"YIix5Y\":\"Keresés...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Másodlagos szín\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Másodlagos szövegszín\",\"02ePaq\":[\"Válasszon \",[\"0\"]],\"QuNKRX\":\"Kamera kiválasztása\",\"9FQEn8\":\"Kategória kiválasztása...\",\"kWI/37\":\"Szervező kiválasztása\",\"ixIx1f\":\"Termék kiválasztása\",\"3oSV95\":\"Terméksor kiválasztása\",\"C4Y1hA\":\"Termékek kiválasztása\",\"hAjDQy\":\"Állapot kiválasztása\",\"QYARw/\":\"Jegy kiválasztása\",\"OMX4tH\":\"Jegyek kiválasztása\",\"DrwwNd\":\"Időszak kiválasztása\",\"O/7I0o\":\"Válasszon...\",\"JlFcis\":\"Küldés\",\"qKWv5N\":[\"Másolat küldése ide: <0>\",[\"0\"],\"\"],\"RktTWf\":\"Üzenet küldése\",\"/mQ/tD\":\"Küldés tesztként. Ez az üzenetet az Ön e-mail címére küldi, nem a címzetteknek.\",\"M/WIer\":\"Üzenet küldése\",\"D7ZemV\":\"Rendelés visszaigazoló és jegy e-mail küldése\",\"v1rRtW\":\"Teszt küldése\",\"4Ml90q\":\"Keresőoptimalizálás\",\"j1VfcT\":\"Keresőoptimalizálási leírás\",\"/SIY6o\":\"Keresőoptimalizálási kulcsszavak\",\"GfWoKv\":\"Keresőoptimalizálási beállítások\",\"rXngLf\":\"Keresőoptimalizálási cím\",\"/jZOZa\":\"Szolgáltatási díj\",\"Bj/QGQ\":\"Adjon meg minimális árat, és hagyja, hogy a felhasználók többet fizessenek, ha úgy döntenek.\",\"L0pJmz\":\"Állítsa be a számlaszámozás kezdő számát. Ez nem módosítható, amint a számlák elkészültek.\",\"nYNT+5\":\"Állítsa be eseményét\",\"A8iqfq\":\"Tegye élővé eseményét\",\"Tz0i8g\":\"Beállítások\",\"Z8lGw6\":\"Megosztás\",\"B2V3cA\":\"Esemény megosztása\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Elérhető termékmennyiség megjelenítése\",\"qDsmzu\":\"Rejtett kérdések megjelenítése\",\"fMPkxb\":\"Több mutatása\",\"izwOOD\":\"Adó és díjak külön megjelenítése\",\"1SbbH8\":\"Az ügyfélnek a fizetés után, a rendelésösszegző oldalon jelenik meg.\",\"YfHZv0\":\"Az ügyfélnek a fizetés előtt jelenik meg.\",\"CBBcly\":\"Gyakori címmezőket mutat, beleértve az országot is.\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Egysoros szövegmező\",\"+P0Cn2\":\"Lépés kihagyása\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Elfogyott\",\"Mi1rVn\":\"Elfogyott\",\"nwtY4N\":\"Valami hiba történt\",\"GRChTw\":\"Hiba történt az adó vagy díj törlésekor\",\"YHFrbe\":\"Valami hiba történt! Kérjük, próbálja újra.\",\"kf83Ld\":\"Valami hiba történt.\",\"fWsBTs\":\"Valami hiba történt. Kérjük, próbálja újra.\",\"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.\",\"6a/UJE\":\"Sajnáljuk, ez a promóciós kód nem felismerhető.\",\"65A04M\":\"Spanyol\",\"mFuBqb\":\"Standard termék fix árral\",\"D3iCkb\":\"Kezdés dátuma\",\"/2by1f\":\"Állam vagy régió\",\"uAQUqI\":\"Állapot\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"A Stripe fizetések nincsenek engedélyezve ehhez az eseményhez.\",\"UJmAAK\":\"Tárgy\",\"X2rrlw\":\"Részösszeg\",\"zzDlyQ\":\"Sikeres\",\"b0HJ45\":[\"Sikeres! \",[\"0\"],\" hamarosan e-mailt kap.\"],\"BJIEiF\":[\"Sikeresen \",[\"0\"],\" résztvevő\"],\"OtgNFx\":\"E-mail cím sikeresen megerősítve\",\"IKwyaF\":\"E-mail cím módosítás sikeresen megerősítve\",\"zLmvhE\":\"Résztvevő sikeresen létrehozva\",\"gP22tw\":\"Termék sikeresen létrehozva\",\"9mZEgt\":\"Promóciós kód sikeresen létrehozva\",\"aIA9C4\":\"Kérdés sikeresen létrehozva\",\"J3RJSZ\":\"Résztvevő sikeresen frissítve\",\"3suLF0\":\"Kapacitás-hozzárendelés sikeresen frissítve\",\"Z+rnth\":\"Bejelentkezési lista sikeresen frissítve\",\"vzJenu\":\"E-mail beállítások sikeresen frissítve\",\"7kOMfV\":\"Esemény sikeresen frissítve\",\"G0KW+e\":\"Honlapterv sikeresen frissítve\",\"k9m6/E\":\"Honlapbeállítások sikeresen frissítve\",\"y/NR6s\":\"Helyszín sikeresen frissítve\",\"73nxDO\":\"Egyéb beállítások sikeresen frissítve\",\"4H80qv\":\"Megrendelés sikeresen frissítve\",\"6xCBVN\":\"Fizetési és számlázási beállítások sikeresen frissítve\",\"1Ycaad\":\"Termék sikeresen frissítve\",\"70dYC8\":\"Promóciós kód sikeresen frissítve\",\"F+pJnL\":\"Keresőoptimalizálási beállítások sikeresen frissítve\",\"DXZRk5\":\"100-as lakosztály\",\"GNcfRk\":\"Támogatási e-mail\",\"uRfugr\":\"Póló\",\"JpohL9\":\"Adó\",\"geUFpZ\":\"Adó és díjak\",\"dFHcIn\":\"Adó adatok\",\"wQzCPX\":\"Adózási információk, amelyek minden számla alján megjelennek (pl. adószám, adóazonosító szám).\",\"0RXCDo\":\"Adó vagy díj sikeresen törölve\",\"ZowkxF\":\"Adók\",\"qu6/03\":\"Adók és díjak\",\"gypigA\":\"Ez a promóciós kód érvénytelen.\",\"5ShqeM\":\"A keresett bejelentkezési lista nem létezik.\",\"QXlz+n\":\"Az események alapértelmezett pénzneme.\",\"mnafgQ\":\"Az események alapértelmezett időzónája.\",\"o7s5FA\":\"Az a nyelv, amelyen a résztvevő e-maileket kap.\",\"NlfnUd\":\"A link, amire kattintott, érvénytelen.\",\"HsFnrk\":[\"A termékek maximális száma \",[\"0\"],\" számára \",[\"1\"]],\"TSAiPM\":\"A keresett oldal nem létezik.\",\"MSmKHn\":\"Az ügyfélnek megjelenő ár tartalmazza az adókat és díjakat.\",\"6zQOg1\":\"Az ügyfélnek megjelenő ár nem tartalmazza az adókat és díjakat. Külön lesznek feltüntetve.\",\"ne/9Ur\":\"A kiválasztott stílusbeállítások csak a másolt HTML-re vonatkoznak, és nem kerülnek tárolásra.\",\"vQkyB3\":\"Az ehhez a termékhez alkalmazandó adók és díjak. Új adókat és díjakat hozhat létre a\",\"esY5SG\":\"Az esemény címe, amely megjelenik a keresőmotorok találatai között és a közösségi médiában való megosztáskor. Alapértelmezés szerint az esemény címe kerül felhasználásra.\",\"wDx3FF\":\"Nincsenek elérhető termékek ehhez az eseményhez.\",\"pNgdBv\":\"Nincsenek elérhető termékek ebben a kategóriában.\",\"rMcHYt\":\"Függőben lévő visszatérítés van. Kérjük, várja meg a befejezését, mielőtt újabb visszatérítést kérne.\",\"F89D36\":\"Hiba történt a megrendelés fizetettként való megjelölésekor.\",\"68Axnm\":\"Hiba történt a kérés feldolgozása során. Kérjük, próbálja újra.\",\"mVKOW6\":\"Hiba történt az üzenet küldésekor.\",\"AhBPHd\":\"Ezek a részletek csak akkor jelennek meg, ha a megrendelés sikeresen befejeződött. A fizetésre váró megrendelések nem jelenítik meg ezt az üzenetet.\",\"Pc/Wtj\":\"Ennek a résztvevőnek van egy kifizetetlen megrendelése.\",\"mf3FrP\":\"Ez a kategória még nem tartalmaz termékeket.\",\"8QH2Il\":\"Ez a kategória el van rejtve a nyilvánosság elől.\",\"xxv3BZ\":\"Ez a bejelentkezési lista lejárt.\",\"Sa7w7S\":\"Ez a bejelentkezési lista lejárt, és már nem használható bejelentkezéshez.\",\"Uicx2U\":\"Ez a bejelentkezési lista aktív.\",\"1k0Mp4\":\"Ez a bejelentkezési lista még nem aktív.\",\"K6fmBI\":\"Ez a bejelentkezési lista még nem aktív, és nem használható bejelentkezéshez.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Ez az e-mail nem promóciós, és közvetlenül kapcsolódik az eseményhez.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Ez az információ megjelenik a fizetési oldalon, a megrendelés összefoglaló oldalán és a megrendelés visszaigazoló e-mailben.\",\"XAHqAg\":\"Ez egy általános termék, mint egy póló vagy egy bögre. Nem kerül jegy kiállításra.\",\"CNk/ro\":\"Ez egy online esemény.\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Ez az üzenet szerepelni fog az eseményről küldött összes e-mail láblécében.\",\"55i7Fa\":\"Ez az üzenet csak akkor jelenik meg, ha a megrendelés sikeresen befejeződött. A fizetésre váró megrendelések nem jelenítik meg ezt az üzenetet.\",\"RjwlZt\":\"Ez a megrendelés már ki lett fizetve.\",\"5K8REg\":\"Ez a megrendelés már visszatérítésre került.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Ez a megrendelés törölve lett.\",\"Q0zd4P\":\"Ez a megrendelés lejárt. Kérjük, kezdje újra.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Ez a megrendelés kész.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Ez a megrendelési oldal már nem elérhető.\",\"i0TtkR\":\"Ez felülírja az összes láthatósági beállítást, és elrejti a terméket minden ügyfél elől.\",\"cRRc+F\":\"Ez a termék nem törölhető, mert megrendeléshez van társítva. Helyette elrejtheti.\",\"3Kzsk7\":\"Ez a termék egy jegy. A vásárlók jegyet kapnak a vásárláskor.\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Ez a kérdés csak az eseményszervező számára látható.\",\"os29v1\":\"Ez a jelszó-visszaállító link érvénytelen vagy lejárt.\",\"IV9xTT\":\"Ez a felhasználó nem aktív, mivel nem fogadta el a meghívóját.\",\"5AnPaO\":\"jegy\",\"kjAL4v\":\"Jegy\",\"dtGC3q\":\"Jegy e-mailt újraküldték a résztvevőnek.\",\"54q0zp\":\"Jegyek ehhez:\",\"xN9AhL\":[\"Szint \",[\"0\"]],\"jZj9y9\":\"Többszintű termék\",\"8wITQA\":\"A többszintű termékek lehetővé teszik, hogy ugyanahhoz a termékhez több árlehetőséget kínáljon. Ez tökéletes a korai madár termékekhez, vagy különböző árlehetőségek kínálásához különböző embercsoportok számára.\",\"nn3mSR\":\"Hátralévő idő:\",\"s/0RpH\":\"Felhasználások száma\",\"y55eMd\":\"Felhasználások száma\",\"40Gx0U\":\"Időzóna\",\"oDGm7V\":\"TIPP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Eszközök\",\"72c5Qo\":\"Összesen\",\"YXx+fG\":\"Összesen kedvezmények előtt\",\"NRWNfv\":\"Összes kedvezmény összege\",\"BxsfMK\":\"Összes díj\",\"2bR+8v\":\"Összes bruttó értékesítés\",\"mpB/d9\":\"Teljes megrendelési összeg\",\"m3FM1g\":\"Összes visszatérített\",\"jEbkcB\":\"Összes visszatérített\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Összes adó\",\"+zy2Nq\":\"Típus\",\"FMdMfZ\":\"Nem sikerült bejelentkezni a résztvevőnek.\",\"bPWBLL\":\"Nem sikerült kijelentkezni a résztvevőnek.\",\"9+P7zk\":\"Nem sikerült létrehozni a terméket. Kérjük, ellenőrizze adatait.\",\"WLxtFC\":\"Nem sikerült létrehozni a terméket. Kérjük, ellenőrizze adatait.\",\"/cSMqv\":\"Nem sikerült kérdést létrehozni. Kérjük, ellenőrizze adatait.\",\"MH/lj8\":\"Nem sikerült frissíteni a kérdést. Kérjük, ellenőrizze adatait.\",\"nnfSdK\":\"Egyedi ügyfelek\",\"Mqy/Zy\":\"Egyesült Államok\",\"NIuIk1\":\"Korlátlan\",\"/p9Fhq\":\"Korlátlanul elérhető\",\"E0q9qH\":\"Korlátlan felhasználás engedélyezett\",\"h10Wm5\":\"Kifizetetlen megrendelés\",\"ia8YsC\":\"Közelgő\",\"TlEeFv\":\"Közelgő események\",\"L/gNNk\":[\"Frissítés \",[\"0\"]],\"+qqX74\":\"Eseménynév, leírás és dátumok frissítése\",\"vXPSuB\":\"Profil frissítése\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL a vágólapra másolva\",\"e5lF64\":\"Használati példa\",\"fiV0xj\":\"Használati limit\",\"sGEOe4\":\"Használja a borítókép elmosódott változatát háttérként.\",\"OadMRm\":\"Borítókép használata\",\"7PzzBU\":\"Felhasználó\",\"yDOdwQ\":\"Felhasználókezelés\",\"Sxm8rQ\":\"Felhasználók\",\"VEsDvU\":\"A felhasználók módosíthatják e-mail címüket a <0>Profilbeállítások menüpontban.\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"ÁFA\",\"E/9LUk\":\"Helyszín neve\",\"jpctdh\":\"Megtekintés\",\"Pte1Hv\":\"Résztvevő adatainak megtekintése\",\"/5PEQz\":\"Eseményoldal megtekintése\",\"fFornT\":\"Teljes üzenet megtekintése\",\"YIsEhQ\":\"Térkép megtekintése\",\"Ep3VfY\":\"Megtekintés a Google Térképen\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP bejelentkezési lista\",\"tF+VVr\":\"VIP jegy\",\"2q/Q7x\":\"Láthatóság\",\"vmOFL/\":\"Nem sikerült feldolgozni a fizetését. Kérjük, próbálja újra, vagy lépjen kapcsolatba a támogatással.\",\"45Srzt\":\"Nem sikerült törölni a kategóriát. Kérjük, próbálja újra.\",\"/DNy62\":[\"Nem találtunk jegyeket, amelyek megfelelnek a következőnek: \",[\"0\"]],\"1E0vyy\":\"Nem sikerült betölteni az adatokat. Kérjük, próbálja újra.\",\"NmpGKr\":\"Nem sikerült átrendezni a kategóriákat. Kérjük, próbálja újra.\",\"BJtMTd\":\"Javasolt méretek: 1950px x 650px, 3:1 arány, maximális fájlméret: 5MB.\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"Nem sikerült megerősíteni a fizetését. Kérjük, próbálja újra, vagy lépjen kapcsolatba a támogatással.\",\"Gspam9\":\"Megrendelését feldolgozzuk. Kérjük, várjon...\",\"LuY52w\":\"Üdv a fedélzeten! Kérjük, jelentkezzen be a folytatáshoz.\",\"dVxpp5\":[\"Üdv újra, \",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Mik azok a többszintű termékek?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Mi az a kategória?\",\"gxeWAU\":\"Mely termékekre vonatkozik ez a kód?\",\"hFHnxR\":\"Mely termékekre vonatkozik ez a kód? (Alapértelmezés szerint mindenre vonatkozik)\",\"AeejQi\":\"Mely termékekre kell vonatkoznia ennek a kapacitásnak?\",\"Rb0XUE\":\"Mikor érkezik?\",\"5N4wLD\":\"Milyen típusú kérdés ez?\",\"gyLUYU\":\"Ha engedélyezve van, számlák készülnek a jegyrendelésekről. A számlákat a rendelés visszaigazoló e-maillel együtt küldjük el. A résztvevők a rendelés visszaigazoló oldaláról is letölthetik számláikat.\",\"D3opg4\":\"Ha az offline fizetések engedélyezve vannak, a felhasználók befejezhetik megrendeléseiket és megkaphatják jegyeiket. Jegyükön egyértelműen fel lesz tüntetve, hogy a megrendelés nincs kifizetve, és a bejelentkezési eszköz értesíti a bejelentkezési személyzetet, ha egy megrendelés fizetést igényel.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Mely jegyeket kell ehhez a bejelentkezési listához társítani?\",\"S+OdxP\":\"Ki szervezi ezt az eseményt?\",\"LINr2M\":\"Kinek szól ez az üzenet?\",\"nWhye/\":\"Kinek kell feltenni ezt a kérdést?\",\"VxFvXQ\":\"Widget beágyazása\",\"v1P7Gm\":\"Widget beállítások\",\"b4itZn\":\"Dolgozik\",\"hqmXmc\":\"Dolgozik...\",\"+G/XiQ\":\"Év elejétől napjainkig\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Igen, távolítsa el őket.\",\"ySeBKv\":\"Ezt a jegyet már beolvasta.\",\"P+Sty0\":[\"E-mail címét <0>\",[\"0\"],\" címre módosítja.\"],\"gGhBmF\":\"Offline állapotban van.\",\"sdB7+6\":\"Létrehozhat egy promóciós kódot, amely ezt a terméket célozza meg a\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Nem módosíthatja a terméktípust, mivel ehhez a termékhez résztvevők vannak társítva.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Nem jelentkezhet be kifizetetlen megrendeléssel rendelkező résztvevőket. Ez a beállítás az eseménybeállításokban módosítható.\",\"c9Evkd\":\"Nem törölheti az utolsó kategóriát.\",\"6uwAvx\":\"Nem törölheti ezt az árszintet, mert már eladtak termékeket ehhez a szinthez. Helyette elrejtheti.\",\"tFbRKJ\":\"Nem szerkesztheti a fióktulajdonos szerepét vagy állapotát.\",\"fHfiEo\":\"Nem téríthet vissza manuálisan létrehozott megrendelést.\",\"hK9c7R\":\"Elrejtett kérdést hozott létre, de letiltotta az elrejtett kérdések megjelenítésének lehetőségét. Engedélyezve lett.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Több fiókhoz is hozzáfér. Kérjük, válasszon egyet a folytatáshoz.\",\"Z6q0Vl\":\"Ezt a meghívót már elfogadta. Kérjük, jelentkezzen be a folytatáshoz.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Nincsenek résztvevői kérdései.\",\"CoZHDB\":\"Nincsenek megrendelési kérdései.\",\"15qAvl\":\"Nincs függőben lévő e-mail cím módosítás.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Kifutott az időből a megrendelés befejezéséhez.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Még nem küldött üzeneteket. Üzeneteket küldhet minden résztvevőnek, vagy meghatározott terméktulajdonosoknak.\",\"R6i9o9\":\"El kell ismernie, hogy ez az e-mail nem promóciós.\",\"3ZI8IL\":\"El kell fogadnia a feltételeket.\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Jegy létrehozása kötelező, mielőtt manuálisan hozzáadhatna egy résztvevőt.\",\"jE4Z8R\":\"Legalább egy árszintre szüksége van.\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Manuálisan kell fizetettként megjelölnie egy megrendelést. Ez a megrendelés kezelése oldalon tehető meg.\",\"L/+xOk\":\"Szüksége lesz egy jegyre, mielőtt létrehozhat egy bejelentkezési listát.\",\"Djl45M\":\"Szüksége lesz egy termékre, mielőtt létrehozhat egy kapacitás-hozzárendelést.\",\"y3qNri\":\"Legalább egy termékre szüksége lesz a kezdéshez. Ingyenes, fizetős, vagy hagyja, hogy a felhasználó döntse el, mennyit fizet.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Fióknevét az eseményoldalakon és az e-mailekben használják.\",\"veessc\":\"Résztvevői itt jelennek meg, miután regisztráltak az eseményére. Manuálisan is hozzáadhat résztvevőket.\",\"Eh5Wrd\":\"Az Ön csodálatos weboldala 🎉\",\"lkMK2r\":\"Az Ön adatai\",\"3ENYTQ\":[\"E-mail cím módosítási kérelme a következőre: <0>\",[\"0\"],\" függőben. Kérjük, ellenőrizze e-mail címét a megerősítéshez.\"],\"yZfBoy\":\"Üzenetét elküldtük.\",\"KSQ8An\":\"Az Ön megrendelése\",\"Jwiilf\":\"Az Ön megrendelése törölve lett.\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"Megrendelései itt fognak megjelenni, amint beérkeznek.\",\"9TO8nT\":\"Az Ön jelszava\",\"P8hBau\":\"Fizetése feldolgozás alatt áll.\",\"UdY1lL\":\"Fizetése sikertelen volt, kérjük, próbálja újra.\",\"fzuM26\":\"Fizetése sikertelen volt. Kérjük, próbálja újra.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Visszatérítése feldolgozás alatt áll.\",\"IFHV2p\":\"Jegyéhez:\",\"x1PPdr\":\"Irányítószám / Postai irányítószám\",\"BM/KQm\":\"Irányítószám vagy postai irányítószám\",\"+LtVBt\":\"Irányítószám vagy postai irányítószám\",\"25QDJ1\":\"- Kattintson a közzétételhez\",\"WOyJmc\":\"- Kattintson a visszavonáshoz\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" már bejelentkezett\"],\"S4PqS9\":[[\"0\"],\" aktív webhook\"],\"6MIiOI\":[[\"0\"],\" maradt\"],\"COnw8D\":[[\"0\"],\" logó\"],\"B7pZfX\":[[\"0\"],\" szervező\"],\"/HkCs4\":[[\"0\"],\" jegy\"],\"OJnhhX\":[[\"eventCount\"],\" esemény\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Adó/Díjak\",\"B1St2O\":\"<0>A bejelentkezési listák segítenek az esemény belépésének kezelésében nap, terület vagy jegytípus szerint. Összekapcsolhatja a jegyeket konkrét listákkal, például VIP zónákkal vagy 1. napi bérletek, és megoszthat egy biztonságos bejelentkezési linket a személyzettel. Nincs szükség fiókra. A bejelentkezés mobil, asztali vagy táblagépen működik, eszköz kamerával vagy HID USB szkennerrel. \",\"ZnVt5v\":\"<0>A webhookok azonnal értesítik a külső szolgáltatásokat, amikor események történnek, például új résztvevő hozzáadása a CRM-hez vagy levelezési listához regisztrációkor, biztosítva a zökkenőmentes automatizálást.<1>Használjon harmadik féltől származó szolgáltatásokat, mint a <2>Zapier, <3>IFTTT vagy <4>Make egyedi munkafolyamatok létrehozásához és feladatok automatizálásához.\",\"fAv9QG\":\"🎟️ Jegyek hozzáadása\",\"M2DyLc\":\"1 aktív webhook\",\"yTsaLw\":\"1 jegy\",\"HR/cvw\":\"Minta utca 123\",\"kMU5aM\":\"Lemondási értesítés elküldve ide:\",\"V53XzQ\":\"Új ellenőrző kód került elküldésre az e-mail címére.\",\"/z/bH1\":\"A szervező rövid leírása, amely megjelenik a felhasználók számára.\",\"aS0jtz\":\"Elhagyott\",\"uyJsf6\":\"Rólunk\",\"WTk/ke\":\"A Stripe Connectről\",\"1uJlG9\":\"Kiemelő szín\",\"VTfZPy\":\"Hozzáférés megtagadva\",\"iN5Cz3\":\"A fiók már csatlakoztatva van!\",\"bPwFdf\":\"Fiókok\",\"nMtNd+\":\"Beavatkozás szükséges: Csatlakoztassa újra Stripe fiókját\",\"AhwTa1\":\"Beavatkozás szükséges: ÁFA információ szükséges\",\"a5KFZU\":\"Adja meg az esemény részleteit és kezelje az esemény beállításait.\",\"Fb+SDI\":\"További jegyek hozzáadása\",\"6PNlRV\":\"Adja hozzá ezt az eseményt a naptárához\",\"BGD9Yt\":\"Jegyek hozzáadása\",\"QN2F+7\":\"Webhook hozzáadása\",\"NsWqSP\":\"Adja hozzá közösségi média hivatkozásait és weboldalának URL-jét. Ezek megjelennek a nyilvános szervezői oldalán.\",\"0Zypnp\":\"Admin vezérlőpult\",\"YAV57v\":\"Partner\",\"I+utEq\":\"A partnerkód nem módosítható.\",\"/jHBj5\":\"Partner sikeresen létrehozva\",\"uCFbG2\":\"Partner sikeresen törölve\",\"a41PKA\":\"Partneri értékesítések nyomon követése\",\"mJJh2s\":\"A partneri értékesítések nem kerülnek nyomon követésre. Ez inaktiválja a partnert.\",\"jabmnm\":\"Partner sikeresen frissítve\",\"CPXP5Z\":\"Partnerek\",\"9Wh+ug\":\"Partnerek exportálva\",\"3cqmut\":\"A partnerek segítenek nyomon követni a partnerek és befolyásolók által generált értékesítéseket. Hozzon létre partnerkódokat és ossza meg őket a teljesítmény nyomon követéséhez.\",\"7rLTkE\":\"Összes archivált esemény\",\"gKq1fa\":\"Minden résztvevő\",\"pMLul+\":\"Minden pénznem\",\"qlaZuT\":\"Kész! Most már a fejlesztett fizetési rendszerünket használja.\",\"ZS/D7f\":\"Összes befejezett esemény\",\"dr7CWq\":\"Összes közelgő esemény\",\"QUg5y1\":\"Majdnem kész! Fejezze be Stripe fiókja csatlakoztatását a kifizetések fogadásának megkezdéséhez.\",\"c4uJfc\":\"Majdnem kész! Csak a fizetés feldolgozására várunk. Ez csak néhány másodpercet vesz igénybe.\",\"/H326L\":\"Már visszatérítve\",\"RtxQTF\":\"A megrendelés lemondása is\",\"jkNgQR\":\"A megrendelés visszatérítése is\",\"xYqsHg\":\"Mindig elérhető\",\"Zkymb9\":\"E-mail cím, amelyet ehhez a partnerhez társít. A partner nem kap értesítést.\",\"vRznIT\":\"Hiba történt az exportálási állapot ellenőrzésekor.\",\"eusccx\":\"Opcionális üzenet a kiemelt termék megjelenítéséhez, pl. \\\"Gyorsan fogy 🔥\\\" vagy \\\"Legjobb ár\\\"\",\"QNrkms\":\"Válasz sikeresen frissítve.\",\"LchiNd\":\"Biztosan törölni szeretné ezt a partnert? Ez a művelet nem vonható vissza.\",\"JmVITJ\":\"Biztosan törli ezt a sablont? Ez a művelet nem vonható vissza, és az e-mailek az alapértelmezett sablont fogják használni.\",\"aLS+A6\":\"Biztosan törli ezt a sablont? Ez a művelet nem vonható vissza, és az e-mailek a szervező vagy az alapértelmezett sablont fogják használni.\",\"5H3Z78\":\"Biztosan törölni szeretné ezt a webhookot?\",\"147G4h\":\"Biztos, hogy el akarsz menni?\",\"VDWChT\":\"Biztosan piszkozatba szeretné tenni ezt a szervezőt? Ezzel a szervezői oldal láthatatlanná válik a nyilvánosság számára.\",\"pWtQJM\":\"Biztosan nyilvánossá szeretné tenni ezt a szervezőt? Ezzel a szervezői oldal láthatóvá válik a nyilvánosság számára.\",\"WFHOlF\":\"Biztosan közzé szeretné tenni ezt az eseményt? A közzététel után láthatóvá válik a nyilvánosság számára.\",\"4TNVdy\":\"Biztosan közzé szeretné tenni ezt a szervezői profilt? A közzététel után láthatóvá válik a nyilvánosság számára.\",\"ExDt3P\":\"Biztosan visszavonja ennek az eseménynek a közzétételét? Ezzel már nem lesz látható a nyilvánosság számára.\",\"5Qmxo/\":\"Biztosan visszavonja ennek a szervezői profilnak a közzétételét? Ezzel már nem lesz látható a nyilvánosság számára.\",\"Uqefyd\":\"ÁFA regisztrált az EU-ban?\",\"+QARA4\":\"Művészet\",\"tLf3yJ\":\"Mivel vállalkozása Írországban található, az ír 23%-os ÁFA automatikusan vonatkozik minden platformdíjra.\",\"QGoXh3\":\"Mivel vállalkozása az EU-ban található, meg kell határoznunk a platformdíjainkra vonatkozó helyes ÁFA-kezelést:\",\"F2rX0R\":\"Legalább egy eseménytípust ki kell választani.\",\"6PecK3\":\"Részvétel és bejelentkezési arányok minden eseményen\",\"AJ4rvK\":\"Résztvevő törölve\",\"qvylEK\":\"Résztvevő létrehozva\",\"DVQSxl\":\"A résztvevő adatai a megrendelési információkból lesznek másolva.\",\"0R3Y+9\":\"Résztvevő e-mail\",\"KkrBiR\":\"Résztvevői információk gyűjtése\",\"XBLgX1\":\"A résztvevői információk gyűjtése \\\"Megrendelésenként\\\" értékre van állítva. A résztvevő adatai a megrendelési információkból lesznek másolva.\",\"Xc2I+v\":\"Résztvevő kezelése\",\"av+gjP\":\"Résztvevő neve\",\"cosfD8\":\"Résztvevő állapota\",\"D2qlBU\":\"Résztvevő frissítve\",\"x8Vnvf\":\"A résztvevő jegye nincs ebben a listában\",\"k3Tngl\":\"Résztvevők exportálva\",\"5UbY+B\":\"Résztvevők meghatározott jeggyel\",\"4HVzhV\":\"Résztvevők:\",\"VPoeAx\":\"Automatizált belépéskezelés több bejelentkezési listával és valós idejű ellenőrzéssel\",\"PZ7FTW\":\"Automatikusan észlelve a háttérszín alapján, de felülbírálható\",\"clF06r\":\"Visszatérítésre elérhető\",\"NB5+UG\":\"Elérhető tokenek\",\"EmYMHc\":\"Offline fizetésre vár.\",\"kNmmvE\":\"Awesome Events Kft.\",\"kYqM1A\":\"Vissza az eseményhez\",\"td/bh+\":\"Vissza a jelentésekhez\",\"jIPNJG\":\"Alapvető információk\",\"iMdwTb\":\"Mielőtt az esemény élővé válna, néhány dolgot meg kell tennie. Fejezze be az összes alábbi lépést a kezdéshez.\",\"UabgBd\":\"A törzs kötelező\",\"9N+p+g\":\"Üzlet\",\"bv6RXK\":\"Gomb felirat\",\"ChDLlO\":\"Gomb szövege\",\"DFqasq\":[\"A folytatással elfogadja a(z) <0>\",[\"0\"],\" Szolgáltatási feltételeket\"],\"2VLZwd\":\"Cselekvésre ösztönző gomb\",\"PUpvQe\":\"Kamera szkenner\",\"H4nE+E\":\"Cancel all products and release them back to the pool\",\"tOXAdc\":\"Canceling will cancel all attendees associated with this order, and release the tickets back into the available pool.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Kapacitás-hozzárendelések\",\"K7tIrx\":\"Kategória\",\"2tbLdK\":\"Jótékonyság\",\"v4fiSg\":\"Ellenőrizze e-mail címét\",\"51AsAN\":\"Check your inbox! If tickets are associated with this email, you'll receive a link to view them.\",\"udRwQs\":\"Bejelentkezés létrehozva\",\"F4SRy3\":\"Bejelentkezés törölve\",\"9gPPUY\":\"Check-In List Created\",\"f2vU9t\":\"Check-in Lists\",\"tMNBEF\":\"Check-in lists let you control entry across days, areas, or ticket types. You can share a secure check-in link with staff — no account required.\",\"SHJwyq\":\"Check-in Rate\",\"qCqdg6\":\"Check-In Status\",\"cKj6OE\":\"Check-in Summary\",\"7B5M35\":\"Bejelentkezések\",\"DM4gBB\":\"Kínai (hagyományos)\",\"pkk46Q\":\"Válasszon szervezőt\",\"Crr3pG\":\"Choose calendar\",\"CySr+W\":\"Click to view notes\",\"RG3szS\":\"bezárás\",\"RWw9Lg\":\"Modális ablak bezárása\",\"XwdMMg\":\"A kód csak betűket, számokat, kötőjeleket és aláhúzásokat tartalmazhat\",\"+yMJb7\":\"Kód kötelező\",\"m9SD3V\":\"A kódnak legalább 3 karakter hosszúnak kell lennie\",\"V1krgP\":\"A kód legfeljebb 20 karakter hosszúságú lehet\",\"psqIm5\":\"Kollaboráljon csapatával, hogy csodálatos eseményeket hozzanak létre együtt.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Vígjáték\",\"7D9MJz\":\"Stripe beállításának befejezése\",\"OqEV/G\":\"Complete the setup below to continue\",\"nqx+6h\":\"Fejezze be ezeket a lépéseket, hogy elkezdhesse jegyek értékesítését az eseményéhez.\",\"5YrKW7\":\"Complete your payment to secure your tickets.\",\"ih35UP\":\"Konferencia Központ\",\"NGXKG/\":\"Confirm Email Address\",\"Auz0Mz\":\"Erősítse meg e-mail címét az összes funkció eléréséhez.\",\"7+grte\":\"Megerősítő e-mail elküldve! Kérjük, ellenőrizze postaládáját.\",\"n/7+7Q\":\"Confirmation sent to\",\"o5A0Go\":\"Gratulálunk az esemény létrehozásához!\",\"WNnP3w\":\"Connect & Upgrade\",\"Xe2tSS\":\"Dokumentáció csatlakoztatása\",\"1Xxb9f\":\"Fizetésfeldolgozás csatlakoztatása\",\"LmvZ+E\":\"Connect Stripe to enable messaging\",\"EWnXR+\":\"Csatlakozás a Stripe-hoz\",\"MOUF31\":\"Kapcsolódás a CRM-hez és feladatok automatizálása webhookok és integrációk segítségével\",\"VioGG1\":\"Csatlakoztassa Stripe fiókját, hogy elfogadja a jegyek és termékek fizetését.\",\"4qmnU8\":\"Connect your Stripe account to accept payments.\",\"E1eze1\":\"Connect your Stripe account to start accepting payments for your events.\",\"ulV1ju\":\"Connect your Stripe account to start accepting payments.\",\"/3017M\":\"Csatlakoztatva a Stripe-hoz\",\"jfC/xh\":\"Kapcsolat\",\"LOFgda\":[\"Kapcsolatfelvétel \",[\"0\"]],\"41BQ3k\":\"Kapcsolattartási e-mail\",\"KcXRN+\":\"Contact email for support\",\"m8WD6t\":\"Beállítás folytatása\",\"0GwUT4\":\"Folytatás\",\"sBV87H\":\"Folytatás az esemény létrehozásához\",\"nKtyYu\":\"Folytatás a következő lépésre\",\"F3/nus\":\"Continue to Payment\",\"1JnTgU\":\"Copied from above\",\"FxVG/l\":\"Vágólapra másolva\",\"PiH3UR\":\"Másolva!\",\"uUPbPg\":\"Partneri link másolása\",\"iVm46+\":\"Kód másolása\",\"+2ZJ7N\":\"Copy details to first attendee\",\"ZN1WLO\":\"Copy Email\",\"tUGbi8\":\"Adataim másolása:\",\"y22tv0\":\"Másolja ezt a linket a megosztáshoz bárhol\",\"/4gGIX\":\"Vágólapra másolás\",\"P0rbCt\":\"Borítókép\",\"60u+dQ\":\"A borítókép az eseményoldal tetején jelenik meg\",\"2NLjA6\":\"A borítókép a szervezői oldal tetején jelenik meg\",\"zg4oSu\":[\"Create \",[\"0\"],\" Template\"],\"xfKgwv\":\"Partner létrehozása\",\"dyrgS4\":\"Azonnal létrehozhatja és testreszabhatja eseményoldalát\",\"BTne9e\":\"Create custom email templates for this event that override the organizer defaults\",\"YIDzi/\":\"Create Custom Template\",\"8AiKIu\":\"Jegy vagy termék létrehozása\",\"agZ87r\":\"Hozzon létre jegyeket az eseményéhez, állítsa be az árakat és kezelje az elérhető mennyiséget.\",\"dkAPxi\":\"Webhook létrehozása\",\"5slqwZ\":\"Hozza létre eseményét\",\"JQNMrj\":\"Hozza létre első eseményét\",\"CCjxOC\":\"Hozza létre első eseményét, hogy elkezdhesse a jegyek értékesítését és a résztvevők kezelését.\",\"ZCSSd+\":\"Hozza létre saját eseményét\",\"67NsZP\":\"Esemény létrehozása...\",\"H34qcM\":\"Szervező létrehozása...\",\"1YMS+X\":\"Esemény létrehozása, kérjük, várjon.\",\"yiy8Jt\":\"Szervezői profil létrehozása, kérjük, várjon.\",\"lfLHNz\":\"CTA label is required\",\"BMtue0\":\"Current payment processor\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Custom message after checkout\",\"axv/Mi\":\"Custom template\",\"QMHSMS\":\"Customer will receive an email confirming the refund\",\"L/Qc+w\":\"Customer's email address\",\"wpfWhJ\":\"Customer's first name\",\"GIoqtA\":\"Customer's last name\",\"NihQNk\":\"Customers\",\"7gsjkI\":\"Customize the emails sent to your customers using Liquid templating. These templates will be used as defaults for all events in your organization.\",\"iX6SLo\":\"Testreszabhatja a folytatás gomb szövegét.\",\"pxNIxa\":\"Customize your email template using Liquid templating\",\"q9Jg0H\":\"Testreszabhatja eseményoldalát és widget-tervét, hogy tökéletesen illeszkedjen márkájához.\",\"mkLlne\":\"Testreszabhatja eseményoldalának megjelenését.\",\"3trPKm\":\"Testreszabhatja szervezői oldalának megjelenését.\",\"4df0iX\":\"Customize your ticket appearance\",\"/gWrVZ\":\"Daily revenue, taxes, fees, and refunds across all events\",\"zgCHnE\":\"Napi értékesítési jelentés\",\"nHm0AI\":\"Napi értékesítési, adó- és díj bontás.\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Date of the event\",\"gnBreG\":\"Date order was placed\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Default template will be used\",\"vu7gDm\":\"Partner törlése\",\"+jw/c1\":\"Kép törlése\",\"dPyJ15\":\"Delete Template\",\"snMaH4\":\"Webhook törlése\",\"vYgeDk\":\"Összes kijelölés megszüntetése\",\"NvuEhl\":\"Design Elements\",\"H8kMHT\":\"Nem kapta meg a kódot?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Üzenet elvetése\",\"BREO0S\":\"Jelölőnégyzet megjelenítése, amely lehetővé teszi az ügyfelek számára, hogy feliratkozzanak a rendezvényszervező marketing kommunikációira.\",\"TvY/XA\":\"Dokumentáció\",\"Kdpf90\":\"Don't forget!\",\"V6Jjbr\":\"Nincs fiókja? <0>Regisztráljon\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Done\",\"eneWvv\":\"Piszkozat\",\"TnzbL+\":\"Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\\nThis is to ensure that all event organizers are verified and accountable.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Termék másolása\",\"KIjvtr\":\"Holland\",\"SPKbfM\":\"pl. Jegyek beszerzése, Regisztráció most\",\"LTzmgK\":[\"Edit \",[\"0\"],\" Template\"],\"v4+lcZ\":\"Partner szerkesztése\",\"2iZEz7\":\"Válasz szerkesztése\",\"fW5sSv\":\"Webhook szerkesztése\",\"nP7CdQ\":\"Webhook szerkesztése\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Oktatás\",\"zPiC+q\":\"Eligible Check-In Lists\",\"V2sk3H\":\"Email & Templates\",\"hbwCKE\":\"Email address copied to clipboard\",\"dSyJj6\":\"Email addresses do not match\",\"elW7Tn\":\"Email Body\",\"ZsZeV2\":\"E-mail cím kötelező\",\"Be4gD+\":\"Email Preview\",\"6IwNUc\":\"Email Templates\",\"H/UMUG\":\"E-mail ellenőrzés szükséges\",\"L86zy2\":\"E-mail sikeresen ellenőrizve!\",\"Upeg/u\":\"Enable this template for sending emails\",\"RxzN1M\":\"Engedélyezve\",\"sGjBEq\":\"Befejezés dátuma és ideje (opcionális)\",\"PKXt9R\":\"A befejezés dátumának a kezdő dátum után kell lennie.\",\"48Y16Q\":\"Befejezés ideje (opcionális)\",\"7YZofi\":\"Enter a subject and body to see the preview\",\"3bR1r4\":\"Adja meg a partner e-mail címét (opcionális)\",\"ARkzso\":\"Adja meg a partner nevét\",\"INDKM9\":\"Enter email subject...\",\"kWg31j\":\"Adjon meg egyedi partnerkódot\",\"C3nD/1\":\"Adja meg e-mail címét\",\"n9V+ps\":\"Adja meg nevét\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Hiba a naplók betöltésekor\",\"AKbElk\":\"EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)\",\"WgD6rb\":\"Eseménykategória\",\"b46pt5\":\"Esemény borítóképe\",\"1Hzev4\":\"Event custom template\",\"imgKgl\":\"Esemény leírása\",\"kJDmsI\":\"Event details\",\"m/N7Zq\":\"Event Full Address\",\"Nl1ZtM\":\"Event Location\",\"PYs3rP\":\"Esemény neve\",\"HhwcTQ\":\"Esemény neve\",\"WZZzB6\":\"Esemény neve kötelező\",\"Wd5CDM\":\"Az esemény nevének 150 karakternél rövidebbnek kell lennie.\",\"4JzCvP\":\"Esemény nem elérhető\",\"Gh9Oqb\":\"Event organizer name\",\"mImacG\":\"Eseményoldal\",\"cOePZk\":\"Event Time\",\"e8WNln\":\"Event timezone\",\"GeqWgj\":\"Event Timezone\",\"XVLu2v\":\"Event Title\",\"YDVUVl\":\"Eseménytípusok\",\"4K2OjV\":\"Event Venue\",\"19j6uh\":\"Events Performance\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Every email template must include a call-to-action button that links to the appropriate page\",\"VlvpJ0\":\"Válaszok exportálása\",\"JKfSAv\":\"Exportálás sikertelen. Kérjük, próbálja újra.\",\"SVOEsu\":\"Exportálás elindítva. Fájl előkészítése...\",\"9bpUSo\":\"Partnerek exportálása\",\"jtrqH9\":\"Résztvevők exportálása\",\"R4Oqr8\":\"Exportálás befejezve. Fájl letöltése...\",\"UlAK8E\":\"Megrendelések exportálása\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"A rendelés feladása sikertelen. Kérjük, próbálja újra.\",\"cEFg3R\":\"Nem sikerült létrehozni a partnert.\",\"U66oUa\":\"Failed to create template\",\"xFj7Yj\":\"Failed to delete template\",\"jo3Gm6\":\"Nem sikerült exportálni a partnereket.\",\"Jjw03p\":\"Résztvevők exportálása sikertelen\",\"ZPwFnN\":\"Megrendelések exportálása sikertelen\",\"X4o0MX\":\"Webhook betöltése sikertelen\",\"YQ3QSS\":\"Ellenőrző kód újraküldése sikertelen\",\"zTkTF3\":\"Failed to save template\",\"l6acRV\":\"Failed to save VAT settings. Please try again.\",\"T6B2gk\":\"Üzenet küldése sikertelen. Kérjük, próbálja újra.\",\"lKh069\":\"Exportálási feladat indítása sikertelen\",\"t/KVOk\":\"Failed to start impersonation. Please try again.\",\"QXgjH0\":\"Failed to stop impersonation. Please try again.\",\"i0QKrm\":\"Partner frissítése sikertelen\",\"NNc33d\":\"Válasz frissítése sikertelen.\",\"7/9RFs\":\"Kép feltöltése sikertelen.\",\"nkNfWu\":\"Kép feltöltése sikertelen. Kérjük, próbálja újra.\",\"rxy0tG\":\"E-mail ellenőrzése sikertelen\",\"T4BMxU\":\"A díjak változhatnak. Értesítést kap minden díjstruktúrájában bekövetkező változásról.\",\"cf35MA\":\"Fesztivál\",\"VejKUM\":\"Fill in your details above first\",\"8OvVZZ\":\"Filter Attendees\",\"8BwQeU\":\"Finish Setup\",\"hg80P7\":\"Finish Stripe Setup\",\"1vBhpG\":\"Első résztvevő\",\"YXhom6\":\"Fix díj:\",\"KgxI80\":\"Rugalmas jegyértékesítés\",\"lWxAUo\":\"Étel és ital\",\"nFm+5u\":\"Footer Text\",\"MY2SVM\":\"Full refund\",\"vAVBBv\":\"Teljesen integrált\",\"T02gNN\":\"General Admission\",\"3ep0Gx\":\"Általános információk a szervezőjéről\",\"ziAjHi\":\"Generálás\",\"exy8uo\":\"Kód generálása\",\"4CETZY\":\"Get Directions\",\"kfVY6V\":\"Kezdje ingyenesen, előfizetési díjak nélkül\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Készítse elő eseményét\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Go to Event Page\",\"gHSuV/\":\"Ugrás a főoldalra\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Gross Revenue\",\"kTSQej\":[\"Hello \",[\"0\"],\", manage your platform from here.\"],\"dORAcs\":\"Here are all the tickets associated with your email address.\",\"g+2103\":\"Íme az affiliate linkje\",\"QlwJ9d\":\"Here's what to expect:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Válaszok elrejtése\",\"gtEbeW\":\"Highlight\",\"NF8sdv\":\"Highlight Message\",\"MXSqmS\":\"Highlight this product\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Highlighted products will have a different background color to make them stand out on the event page.\",\"i0qMbr\":\"Főoldal\",\"AVpmAa\":\"How to pay offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Magyar\",\"4/kP5a\":\"Ha nem nyílt meg automatikusan új lap, kérjük, kattintson az alábbi gombra a fizetés folytatásához.\",\"PYVWEI\":\"If registered, provide your VAT number for validation\",\"wOU3Tr\":\"Ha van fiókja nálunk, e-mailt kap a jelszó visszaállítására vonatkozó utasításokkal.\",\"an5hVd\":\"Képek\",\"tSVr6t\":\"Impersonate\",\"TWXU0c\":\"Impersonate User\",\"5LAZwq\":\"Impersonation started\",\"IMwcdR\":\"Impersonation stopped\",\"M8M6fs\":\"Important: Stripe reconnection required\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Részletes analitika\",\"cljs3a\":\"Indicate whether you're VAT-registered in the EU\",\"F1Xp97\":\"Egyéni résztvevők\",\"85e6zs\":\"Insert Liquid Token\",\"38KFY0\":\"Insert Variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Érvénytelen e-mail\",\"5tT0+u\":\"Érvénytelen e-mail formátum\",\"tnL+GP\":\"Invalid Liquid syntax. Please correct it and try again.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Csapattag meghívása\",\"1z26sk\":\"Csapattag meghívása\",\"KR0679\":\"Csapattagok meghívása\",\"aH6ZIb\":\"Hívja meg csapatát\",\"IuMGvq\":\"Invoice\",\"y0meFR\":\"Irish VAT at 23% will be applied to platform fees (domestic supply).\",\"Lj7sBL\":\"Olasz\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Join from anywhere\",\"hTJ4fB\":\"Just click the button below to reconnect your Stripe account.\",\"MxjCqk\":\"Just looking for your tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Utolsó válasz\",\"gw3Ur5\":\"Utoljára aktiválva\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link Expired or Invalid\",\"psosdY\":\"Link to order details\",\"6JzK4N\":\"Link to ticket\",\"shkJ3U\":\"Linkelje Stripe fiókját, hogy jegyértékesítésből származó bevételeket fogadjon.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Élő\",\"fpMs2Z\":\"ÉLŐ\",\"D9zTjx\":\"Live Events\",\"WdmJIX\":\"Loading preview...\",\"IoDI2o\":\"Loading tokens...\",\"NFxlHW\":\"Webhookok betöltése\",\"iG7KNr\":\"Logó\",\"vu7ZGG\":\"Logó és borítókép\",\"gddQe0\":\"Logó és borítókép a szervezőjéhez\",\"TBEnp1\":\"A logó a fejlécben jelenik meg\",\"Jzu30R\":\"Logo will be displayed on the ticket\",\"4wUIjX\":\"Tegye élővé eseményét\",\"0A7TvI\":\"Esemény kezelése\",\"2FzaR1\":\"Kezelje fizetésfeldolgozását és tekintse meg a platformdíjakat.\",\"/x0FyM\":\"Illeszkedjen márkájához\",\"xDAtGP\":\"Üzenet\",\"1jRD0v\":\"Üzenet a résztvevőknek meghatározott jegyekkel\",\"97QrnA\":\"Üzenet a résztvevőknek, megrendelések kezelése és visszatérítések kezelése egy helyen.\",\"48rf3i\":\"Message cannot exceed 5000 characters\",\"Vjat/X\":\"Üzenet kötelező\",\"0/yJtP\":\"Üzenet a megrendelőknek meghatározott termékekkel\",\"tccUcA\":\"Mobil bejelentkezés\",\"GfaxEk\":\"Zene\",\"oVGCGh\":\"My Tickets\",\"8/brI5\":\"Név kötelező\",\"sCV5Yc\":\"Name of the event\",\"xxU3NX\":\"Net Revenue\",\"eWRECP\":\"Éjszakai élet\",\"HSw5l3\":\"No - I'm an individual or non-VAT registered business\",\"VHfLAW\":\"No accounts\",\"+jIeoh\":\"No accounts found\",\"074+X8\":\"Nincsenek aktív webhookok\",\"zxnup4\":\"Nincs megjeleníthető partner\",\"99ntUF\":\"No check-in lists available for this event.\",\"6r9SGl\":\"Hitelkártya nem szükséges\",\"eb47T5\":\"No data found for the selected filters. Try adjusting the date range or currency.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"No events found\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Még nincsenek események\",\"54GxeB\":\"No impact on your current or past transactions\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"Nem található napló\",\"NEmyqy\":\"Még nincsenek megrendelések\",\"B7w4KY\":\"Nincsenek más szervezők\",\"6jYQGG\":\"Nincsenek múltbeli események\",\"zK/+ef\":\"Nincsenek kiválasztható termékek\",\"QoAi8D\":\"Nincs válasz\",\"EK/G11\":\"Még nincsenek válaszok\",\"3sRuiW\":\"No Tickets Found\",\"yM5c0q\":\"Nincsenek közelgő események\",\"qpC74J\":\"No users found\",\"n5vdm2\":\"Ehhez a végponthoz még nem rögzítettek webhook eseményeket. Az események itt jelennek meg, amint aktiválódnak.\",\"4GhX3c\":\"Nincsenek Webhookok\",\"4+am6b\":\"Nem, maradok itt\",\"HVwIsd\":\"Non-VAT registered businesses or individuals: Irish VAT at 23% applies\",\"x5+Lcz\":\"Not Checked In\",\"8n10sz\":\"Not Eligible\",\"lQgMLn\":\"Iroda vagy helyszín neve\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Payment\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Once you complete the upgrade, your old account will only be used for refunds.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online esemény\",\"bU7oUm\":\"Csak az ilyen státuszú megrendelésekre küldje el\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Open Stripe Dashboard\",\"HXMJxH\":\"Optional text for disclaimers, contact info, or thank you notes (single line only)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Order cancelled\",\"b6+Y+n\":\"Order complete\",\"x4MLWE\":\"Order Confirmation\",\"ppuQR4\":\"Megrendelés létrehozva\",\"0UZTSq\":\"Order Currency\",\"HdmwrI\":\"Order Email\",\"bwBlJv\":\"Order First Name\",\"vrSW9M\":\"Order has been canceled and refunded. The order owner has been notified.\",\"+spgqH\":[\"Megrendelés azonosító: \",[\"0\"]],\"Pc729f\":\"Order Is Awaiting Offline Payment\",\"F4NXOl\":\"Order Last Name\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Order Locale\",\"vu6Arl\":\"Megrendelés fizetettként megjelölve\",\"sLbJQz\":\"Order not found\",\"i8VBuv\":\"Order Number\",\"FaPYw+\":\"Megrendelő\",\"eB5vce\":\"Megrendelők meghatározott termékkel\",\"CxLoxM\":\"Megrendelők termékekkel\",\"DoH3fD\":\"Order Payment Pending\",\"EZy55F\":\"Megrendelés visszatérítve\",\"6eSHqs\":\"Megrendelés állapotok\",\"oW5877\":\"Order Total\",\"e7eZuA\":\"Megrendelés frissítve\",\"KndP6g\":\"Order URL\",\"3NT0Ck\":\"Order was cancelled\",\"5It1cQ\":\"Exportált megrendelések\",\"B/EBQv\":\"Orders:\",\"ucgZ0o\":\"Organization\",\"S3CZ5M\":\"Szervezői irányítópult\",\"Uu0hZq\":\"Organizer Email\",\"Gy7BA3\":\"Organizer email address\",\"SQqJd8\":\"Szervező nem található\",\"wpj63n\":\"Szervezői beállítások\",\"coIKFu\":\"A szervezői statisztikák nem érhetők el a kiválasztott pénznemhez, vagy hiba történt.\",\"o1my93\":\"Szervező állapotának frissítése sikertelen. Kérjük, próbálja újra később.\",\"rLHma1\":\"Szervező állapota frissítve\",\"LqBITi\":\"Organizer/default template will be used\",\"/IX/7x\":\"Egyéb\",\"RsiDDQ\":\"Other Lists (Ticket Not Included)\",\"6/dCYd\":\"Áttekintés\",\"8uqsE5\":\"Page no longer available\",\"QkLf4H\":\"Oldal URL-címe\",\"sF+Xp9\":\"Page Views\",\"5F7SYw\":\"Partial refund\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Múlt\",\"xTPjSy\":\"Múltbeli események\",\"/l/ckQ\":\"URL beillesztése\",\"URAE3q\":\"Szüneteltetve\",\"4fL/V7\":\"Pay\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Fizetés és terv\",\"ENEPLY\":\"Payment method\",\"EyE8E6\":\"Fizetésfeldolgozás\",\"8Lx2X7\":\"Payment received\",\"vcyz2L\":\"Fizetési beállítások\",\"fx8BTd\":\"Payments not available\",\"51U9mG\":\"Payments will continue to flow without interruption\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Teljesítmény\",\"zmwvG2\":\"Telefon\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planning an event?\",\"br3Y/y\":\"Platformdíjak\",\"jEw0Mr\":\"Kérjük, adjon meg érvényes URL-t.\",\"n8+Ng/\":\"Kérjük, adja meg az 5 jegyű kódot.\",\"r+lQXT\":\"Please enter your VAT number\",\"Dvq0wf\":\"Kérjük, adjon meg egy képet.\",\"2cUopP\":\"Please restart the checkout process.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Kérjük, válasszon egy képet.\",\"fuwKpE\":\"Kérjük, próbálja újra.\",\"klWBeI\":\"Kérjük, várjon, mielőtt újabb kódot kér.\",\"hfHhaa\":\"Kérjük, várjon, amíg előkészítjük partnereit az exportálásra...\",\"o+tJN/\":\"Kérjük, várjon, amíg előkészítjük résztvevőit az exportálásra...\",\"+5Mlle\":\"Kérjük, várjon, amíg előkészítjük megrendeléseit az exportálásra...\",\"TjX7xL\":\"Post Checkout Message\",\"cs5muu\":\"Eseményoldal előnézete\",\"+4yRWM\":\"Price of the ticket\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Print Preview\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Print to PDF\",\"LcET2C\":\"Adatvédelmi irányelvek\",\"8z6Y5D\":\"Process Refund\",\"JcejNJ\":\"Processing order\",\"EWCLpZ\":\"Termék létrehozva\",\"XkFYVB\":\"Termék törölve\",\"YMwcbR\":\"Termék értékesítés, bevétel és adó bontás\",\"ldVIlB\":\"Termék frissítve\",\"mIqT3T\":\"Termékek, árucikkek és rugalmas árképzési lehetőségek\",\"JoKGiJ\":\"Promóciós kód\",\"k3wH7i\":\"Promóciós kód felhasználás és kedvezmény bontás\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Közzététel\",\"evDBV8\":\"Esemény közzététele\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR kód beolvasása azonnali visszajelzéssel és biztonságos megosztással a személyzeti hozzáféréshez\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Ready to upgrade? This takes only a few minutes.\",\"Fi3b48\":\"Legutóbbi megrendelések\",\"Edm6av\":\"Reconnect Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Átirányítás a Stripe-ra...\",\"ACKu03\":\"Refresh Preview\",\"fKn/k6\":\"Refund amount\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Refund Order \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Refunds\",\"CQeZT8\":\"Report not found\",\"JEPMXN\":\"Request a new link\",\"mdeIOH\":\"Kód újraküldése\",\"bxoWpz\":\"Megerősítő e-mail újraküldése\",\"G42SNI\":\"E-mail újraküldése\",\"TTpXL3\":[\"Újraküldés \",[\"resendCooldown\"],\" másodperc múlva\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reserved until\",\"slOprG\":\"Jelszó visszaállítása\",\"CbnrWb\":\"Return to Event\",\"Oo/PLb\":\"Revenue Summary\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Értékesítések\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Sales, orders, and performance metrics for all events\",\"3Q1AWe\":\"Sales:\",\"8BRPoH\":\"Minta helyszín\",\"KZrfYJ\":\"Közösségi linkek mentése\",\"9Y3hAT\":\"Save Template\",\"C8ne4X\":\"Save Ticket Design\",\"6/TNCd\":\"Save VAT Settings\",\"I+FvbD\":\"Scan\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Partnerek keresése...\",\"VY+Bdn\":\"Search by account name or email...\",\"VX+B3I\":\"Search by event title or organizer...\",\"GHdjuo\":\"Search by name, email, or account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Válasszon egy kategóriát\",\"BFRSTT\":\"Select Account\",\"mCB6Je\":\"Összes kiválasztása\",\"kYZSFD\":\"Válasszon egy szervezőt az irányítópultjának és eseményeinek megtekintéséhez.\",\"tVW/yo\":\"Pénznem kiválasztása\",\"n9ZhRa\":\"Befejezés dátumának és idejének kiválasztása\",\"gTN6Ws\":\"Befejezési idő kiválasztása\",\"0U6E9W\":\"Eseménykategória kiválasztása\",\"j9cPeF\":\"Eseménytípusok kiválasztása\",\"1nhy8G\":\"Select Scanner Type\",\"KizCK7\":\"Kezdés dátumának és idejének kiválasztása\",\"dJZTv2\":\"Kezdési idő kiválasztása\",\"aT3jZX\":\"Időzóna kiválasztása\",\"Ropvj0\":\"Válassza ki, mely események indítják el ezt a webhookot.\",\"BG3f7v\":\"Bármit eladni\",\"VtX8nW\":\"Árucikkek értékesítése jegyek mellett integrált adó- és promóciós kód támogatással\",\"Cye3uV\":\"Többet eladni, mint jegyek\",\"j9b/iy\":\"Selling fast 🔥\",\"1lNPhX\":\"Send refund notification email\",\"SPdzrs\":\"Sent to customers when they place an order\",\"LxSN5F\":\"Sent to each attendee with their ticket details\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Állítsa be szervezetét\",\"HbUQWA\":\"Percek alatt beállítható\",\"GG7qDw\":\"Partnerlink megosztása\",\"hL7sDJ\":\"Szervezői oldal megosztása\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Összes platform megjelenítése (további \",[\"0\"],\" értékkel)\"],\"UVPI5D\":\"Kevesebb platform megjelenítése\",\"Eu/N/d\":\"Marketing opt-in jelölőnégyzet megjelenítése\",\"SXzpzO\":\"Marketing opt-in jelölőnégyzet alapértelmezés szerinti megjelenítése\",\"b33PL9\":\"Több platform megjelenítése\",\"v6IwHE\":\"Okos bejelentkezés\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Közösségi\",\"d0rUsW\":\"Közösségi linkek\",\"j/TOB3\":\"Közösségi linkek és weboldal\",\"2pxNFK\":\"eladott\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Valami hiba történt, kérjük, próbálja újra, vagy vegye fel a kapcsolatot az ügyfélszolgálattal, ha a probléma továbbra is fennáll.\",\"H6Gslz\":\"Sorry for the inconvenience.\",\"7JFNej\":\"Sport\",\"JcQp9p\":\"Kezdés dátuma és ideje\",\"0m/ekX\":\"Kezdés dátuma és ideje\",\"izRfYP\":\"Kezdés dátuma kötelező\",\"2R1+Rv\":\"Start time of the event\",\"2NbyY/\":\"Statistics\",\"DRykfS\":\"Still handling refunds for your older transactions.\",\"wuV0bK\":\"Stop Impersonating\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe setup is already complete.\",\"ii0qn/\":\"Subject is required\",\"M7Uapz\":\"Subject will appear here\",\"6aXq+t\":\"Subject:\",\"JwTmB6\":\"Termék sikeresen másolva\",\"RuaKfn\":\"Cím sikeresen frissítve\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Szervező sikeresen frissítve\",\"0Dk/l8\":\"Keresőoptimalizálási beállítások sikeresen frissítve\",\"MhOoLQ\":\"Közösségi linkek sikeresen frissítve\",\"kj7zYe\":\"Webhook sikeresen frissítve\",\"dXoieq\":\"Summary\",\"/RfJXt\":[\"Nyári Zenei Fesztivál \",[\"0\"]],\"CWOPIK\":\"Nyári Zenei Fesztivál 2025\",\"5gIl+x\":\"Támogatás réteges, adományalapú és termékértékesítéshez, testreszabható árazással és kapacitással.\",\"JZTQI0\":\"Szervező váltása\",\"XX32BM\":\"Takes just a few minutes\",\"yT6dQ8\":\"Tax collected grouped by tax type and event\",\"Ye321X\":\"Tax Name\",\"WyCBRt\":\"Tax Summary\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Technológia\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Mondja el az embereknek, mire számíthatnak az eseményén.\",\"NiIUyb\":\"Meséljen nekünk az eseményéről.\",\"DovcfC\":\"Meséljen nekünk a szervezetéről. Ez az információ megjelenik az eseményoldalain.\",\"7wtpH5\":\"Template Active\",\"QHhZeE\":\"Template created successfully\",\"xrWdPR\":\"Template deleted successfully\",\"G04Zjt\":\"Template saved successfully\",\"xowcRf\":\"Szolgáltatási feltételek\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Thank you for attending!\",\"lhAWqI\":\"Thanks for your support as we continue to grow and improve Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"A kód 10 percen belül lejár. Ellenőrizze a spam mappáját, ha nem látja az e-mailt.\",\"MJm4Tq\":\"The currency of the order\",\"I/NNtI\":\"The event venue\",\"tXadb0\":\"A keresett esemény jelenleg nem elérhető. Lehet, hogy eltávolították, lejárt, vagy az URL hibás.\",\"EBzPwC\":\"The full event address\",\"sxKqBm\":\"The full order amount will be refunded to the customer's original payment method.\",\"5OmEal\":\"The locale of the customer\",\"sYLeDq\":\"A keresett szervező nem található. Lehet, hogy az oldalt áthelyezték, törölték, vagy az URL hibás.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"The template body contains invalid Liquid syntax. Please correct it and try again.\",\"A4UmDy\":\"Színház\",\"tDwYhx\":\"Téma és színek\",\"HirZe8\":\"These templates will be used as defaults for all events in your organization. Individual events can override these templates with their own custom versions.\",\"lzAaG5\":\"These templates will override the organizer defaults for this event only. If no custom template is set here, the organizer template will be used instead.\",\"XBNC3E\":\"Ezt a kódot az értékesítések nyomon követésére használjuk. Csak betűk, számok, kötőjelek és aláhúzások engedélyezettek.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Ez az esemény még nem került közzétételre.\",\"dFJnia\":\"Ez a szervezőjének neve, amely megjelenik a felhasználók számára.\",\"L7dIM7\":\"This link is invalid or has expired.\",\"j5FdeA\":\"This order is being processed.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"This order was cancelled. You can start a new order anytime.\",\"lyD7rQ\":\"Ez a szervezői profil még nem került közzétételre.\",\"9b5956\":\"This preview shows how your email will look with sample data. Actual emails will use real values.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"This ticket was just scanned. Please wait before scanning again.\",\"kvpxIU\":\"Ez értesítésekhez és a felhasználókkal való kommunikációhoz lesz használva.\",\"rhsath\":\"Ez nem lesz látható az ügyfelek számára, de segít azonosítani a partnert.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticket Design\",\"EZC/Cu\":\"Ticket design saved successfully\",\"1BPctx\":\"Ticket for\",\"bgqf+K\":\"Ticket holder's email\",\"oR7zL3\":\"Ticket holder's name\",\"HGuXjF\":\"Jegytulajdonosok\",\"awHmAT\":\"Ticket ID\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Name\",\"6tmWch\":\"Jegy vagy termék\",\"1tfWrD\":\"Ticket Preview for\",\"tGCY6d\":\"Ticket Price\",\"8jLPgH\":\"Jegy típusa\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Jegyek és termékek\",\"EUnesn\":\"Tickets Available\",\"AGRilS\":\"Tickets Sold\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Hitelkártyás fizetések fogadásához csatlakoztatnia kell Stripe-fiókját. A Stripe a fizetésfeldolgozó partnerünk, amely biztosítja a biztonságos tranzakciókat és az időben történő kifizetéseket.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total Accounts\",\"EaAPbv\":\"Total amount paid\",\"SMDzqJ\":\"Total Attendees\",\"orBECM\":\"Total Collected\",\"KSDwd5\":\"Összes megrendelés\",\"vb0Q0/\":\"Total Users\",\"/b6Z1R\":\"Nyomon követheti a bevételt, az oldalmegtekintéseket és az értékesítéseket részletes elemzésekkel és exportálható jelentésekkel.\",\"OpKMSn\":\"Tranzakciós díj:\",\"uKOFO5\":\"True if offline payment\",\"9GsDR2\":\"True if payment pending\",\"ouM5IM\":\"Try another email\",\"3DZvE7\":\"Try Hi.Events Free\",\"Kz91g/\":\"Turkish\",\"GdOhw6\":\"Turn sound off\",\"KUOhTy\":\"Turn sound on\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type of ticket\",\"IrVSu+\":\"Nem sikerült másolni a terméket. Kérjük, ellenőrizze adatait.\",\"Vx2J6x\":\"Nem sikerült lekérni a résztvevőt.\",\"b9SN9q\":\"Unique order reference\",\"Ef7StM\":\"Ismeretlen\",\"ZBAScj\":\"Ismeretlen résztvevő\",\"ZkS2p3\":\"Esemény visszavonása\",\"Pp1sWX\":\"Partner frissítése\",\"KMMOAy\":\"Upgrade Available\",\"gJQsLv\":\"Borítókép feltöltése a szervezőhöz\",\"4kEGqW\":\"Logó feltöltése a szervezőhöz\",\"lnCMdg\":\"Kép feltöltése\",\"29w7p6\":\"Kép feltöltése...\",\"HtrFfw\":\"URL kötelező\",\"WBq1/R\":\"USB Scanner Already Active\",\"EV30TR\":\"USB Scanner mode activated. Start scanning tickets now.\",\"fovJi3\":\"USB Scanner mode deactivated\",\"hli+ga\":\"USB/HID Scanner\",\"OHJXlK\":\"Use <0>Liquid templating to personalize your emails\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Used for borders, highlights, and QR code styling\",\"Fild5r\":\"Valid VAT number\",\"sqdl5s\":\"VAT Information\",\"UjNWsF\":\"VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below.\",\"pnVh83\":\"VAT Number\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"VAT number validation failed. Please check your number and try again.\",\"PCRCCN\":\"VAT Registration Information\",\"vbKW6Z\":\"VAT settings saved and validated successfully\",\"fb96a1\":\"VAT settings saved but validation failed. Please check your VAT number.\",\"Nfbg76\":\"VAT settings saved successfully\",\"tJylUv\":\"VAT Treatment for Platform Fees\",\"FlGprQ\":\"VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%.\",\"AdWhjZ\":\"Ellenőrző kód\",\"wCKkSr\":\"E-mail ellenőrzése\",\"/IBv6X\":\"Ellenőrizze e-mail címét\",\"e/cvV1\":\"Ellenőrzés...\",\"fROFIL\":\"Vietnámi\",\"+WFMis\":\"View and download reports across all your events. Only completed orders are included.\",\"gj5YGm\":\"Tekintse meg és töltse le az eseménye jelentéseit. Kérjük, vegye figyelembe, hogy ezek a jelentések csak a befejezett megrendeléseket tartalmazzák.\",\"c7VN/A\":\"Válaszok megtekintése\",\"FCVmuU\":\"View Event\",\"n6EaWL\":\"Naplók megtekintése\",\"OaKTzt\":\"View Map\",\"67OJ7t\":\"View Order\",\"tKKZn0\":\"View Order Details\",\"9jnAcN\":\"Szervezői honlap megtekintése\",\"1J/AWD\":\"View Ticket\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible to check-in staff only. Helps identify this list during check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Waiting for payment\",\"RRZDED\":\"We couldn't find any orders associated with this email address.\",\"miysJh\":\"We couldn't find this order. It may have been removed.\",\"HJKdzP\":\"We hit a snag loading this page. Please try again.\",\"IfN2Qo\":\"We recommend a square logo with minimum dimensions of 200x200px\",\"wJzo/w\":\"Javasolt méretek: 400px x 400px, maximális fájlméret: 5MB.\",\"q1BizZ\":\"We'll send your tickets to this email\",\"zCdObC\":\"We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account.\",\"jh2orE\":\"We've relocated our headquarters to Ireland. As a result, we need you to reconnect your Stripe account. This quick process takes just a few minutes. Your sales and existing data remain completely unaffected.\",\"Fq/Nx7\":\"Öt számjegyű ellenőrző kódot küldtünk ide:\",\"GdWB+V\":\"Webhook sikeresen létrehozva\",\"2X4ecw\":\"Webhook sikeresen törölve\",\"CThMKa\":\"Webhook naplók\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"A Webhook nem küld értesítéseket.\",\"FSaY52\":\"A Webhook értesítéseket küld.\",\"v1kQyJ\":\"Webhookok\",\"On0aF2\":\"Weboldal\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Üdv újra 👋\",\"kSYpfa\":[\"Üdv a \",[\"0\"],\" oldalon 👋\"],\"QDWsl9\":[\"Üdvözöljük a \",[\"0\"],\" oldalon, \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Üdv a \",[\"0\"],\" oldalon, itt található az összes eseménye.\"],\"FaSXqR\":\"Milyen típusú esemény?\",\"f30uVZ\":\"What you need to do:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Amikor egy bejelentkezés törölve lett\",\"Gmd0hv\":\"Amikor új résztvevő jön létre\",\"Lc18qn\":\"Amikor új megrendelés jön létre\",\"dfkQIO\":\"Amikor új termék jön létre\",\"8OhzyY\":\"Amikor egy termék törölve lett\",\"tRXdQ9\":\"Amikor egy termék frissül\",\"Q7CWxp\":\"Amikor egy résztvevő le lett mondva\",\"IuUoyV\":\"Amikor egy résztvevő bejelentkezett\",\"nBVOd7\":\"Amikor egy résztvevő frissül\",\"ny2r8d\":\"Amikor egy megrendelés törölve lett\",\"c9RYbv\":\"Amikor egy megrendelés fizetettként lett megjelölve\",\"ejMDw1\":\"Amikor egy megrendelés visszatérítésre került\",\"fVPt0F\":\"Amikor egy megrendelés frissül\",\"bcYlvb\":\"When check-in closes\",\"XIG669\":\"When check-in opens\",\"de6HLN\":\"Amikor az ügyfelek jegyeket vásárolnak, megrendeléseik itt fognak megjelenni.\",\"blXLKj\":\"Ha engedélyezve van, az új események marketing opt-in jelölőnégyzetet jelenítenek meg a fizetés során. Ez eseményenként felülírható.\",\"uvIqcj\":\"Műhely\",\"EpknJA\":\"Írja ide üzenetét...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Yes - I have a valid EU VAT registration number\",\"Tz5oXG\":\"Igen, rendelés törlése\",\"QlSZU0\":[\"You are impersonating <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"You are issuing a partial refund. The customer will be refunded \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Adók és díjak vannak hozzáadva egy ingyenes termékhez. Szeretné eltávolítani őket?\",\"FVTVBy\":\"Megerősítenie kell e-mail címét, mielőtt frissítheti a szervezői státuszt.\",\"FRl8Jv\":\"Ellenőriznie kell fiókja e-mail címét, mielőtt üzeneteket küldhet.\",\"U3wiCB\":\"You're all set! Your payments are being processed smoothly.\",\"MNFIxz\":[\"You're going to \",[\"0\"],\"!\"],\"x/xjzn\":\"Partnerei sikeresen exportálva.\",\"TF37u6\":\"Résztvevői sikeresen exportálva.\",\"79lXGw\":\"Your check-in list has been created successfully. Share the link below with your check-in staff.\",\"BnlG9U\":\"A jelenlegi rendelésed el fog veszni.\",\"nBqgQb\":\"Az Ön e-mail címe\",\"R02pnV\":\"Eseménye élőnek kell lennie, mielőtt jegyeket értékesíthetne a résztvevőknek.\",\"ifRqmm\":\"Üzenetét sikeresen elküldtük!\",\"/Rj5P4\":\"Az Ön neve\",\"naQW82\":\"A rendelésed törlésre került.\",\"bhlHm/\":\"Your order is awaiting payment\",\"XeNum6\":\"Megrendelései sikeresen exportálva.\",\"Xd1R1a\":\"Szervezői címe\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Your Stripe account is connected and processing payments.\",\"vvO1I2\":\"Stripe fiókja csatlakoztatva van, és készen áll a fizetések feldolgozására.\",\"CnZ3Ou\":\"Your tickets have been confirmed.\",\"d/CiU9\":\"Your VAT number will be validated automatically when you save\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/hu.po b/frontend/src/locales/hu.po index 2484d17a82..28be509c79 100644 --- a/frontend/src/locales/hu.po +++ b/frontend/src/locales/hu.po @@ -34,11 +34,11 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" -msgstr "" +msgstr "{0} {1} már bejelentkezett" #: src/components/layouts/CheckIn/index.tsx:133 msgid "{0} <0>checked in successfully" @@ -62,7 +62,7 @@ msgstr "{0} sikeresen létrehozva" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "{0} maradt" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -75,7 +75,7 @@ msgstr "{0} szervező" #: src/components/routes/product-widget/CollectInformation/index.tsx:566 msgid "{0} tickets" -msgstr "" +msgstr "{0} jegy" #: src/components/modals/EditTaxOrFeeModal/index.tsx:42 msgid "{0} updated successfully" @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Adó/Díjak" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -167,7 +167,7 @@ msgstr "1 aktív webhook" #: src/components/routes/product-widget/CollectInformation/index.tsx:565 msgid "1 ticket" -msgstr "" +msgstr "1 jegy" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:123 #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:81 @@ -190,7 +190,7 @@ msgstr "94103" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:155 msgid "A cancellation notice has been sent to" -msgstr "" +msgstr "Lemondási értesítés elküldve ide:" #: src/components/forms/QuestionForm/index.tsx:138 msgid "A date input. Perfect for asking for a date of birth etc." @@ -259,22 +259,22 @@ msgstr "Standard adó, mint az ÁFA vagy a GST" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Elhagyott" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "Rólunk" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "A Stripe Connectről" #: src/components/common/ThemeColorControls/index.tsx:51 #: src/components/routes/event/TicketDesigner/index.tsx:129 msgid "Accent Color" -msgstr "" +msgstr "Kiemelő szín" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:91 msgid "Accept bank transfers, checks, or other offline payment methods" @@ -288,8 +288,8 @@ msgstr "Hitelkártyás fizetések elfogadása a Stripe-pal" msgid "Accept Invitation" msgstr "Meghívó elfogadása" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Hozzáférés megtagadva" @@ -298,9 +298,9 @@ msgstr "Hozzáférés megtagadva" msgid "Account" msgstr "Fiók" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" -msgstr "" +msgstr "A fiók már csatlakoztatva van!" #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:62 msgid "Account Name" @@ -319,11 +319,15 @@ msgstr "Fiók sikeresen frissítve" #: src/components/layouts/Admin/index.tsx:14 #: src/components/routes/admin/Accounts/index.tsx:57 msgid "Accounts" -msgstr "" +msgstr "Fiókok" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" -msgstr "" +msgstr "Beavatkozás szükséges: Csatlakoztassa újra Stripe fiókját" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Beavatkozás szükséges: ÁFA információ szükséges" #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 @@ -415,7 +419,7 @@ msgstr "Adó vagy díj hozzáadása" #: src/components/common/AddToCalendarCTA/index.tsx:20 msgid "Add this event to your calendar" -msgstr "" +msgstr "Adja hozzá ezt az eseményt a naptárához" #: src/components/routes/event/GettingStarted/index.tsx:127 msgid "Add tickets" @@ -427,7 +431,7 @@ msgstr "Szint hozzáadása" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Hozzáadás a naptárhoz" @@ -483,7 +487,7 @@ msgstr "Adminisztrátor" #: src/components/layouts/Admin/index.tsx:22 #: src/components/routes/admin/Dashboard/index.tsx:42 msgid "Admin Dashboard" -msgstr "" +msgstr "Admin vezérlőpult" #: src/components/modals/EditUserModal/index.tsx:51 #: src/components/modals/InviteUserModal/index.tsx:43 @@ -547,11 +551,11 @@ msgstr "Az esemény összes résztvevője" #: src/components/common/OrganizerReportTable/index.tsx:249 msgid "All Currencies" -msgstr "" +msgstr "Minden pénznem" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." -msgstr "" +msgstr "Kész! Most már a fejlesztett fizetési rendszerünket használja." #: src/components/routes/events/Dashboard/index.tsx:74 msgid "All Ended Events" @@ -579,30 +583,30 @@ msgstr "Keresőmotor indexelésének engedélyezése" msgid "Allow search engines to index this event" msgstr "Engedélyezze a keresőmotoroknak az esemény indexelését" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." -msgstr "" +msgstr "Majdnem kész! Fejezze be Stripe fiókja csatlakoztatását a kifizetések fogadásának megkezdéséhez." #: src/components/routes/product-widget/PaymentReturn/index.tsx:78 msgid "Almost there! We're just waiting for your payment to be processed. This should only take a few seconds." -msgstr "" +msgstr "Majdnem kész! Csak a fizetés feldolgozására várunk. Ez csak néhány másodpercet vesz igénybe." #: src/components/modals/RefundOrderModal/index.tsx:85 msgid "Already Refunded" -msgstr "" +msgstr "Már visszatérítve" #: src/components/modals/RefundOrderModal/index.tsx:131 msgid "Also cancel this order" -msgstr "" +msgstr "A megrendelés lemondása is" #: src/components/modals/CancelOrderModal/index.tsx:76 msgid "Also refund this order" -msgstr "" +msgstr "A megrendelés visszatérítése is" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Mindig elérhető" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "Hiba történt a kérdések rendezésekor. Kérjük, próbálja újra, v #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Opcionális üzenet a kiemelt termék megjelenítéséhez, pl. \"Gyorsan fogy 🔥\" vagy \"Legjobb ár\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -717,17 +721,17 @@ msgstr "Biztosan törölni szeretné ezt a kérdést?" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:95 msgid "Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the default template." -msgstr "" +msgstr "Biztosan törli ezt a sablont? Ez a művelet nem vonható vissza, és az e-mailek az alapértelmezett sablont fogják használni." #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:94 msgid "Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the organizer or default template." -msgstr "" +msgstr "Biztosan törli ezt a sablont? Ez a művelet nem vonható vissza, és az e-mailek a szervező vagy az alapértelmezett sablont fogják használni." #: src/components/common/WebhookTable/index.tsx:122 msgid "Are you sure you want to delete this webhook?" msgstr "Biztosan törölni szeretné ezt a webhookot?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Biztos, hogy el akarsz menni?" @@ -777,10 +781,23 @@ msgstr "Biztosan törölni szeretné ezt a kapacitás-hozzárendelést?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Biztosan törölni szeretné ezt a bejelentkezési listát?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "ÁFA regisztrált az EU-ban?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Művészet" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Mivel vállalkozása Írországban található, az ír 23%-os ÁFA automatikusan vonatkozik minden platformdíjra." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Mivel vállalkozása az EU-ban található, meg kell határoznunk a platformdíjainkra vonatkozó helyes ÁFA-kezelést:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Kérdezze meg egyszer megrendelésenként" @@ -795,7 +812,7 @@ msgstr "Legalább egy eseménytípust ki kell választani." #: src/components/routes/organizer/Reports/index.tsx:36 msgid "Attendance and check-in rates across all events" -msgstr "" +msgstr "Részvétel és bejelentkezési arányok minden eseményen" #: src/components/common/AttendeeTicket/index.tsx:108 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:54 @@ -819,19 +836,19 @@ msgstr "Résztvevő adatai" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "A résztvevő adatai a megrendelési információkból lesznek másolva." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" -msgstr "" +msgstr "Résztvevő e-mail" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Résztvevői információk gyűjtése" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "A résztvevői információk gyűjtése \"Megrendelésenként\" értékre van állítva. A résztvevő adatai a megrendelési információkból lesznek másolva." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -839,7 +856,7 @@ msgstr "Résztvevő kezelése" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:54 msgid "Attendee Name" -msgstr "" +msgstr "Résztvevő neve" #: src/components/layouts/CheckIn/index.tsx:228 msgid "Attendee not found" @@ -855,7 +872,7 @@ msgstr "Résztvevői kérdések" #: src/components/routes/event/attendees.tsx:72 msgid "Attendee Status" -msgstr "" +msgstr "Résztvevő állapota" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:95 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:195 @@ -869,7 +886,7 @@ msgstr "Résztvevő frissítve" #: src/components/common/CheckInStatusModal/index.tsx:101 msgid "Attendee's ticket not included in this list" -msgstr "" +msgstr "A résztvevő jegye nincs ebben a listában" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 #: src/components/common/StatBoxes/index.tsx:45 @@ -894,7 +911,7 @@ msgstr "Résztvevők meghatározott jeggyel" #: src/components/common/AdminEventsTable/index.tsx:134 msgid "Attendees:" -msgstr "" +msgstr "Résztvevők:" #: src/components/common/WidgetEditor/index.tsx:233 msgid "Auto Resize" @@ -906,7 +923,7 @@ msgstr "Automatizált belépéskezelés több bejelentkezési listával és val #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Automatikusan észlelve a háttérszín alapján, de felülbírálható" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -914,11 +931,11 @@ msgstr "Automatikusan átméretezi a widget magasságát a tartalom alapján. Ha #: src/components/modals/RefundOrderModal/index.tsx:92 msgid "Available to Refund" -msgstr "" +msgstr "Visszatérítésre elérhető" #: src/components/common/Editor/Controls/LiquidTokenControl.tsx:49 msgid "Available Tokens" -msgstr "" +msgstr "Elérhető tokenek" #: src/components/common/OrderStatusBadge/index.tsx:15 #: src/components/modals/SendMessageModal/index.tsx:226 @@ -959,7 +976,7 @@ msgstr "Awesome Organizer Kft." #: src/components/routes/product-widget/CollectInformation/index.tsx:353 #: src/components/routes/product-widget/CollectInformation/index.tsx:376 msgid "Back to Event" -msgstr "" +msgstr "Vissza az eseményhez" #: src/components/layouts/Checkout/index.tsx:160 msgid "Back to event page" @@ -972,7 +989,7 @@ msgstr "Vissza a bejelentkezéshez" #: src/components/routes/organizer/Reports/ReportLayout/index.tsx:39 msgid "Back to Reports" -msgstr "" +msgstr "Vissza a jelentésekhez" #: src/components/common/ThemeColorControls/index.tsx:61 #: src/components/common/WidgetEditor/index.tsx:175 @@ -1008,7 +1025,7 @@ msgstr "Számlázási beállítások" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:47 msgid "Body is required" -msgstr "" +msgstr "A törzs kötelező" #: src/components/common/LanguageSwitcher/index.tsx:30 msgid "Brazilian Portuguese" @@ -1020,7 +1037,7 @@ msgstr "Üzlet" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:27 msgid "Button Label" -msgstr "" +msgstr "Gomb felirat" #: src/components/routes/event/HomepageDesigner/index.tsx:245 msgid "Button Text" @@ -1029,7 +1046,7 @@ msgstr "Gomb szövege" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "A folytatással elfogadja a(z) <0>{0} Szolgáltatási feltételeket" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1046,7 +1063,7 @@ msgstr "Kalifornia" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:20 msgid "Call-to-Action Button" -msgstr "" +msgstr "Cselekvésre ösztönző gomb" #: src/components/common/AttendeeCheckInTable/PermissionDeniedMessage.tsx:16 msgid "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." @@ -1054,7 +1071,7 @@ msgstr "A kamera engedélyezése megtagadva. <0>Kérje újra az engedélyt, #: src/components/common/CheckIn/ScannerSelectionModal.tsx:35 msgid "Camera Scanner" -msgstr "" +msgstr "Kamera szkenner" #: src/components/common/AttendeeTable/index.tsx:370 #: src/components/common/CheckIn/CheckInOptionsModal.tsx:59 @@ -1437,7 +1454,7 @@ msgstr "Fizetés befejezése" msgid "Complete Stripe Setup" msgstr "Stripe beállításának befejezése" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "" @@ -1530,11 +1547,11 @@ msgstr "E-mail cím megerősítése..." msgid "Congratulations on creating an event!" msgstr "Gratulálunk az esemény létrehozásához!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Dokumentáció csatlakoztatása" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Kapcsolódás a CRM-hez és feladatok automatizálása webhookok és integrációk segítségével" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Csatlakozás a Stripe-hoz" @@ -1571,15 +1588,15 @@ msgstr "Csatlakozás a Stripe-hoz" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Csatlakoztassa Stripe fiókját, hogy elfogadja a jegyek és termékek fizetését." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "" @@ -1587,8 +1604,8 @@ msgstr "" msgid "Connect your Stripe account to start receiving payments." msgstr "Csatlakoztassa Stripe fiókját, hogy elkezdhesse a fizetések fogadását." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Csatlakoztatva a Stripe-hoz" @@ -1596,7 +1613,7 @@ msgstr "Csatlakoztatva a Stripe-hoz" msgid "Connection Details" msgstr "Csatlakozási adatok" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Kapcsolat" @@ -1926,7 +1943,7 @@ msgstr "Pénznem" msgid "Current Password" msgstr "Jelenlegi jelszó" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "" @@ -2205,7 +2222,7 @@ msgstr "Jelölőnégyzet megjelenítése, amely lehetővé teszi az ügyfelek sz msgid "Document Label" msgstr "Dokumentum címke" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Dokumentáció" @@ -2606,6 +2623,10 @@ msgstr "Adja meg e-mail címét" msgid "Enter your name" msgstr "Adja meg nevét" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2623,6 +2644,11 @@ msgstr "Hiba az e-mail cím módosításának megerősítésekor" msgid "Error loading logs" msgstr "Hiba a naplók betöltésekor" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2932,6 +2958,10 @@ msgstr "Ellenőrző kód újraküldése sikertelen" msgid "Failed to save template" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "" + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Üzenet küldése sikertelen. Kérjük, próbálja újra." @@ -2991,7 +3021,7 @@ msgstr "Díj" msgid "Fees" msgstr "Díjak" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "A díjak változhatnak. Értesítést kap minden díjstruktúrájában bekövetkező változásról." @@ -3021,12 +3051,12 @@ msgstr "Szűrők" msgid "Filters ({activeFilterCount})" msgstr "Szűrők ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "" @@ -3078,7 +3108,7 @@ msgstr "Fix" msgid "Fixed amount" msgstr "Fix összeg" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Fix díj:" @@ -3162,7 +3192,7 @@ msgstr "Kód generálása" msgid "German" msgstr "Német" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "" @@ -3170,7 +3200,7 @@ msgstr "" msgid "Get started for free, no subscription fees" msgstr "Kezdje ingyenesen, előfizetési díjak nélkül" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" msgstr "" @@ -3254,7 +3284,7 @@ msgstr "Íme a React komponens, amelyet a widget beágyazásához használhatja msgid "Here is your affiliate link" msgstr "Íme az affiliate linkje" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "" @@ -3438,6 +3468,10 @@ msgstr "Ha engedélyezve van, a bejelentkezési személyzet bejelentkezettként msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Ha engedélyezve van, a szervező e-mail értesítést kap, amikor új megrendelés érkezik." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Ha nem Ön kérte ezt a módosítást, kérjük, azonnal változtassa meg jelszavát." @@ -3530,6 +3564,10 @@ msgstr "{0} terméket tartalmaz" msgid "Includes 1 product" msgstr "1 terméket tartalmaz" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Egyéni résztvevők" @@ -3568,6 +3606,10 @@ msgstr "Érvénytelen e-mail formátum" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Meghívó újraküldve!" @@ -3617,6 +3659,10 @@ msgstr "Számlaszámozás" msgid "Invoice Settings" msgstr "Számla beállítások" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "" + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Olasz" @@ -3641,11 +3687,11 @@ msgstr "János" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "" @@ -3803,7 +3849,7 @@ msgid "Loading..." msgstr "Betöltés..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3908,7 +3954,7 @@ msgstr "Jegyek kezelése" msgid "Manage your account details and default settings" msgstr "Kezelje fiókadatait és alapértelmezett beállításait." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Kezelje fizetésfeldolgozását és tekintse meg a platformdíjakat." @@ -4105,6 +4151,10 @@ msgstr "Új jelszó" msgid "Nightlife" msgstr "Éjszakai élet" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "" @@ -4197,7 +4247,7 @@ msgstr "Még nincsenek események" msgid "No filters available" msgstr "Nincsenek elérhető szűrők" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "" @@ -4309,10 +4359,15 @@ msgstr "Ehhez a végponthoz még nem rögzítettek webhook eseményeket. Az esem msgid "No Webhooks" msgstr "Nincsenek Webhookok" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "Nem, maradok itt" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,7 +4462,7 @@ msgstr "Eladó" msgid "On sale {0}" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "" @@ -4437,7 +4492,7 @@ msgid "Online event" msgstr "Online esemény" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Online esemény" @@ -4471,9 +4526,9 @@ msgstr "Bejelentkezési oldal megnyitása" msgid "Open sidebar" msgstr "Oldalsáv megnyitása" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "" @@ -4721,7 +4776,7 @@ msgstr "Szervezet neve" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4950,9 +5005,9 @@ msgstr "" msgid "Payment Methods" msgstr "Fizetési módok" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Fizetésfeldolgozás" @@ -4968,7 +5023,7 @@ msgstr "" msgid "Payment Received" msgstr "Fizetés beérkezett" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Fizetési beállítások" @@ -4988,7 +5043,7 @@ msgstr "Fizetési feltételek" msgid "Payments not available" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "" @@ -5031,7 +5086,7 @@ msgstr "Helyezze ezt a weboldalának részébe." msgid "Planning an event?" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Platformdíjak" @@ -5088,6 +5143,10 @@ msgstr "Kérjük, adja meg az 5 jegyű kódot." msgid "Please enter your new password" msgstr "Kérjük, adja meg új jelszavát." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Kérjük, vegye figyelembe" @@ -5238,7 +5297,7 @@ msgstr "Jegyek nyomtatása" msgid "Print to PDF" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Adatvédelmi irányelvek" @@ -5456,7 +5515,7 @@ msgstr "" msgid "Read less" msgstr "Kevesebb olvasása" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "" @@ -5478,10 +5537,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Átirányítás a Stripe-ra..." @@ -5644,7 +5703,7 @@ msgstr "Esemény visszaállítása" msgid "Return to Event" msgstr "" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Vissza az esemény oldalára" @@ -5773,6 +5832,10 @@ msgstr "" msgid "Save Ticket Design" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -6090,7 +6153,7 @@ msgid "Setup in Minutes" msgstr "Percek alatt beállítható" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6217,7 +6280,7 @@ msgid "Sold out" msgstr "Elfogyott" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Elfogyott" @@ -6325,7 +6388,7 @@ msgstr "" msgid "Status" msgstr "Állapot" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "" @@ -6338,7 +6401,7 @@ msgstr "" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "" @@ -6535,7 +6598,7 @@ msgstr "Szervező váltása" msgid "T-shirt" msgstr "Póló" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "" @@ -6636,7 +6699,7 @@ msgstr "" msgid "Template saved successfully" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Szolgáltatási feltételek" @@ -6649,7 +6712,7 @@ msgstr "" msgid "Thank you for attending!" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "" @@ -7052,7 +7115,7 @@ msgstr "" msgid "tickets" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" msgstr "" @@ -7062,7 +7125,7 @@ msgstr "" msgid "Tickets & Products" msgstr "Jegyek és termékek" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "" @@ -7116,7 +7179,7 @@ msgstr "Időzóna" msgid "TIP" msgstr "TIPP" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Hitelkártyás fizetések fogadásához csatlakoztatnia kell Stripe-fiókját. A Stripe a fizetésfeldolgozó partnerünk, amely biztosítja a biztonságos tranzakciókat és az időben történő kifizetéseket." @@ -7198,7 +7261,7 @@ msgstr "" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Nyomon követheti a bevételt, az oldalmegtekintéseket és az értékesítéseket részletes elemzésekkel és exportálható jelentésekkel." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Tranzakciós díj:" @@ -7353,7 +7416,7 @@ msgstr "Eseménynév, leírás és dátumok frissítése" msgid "Update profile" msgstr "Profil frissítése" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "" @@ -7462,10 +7525,63 @@ msgstr "A felhasználók módosíthatják e-mail címüket a <0>Profilbeállít msgid "UTC" msgstr "UTC" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "ÁFA" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "" + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "Helyszín neve" @@ -7533,12 +7649,12 @@ msgstr "Naplók megtekintése" msgid "View map" msgstr "Térkép megtekintése" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "Megtekintés a Google Térképen" @@ -7650,7 +7766,7 @@ msgstr "" msgid "We're processing your order. Please wait..." msgstr "Megrendelését feldolgozzuk. Kérjük, várjon..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "" @@ -7756,6 +7872,10 @@ msgstr "Milyen típusú esemény?" msgid "What type of question is this?" msgstr "Milyen típusú kérdés ez?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7899,7 +8019,11 @@ msgstr "X (Twitter)" msgid "Year to date" msgstr "Év elejétől napjainkig" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "Igen, rendelés törlése" @@ -8033,7 +8157,7 @@ msgstr "Szüksége lesz egy termékre, mielőtt létrehozhat egy kapacitás-hozz msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "Legalább egy termékre szüksége lesz a kezdéshez. Ingyenes, fizetős, vagy hagyja, hogy a felhasználó döntse el, mennyit fizet." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "" @@ -8065,7 +8189,7 @@ msgstr "Az Ön csodálatos weboldala 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "" -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "A jelenlegi rendelésed el fog veszni." @@ -8151,12 +8275,12 @@ msgstr "Fizetése sikertelen volt. Kérjük, próbálja újra." msgid "Your refund is processing." msgstr "Visszatérítése feldolgozás alatt áll." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "Stripe fiókja csatlakoztatva van, és készen áll a fizetések feldolgozására." @@ -8168,6 +8292,10 @@ msgstr "Jegyéhez:" msgid "Your tickets have been confirmed." msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/it.js b/frontend/src/locales/it.js index 058c7d8db1..7ceb212008 100644 --- a/frontend/src/locales/it.js +++ b/frontend/src/locales/it.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'Non c'è ancora nulla da mostrare'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>registrato con successo\"],\"yxhYRZ\":[[\"0\"],\" <0>uscita registrata con successo\"],\"KMgp2+\":[[\"0\"],\" disponibili\"],\"Pmr5xp\":[[\"0\"],\" creato con successo\"],\"FImCSc\":[[\"0\"],\" aggiornato con successo\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrati\"],\"Vjij1k\":[[\"days\"],\" giorni, \",[\"hours\"],\" ore, \",[\"minutes\"],\" minuti e \",[\"seconds\"],\" secondi\"],\"f3RdEk\":[[\"hours\"],\" ore, \",[\"minutes\"],\" minuti e \",[\"seconds\"],\" secondi\"],\"fyE7Au\":[[\"minutes\"],\" minuti e \",[\"seconds\"],\" secondi\"],\"NlQ0cx\":[\"Primo evento di \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Le assegnazioni di capacità ti permettono di gestire la capacità tra biglietti o un intero evento. Ideale per eventi di più giorni, workshop e altro, dove il controllo delle presenze è cruciale.<1>Ad esempio, puoi associare un'assegnazione di capacità con i biglietti <2>Primo Giorno e <3>Tutti i Giorni. Una volta raggiunta la capacità, entrambi i biglietti smetteranno automaticamente di essere disponibili per la vendita.\",\"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://il-tuo-sito-web.com\",\"qnSLLW\":\"<0>Inserisci il prezzo escluse tasse e commissioni.<1>Tasse e commissioni possono essere aggiunte qui sotto.\",\"ZjMs6e\":\"<0>Il numero di prodotti disponibili per questo prodotto<1>Questo valore può essere sovrascritto se ci sono <2>Limiti di Capacità associati a questo prodotto.\",\"E15xs8\":\"⚡️ Configura il tuo evento\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Personalizza la pagina del tuo evento\",\"3VPPdS\":\"💳 Connetti con Stripe\",\"cjdktw\":\"🚀 Metti online il tuo evento\",\"rmelwV\":\"0 minuti e 0 secondi\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"Via Roma 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"00100\",\"efAM7X\":\"Un campo data. Perfetto per chiedere una data di nascita ecc.\",\"6euFZ/\":[\"Un \",[\"type\"],\" predefinito viene applicato automaticamente a tutti i nuovi prodotti. Puoi sovrascrivere questa impostazione per ogni singolo prodotto.\"],\"SMUbbQ\":\"Un menu a tendina consente una sola selezione\",\"qv4bfj\":\"Una commissione, come una commissione di prenotazione o una commissione di servizio\",\"POT0K/\":\"Un importo fisso per prodotto. Es. $0,50 per prodotto\",\"f4vJgj\":\"Un campo di testo a più righe\",\"OIPtI5\":\"Una percentuale del prezzo del prodotto. Es. 3,5% del prezzo del prodotto\",\"ZthcdI\":\"Un codice promozionale senza sconto può essere utilizzato per rivelare prodotti nascosti.\",\"AG/qmQ\":\"Un'opzione Radio ha più opzioni ma solo una può essere selezionata.\",\"h179TP\":\"Una breve descrizione dell'evento che verrà visualizzata nei risultati dei motori di ricerca e quando condiviso sui social media. Per impostazione predefinita, verrà utilizzata la descrizione dell'evento\",\"WKMnh4\":\"Un campo di testo a singola riga\",\"BHZbFy\":\"Una singola domanda per ordine. Es. Qual è il tuo indirizzo di spedizione?\",\"Fuh+dI\":\"Una singola domanda per prodotto. Es. Qual è la tua taglia di maglietta?\",\"RlJmQg\":\"Un'imposta standard, come IVA o GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accetta bonifici bancari, assegni o altri metodi di pagamento offline\",\"hrvLf4\":\"Accetta pagamenti con carta di credito tramite Stripe\",\"bfXQ+N\":\"Accetta Invito\",\"AeXO77\":\"Account\",\"lkNdiH\":\"Nome Account\",\"Puv7+X\":\"Impostazioni Account\",\"OmylXO\":\"Account aggiornato con successo\",\"7L01XJ\":\"Azioni\",\"FQBaXG\":\"Attiva\",\"5T2HxQ\":\"Data di attivazione\",\"F6pfE9\":\"Attivo\",\"/PN1DA\":\"Aggiungi una descrizione per questa lista di check-in\",\"0/vPdA\":\"Aggiungi eventuali note sul partecipante. Queste non saranno visibili al partecipante.\",\"Or1CPR\":\"Aggiungi eventuali note sul partecipante...\",\"l3sZO1\":\"Aggiungi eventuali note sull'ordine. Queste non saranno visibili al cliente.\",\"xMekgu\":\"Aggiungi eventuali note sull'ordine...\",\"PGPGsL\":\"Aggiungi descrizione\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Aggiungi istruzioni per i pagamenti offline (es. dettagli del bonifico bancario, dove inviare gli assegni, scadenze di pagamento)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Aggiungi Nuovo\",\"TZxnm8\":\"Aggiungi Opzione\",\"24l4x6\":\"Aggiungi Prodotto\",\"8q0EdE\":\"Aggiungi Prodotto alla Categoria\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Aggiungi domanda\",\"yWiPh+\":\"Aggiungi Tassa o Commissione\",\"goOKRY\":\"Aggiungi livello\",\"oZW/gT\":\"Aggiungi al Calendario\",\"pn5qSs\":\"Informazioni Aggiuntive\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Indirizzo\",\"NY/x1b\":\"Indirizzo riga 1\",\"POdIrN\":\"Indirizzo Riga 1\",\"cormHa\":\"Indirizzo riga 2\",\"gwk5gg\":\"Indirizzo Riga 2\",\"U3pytU\":\"Amministratore\",\"HLDaLi\":\"Gli amministratori hanno accesso completo agli eventi e alle impostazioni dell'account.\",\"W7AfhC\":\"Tutti i partecipanti di questo evento\",\"cde2hc\":\"Tutti i Prodotti\",\"5CQ+r0\":\"Consenti ai partecipanti associati a ordini non pagati di effettuare il check-in\",\"ipYKgM\":\"Consenti l'indicizzazione dei motori di ricerca\",\"LRbt6D\":\"Consenti ai motori di ricerca di indicizzare questo evento\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Fantastico, Evento, Parole chiave...\",\"hehnjM\":\"Importo\",\"R2O9Rg\":[\"Importo pagato (\",[\"0\"],\")\"],\"V7MwOy\":\"Si è verificato un errore durante il caricamento della pagina\",\"Q7UCEH\":\"Si è verificato un errore durante l'ordinamento delle domande. Riprova o aggiorna la pagina\",\"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\":\"Si è verificato un errore imprevisto.\",\"byKna+\":\"Si è verificato un errore imprevisto. Per favore riprova.\",\"ubdMGz\":\"Qualsiasi richiesta dai possessori di prodotti verrà inviata a questo indirizzo email. Questo sarà anche utilizzato come indirizzo \\\"rispondi a\\\" per tutte le email inviate da questo evento\",\"aAIQg2\":\"Aspetto\",\"Ym1gnK\":\"applicato\",\"sy6fss\":[\"Si applica a \",[\"0\"],\" prodotti\"],\"kadJKg\":\"Si applica a 1 prodotto\",\"DB8zMK\":\"Applica\",\"GctSSm\":\"Applica Codice Promozionale\",\"ARBThj\":[\"Applica questo \",[\"type\"],\" a tutti i nuovi prodotti\"],\"S0ctOE\":\"Archivia evento\",\"TdfEV7\":\"Archiviati\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Sei sicuro di voler attivare questo partecipante?\",\"TvkW9+\":\"Sei sicuro di voler archiviare questo evento?\",\"/CV2x+\":\"Sei sicuro di voler cancellare questo partecipante? Questo annullerà il loro biglietto\",\"YgRSEE\":\"Sei sicuro di voler eliminare questo codice promozionale?\",\"iU234U\":\"Sei sicuro di voler eliminare questa domanda?\",\"CMyVEK\":\"Sei sicuro di voler rendere questo evento una bozza? Questo renderà l'evento invisibile al pubblico\",\"mEHQ8I\":\"Sei sicuro di voler rendere questo evento pubblico? Questo renderà l'evento visibile al pubblico\",\"s4JozW\":\"Sei sicuro di voler ripristinare questo evento? Verrà ripristinato come bozza.\",\"vJuISq\":\"Sei sicuro di voler eliminare questa Assegnazione di Capacità?\",\"baHeCz\":\"Sei sicuro di voler eliminare questa Lista di Check-In?\",\"LBLOqH\":\"Chiedi una volta per ordine\",\"wu98dY\":\"Chiedi una volta per prodotto\",\"ss9PbX\":\"Partecipante\",\"m0CFV2\":\"Dettagli Partecipante\",\"QKim6l\":\"Partecipante non trovato\",\"R5IT/I\":\"Note Partecipante\",\"lXcSD2\":\"Domande partecipante\",\"HT/08n\":\"Biglietto Partecipante\",\"9SZT4E\":\"Partecipanti\",\"iPBfZP\":\"Partecipanti Registrati\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Ridimensionamento Automatico\",\"vZ5qKF\":\"Ridimensiona automaticamente l'altezza del widget in base al contenuto. Quando disabilitato, il widget riempirà l'altezza del contenitore.\",\"4lVaWA\":\"In attesa di pagamento offline\",\"2rHwhl\":\"In Attesa di Pagamento Offline\",\"3wF4Q/\":\"In attesa di pagamento\",\"ioG+xt\":\"In Attesa di Pagamento\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Srl.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Torna alla pagina dell'evento\",\"VCoEm+\":\"Torna al login\",\"k1bLf+\":\"Colore di Sfondo\",\"I7xjqg\":\"Tipo di Sfondo\",\"1mwMl+\":\"Prima di inviare!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Indirizzo di Fatturazione\",\"/xC/im\":\"Impostazioni di Fatturazione\",\"rp/zaT\":\"Portoghese Brasiliano\",\"whqocw\":\"Registrandoti accetti i nostri <0>Termini di Servizio e la <1>Privacy Policy.\",\"bcCn6r\":\"Tipo di Calcolo\",\"+8bmSu\":\"California\",\"iStTQt\":\"L'autorizzazione della fotocamera è stata negata. <0>Richiedi Autorizzazione di nuovo, o se questo non funziona, dovrai <1>concedere a questa pagina l'accesso alla tua fotocamera nelle impostazioni del browser.\",\"dEgA5A\":\"Annulla\",\"Gjt/py\":\"Annulla cambio email\",\"tVJk4q\":\"Annulla ordine\",\"Os6n2a\":\"Annulla Ordine\",\"Mz7Ygx\":[\"Annulla Ordine \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Annullato\",\"U7nGvl\":\"Impossibile fare il check-in\",\"QyjCeq\":\"Capacità\",\"V6Q5RZ\":\"Assegnazione di Capacità creata con successo\",\"k5p8dz\":\"Assegnazione di Capacità eliminata con successo\",\"nDBs04\":\"Gestione della Capacità\",\"ddha3c\":\"Le categorie ti permettono di raggruppare i prodotti. Ad esempio, potresti avere una categoria per \\\"Biglietti\\\" e un'altra per \\\"Merchandise\\\".\",\"iS0wAT\":\"Le categorie ti aiutano a organizzare i tuoi prodotti. Questo titolo verrà visualizzato sulla pagina pubblica dell'evento.\",\"eorM7z\":\"Categorie riordinate con successo.\",\"3EXqwa\":\"Categoria Creata con Successo\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Cambia password\",\"xMDm+I\":\"Check-in\",\"p2WLr3\":[\"Registra ingresso di \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Check-in e contrassegna l'ordine come pagato\",\"QYLpB4\":\"Solo check-in\",\"/Ta1d4\":\"Check-out\",\"5LDT6f\":\"Dai un'occhiata a questo evento!\",\"gXcPxc\":\"Registrazione\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Lista di Registrazione eliminata con successo\",\"+hBhWk\":\"La lista di registrazione è scaduta\",\"mBsBHq\":\"La lista di registrazione non è attiva\",\"vPqpQG\":\"Lista di registrazione non trovata\",\"tejfAy\":\"Liste di Registrazione\",\"hD1ocH\":\"URL di Registrazione copiato negli appunti\",\"CNafaC\":\"Le opzioni di casella di controllo consentono selezioni multiple\",\"SpabVf\":\"Caselle di controllo\",\"CRu4lK\":\"Check-in effettuato\",\"znIg+z\":\"Pagamento\",\"1WnhCL\":\"Impostazioni di Pagamento\",\"6imsQS\":\"Cinese (Semplificato)\",\"JjkX4+\":\"Scegli un colore per lo sfondo\",\"/Jizh9\":\"Scegli un account\",\"3wV73y\":\"Città\",\"FG98gC\":\"Cancella Testo di Ricerca\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Clicca per copiare\",\"yz7wBu\":\"Chiudi\",\"62Ciis\":\"Chiudi barra laterale\",\"EWPtMO\":\"Codice\",\"ercTDX\":\"Il codice deve essere compreso tra 3 e 50 caratteri\",\"oqr9HB\":\"Comprimi questo prodotto quando la pagina dell'evento viene caricata inizialmente\",\"jZlrte\":\"Colore\",\"Vd+LC3\":\"Il colore deve essere un codice colore esadecimale valido. Esempio: #ffffff\",\"1HfW/F\":\"Colori\",\"VZeG/A\":\"Prossimamente\",\"yPI7n9\":\"Parole chiave separate da virgole che descrivono l'evento. Queste saranno utilizzate dai motori di ricerca per aiutare a categorizzare e indicizzare l'evento\",\"NPZqBL\":\"Completa Ordine\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Completa Pagamento\",\"qqWcBV\":\"Completato\",\"6HK5Ct\":\"Ordini completati\",\"NWVRtl\":\"Ordini Completati\",\"DwF9eH\":\"Codice Componente\",\"Tf55h7\":\"Sconto Configurato\",\"7VpPHA\":\"Conferma\",\"ZaEJZM\":\"Conferma Cambio Email\",\"yjkELF\":\"Conferma Nuova Password\",\"xnWESi\":\"Conferma password\",\"p2/GCq\":\"Conferma Password\",\"wnDgGj\":\"Conferma indirizzo email in corso...\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connetti con Stripe\",\"QKLP1W\":\"Connetti il tuo account Stripe per iniziare a ricevere pagamenti.\",\"5lcVkL\":\"Dettagli di Connessione\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continua\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Testo Pulsante Continua\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continua configurazione\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Copiato\",\"T5rdis\":\"copiato negli appunti\",\"he3ygx\":\"Copia\",\"r2B2P8\":\"Copia URL di Check-In\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copia Link\",\"E6nRW7\":\"Copia URL\",\"JNCzPW\":\"Paese\",\"IF7RiR\":\"Copertina\",\"hYgDIe\":\"Crea\",\"b9XOHo\":[\"Crea \",[\"0\"]],\"k9RiLi\":\"Crea un Prodotto\",\"6kdXbW\":\"Crea un Codice Promozionale\",\"n5pRtF\":\"Crea un Biglietto\",\"X6sRve\":[\"Crea un account o <0>\",[\"0\"],\" per iniziare\"],\"nx+rqg\":\"crea un organizzatore\",\"ipP6Ue\":\"Crea Partecipante\",\"VwdqVy\":\"Crea Assegnazione di Capacità\",\"EwoMtl\":\"Crea categoria\",\"XletzW\":\"Crea Categoria\",\"WVbTwK\":\"Crea Lista di Check-In\",\"uN355O\":\"Crea Evento\",\"BOqY23\":\"Crea nuovo\",\"kpJAeS\":\"Crea Organizzatore\",\"a0EjD+\":\"Crea Prodotto\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Crea Codice Promozionale\",\"B3Mkdt\":\"Crea Domanda\",\"UKfi21\":\"Crea Tassa o Commissione\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Valuta\",\"DCKkhU\":\"Password Attuale\",\"uIElGP\":\"URL Mappe personalizzate\",\"UEqXyt\":\"Intervallo Personalizzato\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalizza le impostazioni di email e notifiche per questo evento\",\"Y9Z/vP\":\"Personalizza i messaggi della homepage dell'evento e del checkout\",\"2E2O5H\":\"Personalizza le impostazioni varie per questo evento\",\"iJhSxe\":\"Personalizza le impostazioni SEO per questo evento\",\"KIhhpi\":\"Personalizza la pagina del tuo evento\",\"nrGWUv\":\"Personalizza la pagina del tuo evento per adattarla al tuo brand e stile.\",\"Zz6Cxn\":\"Zona pericolosa\",\"ZQKLI1\":\"Zona pericolosa\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data e ora\",\"JJhRbH\":\"Capacità primo giorno\",\"cnGeoo\":\"Elimina\",\"jRJZxD\":\"Elimina Capacità\",\"VskHIx\":\"Elimina categoria\",\"Qrc8RZ\":\"Elimina Lista Check-In\",\"WHf154\":\"Elimina codice\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Elimina domanda\",\"Nu4oKW\":\"Descrizione\",\"YC3oXa\":\"Descrizione per il personale di check-in\",\"URmyfc\":\"Dettagli\",\"1lRT3t\":\"Disabilitando questa capacità verranno monitorate le vendite ma non verranno interrotte quando viene raggiunto il limite\",\"H6Ma8Z\":\"Sconto\",\"ypJ62C\":\"Sconto %\",\"3LtiBI\":[\"Sconto in \",[\"0\"]],\"C8JLas\":\"Tipo di Sconto\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Etichetta Documento\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donazione / Prodotto a offerta libera\",\"OvNbls\":\"Scarica .ics\",\"kodV18\":\"Scarica CSV\",\"CELKku\":\"Scarica fattura\",\"LQrXcu\":\"Scarica Fattura\",\"QIodqd\":\"Scarica Codice QR\",\"yhjU+j\":\"Scaricamento Fattura in corso\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Selezione a tendina\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplica evento\",\"3ogkAk\":\"Duplica Evento\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Opzioni di Duplicazione\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Prevendita\",\"ePK91l\":\"Modifica\",\"N6j2JH\":[\"Modifica \",[\"0\"]],\"kBkYSa\":\"Modifica Capacità\",\"oHE9JT\":\"Modifica Assegnazione di Capacità\",\"j1Jl7s\":\"Modifica categoria\",\"FU1gvP\":\"Modifica Lista di Check-In\",\"iFgaVN\":\"Modifica Codice\",\"jrBSO1\":\"Modifica Organizzatore\",\"tdD/QN\":\"Modifica Prodotto\",\"n143Tq\":\"Modifica Categoria Prodotto\",\"9BdS63\":\"Modifica Codice Promozionale\",\"O0CE67\":\"Modifica domanda\",\"EzwCw7\":\"Modifica Domanda\",\"poTr35\":\"Modifica utente\",\"GTOcxw\":\"Modifica Utente\",\"pqFrv2\":\"es. 2.50 per $2.50\",\"3yiej1\":\"es. 23.5 per 23.5%\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"Impostazioni Email e Notifiche\",\"ATGYL1\":\"Indirizzo email\",\"hzKQCy\":\"Indirizzo Email\",\"HqP6Qf\":\"Modifica email annullata con successo\",\"mISwW1\":\"Modifica email in attesa\",\"APuxIE\":\"Conferma email inviata nuovamente\",\"YaCgdO\":\"Conferma email inviata nuovamente con successo\",\"jyt+cx\":\"Messaggio piè di pagina email\",\"I6F3cp\":\"Email non verificata\",\"NTZ/NX\":\"Codice di Incorporamento\",\"4rnJq4\":\"Script di Incorporamento\",\"8oPbg1\":\"Abilita Fatturazione\",\"j6w7d/\":\"Abilita questa capacità per interrompere le vendite dei prodotti quando viene raggiunto il limite\",\"VFv2ZC\":\"Data di fine\",\"237hSL\":\"Terminato\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Inglese\",\"MhVoma\":\"Inserisci un importo escluse tasse e commissioni.\",\"SlfejT\":\"Errore\",\"3Z223G\":\"Errore durante la conferma dell'indirizzo email\",\"a6gga1\":\"Errore durante la conferma della modifica email\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evento\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Data dell'Evento\",\"0Zptey\":\"Impostazioni Predefinite Evento\",\"QcCPs8\":\"Dettagli Evento\",\"6fuA9p\":\"Evento duplicato con successo\",\"AEuj2m\":\"Homepage Evento\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Dettagli della sede e della location dell'evento\",\"OopDbA\":\"Event page\",\"4/If97\":\"Aggiornamento stato evento fallito. Riprova più tardi\",\"btxLWj\":\"Stato evento aggiornato\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Eventi\",\"sZg7s1\":\"Data di scadenza\",\"KnN1Tu\":\"Scade\",\"uaSvqt\":\"Data di Scadenza\",\"GS+Mus\":\"Esporta\",\"9xAp/j\":\"Impossibile annullare il partecipante\",\"ZpieFv\":\"Impossibile annullare l'ordine\",\"z6tdjE\":\"Impossibile eliminare il messaggio. Riprova.\",\"xDzTh7\":\"Impossibile scaricare la fattura. Riprova.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Impossibile caricare la Lista di Check-In\",\"ZQ15eN\":\"Impossibile reinviare l'email del biglietto\",\"ejXy+D\":\"Impossibile ordinare i prodotti\",\"PLUB/s\":\"Commissione\",\"/mfICu\":\"Commissioni\",\"LyFC7X\":\"Filtra Ordini\",\"cSev+j\":\"Filtri\",\"CVw2MU\":[\"Filtri (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Primo Numero Fattura\",\"V1EGGU\":\"Nome\",\"kODvZJ\":\"Nome\",\"S+tm06\":\"Il nome deve essere compreso tra 1 e 50 caratteri\",\"1g0dC4\":\"Nome, Cognome e Indirizzo Email sono domande predefinite e sono sempre incluse nel processo di checkout.\",\"Rs/IcB\":\"Primo Utilizzo\",\"TpqW74\":\"Fisso\",\"irpUxR\":\"Importo fisso\",\"TF9opW\":\"Il flash non è disponibile su questo dispositivo\",\"UNMVei\":\"Password dimenticata?\",\"2POOFK\":\"Gratuito\",\"P/OAYJ\":\"Prodotto Gratuito\",\"vAbVy9\":\"Prodotto gratuito, nessuna informazione di pagamento richiesta\",\"nLC6tu\":\"Francese\",\"Weq9zb\":\"Generale\",\"DDcvSo\":\"Tedesco\",\"4GLxhy\":\"Primi Passi\",\"4D3rRj\":\"Torna al profilo\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Vendite lorde\",\"yRg26W\":\"Vendite lorde\",\"R4r4XO\":\"Ospiti\",\"26pGvx\":\"Hai un codice promozionale?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"Ecco un esempio di come puoi utilizzare il componente nella tua applicazione.\",\"Y1SSqh\":\"Ecco il componente React che puoi utilizzare per incorporare il widget nella tua applicazione.\",\"QuhVpV\":[\"Ciao \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Nascosto dalla vista pubblica\",\"gt3Xw9\":\"domanda nascosta\",\"g3rqFe\":\"domande nascoste\",\"k3dfFD\":\"Le domande nascoste sono visibili solo all'organizzatore dell'evento e non al cliente.\",\"vLyv1R\":\"Nascondi\",\"Mkkvfd\":\"Nascondi pagina di introduzione\",\"mFn5Xz\":\"Nascondi domande nascoste\",\"YHsF9c\":\"Nascondi prodotto dopo la data di fine vendita\",\"06s3w3\":\"Nascondi prodotto prima della data di inizio vendita\",\"axVMjA\":\"Nascondi prodotto a meno che l'utente non abbia un codice promozionale applicabile\",\"ySQGHV\":\"Nascondi prodotto quando esaurito\",\"SCimta\":\"Nascondi la pagina di introduzione dalla barra laterale\",\"5xR17G\":\"Nascondi questo prodotto ai clienti\",\"Da29Y6\":\"Nascondi questa domanda\",\"fvDQhr\":\"Nascondi questo livello agli utenti\",\"lNipG+\":\"Nascondere un prodotto impedirà agli utenti di vederlo sulla pagina dell'evento.\",\"ZOBwQn\":\"Design Homepage\",\"PRuBTd\":\"Designer Homepage\",\"YjVNGZ\":\"Anteprima Homepage\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Quanti minuti ha il cliente per completare il proprio ordine. Consigliamo almeno 15 minuti\",\"ySxKZe\":\"Quante volte può essere utilizzato questo codice?\",\"dZsDbK\":[\"Limite di caratteri HTML superato: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Accetto i <0>termini e condizioni\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Se vuoto, l'indirizzo verrà utilizzato per generare un link a Google Maps\",\"UYT+c8\":\"Se abilitato, il personale di check-in può sia segnare i partecipanti come registrati sia segnare l'ordine come pagato e registrare i partecipanti. Se disabilitato, i partecipanti associati a ordini non pagati non possono essere registrati.\",\"muXhGi\":\"Se abilitato, l'organizzatore riceverà una notifica via email quando viene effettuato un nuovo ordine\",\"6fLyj/\":\"Se non hai richiesto questa modifica, cambia immediatamente la tua password.\",\"n/ZDCz\":\"Immagine eliminata con successo\",\"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\":\"Immagine caricata con successo\",\"VyUuZb\":\"URL Immagine\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inattivo\",\"T0K0yl\":\"Gli utenti inattivi non possono accedere.\",\"kO44sp\":\"Includi dettagli di connessione per il tuo evento online. Questi dettagli saranno mostrati nella pagina di riepilogo dell'ordine e nella pagina del biglietto del partecipante.\",\"FlQKnG\":\"Includi tasse e commissioni nel prezzo\",\"Vi+BiW\":[\"Include \",[\"0\"],\" prodotti\"],\"lpm0+y\":\"Include 1 prodotto\",\"UiAk5P\":\"Inserisci Immagine\",\"OyLdaz\":\"Invito reinviato!\",\"HE6KcK\":\"Invito revocato!\",\"SQKPvQ\":\"Invita Utente\",\"bKOYkd\":\"Fattura scaricata con successo\",\"alD1+n\":\"Note Fattura\",\"kOtCs2\":\"Numerazione Fattura\",\"UZ2GSZ\":\"Impostazioni Fattura\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Articolo\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Etichetta\",\"vXIe7J\":\"Lingua\",\"2LMsOq\":\"Ultimi 12 mesi\",\"vfe90m\":\"Ultimi 14 giorni\",\"aK4uBd\":\"Ultime 24 ore\",\"uq2BmQ\":\"Ultimi 30 giorni\",\"bB6Ram\":\"Ultime 48 ore\",\"VlnB7s\":\"Ultimi 6 mesi\",\"ct2SYD\":\"Ultimi 7 giorni\",\"XgOuA7\":\"Ultimi 90 giorni\",\"I3yitW\":\"Ultimo accesso\",\"1ZaQUH\":\"Cognome\",\"UXBCwc\":\"Cognome\",\"tKCBU0\":\"Ultimo Utilizzo\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Lascia vuoto per utilizzare la parola predefinita \\\"Fattura\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Caricamento...\",\"wJijgU\":\"Luogo\",\"sQia9P\":\"Accedi\",\"zUDyah\":\"Accesso in corso\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Esci\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Rendi obbligatorio l'indirizzo di fatturazione durante il checkout\",\"MU3ijv\":\"Rendi obbligatoria questa domanda\",\"wckWOP\":\"Gestisci\",\"onpJrA\":\"Gestisci partecipante\",\"n4SpU5\":\"Gestisci evento\",\"WVgSTy\":\"Gestisci ordine\",\"1MAvUY\":\"Gestisci le impostazioni di pagamento e fatturazione per questo evento.\",\"cQrNR3\":\"Gestisci Profilo\",\"AtXtSw\":\"Gestisci tasse e commissioni che possono essere applicate ai tuoi prodotti\",\"ophZVW\":\"Gestisci biglietti\",\"DdHfeW\":\"Gestisci i dettagli del tuo account e le impostazioni predefinite\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Gestisci i tuoi utenti e le loro autorizzazioni\",\"1m+YT2\":\"Le domande obbligatorie devono essere risposte prima che il cliente possa procedere al checkout.\",\"Dim4LO\":\"Aggiungi manualmente un Partecipante\",\"e4KdjJ\":\"Aggiungi Manualmente Partecipante\",\"vFjEnF\":\"Segna come pagato\",\"g9dPPQ\":\"Massimo Per Ordine\",\"l5OcwO\":\"Messaggio al partecipante\",\"Gv5AMu\":\"Messaggio ai Partecipanti\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Messaggio all'acquirente\",\"tNZzFb\":\"Contenuto del Messaggio\",\"lYDV/s\":\"Invia messaggio ai singoli partecipanti\",\"V7DYWd\":\"Messaggio Inviato\",\"t7TeQU\":\"Messaggi\",\"xFRMlO\":\"Minimo Per Ordine\",\"QYcUEf\":\"Prezzo Minimo\",\"RDie0n\":\"Varie\",\"mYLhkl\":\"Impostazioni Varie\",\"KYveV8\":\"Casella di testo multilinea\",\"VD0iA7\":\"Opzioni di prezzo multiple. Perfetto per prodotti early bird ecc.\",\"/bhMdO\":\"La mia fantastica descrizione dell'evento...\",\"vX8/tc\":\"Il mio fantastico titolo dell'evento...\",\"hKtWk2\":\"Il Mio Profilo\",\"fj5byd\":\"N/D\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Vai al Partecipante\",\"qqeAJM\":\"Mai\",\"7vhWI8\":\"Nuova Password\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Nessun evento archiviato da mostrare.\",\"q2LEDV\":\"Nessun partecipante trovato per questo ordine.\",\"zlHa5R\":\"Nessun partecipante è stato aggiunto a questo ordine.\",\"Wjz5KP\":\"Nessun Partecipante da mostrare\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Nessuna Assegnazione di Capacità\",\"a/gMx2\":\"Nessuna Lista di Check-In\",\"tMFDem\":\"Nessun dato disponibile\",\"6Z/F61\":\"Nessun dato da mostrare. Seleziona un intervallo di date\",\"fFeCKc\":\"Nessuno Sconto\",\"HFucK5\":\"Nessun evento terminato da mostrare.\",\"yAlJXG\":\"Nessun evento da mostrare\",\"GqvPcv\":\"Nessun filtro disponibile\",\"KPWxKD\":\"Nessun messaggio da mostrare\",\"J2LkP8\":\"Nessun ordine da mostrare\",\"RBXXtB\":\"Nessun metodo di pagamento è attualmente disponibile. Contatta l'organizzatore dell'evento per assistenza.\",\"ZWEfBE\":\"Nessun Pagamento Richiesto\",\"ZPoHOn\":\"Nessun prodotto associato a questo partecipante.\",\"Ya1JhR\":\"Nessun prodotto disponibile in questa categoria.\",\"FTfObB\":\"Ancora Nessun Prodotto\",\"+Y976X\":\"Nessun Codice Promozionale da mostrare\",\"MAavyl\":\"Nessuna domanda risposta da questo partecipante.\",\"SnlQeq\":\"Nessuna domanda è stata posta per questo ordine.\",\"Ev2r9A\":\"Nessun risultato\",\"gk5uwN\":\"Nessun Risultato di Ricerca\",\"RHyZUL\":\"Nessun risultato di ricerca.\",\"RY2eP1\":\"Nessuna Tassa o Commissione è stata aggiunta.\",\"EdQY6l\":\"Nessuno\",\"OJx3wK\":\"Non disponibile\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Note\",\"jtrY3S\":\"Ancora niente da mostrare\",\"hFwWnI\":\"Impostazioni Notifiche\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notifica all'organizzatore i nuovi ordini\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Numero di giorni consentiti per il pagamento (lasciare vuoto per omettere i termini di pagamento dalle fatture)\",\"n86jmj\":\"Prefisso Numero\",\"mwe+2z\":\"Gli ordini offline non sono riflessi nelle statistiche dell'evento finché l'ordine non viene contrassegnato come pagato.\",\"dWBrJX\":\"Pagamento offline fallito. Riprova o contatta l'organizzatore dell'evento.\",\"fcnqjw\":\"Istruzioni di Pagamento Offline\",\"+eZ7dp\":\"Pagamenti Offline\",\"ojDQlR\":\"Informazioni sui Pagamenti Offline\",\"u5oO/W\":\"Impostazioni Pagamenti Offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"In Vendita\",\"Ug4SfW\":\"Una volta creato un evento, lo vedrai qui.\",\"ZxnK5C\":\"Una volta che inizi a raccogliere dati, li vedrai qui.\",\"PnSzEc\":\"Quando sei pronto, rendi attivo il tuo evento e inizia a vendere prodotti.\",\"J6n7sl\":\"In Corso\",\"z+nuVJ\":\"Evento online\",\"WKHW0N\":\"Dettagli Evento Online\",\"/xkmKX\":\"Solo le email importanti, direttamente correlate a questo evento, dovrebbero essere inviate utilizzando questo modulo.\\nQualsiasi uso improprio, incluso l'invio di email promozionali, porterà al ban immediato dell'account.\",\"Qqqrwa\":\"Apri Pagina di Check-In\",\"OdnLE4\":\"Apri barra laterale\",\"ZZEYpT\":[\"Opzione \",[\"i\"]],\"oPknTP\":\"Informazioni aggiuntive opzionali da visualizzare su tutte le fatture (ad es. termini di pagamento, penali per ritardo, politica di reso)\",\"OrXJBY\":\"Prefisso opzionale per i numeri di fattura (ad es., FATT-)\",\"0zpgxV\":\"Opzioni\",\"BzEFor\":\"o\",\"UYUgdb\":\"Ordine\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Ordine Annullato\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Data Ordine\",\"Tol4BF\":\"Dettagli Ordine\",\"WbImlQ\":\"L'ordine è stato annullato e il proprietario dell'ordine è stato avvisato.\",\"nAn4Oe\":\"Ordine contrassegnato come pagato\",\"uzEfRz\":\"Note Ordine\",\"VCOi7U\":\"Domande ordine\",\"TPoYsF\":\"Riferimento Ordine\",\"acIJ41\":\"Stato Ordine\",\"GX6dZv\":\"Riepilogo Ordine\",\"tDTq0D\":\"Timeout ordine\",\"1h+RBg\":\"Ordini\",\"3y+V4p\":\"Indirizzo Organizzazione\",\"GVcaW6\":\"Dettagli Organizzazione\",\"nfnm9D\":\"Nome Organizzazione\",\"G5RhpL\":\"Organizzatore\",\"mYygCM\":\"L'organizzatore è obbligatorio\",\"Pa6G7v\":\"Nome Organizzatore\",\"l894xP\":\"Gli organizzatori possono gestire solo eventi e prodotti. Non possono gestire utenti, impostazioni dell'account o informazioni di fatturazione.\",\"fdjq4c\":\"Spaziatura\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Pagina non trovata\",\"QbrUIo\":\"Visualizzazioni pagina\",\"6D8ePg\":\"pagina.\",\"IkGIz8\":\"pagato\",\"HVW65c\":\"Prodotto a Pagamento\",\"ZfxaB4\":\"Parzialmente Rimborsato\",\"8ZsakT\":\"Password\",\"TUJAyx\":\"La password deve essere di almeno 8 caratteri\",\"vwGkYB\":\"La password deve essere di almeno 8 caratteri\",\"BLTZ42\":\"Password reimpostata con successo. Accedi con la tua nuova password.\",\"f7SUun\":\"Le password non sono uguali\",\"aEDp5C\":\"Incolla questo dove vuoi che appaia il widget.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Pagamento\",\"Lg+ewC\":\"Pagamento e Fatturazione\",\"DZjk8u\":\"Impostazioni Pagamento e Fatturazione\",\"lflimf\":\"Periodo di Scadenza Pagamento\",\"JhtZAK\":\"Pagamento Fallito\",\"JEdsvQ\":\"Istruzioni di Pagamento\",\"bLB3MJ\":\"Metodi di Pagamento\",\"QzmQBG\":\"Fornitore di pagamento\",\"lsxOPC\":\"Pagamento Ricevuto\",\"wJTzyi\":\"Stato Pagamento\",\"xgav5v\":\"Pagamento riuscito!\",\"R29lO5\":\"Termini di Pagamento\",\"/roQKz\":\"Percentuale\",\"vPJ1FI\":\"Importo Percentuale\",\"xdA9ud\":\"Inserisci questo nel tag del tuo sito web.\",\"blK94r\":\"Aggiungi almeno un'opzione\",\"FJ9Yat\":\"Verifica che le informazioni fornite siano corrette\",\"TkQVup\":\"Controlla la tua email e password e riprova\",\"sMiGXD\":\"Verifica che la tua email sia valida\",\"Ajavq0\":\"Controlla la tua email per confermare il tuo indirizzo email\",\"MdfrBE\":\"Completa il modulo sottostante per accettare il tuo invito\",\"b1Jvg+\":\"Continua nella nuova scheda\",\"hcX103\":\"Crea un prodotto\",\"cdR8d6\":\"Crea un biglietto\",\"x2mjl4\":\"Inserisci un URL valido che punti a un'immagine.\",\"HnNept\":\"Inserisci la tua nuova password\",\"5FSIzj\":\"Nota Bene\",\"C63rRe\":\"Torna alla pagina dell'evento per ricominciare.\",\"pJLvdS\":\"Seleziona\",\"Ewir4O\":\"Seleziona almeno un prodotto\",\"igBrCH\":\"Verifica il tuo indirizzo email per accedere a tutte le funzionalità\",\"/IzmnP\":\"Attendi mentre prepariamo la tua fattura...\",\"MOERNx\":\"Portoghese\",\"qCJyMx\":\"Messaggio post checkout\",\"g2UNkE\":\"Offerto da\",\"Rs7IQv\":\"Messaggio pre checkout\",\"rdUucN\":\"Anteprima\",\"a7u1N9\":\"Prezzo\",\"CmoB9j\":\"Modalità visualizzazione prezzo\",\"BI7D9d\":\"Prezzo non impostato\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Tipo di Prezzo\",\"6RmHKN\":\"Colore Primario\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Colore Testo Primario\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Stampa Tutti i Biglietti\",\"DKwDdj\":\"Stampa Biglietti\",\"K47k8R\":\"Prodotto\",\"1JwlHk\":\"Categoria Prodotto\",\"U61sAj\":\"Categoria prodotto aggiornata con successo.\",\"1USFWA\":\"Prodotto eliminato con successo\",\"4Y2FZT\":\"Tipo di Prezzo Prodotto\",\"mFwX0d\":\"Domande prodotto\",\"Lu+kBU\":\"Vendite Prodotti\",\"U/R4Ng\":\"Livello Prodotto\",\"sJsr1h\":\"Tipo di Prodotto\",\"o1zPwM\":\"Anteprima Widget Prodotto\",\"ktyvbu\":\"Prodotto/i\",\"N0qXpE\":\"Prodotti\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Prodotti venduti\",\"/u4DIx\":\"Prodotti Venduti\",\"DJQEZc\":\"Prodotti ordinati con successo\",\"vERlcd\":\"Profilo\",\"kUlL8W\":\"Profilo aggiornato con successo\",\"cl5WYc\":[\"Codice promo \",[\"promo_code\"],\" applicato\"],\"P5sgAk\":\"Codice Promo\",\"yKWfjC\":\"Pagina Codice Promo\",\"RVb8Fo\":\"Codici Promo\",\"BZ9GWa\":\"I codici promo possono essere utilizzati per offrire sconti, accesso in prevendita o fornire accesso speciale al tuo evento.\",\"OP094m\":\"Report Codici Promo\",\"4kyDD5\":\"Fornisci contesto aggiuntivo o istruzioni per questa domanda. Usa questo campo per aggiungere termini\\ne condizioni, linee guida o qualsiasi informazione importante che i partecipanti devono conoscere prima di rispondere.\",\"toutGW\":\"Codice QR\",\"LkMOWF\":\"Quantità Disponibile\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Domanda eliminata\",\"avf0gk\":\"Descrizione Domanda\",\"oQvMPn\":\"Titolo Domanda\",\"enzGAL\":\"Domande\",\"ROv2ZT\":\"Domande e Risposte\",\"K885Eq\":\"Domande ordinate con successo\",\"OMJ035\":\"Opzione Radio\",\"C4TjpG\":\"Leggi meno\",\"I3QpvQ\":\"Destinatario\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Rimborso Fallito\",\"n10yGu\":\"Rimborsa ordine\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Rimborso in Attesa\",\"xHpVRl\":\"Stato Rimborso\",\"/BI0y9\":\"Rimborsato\",\"fgLNSM\":\"Registrati\",\"9+8Vez\":\"Utilizzi Rimanenti\",\"tasfos\":\"rimuovi\",\"t/YqKh\":\"Rimuovi\",\"t9yxlZ\":\"Report\",\"prZGMe\":\"Richiedi Indirizzo di Fatturazione\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Reinvia conferma email\",\"wIa8Qe\":\"Reinvia invito\",\"VeKsnD\":\"Reinvia email ordine\",\"dFuEhO\":\"Reinvia email biglietto\",\"o6+Y6d\":\"Reinvio in corso...\",\"OfhWJH\":\"Reimposta\",\"RfwZxd\":\"Reimposta password\",\"KbS2K9\":\"Reimposta Password\",\"e99fHm\":\"Ripristina evento\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Torna alla Pagina dell'Evento\",\"8YBH95\":\"Ricavi\",\"PO/sOY\":\"Revoca invito\",\"GDvlUT\":\"Ruolo\",\"ELa4O9\":\"Data Fine Vendita\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Data Inizio Vendita\",\"hBsw5C\":\"Vendite terminate\",\"kpAzPe\":\"Inizio vendite\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Salva\",\"IUwGEM\":\"Salva Modifiche\",\"U65fiW\":\"Salva Organizzatore\",\"UGT5vp\":\"Salva Impostazioni\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Cerca per nome partecipante, email o numero ordine...\",\"+pr/FY\":\"Cerca per nome evento...\",\"3zRbWw\":\"Cerca per nome, email o numero ordine...\",\"L22Tdf\":\"Cerca per nome, numero ordine, numero partecipante o email...\",\"BiYOdA\":\"Cerca per nome...\",\"YEjitp\":\"Cerca per oggetto o contenuto...\",\"Pjsch9\":\"Cerca assegnazioni di capacità...\",\"r9M1hc\":\"Cerca liste di check-in...\",\"+0Yy2U\":\"Cerca prodotti\",\"YIix5Y\":\"Cerca...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Colore Secondario\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Colore Testo Secondario\",\"02ePaq\":[\"Seleziona \",[\"0\"]],\"QuNKRX\":\"Seleziona Fotocamera\",\"9FQEn8\":\"Seleziona categoria...\",\"kWI/37\":\"Seleziona organizzatore\",\"ixIx1f\":\"Seleziona Prodotto\",\"3oSV95\":\"Seleziona Livello Prodotto\",\"C4Y1hA\":\"Seleziona prodotti\",\"hAjDQy\":\"Seleziona stato\",\"QYARw/\":\"Seleziona Biglietto\",\"OMX4tH\":\"Seleziona biglietti\",\"DrwwNd\":\"Seleziona periodo di tempo\",\"O/7I0o\":\"Seleziona...\",\"JlFcis\":\"Invia\",\"qKWv5N\":[\"Invia una copia a <0>\",[\"0\"],\"\"],\"RktTWf\":\"Invia un messaggio\",\"/mQ/tD\":\"Invia come test. Questo invierà il messaggio al tuo indirizzo email invece che ai destinatari.\",\"M/WIer\":\"Invia Messaggio\",\"D7ZemV\":\"Invia email di conferma ordine e biglietto\",\"v1rRtW\":\"Invia Test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descrizione SEO\",\"/SIY6o\":\"Parole Chiave SEO\",\"GfWoKv\":\"Impostazioni SEO\",\"rXngLf\":\"Titolo SEO\",\"/jZOZa\":\"Commissione di Servizio\",\"Bj/QGQ\":\"Imposta un prezzo minimo e permetti agli utenti di pagare di più se lo desiderano\",\"L0pJmz\":\"Imposta il numero iniziale per la numerazione delle fatture. Questo non può essere modificato una volta che le fatture sono state generate.\",\"nYNT+5\":\"Configura il tuo evento\",\"A8iqfq\":\"Metti online il tuo evento\",\"Tz0i8g\":\"Impostazioni\",\"Z8lGw6\":\"Condividi\",\"B2V3cA\":\"Condividi Evento\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mostra quantità prodotto disponibile\",\"qDsmzu\":\"Mostra domande nascoste\",\"fMPkxb\":\"Mostra altro\",\"izwOOD\":\"Mostra tasse e commissioni separatamente\",\"1SbbH8\":\"Mostrato al cliente dopo il checkout, nella pagina di riepilogo dell'ordine.\",\"YfHZv0\":\"Mostrato al cliente prima del checkout\",\"CBBcly\":\"Mostra i campi comuni dell'indirizzo, incluso il paese\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Casella di testo a riga singola\",\"+P0Cn2\":\"Salta questo passaggio\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Esaurito\",\"Mi1rVn\":\"Esaurito\",\"nwtY4N\":\"Qualcosa è andato storto\",\"GRChTw\":\"Qualcosa è andato storto durante l'eliminazione della Tassa o Commissione\",\"YHFrbe\":\"Qualcosa è andato storto! Riprova\",\"kf83Ld\":\"Qualcosa è andato storto.\",\"fWsBTs\":\"Qualcosa è andato storto. Riprova.\",\"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.\",\"6a/UJE\":\"Spiacenti, questo codice promo non è riconosciuto\",\"65A04M\":\"Spagnolo\",\"mFuBqb\":\"Prodotto standard con prezzo fisso\",\"D3iCkb\":\"Data di inizio\",\"/2by1f\":\"Stato o Regione\",\"uAQUqI\":\"Stato\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"I pagamenti Stripe non sono abilitati per questo evento.\",\"UJmAAK\":\"Oggetto\",\"X2rrlw\":\"Subtotale\",\"zzDlyQ\":\"Successo\",\"b0HJ45\":[\"Successo! \",[\"0\"],\" riceverà un'email a breve.\"],\"BJIEiF\":[\"Partecipante \",[\"0\"],\" con successo\"],\"OtgNFx\":\"Indirizzo email confermato con successo\",\"IKwyaF\":\"Modifica email confermata con successo\",\"zLmvhE\":\"Partecipante creato con successo\",\"gP22tw\":\"Prodotto Creato con Successo\",\"9mZEgt\":\"Codice Promo Creato con Successo\",\"aIA9C4\":\"Domanda Creata con Successo\",\"J3RJSZ\":\"Partecipante aggiornato con successo\",\"3suLF0\":\"Assegnazione Capacità aggiornata con successo\",\"Z+rnth\":\"Lista Check-In aggiornata con successo\",\"vzJenu\":\"Impostazioni Email Aggiornate con Successo\",\"7kOMfV\":\"Evento Aggiornato con Successo\",\"G0KW+e\":\"Design Homepage Aggiornato con Successo\",\"k9m6/E\":\"Impostazioni Homepage Aggiornate con Successo\",\"y/NR6s\":\"Posizione Aggiornata con Successo\",\"73nxDO\":\"Impostazioni Varie Aggiornate con Successo\",\"4H80qv\":\"Ordine aggiornato con successo\",\"6xCBVN\":\"Impostazioni di Pagamento e Fatturazione Aggiornate con Successo\",\"1Ycaad\":\"Prodotto aggiornato con successo\",\"70dYC8\":\"Codice Promo Aggiornato con Successo\",\"F+pJnL\":\"Impostazioni SEO Aggiornate con Successo\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Email di Supporto\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Tassa\",\"geUFpZ\":\"Tasse e Commissioni\",\"dFHcIn\":\"Dettagli Fiscali\",\"wQzCPX\":\"Informazioni fiscali da mostrare in fondo a tutte le fatture (es. numero di partita IVA, registrazione fiscale)\",\"0RXCDo\":\"Tassa o Commissione eliminata con successo\",\"ZowkxF\":\"Tasse\",\"qu6/03\":\"Tasse e Commissioni\",\"gypigA\":\"Quel codice promo non è valido\",\"5ShqeM\":\"La lista di check-in che stai cercando non esiste.\",\"QXlz+n\":\"La valuta predefinita per i tuoi eventi.\",\"mnafgQ\":\"Il fuso orario predefinito per i tuoi eventi.\",\"o7s5FA\":\"La lingua in cui il partecipante riceverà le email.\",\"NlfnUd\":\"Il link che hai cliccato non è valido.\",\"HsFnrk\":[\"Il numero massimo di prodotti per \",[\"0\"],\"è \",[\"1\"]],\"TSAiPM\":\"La pagina che stai cercando non esiste\",\"MSmKHn\":\"Il prezzo mostrato al cliente includerà tasse e commissioni.\",\"6zQOg1\":\"Il prezzo mostrato al cliente non includerà tasse e commissioni. Saranno mostrate separatamente\",\"ne/9Ur\":\"Le impostazioni di stile che scegli si applicano solo all'HTML copiato e non saranno memorizzate.\",\"vQkyB3\":\"Le tasse e commissioni da applicare a questo prodotto. Puoi creare nuove tasse e commissioni nella\",\"esY5SG\":\"Il titolo dell'evento che verrà visualizzato nei risultati dei motori di ricerca e quando si condivide sui social media. Per impostazione predefinita, verrà utilizzato il titolo dell'evento\",\"wDx3FF\":\"Non ci sono prodotti disponibili per questo evento\",\"pNgdBv\":\"Non ci sono prodotti disponibili in questa categoria\",\"rMcHYt\":\"C'è un rimborso in attesa. Attendi che sia completato prima di richiedere un altro rimborso.\",\"F89D36\":\"Si è verificato un errore nel contrassegnare l'ordine come pagato\",\"68Axnm\":\"Si è verificato un errore durante l'elaborazione della tua richiesta. Riprova.\",\"mVKOW6\":\"Si è verificato un errore durante l'invio del tuo messaggio\",\"AhBPHd\":\"Questi dettagli saranno mostrati solo se l'ordine è completato con successo. Gli ordini in attesa di pagamento non mostreranno questo messaggio.\",\"Pc/Wtj\":\"Questo partecipante ha un ordine non pagato.\",\"mf3FrP\":\"Questa categoria non ha ancora prodotti.\",\"8QH2Il\":\"Questa categoria è nascosta alla vista pubblica\",\"xxv3BZ\":\"Questa lista di check-in è scaduta\",\"Sa7w7S\":\"Questa lista di check-in è scaduta e non è più disponibile per i check-in.\",\"Uicx2U\":\"Questa lista di check-in è attiva\",\"1k0Mp4\":\"Questa lista di check-in non è ancora attiva\",\"K6fmBI\":\"Questa lista di check-in non è ancora attiva e non è disponibile per i check-in.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Questa email non è promozionale ed è direttamente correlata all'evento.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Queste informazioni saranno mostrate nella pagina di pagamento, nella pagina di riepilogo dell'ordine e nell'email di conferma dell'ordine.\",\"XAHqAg\":\"Questo è un prodotto generico, come una maglietta o una tazza. Non verrà emesso alcun biglietto\",\"CNk/ro\":\"Questo è un evento online\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Questo messaggio sarà incluso nel piè di pagina di tutte le email inviate da questo evento\",\"55i7Fa\":\"Questo messaggio sarà mostrato solo se l'ordine è completato con successo. Gli ordini in attesa di pagamento non mostreranno questo messaggio\",\"RjwlZt\":\"Questo ordine è già stato pagato.\",\"5K8REg\":\"Questo ordine è già stato rimborsato.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Questo ordine è stato annullato.\",\"Q0zd4P\":\"Questo ordine è scaduto. Per favore ricomincia.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Questo ordine è completo.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Questa pagina dell'ordine non è più disponibile.\",\"i0TtkR\":\"Questo sovrascrive tutte le impostazioni di visibilità e nasconderà il prodotto a tutti i clienti.\",\"cRRc+F\":\"Questo prodotto non può essere eliminato perché è associato a un ordine. Puoi invece nasconderlo.\",\"3Kzsk7\":\"Questo prodotto è un biglietto. Agli acquirenti verrà emesso un biglietto al momento dell'acquisto\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Questa domanda è visibile solo all'organizzatore dell'evento\",\"os29v1\":\"Questo link per reimpostare la password non è valido o è scaduto.\",\"IV9xTT\":\"Questo utente non è attivo, poiché non ha accettato il suo invito.\",\"5AnPaO\":\"biglietto\",\"kjAL4v\":\"Biglietto\",\"dtGC3q\":\"Email del biglietto reinviata al partecipante\",\"54q0zp\":\"Biglietti per\",\"xN9AhL\":[\"Livello \",[\"0\"]],\"jZj9y9\":\"Prodotto a Livelli\",\"8wITQA\":\"I prodotti a livelli ti permettono di offrire più opzioni di prezzo per lo stesso prodotto. È perfetto per prodotti in prevendita o per offrire diverse opzioni di prezzo per diversi gruppi di persone.\",\"nn3mSR\":\"Tempo rimasto:\",\"s/0RpH\":\"Volte utilizzato\",\"y55eMd\":\"Volte Utilizzato\",\"40Gx0U\":\"Fuso orario\",\"oDGm7V\":\"SUGGERIMENTO\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Strumenti\",\"72c5Qo\":\"Totale\",\"YXx+fG\":\"Totale Prima degli Sconti\",\"NRWNfv\":\"Importo Totale Sconto\",\"BxsfMK\":\"Commissioni Totali\",\"2bR+8v\":\"Vendite Lorde Totali\",\"mpB/d9\":\"Importo totale ordine\",\"m3FM1g\":\"Totale rimborsato\",\"jEbkcB\":\"Totale Rimborsato\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Tasse Totali\",\"+zy2Nq\":\"Tipo\",\"FMdMfZ\":\"Impossibile registrare il partecipante\",\"bPWBLL\":\"Impossibile registrare l'uscita del partecipante\",\"9+P7zk\":\"Impossibile creare il prodotto. Controlla i tuoi dati\",\"WLxtFC\":\"Impossibile creare il prodotto. Controlla i tuoi dati\",\"/cSMqv\":\"Impossibile creare la domanda. Controlla i tuoi dati\",\"MH/lj8\":\"Impossibile aggiornare la domanda. Controlla i tuoi dati\",\"nnfSdK\":\"Clienti Unici\",\"Mqy/Zy\":\"Stati Uniti\",\"NIuIk1\":\"Illimitato\",\"/p9Fhq\":\"Disponibilità illimitata\",\"E0q9qH\":\"Utilizzi illimitati consentiti\",\"h10Wm5\":\"Ordine non pagato\",\"ia8YsC\":\"In Arrivo\",\"TlEeFv\":\"Eventi in Arrivo\",\"L/gNNk\":[\"Aggiorna \",[\"0\"]],\"+qqX74\":\"Aggiorna nome, descrizione e date dell'evento\",\"vXPSuB\":\"Aggiorna profilo\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copiato negli appunti\",\"e5lF64\":\"Esempio di Utilizzo\",\"fiV0xj\":\"Limite di Utilizzo\",\"sGEOe4\":\"Usa una versione sfocata dell'immagine di copertina come sfondo\",\"OadMRm\":\"Usa immagine di copertina\",\"7PzzBU\":\"Utente\",\"yDOdwQ\":\"Gestione Utenti\",\"Sxm8rQ\":\"Utenti\",\"VEsDvU\":\"Gli utenti possono modificare la loro email in <0>Impostazioni Profilo\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"IVA\",\"E/9LUk\":\"Nome della Sede\",\"jpctdh\":\"Visualizza\",\"Pte1Hv\":\"Visualizza Dettagli Partecipante\",\"/5PEQz\":\"Visualizza pagina evento\",\"fFornT\":\"Visualizza messaggio completo\",\"YIsEhQ\":\"Visualizza mappa\",\"Ep3VfY\":\"Visualizza su Google Maps\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"Lista check-in VIP\",\"tF+VVr\":\"Biglietto VIP\",\"2q/Q7x\":\"Visibilità\",\"vmOFL/\":\"Non è stato possibile elaborare il tuo pagamento. Riprova o contatta l'assistenza.\",\"45Srzt\":\"Non è stato possibile eliminare la categoria. Riprova.\",\"/DNy62\":[\"Non abbiamo trovato biglietti corrispondenti a \",[\"0\"]],\"1E0vyy\":\"Non è stato possibile caricare i dati. Riprova.\",\"NmpGKr\":\"Non è stato possibile riordinare le categorie. Riprova.\",\"BJtMTd\":\"Consigliamo dimensioni di 2160px per 1080px e una dimensione massima del file di 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"Non siamo riusciti a confermare il tuo pagamento. Riprova o contatta l'assistenza.\",\"Gspam9\":\"Stiamo elaborando il tuo ordine. Attendere prego...\",\"LuY52w\":\"Benvenuto a bordo! Accedi per continuare.\",\"dVxpp5\":[\"Bentornato\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Cosa sono i Prodotti a Livelli?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Cos'è una Categoria?\",\"gxeWAU\":\"A quali prodotti si applica questo codice?\",\"hFHnxR\":\"A quali prodotti si applica questo codice? (Si applica a tutti per impostazione predefinita)\",\"AeejQi\":\"A quali prodotti dovrebbe applicarsi questa capacità?\",\"Rb0XUE\":\"A che ora arriverai?\",\"5N4wLD\":\"Che tipo di domanda è questa?\",\"gyLUYU\":\"Quando abilitato, le fatture verranno generate per gli ordini di biglietti. Le fatture saranno inviate insieme all'email di conferma dell'ordine. I partecipanti possono anche scaricare le loro fatture dalla pagina di conferma dell'ordine.\",\"D3opg4\":\"Quando i pagamenti offline sono abilitati, gli utenti potranno completare i loro ordini e ricevere i loro biglietti. I loro biglietti indicheranno chiaramente che l'ordine non è pagato, e lo strumento di check-in avviserà il personale di check-in se un ordine richiede il pagamento.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Quali biglietti dovrebbero essere associati a questa lista di check-in?\",\"S+OdxP\":\"Chi sta organizzando questo evento?\",\"LINr2M\":\"A chi è destinato questo messaggio?\",\"nWhye/\":\"A chi dovrebbe essere posta questa domanda?\",\"VxFvXQ\":\"Incorpora Widget\",\"v1P7Gm\":\"Impostazioni Widget\",\"b4itZn\":\"In corso\",\"hqmXmc\":\"In corso...\",\"+G/XiQ\":\"Da inizio anno\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Sì, rimuovili\",\"ySeBKv\":\"Hai già scansionato questo biglietto\",\"P+Sty0\":[\"Stai cambiando la tua email in <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Sei offline\",\"sdB7+6\":\"Puoi creare un codice promo che ha come target questo prodotto nella\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Non puoi cambiare il tipo di prodotto poiché ci sono partecipanti associati a questo prodotto.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Non puoi registrare partecipanti con ordini non pagati. Questa impostazione può essere modificata nelle impostazioni dell'evento.\",\"c9Evkd\":\"Non puoi eliminare l'ultima categoria.\",\"6uwAvx\":\"Non puoi eliminare questo livello di prezzo perché ci sono già prodotti venduti per questo livello. Puoi invece nasconderlo.\",\"tFbRKJ\":\"Non puoi modificare il ruolo o lo stato del proprietario dell'account.\",\"fHfiEo\":\"Non puoi rimborsare un ordine creato manualmente.\",\"hK9c7R\":\"Hai creato una domanda nascosta ma hai disabilitato l'opzione per mostrare le domande nascoste. È stata abilitata.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Hai accesso a più account. Scegli uno per continuare.\",\"Z6q0Vl\":\"Hai già accettato questo invito. Accedi per continuare.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Non hai domande per i partecipanti.\",\"CoZHDB\":\"Non hai domande per gli ordini.\",\"15qAvl\":\"Non hai modifiche di email in sospeso.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Hai esaurito il tempo per completare il tuo ordine.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Non hai ancora inviato messaggi. Puoi inviare messaggi a tutti i partecipanti o a specifici possessori di prodotti.\",\"R6i9o9\":\"Devi riconoscere che questa email non è promozionale\",\"3ZI8IL\":\"Devi accettare i termini e le condizioni\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Devi creare un biglietto prima di poter aggiungere manualmente un partecipante.\",\"jE4Z8R\":\"Devi avere almeno un livello di prezzo\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Dovrai contrassegnare un ordine come pagato manualmente. Questo può essere fatto nella pagina di gestione dell'ordine.\",\"L/+xOk\":\"Avrai bisogno di un biglietto prima di poter creare una lista di check-in.\",\"Djl45M\":\"Avrai bisogno di un prodotto prima di poter creare un'assegnazione di capacità.\",\"y3qNri\":\"Avrai bisogno di almeno un prodotto per iniziare. Gratuito, a pagamento o lascia che l'utente decida quanto pagare.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Il nome del tuo account è utilizzato nelle pagine degli eventi e nelle email.\",\"veessc\":\"I tuoi partecipanti appariranno qui una volta che si saranno registrati per il tuo evento. Puoi anche aggiungere manualmente i partecipanti.\",\"Eh5Wrd\":\"Il tuo fantastico sito web 🎉\",\"lkMK2r\":\"I tuoi Dettagli\",\"3ENYTQ\":[\"La tua richiesta di cambio email a <0>\",[\"0\"],\" è in attesa. Controlla la tua email per confermare\"],\"yZfBoy\":\"Il tuo messaggio è stato inviato\",\"KSQ8An\":\"Il tuo Ordine\",\"Jwiilf\":\"Il tuo ordine è stato annullato\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"I tuoi ordini appariranno qui una volta che inizieranno ad arrivare.\",\"9TO8nT\":\"La tua password\",\"P8hBau\":\"Il tuo pagamento è in elaborazione.\",\"UdY1lL\":\"Il tuo pagamento non è andato a buon fine, riprova.\",\"fzuM26\":\"Il tuo pagamento non è andato a buon fine. Riprova.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Il tuo rimborso è in elaborazione.\",\"IFHV2p\":\"Il tuo biglietto per\",\"x1PPdr\":\"CAP / Codice Postale\",\"BM/KQm\":\"CAP o Codice Postale\",\"+LtVBt\":\"CAP o Codice Postale\",\"25QDJ1\":\"- Clicca per pubblicare\",\"WOyJmc\":\"- Clicca per annullare la pubblicazione\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" ha già effettuato il check-in\"],\"S4PqS9\":[[\"0\"],\" Webhook Attivi\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organizzatori\"],\"/HkCs4\":[[\"0\"],\" biglietti\"],\"OJnhhX\":[[\"eventCount\"],\" eventi\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Le liste di check-in ti aiutano a gestire l'ingresso all'evento per giorno, area o tipo di biglietto. Puoi collegare i biglietti a liste specifiche come zone VIP o pass del Giorno 1 e condividere un link di check-in sicuro con il personale. Non è richiesto alcun account. Il check-in funziona su dispositivi mobili, desktop o tablet, utilizzando la fotocamera del dispositivo o uno scanner USB HID. \",\"ZnVt5v\":\"<0>I webhook notificano istantaneamente i servizi esterni quando si verificano eventi, come l'aggiunta di un nuovo partecipante al tuo CRM o alla mailing list al momento della registrazione, garantendo un'automazione senza interruzioni.<1>Utilizza servizi di terze parti come <2>Zapier, <3>IFTTT o <4>Make per creare flussi di lavoro personalizzati e automatizzare le attività.\",\"fAv9QG\":\"🎟️ Aggiungi biglietti\",\"M2DyLc\":\"1 Webhook Attivo\",\"yTsaLw\":\"1 biglietto\",\"HR/cvw\":\"Via Esempio 123\",\"kMU5aM\":\"Un avviso di annullamento è stato inviato a\",\"V53XzQ\":\"Un nuovo codice di verifica è stato inviato alla tua email\",\"/z/bH1\":\"Una breve descrizione del tuo organizzatore che sarà visibile agli utenti.\",\"aS0jtz\":\"Abbandonato\",\"uyJsf6\":\"Informazioni\",\"WTk/ke\":\"Informazioni su Stripe Connect\",\"1uJlG9\":\"Colore di Accento\",\"VTfZPy\":\"Accesso Negato\",\"iN5Cz3\":\"Account già connesso!\",\"bPwFdf\":\"Account\",\"nMtNd+\":\"Azione richiesta: Riconnetti il tuo account Stripe\",\"a5KFZU\":\"Aggiungi i dettagli dell'evento e gestisci le impostazioni dell'evento.\",\"Fb+SDI\":\"Aggiungi altri biglietti\",\"6PNlRV\":\"Aggiungi questo evento al tuo calendario\",\"BGD9Yt\":\"Aggiungi biglietti\",\"QN2F+7\":\"Aggiungi Webhook\",\"NsWqSP\":\"Aggiungi i tuoi profili social e l'URL del sito. Verranno mostrati nella pagina pubblica dell'organizzatore.\",\"0Zypnp\":\"Dashboard Amministratore\",\"YAV57v\":\"Affiliato\",\"I+utEq\":\"Il codice affiliato non può essere modificato\",\"/jHBj5\":\"Affiliato creato con successo\",\"uCFbG2\":\"Affiliato eliminato con successo\",\"a41PKA\":\"Le vendite dell'affiliato saranno tracciate\",\"mJJh2s\":\"Le vendite dell'affiliato non saranno tracciate. Questo disattiverà l'affiliato.\",\"jabmnm\":\"Affiliato aggiornato con successo\",\"CPXP5Z\":\"Affiliati\",\"9Wh+ug\":\"Affiliati esportati\",\"3cqmut\":\"Gli affiliati ti aiutano a tracciare le vendite generate da partner e influencer. Crea codici affiliato e condividili per monitorare le prestazioni.\",\"7rLTkE\":\"Tutti gli eventi archiviati\",\"gKq1fa\":\"Tutti i partecipanti\",\"pMLul+\":\"Tutte le valute\",\"qlaZuT\":\"Tutto fatto! Ora stai usando il nostro sistema di pagamento aggiornato.\",\"ZS/D7f\":\"Tutti gli eventi terminati\",\"dr7CWq\":\"Tutti gli eventi in arrivo\",\"QUg5y1\":\"Ci siamo quasi! Termina di connettere il tuo account Stripe per iniziare ad accettare pagamenti.\",\"c4uJfc\":\"Quasi fatto! Stiamo solo aspettando che il tuo pagamento venga elaborato. Dovrebbe richiedere solo pochi secondi.\",\"/H326L\":\"Già rimborsato\",\"RtxQTF\":\"Cancella anche questo ordine\",\"jkNgQR\":\"Rimborsa anche questo ordine\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"Un'email da associare a questo affiliato. L'affiliato non sarà notificato.\",\"vRznIT\":\"Si è verificato un errore durante il controllo dello stato di esportazione.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Risposta aggiornata con successo.\",\"LchiNd\":\"Sei sicuro di voler eliminare questo affiliato? Questa azione non può essere annullata.\",\"JmVITJ\":\"Sei sicuro di voler eliminare questo modello? Questa azione non può essere annullata e le email torneranno al modello predefinito.\",\"aLS+A6\":\"Sei sicuro di voler eliminare questo modello? Questa azione non può essere annullata e le email torneranno al modello dell'organizzatore o predefinito.\",\"5H3Z78\":\"Sei sicuro di voler eliminare questo webhook?\",\"147G4h\":\"Sei sicuro di voler uscire?\",\"VDWChT\":\"Sei sicuro di voler rendere questo organizzatore una bozza? La pagina dell'organizzatore sarà invisibile al pubblico.\",\"pWtQJM\":\"Sei sicuro di voler rendere pubblico questo organizzatore? La pagina dell'organizzatore sarà visibile al pubblico.\",\"WFHOlF\":\"Sei sicuro di voler pubblicare questo evento? Una volta pubblicato, sarà visibile al pubblico.\",\"4TNVdy\":\"Sei sicuro di voler pubblicare questo profilo organizzatore? Una volta pubblicato, sarà visibile al pubblico.\",\"ExDt3P\":\"Sei sicuro di voler annullare la pubblicazione di questo evento? Non sarà più visibile al pubblico.\",\"5Qmxo/\":\"Sei sicuro di voler annullare la pubblicazione di questo profilo organizzatore? Non sarà più visibile al pubblico.\",\"+QARA4\":\"Arte\",\"F2rX0R\":\"Deve essere selezionato almeno un tipo di evento\",\"6PecK3\":\"Presenze e tassi di check-in per tutti gli eventi\",\"AJ4rvK\":\"Partecipante Cancellato\",\"qvylEK\":\"Partecipante Creato\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Email Partecipante\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Gestione Partecipanti\",\"av+gjP\":\"Nome Partecipante\",\"cosfD8\":\"Stato del Partecipante\",\"D2qlBU\":\"Partecipante Aggiornato\",\"x8Vnvf\":\"Il biglietto del partecipante non è incluso in questa lista\",\"k3Tngl\":\"Partecipanti Esportati\",\"5UbY+B\":\"Partecipanti con un biglietto specifico\",\"4HVzhV\":\"Partecipanti:\",\"VPoeAx\":\"Gestione automatizzata degli ingressi con liste di check-in multiple e convalida in tempo reale\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Disponibile per rimborso\",\"NB5+UG\":\"Token Disponibili\",\"EmYMHc\":\"In attesa di pagamento offline\",\"kNmmvE\":\"Awesome Events S.r.l.\",\"kYqM1A\":\"Torna all'evento\",\"td/bh+\":\"Torna ai Report\",\"jIPNJG\":\"Informazioni di base\",\"iMdwTb\":\"Prima che il tuo evento possa andare online, ci sono alcune cose da fare. Completa tutti i passaggi qui sotto per iniziare.\",\"UabgBd\":\"Il corpo è obbligatorio\",\"9N+p+g\":\"Business\",\"bv6RXK\":\"Etichetta Pulsante\",\"ChDLlO\":\"Testo del pulsante\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Pulsante di Invito all'Azione\",\"PUpvQe\":\"Scanner fotocamera\",\"H4nE+E\":\"Cancella tutti i prodotti e rilasciali nel pool disponibile\",\"tOXAdc\":\"La cancellazione cancellerà tutti i partecipanti associati a questo ordine e rilascerà i biglietti nel pool disponibile.\",\"IrUqjC\":\"Impossibile effettuare il check-in (Annullato)\",\"VsM1HH\":\"Assegnazioni di capacità\",\"K7tIrx\":\"Categoria\",\"2tbLdK\":\"Beneficenza\",\"v4fiSg\":\"Controlla la tua email\",\"51AsAN\":\"Controlla la tua casella di posta! Se ci sono biglietti associati a questa email, riceverai un link per visualizzarli.\",\"udRwQs\":\"Registrazione Creata\",\"F4SRy3\":\"Registrazione Eliminata\",\"9gPPUY\":\"Lista di Check-In Creata!\",\"f2vU9t\":\"Liste di Check-in\",\"tMNBEF\":\"Le liste di check-in ti permettono di controllare l'ingresso per giorni, aree o tipi di biglietto. Puoi condividere un link sicuro con lo staff — nessun account richiesto.\",\"SHJwyq\":\"Tasso di check-in\",\"qCqdg6\":\"Stato del Check-In\",\"cKj6OE\":\"Riepilogo Check-in\",\"7B5M35\":\"Check-In\",\"DM4gBB\":\"Cinese (Tradizionale)\",\"pkk46Q\":\"Scegli un organizzatore\",\"Crr3pG\":\"Scegli calendario\",\"CySr+W\":\"Clicca per visualizzare le note\",\"RG3szS\":\"chiudi\",\"RWw9Lg\":\"Chiudi la finestra\",\"XwdMMg\":\"Il codice può contenere solo lettere, numeri, trattini e trattini bassi\",\"+yMJb7\":\"Il codice è obbligatorio\",\"m9SD3V\":\"Il codice deve contenere almeno 3 caratteri\",\"V1krgP\":\"Il codice non deve superare i 20 caratteri\",\"psqIm5\":\"Collabora con il tuo team per creare eventi straordinari insieme.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Commedia\",\"7D9MJz\":\"Completa Configurazione Stripe\",\"OqEV/G\":\"Completa la configurazione qui sotto per continuare\",\"nqx+6h\":\"Completa questi passaggi per iniziare a vendere biglietti per il tuo evento.\",\"5YrKW7\":\"Completa il pagamento per assicurarti i biglietti.\",\"ih35UP\":\"Centro congressi\",\"NGXKG/\":\"Conferma indirizzo email\",\"Auz0Mz\":\"Conferma la tua email per accedere a tutte le funzionalità.\",\"7+grte\":\"Email di conferma inviata! Controlla la tua casella di posta.\",\"n/7+7Q\":\"Conferma inviata a\",\"o5A0Go\":\"Congratulazioni per aver creato un evento!\",\"WNnP3w\":\"Connetti e aggiorna\",\"Xe2tSS\":\"Documentazione di Connessione\",\"1Xxb9f\":\"Connetti elaborazione pagamenti\",\"LmvZ+E\":\"Connetti Stripe per abilitare la messaggistica\",\"EWnXR+\":\"Connetti a Stripe\",\"MOUF31\":\"Connetti con CRM e automatizza le attività utilizzando webhook e integrazioni\",\"VioGG1\":\"Collega il tuo account Stripe per accettare pagamenti per biglietti e prodotti.\",\"4qmnU8\":\"Connetti il tuo account Stripe per accettare pagamenti.\",\"E1eze1\":\"Connetti il tuo account Stripe per iniziare ad accettare pagamenti per i tuoi eventi.\",\"ulV1ju\":\"Connetti il tuo account Stripe per iniziare ad accettare pagamenti.\",\"/3017M\":\"Connesso a Stripe\",\"jfC/xh\":\"Contatto\",\"LOFgda\":[\"Contatta \",[\"0\"]],\"41BQ3k\":\"Email di contatto\",\"KcXRN+\":\"Email di contatto per supporto\",\"m8WD6t\":\"Continua configurazione\",\"0GwUT4\":\"Procedi al pagamento\",\"sBV87H\":\"Continua alla creazione dell'evento\",\"nKtyYu\":\"Continua al passo successivo\",\"F3/nus\":\"Continua al pagamento\",\"1JnTgU\":\"Copiato da sopra\",\"FxVG/l\":\"Copiato negli appunti\",\"PiH3UR\":\"Copiato!\",\"uUPbPg\":\"Copia link affiliato\",\"iVm46+\":\"Copia codice\",\"+2ZJ7N\":\"Copia dettagli al primo partecipante\",\"ZN1WLO\":\"Copia Email\",\"tUGbi8\":\"Copia i miei dati a:\",\"y22tv0\":\"Copia questo link per condividerlo ovunque\",\"/4gGIX\":\"Copia negli appunti\",\"P0rbCt\":\"Immagine di Copertina\",\"60u+dQ\":\"L'immagine di copertina sarà visualizzata in cima alla pagina dell'evento\",\"2NLjA6\":\"L'immagine di copertina sarà visualizzata in cima alla pagina dell'organizzatore\",\"zg4oSu\":[\"Crea Modello \",[\"0\"]],\"xfKgwv\":\"Crea affiliato\",\"dyrgS4\":\"Crea e personalizza la tua pagina evento istantaneamente\",\"BTne9e\":\"Crea modelli di email personalizzati per questo evento che sostituiscono le impostazioni predefinite dell'organizzatore\",\"YIDzi/\":\"Crea Modello Personalizzato\",\"8AiKIu\":\"Crea biglietto o prodotto\",\"agZ87r\":\"Crea biglietti per il tuo evento, imposta i prezzi e gestisci la quantità disponibile.\",\"dkAPxi\":\"Crea Webhook\",\"5slqwZ\":\"Crea il tuo evento\",\"JQNMrj\":\"Crea il tuo primo evento\",\"CCjxOC\":\"Crea il tuo primo evento per iniziare a vendere biglietti e gestire i partecipanti.\",\"ZCSSd+\":\"Crea il tuo evento\",\"67NsZP\":\"Creazione evento...\",\"H34qcM\":\"Creazione organizzatore...\",\"1YMS+X\":\"Creazione del tuo evento in corso, attendere prego\",\"yiy8Jt\":\"Creazione del tuo profilo organizzatore in corso, attendere prego\",\"lfLHNz\":\"L'etichetta CTA è obbligatoria\",\"BMtue0\":\"Processore di pagamenti attuale\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Messaggio personalizzato dopo il checkout\",\"axv/Mi\":\"Modello personalizzato\",\"QMHSMS\":\"Il cliente riceverà un'email di conferma del rimborso\",\"L/Qc+w\":\"Indirizzo email del cliente\",\"wpfWhJ\":\"Nome del cliente\",\"GIoqtA\":\"Cognome del cliente\",\"NihQNk\":\"Clienti\",\"7gsjkI\":\"Personalizza le email inviate ai tuoi clienti utilizzando i modelli Liquid. Questi modelli verranno utilizzati come predefiniti per tutti gli eventi nella tua organizzazione.\",\"iX6SLo\":\"Personalizza il testo visualizzato sul pulsante continua\",\"pxNIxa\":\"Personalizza il tuo modello di email utilizzando i modelli Liquid\",\"q9Jg0H\":\"Personalizza la pagina del tuo evento e il design del widget per adattarli perfettamente al tuo brand\",\"mkLlne\":\"Personalizza l'aspetto della pagina del tuo evento\",\"3trPKm\":\"Personalizza l'aspetto della pagina del tuo organizzatore\",\"4df0iX\":\"Personalizza l'aspetto del tuo biglietto\",\"/gWrVZ\":\"Ricavi giornalieri, tasse, commissioni e rimborsi per tutti gli eventi\",\"zgCHnE\":\"Report Vendite Giornaliere\",\"nHm0AI\":\"Ripartizione giornaliera di vendite, tasse e commissioni\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Data dell'evento\",\"gnBreG\":\"Data in cui è stato effettuato l'ordine\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Verrà utilizzato il modello predefinito\",\"vu7gDm\":\"Elimina affiliato\",\"+jw/c1\":\"Elimina immagine\",\"dPyJ15\":\"Elimina Modello\",\"snMaH4\":\"Elimina webhook\",\"vYgeDk\":\"Deseleziona tutto\",\"NvuEhl\":\"Elementi di Design\",\"H8kMHT\":\"Non hai ricevuto il codice?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Ignora questo messaggio\",\"BREO0S\":\"Visualizza una casella che consente ai clienti di aderire alle comunicazioni di marketing da questo organizzatore di eventi.\",\"TvY/XA\":\"Documentazione\",\"Kdpf90\":\"Non dimenticare!\",\"V6Jjbr\":\"Non hai un account? <0>Registrati\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Fatto\",\"eneWvv\":\"Bozza\",\"TnzbL+\":\"A causa dell'alto rischio di spam, è necessario collegare un account Stripe prima di poter inviare messaggi ai partecipanti.\\nQuesto è per garantire che tutti gli organizzatori di eventi siano verificati e responsabili.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplica Prodotto\",\"KIjvtr\":\"Olandese\",\"SPKbfM\":\"es., Acquista biglietti, Registrati ora\",\"LTzmgK\":[\"Modifica Modello \",[\"0\"]],\"v4+lcZ\":\"Modifica affiliato\",\"2iZEz7\":\"Modifica Risposta\",\"fW5sSv\":\"Modifica webhook\",\"nP7CdQ\":\"Modifica Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Istruzione\",\"zPiC+q\":\"Liste Check-In Idonee\",\"V2sk3H\":\"Email e Modelli\",\"hbwCKE\":\"Indirizzo email copiato negli appunti\",\"dSyJj6\":\"Gli indirizzi email non corrispondono\",\"elW7Tn\":\"Corpo Email\",\"ZsZeV2\":\"L'email è obbligatoria\",\"Be4gD+\":\"Anteprima Email\",\"6IwNUc\":\"Modelli Email\",\"H/UMUG\":\"Verifica email richiesta\",\"L86zy2\":\"Email verificata con successo!\",\"Upeg/u\":\"Abilita questo modello per l'invio di email\",\"RxzN1M\":\"Abilitato\",\"sGjBEq\":\"Data e ora di fine (opzionale)\",\"PKXt9R\":\"La data di fine deve essere successiva alla data di inizio\",\"48Y16Q\":\"Ora di fine (facoltativo)\",\"7YZofi\":\"Inserisci un oggetto e un corpo per vedere l'anteprima\",\"3bR1r4\":\"Inserisci email affiliato (facoltativo)\",\"ARkzso\":\"Inserisci nome affiliato\",\"INDKM9\":\"Inserisci l'oggetto dell'email...\",\"kWg31j\":\"Inserisci codice affiliato univoco\",\"C3nD/1\":\"Inserisci la tua email\",\"n9V+ps\":\"Inserisci il tuo nome\",\"LslKhj\":\"Errore durante il caricamento dei log\",\"WgD6rb\":\"Categoria evento\",\"b46pt5\":\"Immagine di copertina evento\",\"1Hzev4\":\"Modello personalizzato evento\",\"imgKgl\":\"Descrizione dell'evento\",\"kJDmsI\":\"Dettagli evento\",\"m/N7Zq\":\"Indirizzo Completo dell'Evento\",\"Nl1ZtM\":\"Luogo Evento\",\"PYs3rP\":\"Nome evento\",\"HhwcTQ\":\"Nome dell'evento\",\"WZZzB6\":\"Il nome dell'evento è obbligatorio\",\"Wd5CDM\":\"Il nome dell'evento deve contenere meno di 150 caratteri\",\"4JzCvP\":\"Evento Non Disponibile\",\"Gh9Oqb\":\"Nome organizzatore evento\",\"mImacG\":\"Pagina dell'evento\",\"cOePZk\":\"Orario Evento\",\"e8WNln\":\"Fuso orario dell'evento\",\"GeqWgj\":\"Fuso Orario dell'Evento\",\"XVLu2v\":\"Titolo dell'evento\",\"YDVUVl\":\"Tipi di Evento\",\"4K2OjV\":\"Sede dell'Evento\",\"19j6uh\":\"Performance Eventi\",\"PC3/fk\":\"Eventi che iniziano nelle prossime 24 ore\",\"fTFfOK\":\"Ogni modello di email deve includere un pulsante di invito all'azione che collega alla pagina appropriata\",\"VlvpJ0\":\"Esporta risposte\",\"JKfSAv\":\"Esportazione fallita. Riprova.\",\"SVOEsu\":\"Esportazione avviata. Preparazione file...\",\"9bpUSo\":\"Esportazione affiliati\",\"jtrqH9\":\"Esportazione Partecipanti\",\"R4Oqr8\":\"Esportazione completata. Download file in corso...\",\"UlAK8E\":\"Esportazione Ordini\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Impossibile abbandonare l'ordine. Riprova.\",\"cEFg3R\":\"Creazione affiliato non riuscita\",\"U66oUa\":\"Impossibile creare il modello\",\"xFj7Yj\":\"Impossibile eliminare il modello\",\"jo3Gm6\":\"Esportazione affiliati non riuscita\",\"Jjw03p\":\"Impossibile esportare i partecipanti\",\"ZPwFnN\":\"Impossibile esportare gli ordini\",\"X4o0MX\":\"Impossibile caricare il Webhook\",\"YQ3QSS\":\"Reinvio codice di verifica non riuscito\",\"zTkTF3\":\"Impossibile salvare il modello\",\"T6B2gk\":\"Invio messaggio non riuscito. Riprova.\",\"lKh069\":\"Impossibile avviare il processo di esportazione\",\"t/KVOk\":\"Impossibile avviare l'impersonificazione. Riprova.\",\"QXgjH0\":\"Impossibile interrompere l'impersonificazione. Riprova.\",\"i0QKrm\":\"Aggiornamento affiliato non riuscito\",\"NNc33d\":\"Impossibile aggiornare la risposta.\",\"7/9RFs\":\"Caricamento immagine non riuscito.\",\"nkNfWu\":\"Caricamento dell'immagine non riuscito. Riprova.\",\"rxy0tG\":\"Verifica email non riuscita\",\"T4BMxU\":\"Le commissioni sono soggette a modifiche. Sarai informato di qualsiasi modifica alla struttura delle tue commissioni.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Compila prima i tuoi dati sopra\",\"8OvVZZ\":\"Filtra Partecipanti\",\"8BwQeU\":\"Completa configurazione\",\"hg80P7\":\"Completa configurazione Stripe\",\"1vBhpG\":\"Primo partecipante\",\"YXhom6\":\"Commissione Fissa:\",\"KgxI80\":\"Biglietteria Flessibile\",\"lWxAUo\":\"Cibo e bevande\",\"nFm+5u\":\"Testo del Piè di Pagina\",\"MY2SVM\":\"Rimborso completo\",\"vAVBBv\":\"Completamente integrato\",\"T02gNN\":\"Ingresso Generale\",\"3ep0Gx\":\"Informazioni generali sul tuo organizzatore\",\"ziAjHi\":\"Genera\",\"exy8uo\":\"Genera codice\",\"4CETZY\":\"Indicazioni stradali\",\"kfVY6V\":\"Inizia gratuitamente, nessun costo di abbonamento\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Prepara il tuo evento\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Vai alla pagina dell'evento\",\"gHSuV/\":\"Vai alla pagina iniziale\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Ricavi Lordi\",\"kTSQej\":[\"Ciao \",[\"0\"],\", gestisci la tua piattaforma da qui.\"],\"dORAcs\":\"Ecco tutti i biglietti associati al tuo indirizzo email.\",\"g+2103\":\"Ecco il tuo link affiliato\",\"QlwJ9d\":\"Ecco cosa aspettarsi:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Nascondi Risposte\",\"gtEbeW\":\"Evidenzia\",\"NF8sdv\":\"Messaggio evidenziato\",\"MXSqmS\":\"Evidenzia questo prodotto\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"I prodotti evidenziati avranno un colore di sfondo diverso per farli risaltare nella pagina dell'evento.\",\"i0qMbr\":\"Home\",\"AVpmAa\":\"Come pagare offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Ungherese\",\"4/kP5a\":\"Se una nuova scheda non si è aperta automaticamente, clicca sul pulsante qui sotto per procedere al pagamento.\",\"wOU3Tr\":\"Se hai un account con noi, riceverai un'email con le istruzioni per reimpostare la password.\",\"an5hVd\":\"Immagini\",\"tSVr6t\":\"Impersonifica\",\"TWXU0c\":\"Impersona utente\",\"5LAZwq\":\"Impersonificazione avviata\",\"IMwcdR\":\"Impersonificazione interrotta\",\"M8M6fs\":\"Importante: Riconnessione Stripe richiesta\",\"jT142F\":[\"Tra \",[\"diffHours\"],\" ore\"],\"OoSyqO\":[\"Tra \",[\"diffMinutes\"],\" minuti\"],\"UJLg8x\":\"Analisi approfondite\",\"F1Xp97\":\"Partecipanti individuali\",\"85e6zs\":\"Inserisci Token Liquid\",\"38KFY0\":\"Inserisci Variabile\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Email non valida\",\"5tT0+u\":\"Formato email non valido\",\"tnL+GP\":\"Sintassi Liquid non valida. Correggila e riprova.\",\"g+lLS9\":\"Invita un membro del team\",\"1z26sk\":\"Invita membro del team\",\"KR0679\":\"Invita membri del team\",\"aH6ZIb\":\"Invita il tuo team\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italiano\",\"F5/CBH\":\"articolo(i)\",\"BzfzPK\":\"Articoli\",\"nCywLA\":\"Partecipa da ovunque\",\"hTJ4fB\":\"Basta cliccare il pulsante qui sotto per riconnettere il tuo account Stripe.\",\"MxjCqk\":\"Stai solo cercando i tuoi biglietti?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Ultima Risposta\",\"gw3Ur5\":\"Ultimo Attivato\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link scaduto o non valido\",\"psosdY\":\"Link ai dettagli dell'ordine\",\"6JzK4N\":\"Link al biglietto\",\"shkJ3U\":\"Collega il tuo account Stripe per ricevere fondi dalle vendite dei biglietti.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Online\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Eventi in Diretta\",\"WdmJIX\":\"Caricamento anteprima...\",\"IoDI2o\":\"Caricamento token...\",\"NFxlHW\":\"Caricamento Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo e Copertina\",\"gddQe0\":\"Logo e immagine di copertina per il tuo organizzatore\",\"TBEnp1\":\"Il logo verrà visualizzato nell'intestazione\",\"Jzu30R\":\"Il logo sarà visualizzato sul biglietto\",\"4wUIjX\":\"Rendi attivo il tuo evento\",\"0A7TvI\":\"Gestisci evento\",\"2FzaR1\":\"Gestisci l'elaborazione dei pagamenti e visualizza le commissioni della piattaforma\",\"/x0FyM\":\"Adatta al tuo brand\",\"xDAtGP\":\"Messaggio\",\"1jRD0v\":\"Invia messaggio ai partecipanti con biglietti specifici\",\"97QrnA\":\"Invia messaggi ai partecipanti, gestisci ordini e gestisci rimborsi, tutto in un unico posto\",\"48rf3i\":\"Il messaggio non può superare 5000 caratteri\",\"Vjat/X\":\"Il messaggio è obbligatorio\",\"0/yJtP\":\"Invia messaggio ai proprietari degli ordini con prodotti specifici\",\"tccUcA\":\"Check-in Mobile\",\"GfaxEk\":\"Musica\",\"oVGCGh\":\"I Miei Biglietti\",\"8/brI5\":\"Il nome è obbligatorio\",\"sCV5Yc\":\"Nome dell'evento\",\"xxU3NX\":\"Ricavi Netti\",\"eWRECP\":\"Vita notturna\",\"VHfLAW\":\"Nessun account\",\"+jIeoh\":\"Nessun account trovato\",\"074+X8\":\"Nessun Webhook Attivo\",\"zxnup4\":\"Nessun affiliato da mostrare\",\"99ntUF\":\"Nessuna lista di check-in disponibile per questo evento.\",\"6r9SGl\":\"Nessuna Carta di Credito Richiesta\",\"eb47T5\":\"Nessun dato trovato per i filtri selezionati. Prova a modificare l'intervallo di date o la valuta.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"Nessun evento trovato\",\"8pQ3NJ\":\"Nessun evento in programma nelle prossime 24 ore\",\"8zCZQf\":\"Nessun evento disponibile\",\"54GxeB\":\"Nessun impatto sulle tue transazioni attuali o passate\",\"EpvBAp\":\"Nessuna fattura\",\"XZkeaI\":\"Nessun log trovato\",\"NEmyqy\":\"Nessun ordine disponibile\",\"B7w4KY\":\"Nessun altro organizzatore disponibile\",\"6jYQGG\":\"Nessun evento passato\",\"zK/+ef\":\"Nessun prodotto disponibile per la selezione\",\"QoAi8D\":\"Nessuna risposta\",\"EK/G11\":\"Ancora nessuna risposta\",\"3sRuiW\":\"Nessun biglietto trovato\",\"yM5c0q\":\"Nessun evento in arrivo\",\"qpC74J\":\"Nessun utente trovato\",\"n5vdm2\":\"Nessun evento webhook è stato registrato per questo endpoint. Gli eventi appariranno qui una volta attivati.\",\"4GhX3c\":\"Nessun Webhook\",\"4+am6b\":\"No, rimani qui\",\"x5+Lcz\":\"Non Registrato\",\"8n10sz\":\"Non Idoneo\",\"lQgMLn\":\"Nome dell'ufficio o della sede\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Pagamento Offline\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Una volta completato l'aggiornamento, il tuo vecchio account sarà usato solo per i rimborsi.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Evento online\",\"bU7oUm\":\"Invia solo agli ordini con questi stati\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Apri dashboard Stripe\",\"HXMJxH\":\"Testo opzionale per disclaimer, informazioni di contatto o note di ringraziamento (solo una riga)\",\"c/TIyD\":\"Ordine & biglietto\",\"H5qWhm\":\"Ordine annullato\",\"b6+Y+n\":\"Ordine completato\",\"x4MLWE\":\"Conferma Ordine\",\"ppuQR4\":\"Ordine Creato\",\"0UZTSq\":\"Valuta dell'Ordine\",\"HdmwrI\":\"Email Ordine\",\"bwBlJv\":\"Nome Ordine\",\"vrSW9M\":\"L'ordine è stato cancellato e rimborsato. Il proprietario dell'ordine è stato notificato.\",\"+spgqH\":[\"ID ordine: \",[\"0\"]],\"Pc729f\":\"Ordine in Attesa di Pagamento Offline\",\"F4NXOl\":\"Cognome Ordine\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Lingua dell'Ordine\",\"vu6Arl\":\"Ordine Contrassegnato come Pagato\",\"sLbJQz\":\"Ordine non trovato\",\"i8VBuv\":\"Numero Ordine\",\"FaPYw+\":\"Proprietario ordine\",\"eB5vce\":\"Proprietari di ordini con un prodotto specifico\",\"CxLoxM\":\"Proprietari di ordini con prodotti\",\"DoH3fD\":\"Pagamento dell'Ordine in Sospeso\",\"EZy55F\":\"Ordine Rimborsato\",\"6eSHqs\":\"Stati ordine\",\"oW5877\":\"Totale Ordine\",\"e7eZuA\":\"Ordine Aggiornato\",\"KndP6g\":\"URL Ordine\",\"3NT0Ck\":\"L'ordine è stato annullato\",\"5It1cQ\":\"Ordini Esportati\",\"B/EBQv\":\"Ordini:\",\"ucgZ0o\":\"Organizzazione\",\"S3CZ5M\":\"Dashboard organizzatore\",\"Uu0hZq\":\"Email organizzatore\",\"Gy7BA3\":\"Indirizzo email dell'organizzatore\",\"SQqJd8\":\"Organizzatore non trovato\",\"wpj63n\":\"Impostazioni organizzatore\",\"coIKFu\":\"Le statistiche dell'organizzatore non sono disponibili per la valuta selezionata o si è verificato un errore.\",\"o1my93\":\"Aggiornamento dello stato dell'organizzatore non riuscito. Riprova più tardi\",\"rLHma1\":\"Stato dell'organizzatore aggiornato\",\"LqBITi\":\"Verrà utilizzato il modello dell'organizzatore/predefinito\",\"/IX/7x\":\"Altro\",\"RsiDDQ\":\"Altre Liste (Biglietto Non Incluso)\",\"6/dCYd\":\"Panoramica\",\"8uqsE5\":\"Pagina non più disponibile\",\"QkLf4H\":\"URL della pagina\",\"sF+Xp9\":\"Visualizzazioni pagina\",\"5F7SYw\":\"Rimborso parziale\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Passato\",\"xTPjSy\":\"Eventi passati\",\"/l/ckQ\":\"Incolla URL\",\"URAE3q\":\"In pausa\",\"4fL/V7\":\"Paga\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Pagamento e Piano\",\"ENEPLY\":\"Metodo di pagamento\",\"EyE8E6\":\"Elaborazione Pagamenti\",\"8Lx2X7\":\"Pagamento ricevuto\",\"vcyz2L\":\"Impostazioni Pagamento\",\"fx8BTd\":\"Pagamenti non disponibili\",\"51U9mG\":\"I pagamenti continueranno a fluire senza interruzioni\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Prestazione\",\"zmwvG2\":\"Telefono\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Stai pianificando un evento?\",\"br3Y/y\":\"Commissioni Piattaforma\",\"jEw0Mr\":\"Inserisci un URL valido\",\"n8+Ng/\":\"Inserisci il codice a 5 cifre\",\"Dvq0wf\":\"Per favore, fornisci un'immagine.\",\"2cUopP\":\"Riavvia il processo di acquisto.\",\"8KmsFa\":\"Seleziona un intervallo di date\",\"EFq6EG\":\"Per favore, seleziona un'immagine.\",\"fuwKpE\":\"Riprova.\",\"klWBeI\":\"Attendi prima di richiedere un altro codice\",\"hfHhaa\":\"Attendi mentre prepariamo i tuoi affiliati per l'esportazione...\",\"o+tJN/\":\"Attendi mentre prepariamo i tuoi partecipanti per l'esportazione...\",\"+5Mlle\":\"Attendi mentre prepariamo i tuoi ordini per l'esportazione...\",\"TjX7xL\":\"Messaggio Post-Checkout\",\"cs5muu\":\"Anteprima pagina evento\",\"+4yRWM\":\"Prezzo del biglietto\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Anteprima di Stampa\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Stampa in PDF\",\"LcET2C\":\"Informativa sulla privacy\",\"8z6Y5D\":\"Elabora rimborso\",\"JcejNJ\":\"Elaborazione ordine\",\"EWCLpZ\":\"Prodotto Creato\",\"XkFYVB\":\"Prodotto Eliminato\",\"YMwcbR\":\"Ripartizione vendite prodotti, ricavi e tasse\",\"ldVIlB\":\"Prodotto Aggiornato\",\"mIqT3T\":\"Prodotti, merchandising e opzioni di prezzo flessibili\",\"JoKGiJ\":\"Codice promo\",\"k3wH7i\":\"Ripartizione utilizzo codici promo e sconti\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Pubblica\",\"evDBV8\":\"Pubblica Evento\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"Scansione di codici QR con feedback istantaneo e condivisione sicura per l'accesso del personale\",\"fqDzSu\":\"Tasso\",\"spsZys\":\"Pronto per l'aggiornamento? Ci vogliono solo pochi minuti.\",\"Fi3b48\":\"Ordini recenti\",\"Edm6av\":\"Riconnetti Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Reindirizzamento a Stripe...\",\"ACKu03\":\"Aggiorna Anteprima\",\"fKn/k6\":\"Importo rimborso\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Rimborsa ordine \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Rimborsi\",\"CQeZT8\":\"Report non trovato\",\"JEPMXN\":\"Richiedi un nuovo link\",\"mdeIOH\":\"Reinvia codice\",\"bxoWpz\":\"Invia nuovamente l'email di conferma\",\"G42SNI\":\"Invia nuovamente l'email\",\"TTpXL3\":[\"Reinvia tra \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Riservato\",\"8wUjGl\":\"Riservato fino a\",\"slOprG\":\"Reimposta la tua password\",\"CbnrWb\":\"Torna all'evento\",\"Oo/PLb\":\"Riepilogo Ricavi\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Vendite\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Vendite, ordini e metriche di performance per tutti gli eventi\",\"3Q1AWe\":\"Vendite:\",\"8BRPoH\":\"Luogo di Esempio\",\"KZrfYJ\":\"Salva link social\",\"9Y3hAT\":\"Salva Modello\",\"C8ne4X\":\"Salva Design del Biglietto\",\"I+FvbD\":\"Scansiona\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Cerca affiliati...\",\"VY+Bdn\":\"Cerca per nome account o e-mail...\",\"VX+B3I\":\"Cerca per titolo evento o organizzatore...\",\"GHdjuo\":\"Cerca per nome, email o account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Seleziona una categoria\",\"BFRSTT\":\"Seleziona Account\",\"mCB6Je\":\"Seleziona tutto\",\"kYZSFD\":\"Seleziona un organizzatore per visualizzare la sua dashboard e gli eventi.\",\"tVW/yo\":\"Seleziona valuta\",\"n9ZhRa\":\"Seleziona data e ora di fine\",\"gTN6Ws\":\"Seleziona ora di fine\",\"0U6E9W\":\"Seleziona categoria evento\",\"j9cPeF\":\"Seleziona tipi di evento\",\"1nhy8G\":\"Seleziona tipo di scanner\",\"KizCK7\":\"Seleziona data e ora di inizio\",\"dJZTv2\":\"Seleziona ora di inizio\",\"aT3jZX\":\"Seleziona fuso orario\",\"Ropvj0\":\"Seleziona quali eventi attiveranno questo webhook\",\"BG3f7v\":\"Vendi qualsiasi cosa\",\"VtX8nW\":\"Vendi merchandising insieme ai biglietti con supporto integrato per tasse e codici promozionali\",\"Cye3uV\":\"Vendi Più Che Biglietti\",\"j9b/iy\":\"Si vende velocemente 🔥\",\"1lNPhX\":\"Invia email di notifica rimborso\",\"SPdzrs\":\"Inviato ai clienti quando effettuano un ordine\",\"LxSN5F\":\"Inviato a ogni partecipante con i dettagli del biglietto\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Configura la tua organizzazione\",\"HbUQWA\":\"Configurazione in Minuti\",\"GG7qDw\":\"Condividi link affiliato\",\"hL7sDJ\":\"Condividi pagina dell'organizzatore\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Mostra tutte le piattaforme (\",[\"0\"],\" con valori)\"],\"UVPI5D\":\"Mostra meno piattaforme\",\"Eu/N/d\":\"Mostra casella di opt-in marketing\",\"SXzpzO\":\"Mostra casella di opt-in marketing per impostazione predefinita\",\"b33PL9\":\"Mostra più piattaforme\",\"v6IwHE\":\"Check-in Intelligente\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Sociale\",\"d0rUsW\":\"Link social\",\"j/TOB3\":\"Link social e sito web\",\"2pxNFK\":\"venduti\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Qualcosa è andato storto, riprova o contatta l'assistenza se il problema persiste\",\"H6Gslz\":\"Scusa per l'inconveniente.\",\"7JFNej\":\"Sport\",\"JcQp9p\":\"Data e ora di inizio\",\"0m/ekX\":\"Data e ora di inizio\",\"izRfYP\":\"La data di inizio è obbligatoria\",\"2R1+Rv\":\"Ora di inizio dell'evento\",\"2NbyY/\":\"Statistiche\",\"DRykfS\":\"Ancora gestendo rimborsi per le tue transazioni precedenti.\",\"wuV0bK\":\"Interrompi Impersonificazione\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"La configurazione di Stripe è già completa.\",\"ii0qn/\":\"L'oggetto è obbligatorio\",\"M7Uapz\":\"L'oggetto apparirà qui\",\"6aXq+t\":\"Oggetto:\",\"JwTmB6\":\"Prodotto Duplicato con Successo\",\"RuaKfn\":\"Indirizzo aggiornato con successo\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Organizzatore aggiornato con successo\",\"0Dk/l8\":\"Impostazioni SEO aggiornate con successo\",\"MhOoLQ\":\"Link social aggiornati con successo\",\"kj7zYe\":\"Webhook aggiornato con successo\",\"dXoieq\":\"Riepilogo\",\"/RfJXt\":[\"Festival musicale estivo \",[\"0\"]],\"CWOPIK\":\"Festival Musicale Estivo 2025\",\"5gIl+x\":\"Supporto per vendite a livelli, basate su donazioni e di prodotti con prezzi e capacità personalizzabili\",\"JZTQI0\":\"Cambia organizzatore\",\"XX32BM\":\"Richiede solo pochi minuti\",\"yT6dQ8\":\"Tasse raccolte raggruppate per tipo di tassa ed evento\",\"Ye321X\":\"Nome Tassa\",\"WyCBRt\":\"Riepilogo Tasse\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tecnologia\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Spiega cosa aspettarsi dal tuo evento\",\"NiIUyb\":\"Parlaci del tuo evento\",\"DovcfC\":\"Parlaci della tua organizzazione. Queste informazioni saranno visualizzate sulle pagine dei tuoi eventi.\",\"7wtpH5\":\"Modello Attivo\",\"QHhZeE\":\"Modello creato con successo\",\"xrWdPR\":\"Modello eliminato con successo\",\"G04Zjt\":\"Modello salvato con successo\",\"xowcRf\":\"Termini di servizio\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Grazie per aver partecipato!\",\"lhAWqI\":\"Grazie per il tuo supporto mentre continuiamo a crescere e migliorare Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"Il codice scadrà tra 10 minuti. Controlla la cartella spam se non vedi l'email.\",\"MJm4Tq\":\"La valuta dell'ordine\",\"I/NNtI\":\"La sede dell'evento\",\"tXadb0\":\"L'evento che stai cercando non è disponibile al momento. Potrebbe essere stato rimosso, scaduto o l'URL potrebbe essere errato.\",\"EBzPwC\":\"L'indirizzo completo dell'evento\",\"sxKqBm\":\"L'importo completo dell'ordine sarà rimborsato al metodo di pagamento originale del cliente.\",\"5OmEal\":\"La lingua del cliente\",\"sYLeDq\":\"L'organizzatore che stai cercando non è stato trovato. La pagina potrebbe essere stata spostata, eliminata o l'URL potrebbe essere errato.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"Il corpo del template contiene sintassi Liquid non valida. Correggila e riprova.\",\"A4UmDy\":\"Teatro\",\"tDwYhx\":\"Tema e colori\",\"HirZe8\":\"Questi modelli verranno utilizzati come predefiniti per tutti gli eventi nella tua organizzazione. I singoli eventi possono sostituire questi modelli con le proprie versioni personalizzate.\",\"lzAaG5\":\"Questi modelli sostituiranno le impostazioni predefinite dell'organizzatore solo per questo evento. Se non è impostato alcun modello personalizzato qui, verrà utilizzato il modello dell'organizzatore.\",\"XBNC3E\":\"Questo codice sarà usato per tracciare le vendite. Sono ammessi solo lettere, numeri, trattini e trattini bassi.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Questo evento non è ancora pubblicato\",\"dFJnia\":\"Questo è il nome del tuo organizzatore che sarà visibile agli utenti.\",\"L7dIM7\":\"Questo link non è valido o è scaduto.\",\"j5FdeA\":\"Questo ordine è in fase di elaborazione.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"Questo ordine è stato annullato. Puoi iniziare un nuovo ordine in qualsiasi momento.\",\"lyD7rQ\":\"Questo profilo organizzatore non è ancora pubblicato\",\"9b5956\":\"Questa anteprima mostra come apparirà la tua email con dati di esempio. Le email effettive utilizzeranno valori reali.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Questo biglietto è stato appena scansionato. Attendi prima di scansionare di nuovo.\",\"kvpxIU\":\"Questo sarà usato per notifiche e comunicazioni con i tuoi utenti.\",\"rhsath\":\"Questo non sarà visibile ai clienti, ma ti aiuta a identificare l'affiliato.\",\"Mr5UUd\":\"Biglietto annullato\",\"0GSPnc\":\"Design del Biglietto\",\"EZC/Cu\":\"Design del biglietto salvato con successo\",\"1BPctx\":\"Biglietto per\",\"bgqf+K\":\"Email del possessore del biglietto\",\"oR7zL3\":\"Nome del possessore del biglietto\",\"HGuXjF\":\"Possessori di biglietti\",\"awHmAT\":\"ID biglietto\",\"6czJik\":\"Logo del Biglietto\",\"OkRZ4Z\":\"Nome Biglietto\",\"6tmWch\":\"Biglietto o prodotto\",\"1tfWrD\":\"Anteprima biglietto per\",\"tGCY6d\":\"Prezzo Biglietto\",\"8jLPgH\":\"Tipo di Biglietto\",\"X26cQf\":\"URL Biglietto\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Biglietti e prodotti\",\"EUnesn\":\"Biglietti disponibili\",\"AGRilS\":\"Biglietti Venduti\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Per ricevere pagamenti con carta di credito, devi collegare il tuo account Stripe. Stripe è il nostro partner per l'elaborazione dei pagamenti che garantisce transazioni sicure e pagamenti puntuali.\",\"W428WC\":\"Attiva colonne\",\"3sZ0xx\":\"Account Totali\",\"EaAPbv\":\"Importo totale pagato\",\"SMDzqJ\":\"Totale Partecipanti\",\"orBECM\":\"Totale Raccolto\",\"KSDwd5\":\"Ordini totali\",\"vb0Q0/\":\"Utenti Totali\",\"/b6Z1R\":\"Monitora ricavi, visualizzazioni di pagina e vendite con analisi dettagliate e report esportabili\",\"OpKMSn\":\"Commissione di Transazione:\",\"uKOFO5\":\"Vero se pagamento offline\",\"9GsDR2\":\"Vero se pagamento in sospeso\",\"ouM5IM\":\"Prova un'altra email\",\"3DZvE7\":\"Prova Hi.Events Gratis\",\"Kz91g/\":\"Turco\",\"GdOhw6\":\"Disattiva audio\",\"KUOhTy\":\"Attiva audio\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Tipo di biglietto\",\"IrVSu+\":\"Impossibile duplicare il prodotto. Controlla i tuoi dati\",\"Vx2J6x\":\"Impossibile recuperare il partecipante\",\"b9SN9q\":\"Riferimento ordine unico\",\"Ef7StM\":\"Sconosciuto\",\"ZBAScj\":\"Partecipante Sconosciuto\",\"ZkS2p3\":\"Annulla Pubblicazione Evento\",\"Pp1sWX\":\"Aggiorna affiliato\",\"KMMOAy\":\"Aggiornamento disponibile\",\"gJQsLv\":\"Carica un'immagine di copertina per il tuo organizzatore\",\"4kEGqW\":\"Carica un logo per il tuo organizzatore\",\"lnCMdg\":\"Carica immagine\",\"29w7p6\":\"Caricamento immagine in corso...\",\"HtrFfw\":\"URL è obbligatorio\",\"WBq1/R\":\"Scanner USB già attivo\",\"EV30TR\":\"Modalità scanner USB attivata. Inizia a scansionare i biglietti ora.\",\"fovJi3\":\"Modalità scanner USB disattivata\",\"hli+ga\":\"Scanner USB/HID\",\"OHJXlK\":\"Usa <0>i template Liquid per personalizzare le tue email\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Utilizzato per bordi, evidenziazioni e stile del codice QR\",\"AdWhjZ\":\"Codice di verifica\",\"wCKkSr\":\"Verifica email\",\"/IBv6X\":\"Verifica la tua email\",\"e/cvV1\":\"Verifica in corso...\",\"fROFIL\":\"Vietnamita\",\"+WFMis\":\"Visualizza e scarica report per tutti i tuoi eventi. Sono inclusi solo gli ordini completati.\",\"gj5YGm\":\"Visualizza e scarica i report per il tuo evento. Nota: solo gli ordini completati sono inclusi in questi report.\",\"c7VN/A\":\"Visualizza Risposte\",\"FCVmuU\":\"Visualizza evento\",\"n6EaWL\":\"Visualizza log\",\"OaKTzt\":\"Vedi mappa\",\"67OJ7t\":\"Visualizza Ordine\",\"tKKZn0\":\"Visualizza dettagli ordine\",\"9jnAcN\":\"Visualizza homepage organizzatore\",\"1J/AWD\":\"Visualizza Biglietto\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visibile solo allo staff di check-in. Aiuta a identificare questa lista durante il check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"In attesa di pagamento\",\"RRZDED\":\"Non abbiamo trovato ordini associati a questo indirizzo email.\",\"miysJh\":\"Non siamo riusciti a trovare questo ordine. Potrebbe essere stato rimosso.\",\"HJKdzP\":\"Si è verificato un problema durante il caricamento di questa pagina. Riprova.\",\"IfN2Qo\":\"Consigliamo un logo quadrato con dimensioni minime di 200x200px\",\"wJzo/w\":\"Si consigliano dimensioni di 400px per 400px e una dimensione massima del file di 5MB\",\"q1BizZ\":\"Invieremo i tuoi biglietti a questa email\",\"zCdObC\":\"Abbiamo ufficialmente trasferito la nostra sede in Irlanda 🇮🇪. Come parte di questa transizione, ora usiamo Stripe Irlanda invece di Stripe Canada. Per mantenere i tuoi pagamenti fluidi, dovrai riconnettere il tuo account Stripe.\",\"jh2orE\":\"Abbiamo trasferito la nostra sede in Irlanda. Di conseguenza, è necessario riconnettere il tuo account Stripe. Questo processo rapido richiede solo pochi minuti. Le tue vendite e i dati esistenti rimangono completamente inalterati.\",\"Fq/Nx7\":\"Abbiamo inviato un codice di verifica a 5 cifre a:\",\"GdWB+V\":\"Webhook creato con successo\",\"2X4ecw\":\"Webhook eliminato con successo\",\"CThMKa\":\"Log Webhook\",\"nuh/Wq\":\"URL Webhook\",\"8BMPMe\":\"Il webhook non invierà notifiche\",\"FSaY52\":\"Il webhook invierà notifiche\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Sito web\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bentornato 👋\",\"kSYpfa\":[\"Benvenuto su \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Benvenuto su \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Benvenuto su \",[\"0\"],\", ecco un elenco di tutti i tuoi eventi\"],\"FaSXqR\":\"Che tipo di evento?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Quando un check-in viene eliminato\",\"Gmd0hv\":\"Quando viene creato un nuovo partecipante\",\"Lc18qn\":\"Quando viene creato un nuovo ordine\",\"dfkQIO\":\"Quando viene creato un nuovo prodotto\",\"8OhzyY\":\"Quando un prodotto viene eliminato\",\"tRXdQ9\":\"Quando un prodotto viene aggiornato\",\"Q7CWxp\":\"Quando un partecipante viene annullato\",\"IuUoyV\":\"Quando un partecipante effettua il check-in\",\"nBVOd7\":\"Quando un partecipante viene aggiornato\",\"ny2r8d\":\"Quando un ordine viene annullato\",\"c9RYbv\":\"Quando un ordine viene contrassegnato come pagato\",\"ejMDw1\":\"Quando un ordine viene rimborsato\",\"fVPt0F\":\"Quando un ordine viene aggiornato\",\"bcYlvb\":\"Quando chiude il check-in\",\"XIG669\":\"Quando apre il check-in\",\"de6HLN\":\"Quando i clienti acquistano biglietti, i loro ordini appariranno qui.\",\"blXLKj\":\"Se abilitato, i nuovi eventi mostreranno una casella di opt-in marketing durante il checkout. Questo può essere sovrascritto per evento.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Scrivi qui il tuo messaggio...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Sì, annulla il mio ordine\",\"QlSZU0\":[\"Stai impersonificando <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Stai emettendo un rimborso parziale. Il cliente sarà rimborsato di \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Hai tasse e commissioni aggiunte a un Prodotto Gratuito. Vuoi rimuoverle?\",\"FVTVBy\":\"Devi verificare il tuo indirizzo email prima di poter aggiornare lo stato dell'organizzatore.\",\"FRl8Jv\":\"Devi verificare l'email del tuo account prima di poter inviare messaggi.\",\"U3wiCB\":\"Sei a posto! I tuoi pagamenti vengono elaborati senza problemi.\",\"MNFIxz\":[\"Stai per partecipare a \",[\"0\"],\"!\"],\"x/xjzn\":\"I tuoi affiliati sono stati esportati con successo.\",\"TF37u6\":\"I tuoi partecipanti sono stati esportati con successo.\",\"79lXGw\":\"La tua lista di check-in è stata creata con successo. Condividi il link sottostante con il tuo staff di check-in.\",\"BnlG9U\":\"Il tuo ordine attuale andrà perso.\",\"nBqgQb\":\"La tua Email\",\"R02pnV\":\"Il tuo evento deve essere attivo prima di poter vendere biglietti ai partecipanti.\",\"ifRqmm\":\"Il tuo messaggio è stato inviato con successo!\",\"/Rj5P4\":\"Il tuo nome\",\"naQW82\":\"Il tuo ordine è stato annullato.\",\"bhlHm/\":\"Il tuo ordine è in attesa di pagamento\",\"XeNum6\":\"I tuoi ordini sono stati esportati con successo.\",\"Xd1R1a\":\"L'indirizzo del tuo organizzatore\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Il tuo account Stripe è connesso e sta elaborando i pagamenti.\",\"vvO1I2\":\"Il tuo account Stripe è collegato e pronto per elaborare i pagamenti.\",\"CnZ3Ou\":\"I tuoi biglietti sono stati confermati.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'Non c'è ancora nulla da mostrare'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>registrato con successo\"],\"yxhYRZ\":[[\"0\"],\" <0>uscita registrata con successo\"],\"KMgp2+\":[[\"0\"],\" disponibili\"],\"Pmr5xp\":[[\"0\"],\" creato con successo\"],\"FImCSc\":[[\"0\"],\" aggiornato con successo\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrati\"],\"Vjij1k\":[[\"days\"],\" giorni, \",[\"hours\"],\" ore, \",[\"minutes\"],\" minuti e \",[\"seconds\"],\" secondi\"],\"f3RdEk\":[[\"hours\"],\" ore, \",[\"minutes\"],\" minuti e \",[\"seconds\"],\" secondi\"],\"fyE7Au\":[[\"minutes\"],\" minuti e \",[\"seconds\"],\" secondi\"],\"NlQ0cx\":[\"Primo evento di \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Le assegnazioni di capacità ti permettono di gestire la capacità tra biglietti o un intero evento. Ideale per eventi di più giorni, workshop e altro, dove il controllo delle presenze è cruciale.<1>Ad esempio, puoi associare un'assegnazione di capacità con i biglietti <2>Primo Giorno e <3>Tutti i Giorni. Una volta raggiunta la capacità, entrambi i biglietti smetteranno automaticamente di essere disponibili per la vendita.\",\"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://il-tuo-sito-web.com\",\"qnSLLW\":\"<0>Inserisci il prezzo escluse tasse e commissioni.<1>Tasse e commissioni possono essere aggiunte qui sotto.\",\"ZjMs6e\":\"<0>Il numero di prodotti disponibili per questo prodotto<1>Questo valore può essere sovrascritto se ci sono <2>Limiti di Capacità associati a questo prodotto.\",\"E15xs8\":\"⚡️ Configura il tuo evento\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Personalizza la pagina del tuo evento\",\"3VPPdS\":\"💳 Connetti con Stripe\",\"cjdktw\":\"🚀 Metti online il tuo evento\",\"rmelwV\":\"0 minuti e 0 secondi\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"Via Roma 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"00100\",\"efAM7X\":\"Un campo data. Perfetto per chiedere una data di nascita ecc.\",\"6euFZ/\":[\"Un \",[\"type\"],\" predefinito viene applicato automaticamente a tutti i nuovi prodotti. Puoi sovrascrivere questa impostazione per ogni singolo prodotto.\"],\"SMUbbQ\":\"Un menu a tendina consente una sola selezione\",\"qv4bfj\":\"Una commissione, come una commissione di prenotazione o una commissione di servizio\",\"POT0K/\":\"Un importo fisso per prodotto. Es. $0,50 per prodotto\",\"f4vJgj\":\"Un campo di testo a più righe\",\"OIPtI5\":\"Una percentuale del prezzo del prodotto. Es. 3,5% del prezzo del prodotto\",\"ZthcdI\":\"Un codice promozionale senza sconto può essere utilizzato per rivelare prodotti nascosti.\",\"AG/qmQ\":\"Un'opzione Radio ha più opzioni ma solo una può essere selezionata.\",\"h179TP\":\"Una breve descrizione dell'evento che verrà visualizzata nei risultati dei motori di ricerca e quando condiviso sui social media. Per impostazione predefinita, verrà utilizzata la descrizione dell'evento\",\"WKMnh4\":\"Un campo di testo a singola riga\",\"BHZbFy\":\"Una singola domanda per ordine. Es. Qual è il tuo indirizzo di spedizione?\",\"Fuh+dI\":\"Una singola domanda per prodotto. Es. Qual è la tua taglia di maglietta?\",\"RlJmQg\":\"Un'imposta standard, come IVA o GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accetta bonifici bancari, assegni o altri metodi di pagamento offline\",\"hrvLf4\":\"Accetta pagamenti con carta di credito tramite Stripe\",\"bfXQ+N\":\"Accetta Invito\",\"AeXO77\":\"Account\",\"lkNdiH\":\"Nome Account\",\"Puv7+X\":\"Impostazioni Account\",\"OmylXO\":\"Account aggiornato con successo\",\"7L01XJ\":\"Azioni\",\"FQBaXG\":\"Attiva\",\"5T2HxQ\":\"Data di attivazione\",\"F6pfE9\":\"Attivo\",\"/PN1DA\":\"Aggiungi una descrizione per questa lista di check-in\",\"0/vPdA\":\"Aggiungi eventuali note sul partecipante. Queste non saranno visibili al partecipante.\",\"Or1CPR\":\"Aggiungi eventuali note sul partecipante...\",\"l3sZO1\":\"Aggiungi eventuali note sull'ordine. Queste non saranno visibili al cliente.\",\"xMekgu\":\"Aggiungi eventuali note sull'ordine...\",\"PGPGsL\":\"Aggiungi descrizione\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Aggiungi istruzioni per i pagamenti offline (es. dettagli del bonifico bancario, dove inviare gli assegni, scadenze di pagamento)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Aggiungi Nuovo\",\"TZxnm8\":\"Aggiungi Opzione\",\"24l4x6\":\"Aggiungi Prodotto\",\"8q0EdE\":\"Aggiungi Prodotto alla Categoria\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Aggiungi domanda\",\"yWiPh+\":\"Aggiungi Tassa o Commissione\",\"goOKRY\":\"Aggiungi livello\",\"oZW/gT\":\"Aggiungi al Calendario\",\"pn5qSs\":\"Informazioni Aggiuntive\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Indirizzo\",\"NY/x1b\":\"Indirizzo riga 1\",\"POdIrN\":\"Indirizzo Riga 1\",\"cormHa\":\"Indirizzo riga 2\",\"gwk5gg\":\"Indirizzo Riga 2\",\"U3pytU\":\"Amministratore\",\"HLDaLi\":\"Gli amministratori hanno accesso completo agli eventi e alle impostazioni dell'account.\",\"W7AfhC\":\"Tutti i partecipanti di questo evento\",\"cde2hc\":\"Tutti i Prodotti\",\"5CQ+r0\":\"Consenti ai partecipanti associati a ordini non pagati di effettuare il check-in\",\"ipYKgM\":\"Consenti l'indicizzazione dei motori di ricerca\",\"LRbt6D\":\"Consenti ai motori di ricerca di indicizzare questo evento\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Fantastico, Evento, Parole chiave...\",\"hehnjM\":\"Importo\",\"R2O9Rg\":[\"Importo pagato (\",[\"0\"],\")\"],\"V7MwOy\":\"Si è verificato un errore durante il caricamento della pagina\",\"Q7UCEH\":\"Si è verificato un errore durante l'ordinamento delle domande. Riprova o aggiorna la pagina\",\"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\":\"Si è verificato un errore imprevisto.\",\"byKna+\":\"Si è verificato un errore imprevisto. Per favore riprova.\",\"ubdMGz\":\"Qualsiasi richiesta dai possessori di prodotti verrà inviata a questo indirizzo email. Questo sarà anche utilizzato come indirizzo \\\"rispondi a\\\" per tutte le email inviate da questo evento\",\"aAIQg2\":\"Aspetto\",\"Ym1gnK\":\"applicato\",\"sy6fss\":[\"Si applica a \",[\"0\"],\" prodotti\"],\"kadJKg\":\"Si applica a 1 prodotto\",\"DB8zMK\":\"Applica\",\"GctSSm\":\"Applica Codice Promozionale\",\"ARBThj\":[\"Applica questo \",[\"type\"],\" a tutti i nuovi prodotti\"],\"S0ctOE\":\"Archivia evento\",\"TdfEV7\":\"Archiviati\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Sei sicuro di voler attivare questo partecipante?\",\"TvkW9+\":\"Sei sicuro di voler archiviare questo evento?\",\"/CV2x+\":\"Sei sicuro di voler cancellare questo partecipante? Questo annullerà il loro biglietto\",\"YgRSEE\":\"Sei sicuro di voler eliminare questo codice promozionale?\",\"iU234U\":\"Sei sicuro di voler eliminare questa domanda?\",\"CMyVEK\":\"Sei sicuro di voler rendere questo evento una bozza? Questo renderà l'evento invisibile al pubblico\",\"mEHQ8I\":\"Sei sicuro di voler rendere questo evento pubblico? Questo renderà l'evento visibile al pubblico\",\"s4JozW\":\"Sei sicuro di voler ripristinare questo evento? Verrà ripristinato come bozza.\",\"vJuISq\":\"Sei sicuro di voler eliminare questa Assegnazione di Capacità?\",\"baHeCz\":\"Sei sicuro di voler eliminare questa Lista di Check-In?\",\"LBLOqH\":\"Chiedi una volta per ordine\",\"wu98dY\":\"Chiedi una volta per prodotto\",\"ss9PbX\":\"Partecipante\",\"m0CFV2\":\"Dettagli Partecipante\",\"QKim6l\":\"Partecipante non trovato\",\"R5IT/I\":\"Note Partecipante\",\"lXcSD2\":\"Domande partecipante\",\"HT/08n\":\"Biglietto Partecipante\",\"9SZT4E\":\"Partecipanti\",\"iPBfZP\":\"Partecipanti Registrati\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Ridimensionamento Automatico\",\"vZ5qKF\":\"Ridimensiona automaticamente l'altezza del widget in base al contenuto. Quando disabilitato, il widget riempirà l'altezza del contenitore.\",\"4lVaWA\":\"In attesa di pagamento offline\",\"2rHwhl\":\"In Attesa di Pagamento Offline\",\"3wF4Q/\":\"In attesa di pagamento\",\"ioG+xt\":\"In Attesa di Pagamento\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Srl.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Torna alla pagina dell'evento\",\"VCoEm+\":\"Torna al login\",\"k1bLf+\":\"Colore di Sfondo\",\"I7xjqg\":\"Tipo di Sfondo\",\"1mwMl+\":\"Prima di inviare!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Indirizzo di Fatturazione\",\"/xC/im\":\"Impostazioni di Fatturazione\",\"rp/zaT\":\"Portoghese Brasiliano\",\"whqocw\":\"Registrandoti accetti i nostri <0>Termini di Servizio e la <1>Privacy Policy.\",\"bcCn6r\":\"Tipo di Calcolo\",\"+8bmSu\":\"California\",\"iStTQt\":\"L'autorizzazione della fotocamera è stata negata. <0>Richiedi Autorizzazione di nuovo, o se questo non funziona, dovrai <1>concedere a questa pagina l'accesso alla tua fotocamera nelle impostazioni del browser.\",\"dEgA5A\":\"Annulla\",\"Gjt/py\":\"Annulla cambio email\",\"tVJk4q\":\"Annulla ordine\",\"Os6n2a\":\"Annulla Ordine\",\"Mz7Ygx\":[\"Annulla Ordine \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Annullato\",\"U7nGvl\":\"Impossibile fare il check-in\",\"QyjCeq\":\"Capacità\",\"V6Q5RZ\":\"Assegnazione di Capacità creata con successo\",\"k5p8dz\":\"Assegnazione di Capacità eliminata con successo\",\"nDBs04\":\"Gestione della Capacità\",\"ddha3c\":\"Le categorie ti permettono di raggruppare i prodotti. Ad esempio, potresti avere una categoria per \\\"Biglietti\\\" e un'altra per \\\"Merchandise\\\".\",\"iS0wAT\":\"Le categorie ti aiutano a organizzare i tuoi prodotti. Questo titolo verrà visualizzato sulla pagina pubblica dell'evento.\",\"eorM7z\":\"Categorie riordinate con successo.\",\"3EXqwa\":\"Categoria Creata con Successo\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Cambia password\",\"xMDm+I\":\"Check-in\",\"p2WLr3\":[\"Registra ingresso di \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Check-in e contrassegna l'ordine come pagato\",\"QYLpB4\":\"Solo check-in\",\"/Ta1d4\":\"Check-out\",\"5LDT6f\":\"Dai un'occhiata a questo evento!\",\"gXcPxc\":\"Registrazione\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Lista di Registrazione eliminata con successo\",\"+hBhWk\":\"La lista di registrazione è scaduta\",\"mBsBHq\":\"La lista di registrazione non è attiva\",\"vPqpQG\":\"Lista di registrazione non trovata\",\"tejfAy\":\"Liste di Registrazione\",\"hD1ocH\":\"URL di Registrazione copiato negli appunti\",\"CNafaC\":\"Le opzioni di casella di controllo consentono selezioni multiple\",\"SpabVf\":\"Caselle di controllo\",\"CRu4lK\":\"Check-in effettuato\",\"znIg+z\":\"Pagamento\",\"1WnhCL\":\"Impostazioni di Pagamento\",\"6imsQS\":\"Cinese (Semplificato)\",\"JjkX4+\":\"Scegli un colore per lo sfondo\",\"/Jizh9\":\"Scegli un account\",\"3wV73y\":\"Città\",\"FG98gC\":\"Cancella Testo di Ricerca\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Clicca per copiare\",\"yz7wBu\":\"Chiudi\",\"62Ciis\":\"Chiudi barra laterale\",\"EWPtMO\":\"Codice\",\"ercTDX\":\"Il codice deve essere compreso tra 3 e 50 caratteri\",\"oqr9HB\":\"Comprimi questo prodotto quando la pagina dell'evento viene caricata inizialmente\",\"jZlrte\":\"Colore\",\"Vd+LC3\":\"Il colore deve essere un codice colore esadecimale valido. Esempio: #ffffff\",\"1HfW/F\":\"Colori\",\"VZeG/A\":\"Prossimamente\",\"yPI7n9\":\"Parole chiave separate da virgole che descrivono l'evento. Queste saranno utilizzate dai motori di ricerca per aiutare a categorizzare e indicizzare l'evento\",\"NPZqBL\":\"Completa Ordine\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Completa Pagamento\",\"qqWcBV\":\"Completato\",\"6HK5Ct\":\"Ordini completati\",\"NWVRtl\":\"Ordini Completati\",\"DwF9eH\":\"Codice Componente\",\"Tf55h7\":\"Sconto Configurato\",\"7VpPHA\":\"Conferma\",\"ZaEJZM\":\"Conferma Cambio Email\",\"yjkELF\":\"Conferma Nuova Password\",\"xnWESi\":\"Conferma password\",\"p2/GCq\":\"Conferma Password\",\"wnDgGj\":\"Conferma indirizzo email in corso...\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connetti con Stripe\",\"QKLP1W\":\"Connetti il tuo account Stripe per iniziare a ricevere pagamenti.\",\"5lcVkL\":\"Dettagli di Connessione\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continua\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Testo Pulsante Continua\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continua configurazione\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Copiato\",\"T5rdis\":\"copiato negli appunti\",\"he3ygx\":\"Copia\",\"r2B2P8\":\"Copia URL di Check-In\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copia Link\",\"E6nRW7\":\"Copia URL\",\"JNCzPW\":\"Paese\",\"IF7RiR\":\"Copertina\",\"hYgDIe\":\"Crea\",\"b9XOHo\":[\"Crea \",[\"0\"]],\"k9RiLi\":\"Crea un Prodotto\",\"6kdXbW\":\"Crea un Codice Promozionale\",\"n5pRtF\":\"Crea un Biglietto\",\"X6sRve\":[\"Crea un account o <0>\",[\"0\"],\" per iniziare\"],\"nx+rqg\":\"crea un organizzatore\",\"ipP6Ue\":\"Crea Partecipante\",\"VwdqVy\":\"Crea Assegnazione di Capacità\",\"EwoMtl\":\"Crea categoria\",\"XletzW\":\"Crea Categoria\",\"WVbTwK\":\"Crea Lista di Check-In\",\"uN355O\":\"Crea Evento\",\"BOqY23\":\"Crea nuovo\",\"kpJAeS\":\"Crea Organizzatore\",\"a0EjD+\":\"Crea Prodotto\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Crea Codice Promozionale\",\"B3Mkdt\":\"Crea Domanda\",\"UKfi21\":\"Crea Tassa o Commissione\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Valuta\",\"DCKkhU\":\"Password Attuale\",\"uIElGP\":\"URL Mappe personalizzate\",\"UEqXyt\":\"Intervallo Personalizzato\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalizza le impostazioni di email e notifiche per questo evento\",\"Y9Z/vP\":\"Personalizza i messaggi della homepage dell'evento e del checkout\",\"2E2O5H\":\"Personalizza le impostazioni varie per questo evento\",\"iJhSxe\":\"Personalizza le impostazioni SEO per questo evento\",\"KIhhpi\":\"Personalizza la pagina del tuo evento\",\"nrGWUv\":\"Personalizza la pagina del tuo evento per adattarla al tuo brand e stile.\",\"Zz6Cxn\":\"Zona pericolosa\",\"ZQKLI1\":\"Zona pericolosa\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data e ora\",\"JJhRbH\":\"Capacità primo giorno\",\"cnGeoo\":\"Elimina\",\"jRJZxD\":\"Elimina Capacità\",\"VskHIx\":\"Elimina categoria\",\"Qrc8RZ\":\"Elimina Lista Check-In\",\"WHf154\":\"Elimina codice\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Elimina domanda\",\"Nu4oKW\":\"Descrizione\",\"YC3oXa\":\"Descrizione per il personale di check-in\",\"URmyfc\":\"Dettagli\",\"1lRT3t\":\"Disabilitando questa capacità verranno monitorate le vendite ma non verranno interrotte quando viene raggiunto il limite\",\"H6Ma8Z\":\"Sconto\",\"ypJ62C\":\"Sconto %\",\"3LtiBI\":[\"Sconto in \",[\"0\"]],\"C8JLas\":\"Tipo di Sconto\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Etichetta Documento\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donazione / Prodotto a offerta libera\",\"OvNbls\":\"Scarica .ics\",\"kodV18\":\"Scarica CSV\",\"CELKku\":\"Scarica fattura\",\"LQrXcu\":\"Scarica Fattura\",\"QIodqd\":\"Scarica Codice QR\",\"yhjU+j\":\"Scaricamento Fattura in corso\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Selezione a tendina\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplica evento\",\"3ogkAk\":\"Duplica Evento\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Opzioni di Duplicazione\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Prevendita\",\"ePK91l\":\"Modifica\",\"N6j2JH\":[\"Modifica \",[\"0\"]],\"kBkYSa\":\"Modifica Capacità\",\"oHE9JT\":\"Modifica Assegnazione di Capacità\",\"j1Jl7s\":\"Modifica categoria\",\"FU1gvP\":\"Modifica Lista di Check-In\",\"iFgaVN\":\"Modifica Codice\",\"jrBSO1\":\"Modifica Organizzatore\",\"tdD/QN\":\"Modifica Prodotto\",\"n143Tq\":\"Modifica Categoria Prodotto\",\"9BdS63\":\"Modifica Codice Promozionale\",\"O0CE67\":\"Modifica domanda\",\"EzwCw7\":\"Modifica Domanda\",\"poTr35\":\"Modifica utente\",\"GTOcxw\":\"Modifica Utente\",\"pqFrv2\":\"es. 2.50 per $2.50\",\"3yiej1\":\"es. 23.5 per 23.5%\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"Impostazioni Email e Notifiche\",\"ATGYL1\":\"Indirizzo email\",\"hzKQCy\":\"Indirizzo Email\",\"HqP6Qf\":\"Modifica email annullata con successo\",\"mISwW1\":\"Modifica email in attesa\",\"APuxIE\":\"Conferma email inviata nuovamente\",\"YaCgdO\":\"Conferma email inviata nuovamente con successo\",\"jyt+cx\":\"Messaggio piè di pagina email\",\"I6F3cp\":\"Email non verificata\",\"NTZ/NX\":\"Codice di Incorporamento\",\"4rnJq4\":\"Script di Incorporamento\",\"8oPbg1\":\"Abilita Fatturazione\",\"j6w7d/\":\"Abilita questa capacità per interrompere le vendite dei prodotti quando viene raggiunto il limite\",\"VFv2ZC\":\"Data di fine\",\"237hSL\":\"Terminato\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Inglese\",\"MhVoma\":\"Inserisci un importo escluse tasse e commissioni.\",\"SlfejT\":\"Errore\",\"3Z223G\":\"Errore durante la conferma dell'indirizzo email\",\"a6gga1\":\"Errore durante la conferma della modifica email\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evento\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Data dell'Evento\",\"0Zptey\":\"Impostazioni Predefinite Evento\",\"QcCPs8\":\"Dettagli Evento\",\"6fuA9p\":\"Evento duplicato con successo\",\"AEuj2m\":\"Homepage Evento\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Dettagli della sede e della location dell'evento\",\"OopDbA\":\"Event page\",\"4/If97\":\"Aggiornamento stato evento fallito. Riprova più tardi\",\"btxLWj\":\"Stato evento aggiornato\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Eventi\",\"sZg7s1\":\"Data di scadenza\",\"KnN1Tu\":\"Scade\",\"uaSvqt\":\"Data di Scadenza\",\"GS+Mus\":\"Esporta\",\"9xAp/j\":\"Impossibile annullare il partecipante\",\"ZpieFv\":\"Impossibile annullare l'ordine\",\"z6tdjE\":\"Impossibile eliminare il messaggio. Riprova.\",\"xDzTh7\":\"Impossibile scaricare la fattura. Riprova.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Impossibile caricare la Lista di Check-In\",\"ZQ15eN\":\"Impossibile reinviare l'email del biglietto\",\"ejXy+D\":\"Impossibile ordinare i prodotti\",\"PLUB/s\":\"Commissione\",\"/mfICu\":\"Commissioni\",\"LyFC7X\":\"Filtra Ordini\",\"cSev+j\":\"Filtri\",\"CVw2MU\":[\"Filtri (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Primo Numero Fattura\",\"V1EGGU\":\"Nome\",\"kODvZJ\":\"Nome\",\"S+tm06\":\"Il nome deve essere compreso tra 1 e 50 caratteri\",\"1g0dC4\":\"Nome, Cognome e Indirizzo Email sono domande predefinite e sono sempre incluse nel processo di checkout.\",\"Rs/IcB\":\"Primo Utilizzo\",\"TpqW74\":\"Fisso\",\"irpUxR\":\"Importo fisso\",\"TF9opW\":\"Il flash non è disponibile su questo dispositivo\",\"UNMVei\":\"Password dimenticata?\",\"2POOFK\":\"Gratuito\",\"P/OAYJ\":\"Prodotto Gratuito\",\"vAbVy9\":\"Prodotto gratuito, nessuna informazione di pagamento richiesta\",\"nLC6tu\":\"Francese\",\"Weq9zb\":\"Generale\",\"DDcvSo\":\"Tedesco\",\"4GLxhy\":\"Primi Passi\",\"4D3rRj\":\"Torna al profilo\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Vendite lorde\",\"yRg26W\":\"Vendite lorde\",\"R4r4XO\":\"Ospiti\",\"26pGvx\":\"Hai un codice promozionale?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"Ecco un esempio di come puoi utilizzare il componente nella tua applicazione.\",\"Y1SSqh\":\"Ecco il componente React che puoi utilizzare per incorporare il widget nella tua applicazione.\",\"QuhVpV\":[\"Ciao \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Nascosto dalla vista pubblica\",\"gt3Xw9\":\"domanda nascosta\",\"g3rqFe\":\"domande nascoste\",\"k3dfFD\":\"Le domande nascoste sono visibili solo all'organizzatore dell'evento e non al cliente.\",\"vLyv1R\":\"Nascondi\",\"Mkkvfd\":\"Nascondi pagina di introduzione\",\"mFn5Xz\":\"Nascondi domande nascoste\",\"YHsF9c\":\"Nascondi prodotto dopo la data di fine vendita\",\"06s3w3\":\"Nascondi prodotto prima della data di inizio vendita\",\"axVMjA\":\"Nascondi prodotto a meno che l'utente non abbia un codice promozionale applicabile\",\"ySQGHV\":\"Nascondi prodotto quando esaurito\",\"SCimta\":\"Nascondi la pagina di introduzione dalla barra laterale\",\"5xR17G\":\"Nascondi questo prodotto ai clienti\",\"Da29Y6\":\"Nascondi questa domanda\",\"fvDQhr\":\"Nascondi questo livello agli utenti\",\"lNipG+\":\"Nascondere un prodotto impedirà agli utenti di vederlo sulla pagina dell'evento.\",\"ZOBwQn\":\"Design Homepage\",\"PRuBTd\":\"Designer Homepage\",\"YjVNGZ\":\"Anteprima Homepage\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Quanti minuti ha il cliente per completare il proprio ordine. Consigliamo almeno 15 minuti\",\"ySxKZe\":\"Quante volte può essere utilizzato questo codice?\",\"dZsDbK\":[\"Limite di caratteri HTML superato: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Accetto i <0>termini e condizioni\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Se vuoto, l'indirizzo verrà utilizzato per generare un link a Google Maps\",\"UYT+c8\":\"Se abilitato, il personale di check-in può sia segnare i partecipanti come registrati sia segnare l'ordine come pagato e registrare i partecipanti. Se disabilitato, i partecipanti associati a ordini non pagati non possono essere registrati.\",\"muXhGi\":\"Se abilitato, l'organizzatore riceverà una notifica via email quando viene effettuato un nuovo ordine\",\"6fLyj/\":\"Se non hai richiesto questa modifica, cambia immediatamente la tua password.\",\"n/ZDCz\":\"Immagine eliminata con successo\",\"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\":\"Immagine caricata con successo\",\"VyUuZb\":\"URL Immagine\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inattivo\",\"T0K0yl\":\"Gli utenti inattivi non possono accedere.\",\"kO44sp\":\"Includi dettagli di connessione per il tuo evento online. Questi dettagli saranno mostrati nella pagina di riepilogo dell'ordine e nella pagina del biglietto del partecipante.\",\"FlQKnG\":\"Includi tasse e commissioni nel prezzo\",\"Vi+BiW\":[\"Include \",[\"0\"],\" prodotti\"],\"lpm0+y\":\"Include 1 prodotto\",\"UiAk5P\":\"Inserisci Immagine\",\"OyLdaz\":\"Invito reinviato!\",\"HE6KcK\":\"Invito revocato!\",\"SQKPvQ\":\"Invita Utente\",\"bKOYkd\":\"Fattura scaricata con successo\",\"alD1+n\":\"Note Fattura\",\"kOtCs2\":\"Numerazione Fattura\",\"UZ2GSZ\":\"Impostazioni Fattura\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Articolo\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Etichetta\",\"vXIe7J\":\"Lingua\",\"2LMsOq\":\"Ultimi 12 mesi\",\"vfe90m\":\"Ultimi 14 giorni\",\"aK4uBd\":\"Ultime 24 ore\",\"uq2BmQ\":\"Ultimi 30 giorni\",\"bB6Ram\":\"Ultime 48 ore\",\"VlnB7s\":\"Ultimi 6 mesi\",\"ct2SYD\":\"Ultimi 7 giorni\",\"XgOuA7\":\"Ultimi 90 giorni\",\"I3yitW\":\"Ultimo accesso\",\"1ZaQUH\":\"Cognome\",\"UXBCwc\":\"Cognome\",\"tKCBU0\":\"Ultimo Utilizzo\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Lascia vuoto per utilizzare la parola predefinita \\\"Fattura\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Caricamento...\",\"wJijgU\":\"Luogo\",\"sQia9P\":\"Accedi\",\"zUDyah\":\"Accesso in corso\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Esci\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Rendi obbligatorio l'indirizzo di fatturazione durante il checkout\",\"MU3ijv\":\"Rendi obbligatoria questa domanda\",\"wckWOP\":\"Gestisci\",\"onpJrA\":\"Gestisci partecipante\",\"n4SpU5\":\"Gestisci evento\",\"WVgSTy\":\"Gestisci ordine\",\"1MAvUY\":\"Gestisci le impostazioni di pagamento e fatturazione per questo evento.\",\"cQrNR3\":\"Gestisci Profilo\",\"AtXtSw\":\"Gestisci tasse e commissioni che possono essere applicate ai tuoi prodotti\",\"ophZVW\":\"Gestisci biglietti\",\"DdHfeW\":\"Gestisci i dettagli del tuo account e le impostazioni predefinite\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Gestisci i tuoi utenti e le loro autorizzazioni\",\"1m+YT2\":\"Le domande obbligatorie devono essere risposte prima che il cliente possa procedere al checkout.\",\"Dim4LO\":\"Aggiungi manualmente un Partecipante\",\"e4KdjJ\":\"Aggiungi Manualmente Partecipante\",\"vFjEnF\":\"Segna come pagato\",\"g9dPPQ\":\"Massimo Per Ordine\",\"l5OcwO\":\"Messaggio al partecipante\",\"Gv5AMu\":\"Messaggio ai Partecipanti\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Messaggio all'acquirente\",\"tNZzFb\":\"Contenuto del Messaggio\",\"lYDV/s\":\"Invia messaggio ai singoli partecipanti\",\"V7DYWd\":\"Messaggio Inviato\",\"t7TeQU\":\"Messaggi\",\"xFRMlO\":\"Minimo Per Ordine\",\"QYcUEf\":\"Prezzo Minimo\",\"RDie0n\":\"Varie\",\"mYLhkl\":\"Impostazioni Varie\",\"KYveV8\":\"Casella di testo multilinea\",\"VD0iA7\":\"Opzioni di prezzo multiple. Perfetto per prodotti early bird ecc.\",\"/bhMdO\":\"La mia fantastica descrizione dell'evento...\",\"vX8/tc\":\"Il mio fantastico titolo dell'evento...\",\"hKtWk2\":\"Il Mio Profilo\",\"fj5byd\":\"N/D\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Vai al Partecipante\",\"qqeAJM\":\"Mai\",\"7vhWI8\":\"Nuova Password\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Nessun evento archiviato da mostrare.\",\"q2LEDV\":\"Nessun partecipante trovato per questo ordine.\",\"zlHa5R\":\"Nessun partecipante è stato aggiunto a questo ordine.\",\"Wjz5KP\":\"Nessun Partecipante da mostrare\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Nessuna Assegnazione di Capacità\",\"a/gMx2\":\"Nessuna Lista di Check-In\",\"tMFDem\":\"Nessun dato disponibile\",\"6Z/F61\":\"Nessun dato da mostrare. Seleziona un intervallo di date\",\"fFeCKc\":\"Nessuno Sconto\",\"HFucK5\":\"Nessun evento terminato da mostrare.\",\"yAlJXG\":\"Nessun evento da mostrare\",\"GqvPcv\":\"Nessun filtro disponibile\",\"KPWxKD\":\"Nessun messaggio da mostrare\",\"J2LkP8\":\"Nessun ordine da mostrare\",\"RBXXtB\":\"Nessun metodo di pagamento è attualmente disponibile. Contatta l'organizzatore dell'evento per assistenza.\",\"ZWEfBE\":\"Nessun Pagamento Richiesto\",\"ZPoHOn\":\"Nessun prodotto associato a questo partecipante.\",\"Ya1JhR\":\"Nessun prodotto disponibile in questa categoria.\",\"FTfObB\":\"Ancora Nessun Prodotto\",\"+Y976X\":\"Nessun Codice Promozionale da mostrare\",\"MAavyl\":\"Nessuna domanda risposta da questo partecipante.\",\"SnlQeq\":\"Nessuna domanda è stata posta per questo ordine.\",\"Ev2r9A\":\"Nessun risultato\",\"gk5uwN\":\"Nessun Risultato di Ricerca\",\"RHyZUL\":\"Nessun risultato di ricerca.\",\"RY2eP1\":\"Nessuna Tassa o Commissione è stata aggiunta.\",\"EdQY6l\":\"Nessuno\",\"OJx3wK\":\"Non disponibile\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Note\",\"jtrY3S\":\"Ancora niente da mostrare\",\"hFwWnI\":\"Impostazioni Notifiche\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notifica all'organizzatore i nuovi ordini\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Numero di giorni consentiti per il pagamento (lasciare vuoto per omettere i termini di pagamento dalle fatture)\",\"n86jmj\":\"Prefisso Numero\",\"mwe+2z\":\"Gli ordini offline non sono riflessi nelle statistiche dell'evento finché l'ordine non viene contrassegnato come pagato.\",\"dWBrJX\":\"Pagamento offline fallito. Riprova o contatta l'organizzatore dell'evento.\",\"fcnqjw\":\"Istruzioni di Pagamento Offline\",\"+eZ7dp\":\"Pagamenti Offline\",\"ojDQlR\":\"Informazioni sui Pagamenti Offline\",\"u5oO/W\":\"Impostazioni Pagamenti Offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"In Vendita\",\"Ug4SfW\":\"Una volta creato un evento, lo vedrai qui.\",\"ZxnK5C\":\"Una volta che inizi a raccogliere dati, li vedrai qui.\",\"PnSzEc\":\"Quando sei pronto, rendi attivo il tuo evento e inizia a vendere prodotti.\",\"J6n7sl\":\"In Corso\",\"z+nuVJ\":\"Evento online\",\"WKHW0N\":\"Dettagli Evento Online\",\"/xkmKX\":\"Solo le email importanti, direttamente correlate a questo evento, dovrebbero essere inviate utilizzando questo modulo.\\nQualsiasi uso improprio, incluso l'invio di email promozionali, porterà al ban immediato dell'account.\",\"Qqqrwa\":\"Apri Pagina di Check-In\",\"OdnLE4\":\"Apri barra laterale\",\"ZZEYpT\":[\"Opzione \",[\"i\"]],\"oPknTP\":\"Informazioni aggiuntive opzionali da visualizzare su tutte le fatture (ad es. termini di pagamento, penali per ritardo, politica di reso)\",\"OrXJBY\":\"Prefisso opzionale per i numeri di fattura (ad es., FATT-)\",\"0zpgxV\":\"Opzioni\",\"BzEFor\":\"o\",\"UYUgdb\":\"Ordine\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Ordine Annullato\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Data Ordine\",\"Tol4BF\":\"Dettagli Ordine\",\"WbImlQ\":\"L'ordine è stato annullato e il proprietario dell'ordine è stato avvisato.\",\"nAn4Oe\":\"Ordine contrassegnato come pagato\",\"uzEfRz\":\"Note Ordine\",\"VCOi7U\":\"Domande ordine\",\"TPoYsF\":\"Riferimento Ordine\",\"acIJ41\":\"Stato Ordine\",\"GX6dZv\":\"Riepilogo Ordine\",\"tDTq0D\":\"Timeout ordine\",\"1h+RBg\":\"Ordini\",\"3y+V4p\":\"Indirizzo Organizzazione\",\"GVcaW6\":\"Dettagli Organizzazione\",\"nfnm9D\":\"Nome Organizzazione\",\"G5RhpL\":\"Organizzatore\",\"mYygCM\":\"L'organizzatore è obbligatorio\",\"Pa6G7v\":\"Nome Organizzatore\",\"l894xP\":\"Gli organizzatori possono gestire solo eventi e prodotti. Non possono gestire utenti, impostazioni dell'account o informazioni di fatturazione.\",\"fdjq4c\":\"Spaziatura\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Pagina non trovata\",\"QbrUIo\":\"Visualizzazioni pagina\",\"6D8ePg\":\"pagina.\",\"IkGIz8\":\"pagato\",\"HVW65c\":\"Prodotto a Pagamento\",\"ZfxaB4\":\"Parzialmente Rimborsato\",\"8ZsakT\":\"Password\",\"TUJAyx\":\"La password deve essere di almeno 8 caratteri\",\"vwGkYB\":\"La password deve essere di almeno 8 caratteri\",\"BLTZ42\":\"Password reimpostata con successo. Accedi con la tua nuova password.\",\"f7SUun\":\"Le password non sono uguali\",\"aEDp5C\":\"Incolla questo dove vuoi che appaia il widget.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Pagamento\",\"Lg+ewC\":\"Pagamento e Fatturazione\",\"DZjk8u\":\"Impostazioni Pagamento e Fatturazione\",\"lflimf\":\"Periodo di Scadenza Pagamento\",\"JhtZAK\":\"Pagamento Fallito\",\"JEdsvQ\":\"Istruzioni di Pagamento\",\"bLB3MJ\":\"Metodi di Pagamento\",\"QzmQBG\":\"Fornitore di pagamento\",\"lsxOPC\":\"Pagamento Ricevuto\",\"wJTzyi\":\"Stato Pagamento\",\"xgav5v\":\"Pagamento riuscito!\",\"R29lO5\":\"Termini di Pagamento\",\"/roQKz\":\"Percentuale\",\"vPJ1FI\":\"Importo Percentuale\",\"xdA9ud\":\"Inserisci questo nel tag del tuo sito web.\",\"blK94r\":\"Aggiungi almeno un'opzione\",\"FJ9Yat\":\"Verifica che le informazioni fornite siano corrette\",\"TkQVup\":\"Controlla la tua email e password e riprova\",\"sMiGXD\":\"Verifica che la tua email sia valida\",\"Ajavq0\":\"Controlla la tua email per confermare il tuo indirizzo email\",\"MdfrBE\":\"Completa il modulo sottostante per accettare il tuo invito\",\"b1Jvg+\":\"Continua nella nuova scheda\",\"hcX103\":\"Crea un prodotto\",\"cdR8d6\":\"Crea un biglietto\",\"x2mjl4\":\"Inserisci un URL valido che punti a un'immagine.\",\"HnNept\":\"Inserisci la tua nuova password\",\"5FSIzj\":\"Nota Bene\",\"C63rRe\":\"Torna alla pagina dell'evento per ricominciare.\",\"pJLvdS\":\"Seleziona\",\"Ewir4O\":\"Seleziona almeno un prodotto\",\"igBrCH\":\"Verifica il tuo indirizzo email per accedere a tutte le funzionalità\",\"/IzmnP\":\"Attendi mentre prepariamo la tua fattura...\",\"MOERNx\":\"Portoghese\",\"qCJyMx\":\"Messaggio post checkout\",\"g2UNkE\":\"Offerto da\",\"Rs7IQv\":\"Messaggio pre checkout\",\"rdUucN\":\"Anteprima\",\"a7u1N9\":\"Prezzo\",\"CmoB9j\":\"Modalità visualizzazione prezzo\",\"BI7D9d\":\"Prezzo non impostato\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Tipo di Prezzo\",\"6RmHKN\":\"Colore Primario\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Colore Testo Primario\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Stampa Tutti i Biglietti\",\"DKwDdj\":\"Stampa Biglietti\",\"K47k8R\":\"Prodotto\",\"1JwlHk\":\"Categoria Prodotto\",\"U61sAj\":\"Categoria prodotto aggiornata con successo.\",\"1USFWA\":\"Prodotto eliminato con successo\",\"4Y2FZT\":\"Tipo di Prezzo Prodotto\",\"mFwX0d\":\"Domande prodotto\",\"Lu+kBU\":\"Vendite Prodotti\",\"U/R4Ng\":\"Livello Prodotto\",\"sJsr1h\":\"Tipo di Prodotto\",\"o1zPwM\":\"Anteprima Widget Prodotto\",\"ktyvbu\":\"Prodotto/i\",\"N0qXpE\":\"Prodotti\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Prodotti venduti\",\"/u4DIx\":\"Prodotti Venduti\",\"DJQEZc\":\"Prodotti ordinati con successo\",\"vERlcd\":\"Profilo\",\"kUlL8W\":\"Profilo aggiornato con successo\",\"cl5WYc\":[\"Codice promo \",[\"promo_code\"],\" applicato\"],\"P5sgAk\":\"Codice Promo\",\"yKWfjC\":\"Pagina Codice Promo\",\"RVb8Fo\":\"Codici Promo\",\"BZ9GWa\":\"I codici promo possono essere utilizzati per offrire sconti, accesso in prevendita o fornire accesso speciale al tuo evento.\",\"OP094m\":\"Report Codici Promo\",\"4kyDD5\":\"Fornisci contesto aggiuntivo o istruzioni per questa domanda. Usa questo campo per aggiungere termini\\ne condizioni, linee guida o qualsiasi informazione importante che i partecipanti devono conoscere prima di rispondere.\",\"toutGW\":\"Codice QR\",\"LkMOWF\":\"Quantità Disponibile\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Domanda eliminata\",\"avf0gk\":\"Descrizione Domanda\",\"oQvMPn\":\"Titolo Domanda\",\"enzGAL\":\"Domande\",\"ROv2ZT\":\"Domande e Risposte\",\"K885Eq\":\"Domande ordinate con successo\",\"OMJ035\":\"Opzione Radio\",\"C4TjpG\":\"Leggi meno\",\"I3QpvQ\":\"Destinatario\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Rimborso Fallito\",\"n10yGu\":\"Rimborsa ordine\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Rimborso in Attesa\",\"xHpVRl\":\"Stato Rimborso\",\"/BI0y9\":\"Rimborsato\",\"fgLNSM\":\"Registrati\",\"9+8Vez\":\"Utilizzi Rimanenti\",\"tasfos\":\"rimuovi\",\"t/YqKh\":\"Rimuovi\",\"t9yxlZ\":\"Report\",\"prZGMe\":\"Richiedi Indirizzo di Fatturazione\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Reinvia conferma email\",\"wIa8Qe\":\"Reinvia invito\",\"VeKsnD\":\"Reinvia email ordine\",\"dFuEhO\":\"Reinvia email biglietto\",\"o6+Y6d\":\"Reinvio in corso...\",\"OfhWJH\":\"Reimposta\",\"RfwZxd\":\"Reimposta password\",\"KbS2K9\":\"Reimposta Password\",\"e99fHm\":\"Ripristina evento\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Torna alla Pagina dell'Evento\",\"8YBH95\":\"Ricavi\",\"PO/sOY\":\"Revoca invito\",\"GDvlUT\":\"Ruolo\",\"ELa4O9\":\"Data Fine Vendita\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Data Inizio Vendita\",\"hBsw5C\":\"Vendite terminate\",\"kpAzPe\":\"Inizio vendite\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Salva\",\"IUwGEM\":\"Salva Modifiche\",\"U65fiW\":\"Salva Organizzatore\",\"UGT5vp\":\"Salva Impostazioni\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Cerca per nome partecipante, email o numero ordine...\",\"+pr/FY\":\"Cerca per nome evento...\",\"3zRbWw\":\"Cerca per nome, email o numero ordine...\",\"L22Tdf\":\"Cerca per nome, numero ordine, numero partecipante o email...\",\"BiYOdA\":\"Cerca per nome...\",\"YEjitp\":\"Cerca per oggetto o contenuto...\",\"Pjsch9\":\"Cerca assegnazioni di capacità...\",\"r9M1hc\":\"Cerca liste di check-in...\",\"+0Yy2U\":\"Cerca prodotti\",\"YIix5Y\":\"Cerca...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Colore Secondario\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Colore Testo Secondario\",\"02ePaq\":[\"Seleziona \",[\"0\"]],\"QuNKRX\":\"Seleziona Fotocamera\",\"9FQEn8\":\"Seleziona categoria...\",\"kWI/37\":\"Seleziona organizzatore\",\"ixIx1f\":\"Seleziona Prodotto\",\"3oSV95\":\"Seleziona Livello Prodotto\",\"C4Y1hA\":\"Seleziona prodotti\",\"hAjDQy\":\"Seleziona stato\",\"QYARw/\":\"Seleziona Biglietto\",\"OMX4tH\":\"Seleziona biglietti\",\"DrwwNd\":\"Seleziona periodo di tempo\",\"O/7I0o\":\"Seleziona...\",\"JlFcis\":\"Invia\",\"qKWv5N\":[\"Invia una copia a <0>\",[\"0\"],\"\"],\"RktTWf\":\"Invia un messaggio\",\"/mQ/tD\":\"Invia come test. Questo invierà il messaggio al tuo indirizzo email invece che ai destinatari.\",\"M/WIer\":\"Invia Messaggio\",\"D7ZemV\":\"Invia email di conferma ordine e biglietto\",\"v1rRtW\":\"Invia Test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descrizione SEO\",\"/SIY6o\":\"Parole Chiave SEO\",\"GfWoKv\":\"Impostazioni SEO\",\"rXngLf\":\"Titolo SEO\",\"/jZOZa\":\"Commissione di Servizio\",\"Bj/QGQ\":\"Imposta un prezzo minimo e permetti agli utenti di pagare di più se lo desiderano\",\"L0pJmz\":\"Imposta il numero iniziale per la numerazione delle fatture. Questo non può essere modificato una volta che le fatture sono state generate.\",\"nYNT+5\":\"Configura il tuo evento\",\"A8iqfq\":\"Metti online il tuo evento\",\"Tz0i8g\":\"Impostazioni\",\"Z8lGw6\":\"Condividi\",\"B2V3cA\":\"Condividi Evento\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mostra quantità prodotto disponibile\",\"qDsmzu\":\"Mostra domande nascoste\",\"fMPkxb\":\"Mostra altro\",\"izwOOD\":\"Mostra tasse e commissioni separatamente\",\"1SbbH8\":\"Mostrato al cliente dopo il checkout, nella pagina di riepilogo dell'ordine.\",\"YfHZv0\":\"Mostrato al cliente prima del checkout\",\"CBBcly\":\"Mostra i campi comuni dell'indirizzo, incluso il paese\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Casella di testo a riga singola\",\"+P0Cn2\":\"Salta questo passaggio\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Esaurito\",\"Mi1rVn\":\"Esaurito\",\"nwtY4N\":\"Qualcosa è andato storto\",\"GRChTw\":\"Qualcosa è andato storto durante l'eliminazione della Tassa o Commissione\",\"YHFrbe\":\"Qualcosa è andato storto! Riprova\",\"kf83Ld\":\"Qualcosa è andato storto.\",\"fWsBTs\":\"Qualcosa è andato storto. Riprova.\",\"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.\",\"6a/UJE\":\"Spiacenti, questo codice promo non è riconosciuto\",\"65A04M\":\"Spagnolo\",\"mFuBqb\":\"Prodotto standard con prezzo fisso\",\"D3iCkb\":\"Data di inizio\",\"/2by1f\":\"Stato o Regione\",\"uAQUqI\":\"Stato\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"I pagamenti Stripe non sono abilitati per questo evento.\",\"UJmAAK\":\"Oggetto\",\"X2rrlw\":\"Subtotale\",\"zzDlyQ\":\"Successo\",\"b0HJ45\":[\"Successo! \",[\"0\"],\" riceverà un'email a breve.\"],\"BJIEiF\":[\"Partecipante \",[\"0\"],\" con successo\"],\"OtgNFx\":\"Indirizzo email confermato con successo\",\"IKwyaF\":\"Modifica email confermata con successo\",\"zLmvhE\":\"Partecipante creato con successo\",\"gP22tw\":\"Prodotto Creato con Successo\",\"9mZEgt\":\"Codice Promo Creato con Successo\",\"aIA9C4\":\"Domanda Creata con Successo\",\"J3RJSZ\":\"Partecipante aggiornato con successo\",\"3suLF0\":\"Assegnazione Capacità aggiornata con successo\",\"Z+rnth\":\"Lista Check-In aggiornata con successo\",\"vzJenu\":\"Impostazioni Email Aggiornate con Successo\",\"7kOMfV\":\"Evento Aggiornato con Successo\",\"G0KW+e\":\"Design Homepage Aggiornato con Successo\",\"k9m6/E\":\"Impostazioni Homepage Aggiornate con Successo\",\"y/NR6s\":\"Posizione Aggiornata con Successo\",\"73nxDO\":\"Impostazioni Varie Aggiornate con Successo\",\"4H80qv\":\"Ordine aggiornato con successo\",\"6xCBVN\":\"Impostazioni di Pagamento e Fatturazione Aggiornate con Successo\",\"1Ycaad\":\"Prodotto aggiornato con successo\",\"70dYC8\":\"Codice Promo Aggiornato con Successo\",\"F+pJnL\":\"Impostazioni SEO Aggiornate con Successo\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Email di Supporto\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Tassa\",\"geUFpZ\":\"Tasse e Commissioni\",\"dFHcIn\":\"Dettagli Fiscali\",\"wQzCPX\":\"Informazioni fiscali da mostrare in fondo a tutte le fatture (es. numero di partita IVA, registrazione fiscale)\",\"0RXCDo\":\"Tassa o Commissione eliminata con successo\",\"ZowkxF\":\"Tasse\",\"qu6/03\":\"Tasse e Commissioni\",\"gypigA\":\"Quel codice promo non è valido\",\"5ShqeM\":\"La lista di check-in che stai cercando non esiste.\",\"QXlz+n\":\"La valuta predefinita per i tuoi eventi.\",\"mnafgQ\":\"Il fuso orario predefinito per i tuoi eventi.\",\"o7s5FA\":\"La lingua in cui il partecipante riceverà le email.\",\"NlfnUd\":\"Il link che hai cliccato non è valido.\",\"HsFnrk\":[\"Il numero massimo di prodotti per \",[\"0\"],\"è \",[\"1\"]],\"TSAiPM\":\"La pagina che stai cercando non esiste\",\"MSmKHn\":\"Il prezzo mostrato al cliente includerà tasse e commissioni.\",\"6zQOg1\":\"Il prezzo mostrato al cliente non includerà tasse e commissioni. Saranno mostrate separatamente\",\"ne/9Ur\":\"Le impostazioni di stile che scegli si applicano solo all'HTML copiato e non saranno memorizzate.\",\"vQkyB3\":\"Le tasse e commissioni da applicare a questo prodotto. Puoi creare nuove tasse e commissioni nella\",\"esY5SG\":\"Il titolo dell'evento che verrà visualizzato nei risultati dei motori di ricerca e quando si condivide sui social media. Per impostazione predefinita, verrà utilizzato il titolo dell'evento\",\"wDx3FF\":\"Non ci sono prodotti disponibili per questo evento\",\"pNgdBv\":\"Non ci sono prodotti disponibili in questa categoria\",\"rMcHYt\":\"C'è un rimborso in attesa. Attendi che sia completato prima di richiedere un altro rimborso.\",\"F89D36\":\"Si è verificato un errore nel contrassegnare l'ordine come pagato\",\"68Axnm\":\"Si è verificato un errore durante l'elaborazione della tua richiesta. Riprova.\",\"mVKOW6\":\"Si è verificato un errore durante l'invio del tuo messaggio\",\"AhBPHd\":\"Questi dettagli saranno mostrati solo se l'ordine è completato con successo. Gli ordini in attesa di pagamento non mostreranno questo messaggio.\",\"Pc/Wtj\":\"Questo partecipante ha un ordine non pagato.\",\"mf3FrP\":\"Questa categoria non ha ancora prodotti.\",\"8QH2Il\":\"Questa categoria è nascosta alla vista pubblica\",\"xxv3BZ\":\"Questa lista di check-in è scaduta\",\"Sa7w7S\":\"Questa lista di check-in è scaduta e non è più disponibile per i check-in.\",\"Uicx2U\":\"Questa lista di check-in è attiva\",\"1k0Mp4\":\"Questa lista di check-in non è ancora attiva\",\"K6fmBI\":\"Questa lista di check-in non è ancora attiva e non è disponibile per i check-in.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Questa email non è promozionale ed è direttamente correlata all'evento.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Queste informazioni saranno mostrate nella pagina di pagamento, nella pagina di riepilogo dell'ordine e nell'email di conferma dell'ordine.\",\"XAHqAg\":\"Questo è un prodotto generico, come una maglietta o una tazza. Non verrà emesso alcun biglietto\",\"CNk/ro\":\"Questo è un evento online\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Questo messaggio sarà incluso nel piè di pagina di tutte le email inviate da questo evento\",\"55i7Fa\":\"Questo messaggio sarà mostrato solo se l'ordine è completato con successo. Gli ordini in attesa di pagamento non mostreranno questo messaggio\",\"RjwlZt\":\"Questo ordine è già stato pagato.\",\"5K8REg\":\"Questo ordine è già stato rimborsato.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Questo ordine è stato annullato.\",\"Q0zd4P\":\"Questo ordine è scaduto. Per favore ricomincia.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Questo ordine è completo.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Questa pagina dell'ordine non è più disponibile.\",\"i0TtkR\":\"Questo sovrascrive tutte le impostazioni di visibilità e nasconderà il prodotto a tutti i clienti.\",\"cRRc+F\":\"Questo prodotto non può essere eliminato perché è associato a un ordine. Puoi invece nasconderlo.\",\"3Kzsk7\":\"Questo prodotto è un biglietto. Agli acquirenti verrà emesso un biglietto al momento dell'acquisto\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Questa domanda è visibile solo all'organizzatore dell'evento\",\"os29v1\":\"Questo link per reimpostare la password non è valido o è scaduto.\",\"IV9xTT\":\"Questo utente non è attivo, poiché non ha accettato il suo invito.\",\"5AnPaO\":\"biglietto\",\"kjAL4v\":\"Biglietto\",\"dtGC3q\":\"Email del biglietto reinviata al partecipante\",\"54q0zp\":\"Biglietti per\",\"xN9AhL\":[\"Livello \",[\"0\"]],\"jZj9y9\":\"Prodotto a Livelli\",\"8wITQA\":\"I prodotti a livelli ti permettono di offrire più opzioni di prezzo per lo stesso prodotto. È perfetto per prodotti in prevendita o per offrire diverse opzioni di prezzo per diversi gruppi di persone.\",\"nn3mSR\":\"Tempo rimasto:\",\"s/0RpH\":\"Volte utilizzato\",\"y55eMd\":\"Volte Utilizzato\",\"40Gx0U\":\"Fuso orario\",\"oDGm7V\":\"SUGGERIMENTO\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Strumenti\",\"72c5Qo\":\"Totale\",\"YXx+fG\":\"Totale Prima degli Sconti\",\"NRWNfv\":\"Importo Totale Sconto\",\"BxsfMK\":\"Commissioni Totali\",\"2bR+8v\":\"Vendite Lorde Totali\",\"mpB/d9\":\"Importo totale ordine\",\"m3FM1g\":\"Totale rimborsato\",\"jEbkcB\":\"Totale Rimborsato\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Tasse Totali\",\"+zy2Nq\":\"Tipo\",\"FMdMfZ\":\"Impossibile registrare il partecipante\",\"bPWBLL\":\"Impossibile registrare l'uscita del partecipante\",\"9+P7zk\":\"Impossibile creare il prodotto. Controlla i tuoi dati\",\"WLxtFC\":\"Impossibile creare il prodotto. Controlla i tuoi dati\",\"/cSMqv\":\"Impossibile creare la domanda. Controlla i tuoi dati\",\"MH/lj8\":\"Impossibile aggiornare la domanda. Controlla i tuoi dati\",\"nnfSdK\":\"Clienti Unici\",\"Mqy/Zy\":\"Stati Uniti\",\"NIuIk1\":\"Illimitato\",\"/p9Fhq\":\"Disponibilità illimitata\",\"E0q9qH\":\"Utilizzi illimitati consentiti\",\"h10Wm5\":\"Ordine non pagato\",\"ia8YsC\":\"In Arrivo\",\"TlEeFv\":\"Eventi in Arrivo\",\"L/gNNk\":[\"Aggiorna \",[\"0\"]],\"+qqX74\":\"Aggiorna nome, descrizione e date dell'evento\",\"vXPSuB\":\"Aggiorna profilo\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copiato negli appunti\",\"e5lF64\":\"Esempio di Utilizzo\",\"fiV0xj\":\"Limite di Utilizzo\",\"sGEOe4\":\"Usa una versione sfocata dell'immagine di copertina come sfondo\",\"OadMRm\":\"Usa immagine di copertina\",\"7PzzBU\":\"Utente\",\"yDOdwQ\":\"Gestione Utenti\",\"Sxm8rQ\":\"Utenti\",\"VEsDvU\":\"Gli utenti possono modificare la loro email in <0>Impostazioni Profilo\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"IVA\",\"E/9LUk\":\"Nome della Sede\",\"jpctdh\":\"Visualizza\",\"Pte1Hv\":\"Visualizza Dettagli Partecipante\",\"/5PEQz\":\"Visualizza pagina evento\",\"fFornT\":\"Visualizza messaggio completo\",\"YIsEhQ\":\"Visualizza mappa\",\"Ep3VfY\":\"Visualizza su Google Maps\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"Lista check-in VIP\",\"tF+VVr\":\"Biglietto VIP\",\"2q/Q7x\":\"Visibilità\",\"vmOFL/\":\"Non è stato possibile elaborare il tuo pagamento. Riprova o contatta l'assistenza.\",\"45Srzt\":\"Non è stato possibile eliminare la categoria. Riprova.\",\"/DNy62\":[\"Non abbiamo trovato biglietti corrispondenti a \",[\"0\"]],\"1E0vyy\":\"Non è stato possibile caricare i dati. Riprova.\",\"NmpGKr\":\"Non è stato possibile riordinare le categorie. Riprova.\",\"BJtMTd\":\"Consigliamo dimensioni di 2160px per 1080px e una dimensione massima del file di 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"Non siamo riusciti a confermare il tuo pagamento. Riprova o contatta l'assistenza.\",\"Gspam9\":\"Stiamo elaborando il tuo ordine. Attendere prego...\",\"LuY52w\":\"Benvenuto a bordo! Accedi per continuare.\",\"dVxpp5\":[\"Bentornato\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Cosa sono i Prodotti a Livelli?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Cos'è una Categoria?\",\"gxeWAU\":\"A quali prodotti si applica questo codice?\",\"hFHnxR\":\"A quali prodotti si applica questo codice? (Si applica a tutti per impostazione predefinita)\",\"AeejQi\":\"A quali prodotti dovrebbe applicarsi questa capacità?\",\"Rb0XUE\":\"A che ora arriverai?\",\"5N4wLD\":\"Che tipo di domanda è questa?\",\"gyLUYU\":\"Quando abilitato, le fatture verranno generate per gli ordini di biglietti. Le fatture saranno inviate insieme all'email di conferma dell'ordine. I partecipanti possono anche scaricare le loro fatture dalla pagina di conferma dell'ordine.\",\"D3opg4\":\"Quando i pagamenti offline sono abilitati, gli utenti potranno completare i loro ordini e ricevere i loro biglietti. I loro biglietti indicheranno chiaramente che l'ordine non è pagato, e lo strumento di check-in avviserà il personale di check-in se un ordine richiede il pagamento.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Quali biglietti dovrebbero essere associati a questa lista di check-in?\",\"S+OdxP\":\"Chi sta organizzando questo evento?\",\"LINr2M\":\"A chi è destinato questo messaggio?\",\"nWhye/\":\"A chi dovrebbe essere posta questa domanda?\",\"VxFvXQ\":\"Incorpora Widget\",\"v1P7Gm\":\"Impostazioni Widget\",\"b4itZn\":\"In corso\",\"hqmXmc\":\"In corso...\",\"+G/XiQ\":\"Da inizio anno\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Sì, rimuovili\",\"ySeBKv\":\"Hai già scansionato questo biglietto\",\"P+Sty0\":[\"Stai cambiando la tua email in <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Sei offline\",\"sdB7+6\":\"Puoi creare un codice promo che ha come target questo prodotto nella\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Non puoi cambiare il tipo di prodotto poiché ci sono partecipanti associati a questo prodotto.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Non puoi registrare partecipanti con ordini non pagati. Questa impostazione può essere modificata nelle impostazioni dell'evento.\",\"c9Evkd\":\"Non puoi eliminare l'ultima categoria.\",\"6uwAvx\":\"Non puoi eliminare questo livello di prezzo perché ci sono già prodotti venduti per questo livello. Puoi invece nasconderlo.\",\"tFbRKJ\":\"Non puoi modificare il ruolo o lo stato del proprietario dell'account.\",\"fHfiEo\":\"Non puoi rimborsare un ordine creato manualmente.\",\"hK9c7R\":\"Hai creato una domanda nascosta ma hai disabilitato l'opzione per mostrare le domande nascoste. È stata abilitata.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Hai accesso a più account. Scegli uno per continuare.\",\"Z6q0Vl\":\"Hai già accettato questo invito. Accedi per continuare.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Non hai domande per i partecipanti.\",\"CoZHDB\":\"Non hai domande per gli ordini.\",\"15qAvl\":\"Non hai modifiche di email in sospeso.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Hai esaurito il tempo per completare il tuo ordine.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Non hai ancora inviato messaggi. Puoi inviare messaggi a tutti i partecipanti o a specifici possessori di prodotti.\",\"R6i9o9\":\"Devi riconoscere che questa email non è promozionale\",\"3ZI8IL\":\"Devi accettare i termini e le condizioni\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Devi creare un biglietto prima di poter aggiungere manualmente un partecipante.\",\"jE4Z8R\":\"Devi avere almeno un livello di prezzo\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Dovrai contrassegnare un ordine come pagato manualmente. Questo può essere fatto nella pagina di gestione dell'ordine.\",\"L/+xOk\":\"Avrai bisogno di un biglietto prima di poter creare una lista di check-in.\",\"Djl45M\":\"Avrai bisogno di un prodotto prima di poter creare un'assegnazione di capacità.\",\"y3qNri\":\"Avrai bisogno di almeno un prodotto per iniziare. Gratuito, a pagamento o lascia che l'utente decida quanto pagare.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Il nome del tuo account è utilizzato nelle pagine degli eventi e nelle email.\",\"veessc\":\"I tuoi partecipanti appariranno qui una volta che si saranno registrati per il tuo evento. Puoi anche aggiungere manualmente i partecipanti.\",\"Eh5Wrd\":\"Il tuo fantastico sito web 🎉\",\"lkMK2r\":\"I tuoi Dettagli\",\"3ENYTQ\":[\"La tua richiesta di cambio email a <0>\",[\"0\"],\" è in attesa. Controlla la tua email per confermare\"],\"yZfBoy\":\"Il tuo messaggio è stato inviato\",\"KSQ8An\":\"Il tuo Ordine\",\"Jwiilf\":\"Il tuo ordine è stato annullato\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"I tuoi ordini appariranno qui una volta che inizieranno ad arrivare.\",\"9TO8nT\":\"La tua password\",\"P8hBau\":\"Il tuo pagamento è in elaborazione.\",\"UdY1lL\":\"Il tuo pagamento non è andato a buon fine, riprova.\",\"fzuM26\":\"Il tuo pagamento non è andato a buon fine. Riprova.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Il tuo rimborso è in elaborazione.\",\"IFHV2p\":\"Il tuo biglietto per\",\"x1PPdr\":\"CAP / Codice Postale\",\"BM/KQm\":\"CAP o Codice Postale\",\"+LtVBt\":\"CAP o Codice Postale\",\"25QDJ1\":\"- Clicca per pubblicare\",\"WOyJmc\":\"- Clicca per annullare la pubblicazione\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" ha già effettuato il check-in\"],\"S4PqS9\":[[\"0\"],\" Webhook Attivi\"],\"6MIiOI\":[[\"0\"],\" rimasti\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organizzatori\"],\"/HkCs4\":[[\"0\"],\" biglietti\"],\"OJnhhX\":[[\"eventCount\"],\" eventi\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tasse/Commissioni\",\"B1St2O\":\"<0>Le liste di check-in ti aiutano a gestire l'ingresso all'evento per giorno, area o tipo di biglietto. Puoi collegare i biglietti a liste specifiche come zone VIP o pass del Giorno 1 e condividere un link di check-in sicuro con il personale. Non è richiesto alcun account. Il check-in funziona su dispositivi mobili, desktop o tablet, utilizzando la fotocamera del dispositivo o uno scanner USB HID. \",\"ZnVt5v\":\"<0>I webhook notificano istantaneamente i servizi esterni quando si verificano eventi, come l'aggiunta di un nuovo partecipante al tuo CRM o alla mailing list al momento della registrazione, garantendo un'automazione senza interruzioni.<1>Utilizza servizi di terze parti come <2>Zapier, <3>IFTTT o <4>Make per creare flussi di lavoro personalizzati e automatizzare le attività.\",\"fAv9QG\":\"🎟️ Aggiungi biglietti\",\"M2DyLc\":\"1 Webhook Attivo\",\"yTsaLw\":\"1 biglietto\",\"HR/cvw\":\"Via Esempio 123\",\"kMU5aM\":\"Un avviso di annullamento è stato inviato a\",\"V53XzQ\":\"Un nuovo codice di verifica è stato inviato alla tua email\",\"/z/bH1\":\"Una breve descrizione del tuo organizzatore che sarà visibile agli utenti.\",\"aS0jtz\":\"Abbandonato\",\"uyJsf6\":\"Informazioni\",\"WTk/ke\":\"Informazioni su Stripe Connect\",\"1uJlG9\":\"Colore di Accento\",\"VTfZPy\":\"Accesso Negato\",\"iN5Cz3\":\"Account già connesso!\",\"bPwFdf\":\"Account\",\"nMtNd+\":\"Azione richiesta: Riconnetti il tuo account Stripe\",\"AhwTa1\":\"Azione richiesta: Informazioni IVA necessarie\",\"a5KFZU\":\"Aggiungi i dettagli dell'evento e gestisci le impostazioni dell'evento.\",\"Fb+SDI\":\"Aggiungi altri biglietti\",\"6PNlRV\":\"Aggiungi questo evento al tuo calendario\",\"BGD9Yt\":\"Aggiungi biglietti\",\"QN2F+7\":\"Aggiungi Webhook\",\"NsWqSP\":\"Aggiungi i tuoi profili social e l'URL del sito. Verranno mostrati nella pagina pubblica dell'organizzatore.\",\"0Zypnp\":\"Dashboard Amministratore\",\"YAV57v\":\"Affiliato\",\"I+utEq\":\"Il codice affiliato non può essere modificato\",\"/jHBj5\":\"Affiliato creato con successo\",\"uCFbG2\":\"Affiliato eliminato con successo\",\"a41PKA\":\"Le vendite dell'affiliato saranno tracciate\",\"mJJh2s\":\"Le vendite dell'affiliato non saranno tracciate. Questo disattiverà l'affiliato.\",\"jabmnm\":\"Affiliato aggiornato con successo\",\"CPXP5Z\":\"Affiliati\",\"9Wh+ug\":\"Affiliati esportati\",\"3cqmut\":\"Gli affiliati ti aiutano a tracciare le vendite generate da partner e influencer. Crea codici affiliato e condividili per monitorare le prestazioni.\",\"7rLTkE\":\"Tutti gli eventi archiviati\",\"gKq1fa\":\"Tutti i partecipanti\",\"pMLul+\":\"Tutte le valute\",\"qlaZuT\":\"Tutto fatto! Ora stai usando il nostro sistema di pagamento aggiornato.\",\"ZS/D7f\":\"Tutti gli eventi terminati\",\"dr7CWq\":\"Tutti gli eventi in arrivo\",\"QUg5y1\":\"Ci siamo quasi! Termina di connettere il tuo account Stripe per iniziare ad accettare pagamenti.\",\"c4uJfc\":\"Quasi fatto! Stiamo solo aspettando che il tuo pagamento venga elaborato. Dovrebbe richiedere solo pochi secondi.\",\"/H326L\":\"Già rimborsato\",\"RtxQTF\":\"Cancella anche questo ordine\",\"jkNgQR\":\"Rimborsa anche questo ordine\",\"xYqsHg\":\"Sempre disponibile\",\"Zkymb9\":\"Un'email da associare a questo affiliato. L'affiliato non sarà notificato.\",\"vRznIT\":\"Si è verificato un errore durante il controllo dello stato di esportazione.\",\"eusccx\":\"Un messaggio facoltativo da visualizzare sul prodotto evidenziato, ad esempio \\\"In vendita veloce 🔥\\\" o \\\"Miglior rapporto qualità-prezzo\\\"\",\"QNrkms\":\"Risposta aggiornata con successo.\",\"LchiNd\":\"Sei sicuro di voler eliminare questo affiliato? Questa azione non può essere annullata.\",\"JmVITJ\":\"Sei sicuro di voler eliminare questo modello? Questa azione non può essere annullata e le email torneranno al modello predefinito.\",\"aLS+A6\":\"Sei sicuro di voler eliminare questo modello? Questa azione non può essere annullata e le email torneranno al modello dell'organizzatore o predefinito.\",\"5H3Z78\":\"Sei sicuro di voler eliminare questo webhook?\",\"147G4h\":\"Sei sicuro di voler uscire?\",\"VDWChT\":\"Sei sicuro di voler rendere questo organizzatore una bozza? La pagina dell'organizzatore sarà invisibile al pubblico.\",\"pWtQJM\":\"Sei sicuro di voler rendere pubblico questo organizzatore? La pagina dell'organizzatore sarà visibile al pubblico.\",\"WFHOlF\":\"Sei sicuro di voler pubblicare questo evento? Una volta pubblicato, sarà visibile al pubblico.\",\"4TNVdy\":\"Sei sicuro di voler pubblicare questo profilo organizzatore? Una volta pubblicato, sarà visibile al pubblico.\",\"ExDt3P\":\"Sei sicuro di voler annullare la pubblicazione di questo evento? Non sarà più visibile al pubblico.\",\"5Qmxo/\":\"Sei sicuro di voler annullare la pubblicazione di questo profilo organizzatore? Non sarà più visibile al pubblico.\",\"Uqefyd\":\"Sei registrato IVA nell'UE?\",\"+QARA4\":\"Arte\",\"tLf3yJ\":\"Poiché la tua attività ha sede in Irlanda, l'IVA irlandese al 23% si applica automaticamente a tutte le commissioni della piattaforma.\",\"QGoXh3\":\"Poiché la tua attività ha sede nell'UE, dobbiamo determinare il corretto trattamento IVA per le nostre commissioni della piattaforma:\",\"F2rX0R\":\"Deve essere selezionato almeno un tipo di evento\",\"6PecK3\":\"Presenze e tassi di check-in per tutti gli eventi\",\"AJ4rvK\":\"Partecipante Cancellato\",\"qvylEK\":\"Partecipante Creato\",\"DVQSxl\":\"I dettagli dei partecipanti verranno copiati dalle informazioni dell'ordine.\",\"0R3Y+9\":\"Email Partecipante\",\"KkrBiR\":\"Raccolta delle informazioni sui partecipanti\",\"XBLgX1\":\"La raccolta delle informazioni sui partecipanti è impostata su \\\"Per ordine\\\". I dettagli dei partecipanti verranno copiati dalle informazioni sull'ordine.\",\"Xc2I+v\":\"Gestione Partecipanti\",\"av+gjP\":\"Nome Partecipante\",\"cosfD8\":\"Stato del Partecipante\",\"D2qlBU\":\"Partecipante Aggiornato\",\"x8Vnvf\":\"Il biglietto del partecipante non è incluso in questa lista\",\"k3Tngl\":\"Partecipanti Esportati\",\"5UbY+B\":\"Partecipanti con un biglietto specifico\",\"4HVzhV\":\"Partecipanti:\",\"VPoeAx\":\"Gestione automatizzata degli ingressi con liste di check-in multiple e convalida in tempo reale\",\"PZ7FTW\":\"Rilevato automaticamente in base al colore di sfondo, ma può essere sovrascritto\",\"clF06r\":\"Disponibile per rimborso\",\"NB5+UG\":\"Token Disponibili\",\"EmYMHc\":\"In attesa di pagamento offline\",\"kNmmvE\":\"Awesome Events S.r.l.\",\"kYqM1A\":\"Torna all'evento\",\"td/bh+\":\"Torna ai Report\",\"jIPNJG\":\"Informazioni di base\",\"iMdwTb\":\"Prima che il tuo evento possa andare online, ci sono alcune cose da fare. Completa tutti i passaggi qui sotto per iniziare.\",\"UabgBd\":\"Il corpo è obbligatorio\",\"9N+p+g\":\"Business\",\"bv6RXK\":\"Etichetta Pulsante\",\"ChDLlO\":\"Testo del pulsante\",\"DFqasq\":[\"Continuando, accetti i <0>\",[\"0\"],\"Termini del servizio\"],\"2VLZwd\":\"Pulsante di Invito all'Azione\",\"PUpvQe\":\"Scanner fotocamera\",\"H4nE+E\":\"Cancella tutti i prodotti e rilasciali nel pool disponibile\",\"tOXAdc\":\"La cancellazione cancellerà tutti i partecipanti associati a questo ordine e rilascerà i biglietti nel pool disponibile.\",\"IrUqjC\":\"Impossibile effettuare il check-in (Annullato)\",\"VsM1HH\":\"Assegnazioni di capacità\",\"K7tIrx\":\"Categoria\",\"2tbLdK\":\"Beneficenza\",\"v4fiSg\":\"Controlla la tua email\",\"51AsAN\":\"Controlla la tua casella di posta! Se ci sono biglietti associati a questa email, riceverai un link per visualizzarli.\",\"udRwQs\":\"Registrazione Creata\",\"F4SRy3\":\"Registrazione Eliminata\",\"9gPPUY\":\"Lista di Check-In Creata!\",\"f2vU9t\":\"Liste di Check-in\",\"tMNBEF\":\"Le liste di check-in ti permettono di controllare l'ingresso per giorni, aree o tipi di biglietto. Puoi condividere un link sicuro con lo staff — nessun account richiesto.\",\"SHJwyq\":\"Tasso di check-in\",\"qCqdg6\":\"Stato del Check-In\",\"cKj6OE\":\"Riepilogo Check-in\",\"7B5M35\":\"Check-In\",\"DM4gBB\":\"Cinese (Tradizionale)\",\"pkk46Q\":\"Scegli un organizzatore\",\"Crr3pG\":\"Scegli calendario\",\"CySr+W\":\"Clicca per visualizzare le note\",\"RG3szS\":\"chiudi\",\"RWw9Lg\":\"Chiudi la finestra\",\"XwdMMg\":\"Il codice può contenere solo lettere, numeri, trattini e trattini bassi\",\"+yMJb7\":\"Il codice è obbligatorio\",\"m9SD3V\":\"Il codice deve contenere almeno 3 caratteri\",\"V1krgP\":\"Il codice non deve superare i 20 caratteri\",\"psqIm5\":\"Collabora con il tuo team per creare eventi straordinari insieme.\",\"4bUH9i\":\"Raccogli i dettagli dei partecipanti per ogni biglietto acquistato.\",\"FpsvqB\":\"Modalità colore\",\"jEu4bB\":\"Colonne\",\"CWk59I\":\"Commedia\",\"7D9MJz\":\"Completa Configurazione Stripe\",\"OqEV/G\":\"Completa la configurazione qui sotto per continuare\",\"nqx+6h\":\"Completa questi passaggi per iniziare a vendere biglietti per il tuo evento.\",\"5YrKW7\":\"Completa il pagamento per assicurarti i biglietti.\",\"ih35UP\":\"Centro congressi\",\"NGXKG/\":\"Conferma indirizzo email\",\"Auz0Mz\":\"Conferma la tua email per accedere a tutte le funzionalità.\",\"7+grte\":\"Email di conferma inviata! Controlla la tua casella di posta.\",\"n/7+7Q\":\"Conferma inviata a\",\"o5A0Go\":\"Congratulazioni per aver creato un evento!\",\"WNnP3w\":\"Connetti e aggiorna\",\"Xe2tSS\":\"Documentazione di Connessione\",\"1Xxb9f\":\"Connetti elaborazione pagamenti\",\"LmvZ+E\":\"Connetti Stripe per abilitare la messaggistica\",\"EWnXR+\":\"Connetti a Stripe\",\"MOUF31\":\"Connetti con CRM e automatizza le attività utilizzando webhook e integrazioni\",\"VioGG1\":\"Collega il tuo account Stripe per accettare pagamenti per biglietti e prodotti.\",\"4qmnU8\":\"Connetti il tuo account Stripe per accettare pagamenti.\",\"E1eze1\":\"Connetti il tuo account Stripe per iniziare ad accettare pagamenti per i tuoi eventi.\",\"ulV1ju\":\"Connetti il tuo account Stripe per iniziare ad accettare pagamenti.\",\"/3017M\":\"Connesso a Stripe\",\"jfC/xh\":\"Contatto\",\"LOFgda\":[\"Contatta \",[\"0\"]],\"41BQ3k\":\"Email di contatto\",\"KcXRN+\":\"Email di contatto per supporto\",\"m8WD6t\":\"Continua configurazione\",\"0GwUT4\":\"Procedi al pagamento\",\"sBV87H\":\"Continua alla creazione dell'evento\",\"nKtyYu\":\"Continua al passo successivo\",\"F3/nus\":\"Continua al pagamento\",\"1JnTgU\":\"Copiato da sopra\",\"FxVG/l\":\"Copiato negli appunti\",\"PiH3UR\":\"Copiato!\",\"uUPbPg\":\"Copia link affiliato\",\"iVm46+\":\"Copia codice\",\"+2ZJ7N\":\"Copia dettagli al primo partecipante\",\"ZN1WLO\":\"Copia Email\",\"tUGbi8\":\"Copia i miei dati a:\",\"y22tv0\":\"Copia questo link per condividerlo ovunque\",\"/4gGIX\":\"Copia negli appunti\",\"P0rbCt\":\"Immagine di Copertina\",\"60u+dQ\":\"L'immagine di copertina sarà visualizzata in cima alla pagina dell'evento\",\"2NLjA6\":\"L'immagine di copertina sarà visualizzata in cima alla pagina dell'organizzatore\",\"zg4oSu\":[\"Crea Modello \",[\"0\"]],\"xfKgwv\":\"Crea affiliato\",\"dyrgS4\":\"Crea e personalizza la tua pagina evento istantaneamente\",\"BTne9e\":\"Crea modelli di email personalizzati per questo evento che sostituiscono le impostazioni predefinite dell'organizzatore\",\"YIDzi/\":\"Crea Modello Personalizzato\",\"8AiKIu\":\"Crea biglietto o prodotto\",\"agZ87r\":\"Crea biglietti per il tuo evento, imposta i prezzi e gestisci la quantità disponibile.\",\"dkAPxi\":\"Crea Webhook\",\"5slqwZ\":\"Crea il tuo evento\",\"JQNMrj\":\"Crea il tuo primo evento\",\"CCjxOC\":\"Crea il tuo primo evento per iniziare a vendere biglietti e gestire i partecipanti.\",\"ZCSSd+\":\"Crea il tuo evento\",\"67NsZP\":\"Creazione evento...\",\"H34qcM\":\"Creazione organizzatore...\",\"1YMS+X\":\"Creazione del tuo evento in corso, attendere prego\",\"yiy8Jt\":\"Creazione del tuo profilo organizzatore in corso, attendere prego\",\"lfLHNz\":\"L'etichetta CTA è obbligatoria\",\"BMtue0\":\"Processore di pagamenti attuale\",\"iTvh6I\":\"Attualmente disponibile per l'acquisto\",\"mimF6c\":\"Messaggio personalizzato dopo il checkout\",\"axv/Mi\":\"Modello personalizzato\",\"QMHSMS\":\"Il cliente riceverà un'email di conferma del rimborso\",\"L/Qc+w\":\"Indirizzo email del cliente\",\"wpfWhJ\":\"Nome del cliente\",\"GIoqtA\":\"Cognome del cliente\",\"NihQNk\":\"Clienti\",\"7gsjkI\":\"Personalizza le email inviate ai tuoi clienti utilizzando i modelli Liquid. Questi modelli verranno utilizzati come predefiniti per tutti gli eventi nella tua organizzazione.\",\"iX6SLo\":\"Personalizza il testo visualizzato sul pulsante continua\",\"pxNIxa\":\"Personalizza il tuo modello di email utilizzando i modelli Liquid\",\"q9Jg0H\":\"Personalizza la pagina del tuo evento e il design del widget per adattarli perfettamente al tuo brand\",\"mkLlne\":\"Personalizza l'aspetto della pagina del tuo evento\",\"3trPKm\":\"Personalizza l'aspetto della pagina del tuo organizzatore\",\"4df0iX\":\"Personalizza l'aspetto del tuo biglietto\",\"/gWrVZ\":\"Ricavi giornalieri, tasse, commissioni e rimborsi per tutti gli eventi\",\"zgCHnE\":\"Report Vendite Giornaliere\",\"nHm0AI\":\"Ripartizione giornaliera di vendite, tasse e commissioni\",\"pvnfJD\":\"Scuro\",\"lnYE59\":\"Data dell'evento\",\"gnBreG\":\"Data in cui è stato effettuato l'ordine\",\"JtI4vj\":\"Raccolta predefinita delle informazioni sui partecipanti\",\"1bZAZA\":\"Verrà utilizzato il modello predefinito\",\"vu7gDm\":\"Elimina affiliato\",\"+jw/c1\":\"Elimina immagine\",\"dPyJ15\":\"Elimina Modello\",\"snMaH4\":\"Elimina webhook\",\"vYgeDk\":\"Deseleziona tutto\",\"NvuEhl\":\"Elementi di Design\",\"H8kMHT\":\"Non hai ricevuto il codice?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Ignora questo messaggio\",\"BREO0S\":\"Visualizza una casella che consente ai clienti di aderire alle comunicazioni di marketing da questo organizzatore di eventi.\",\"TvY/XA\":\"Documentazione\",\"Kdpf90\":\"Non dimenticare!\",\"V6Jjbr\":\"Non hai un account? <0>Registrati\",\"AXXqG+\":\"Donazione\",\"DPfwMq\":\"Fatto\",\"eneWvv\":\"Bozza\",\"TnzbL+\":\"A causa dell'alto rischio di spam, è necessario collegare un account Stripe prima di poter inviare messaggi ai partecipanti.\\nQuesto è per garantire che tutti gli organizzatori di eventi siano verificati e responsabili.\",\"euc6Ns\":\"Duplica\",\"KRmTkx\":\"Duplica Prodotto\",\"KIjvtr\":\"Olandese\",\"SPKbfM\":\"es., Acquista biglietti, Registrati ora\",\"LTzmgK\":[\"Modifica Modello \",[\"0\"]],\"v4+lcZ\":\"Modifica affiliato\",\"2iZEz7\":\"Modifica Risposta\",\"fW5sSv\":\"Modifica webhook\",\"nP7CdQ\":\"Modifica Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Istruzione\",\"zPiC+q\":\"Liste Check-In Idonee\",\"V2sk3H\":\"Email e Modelli\",\"hbwCKE\":\"Indirizzo email copiato negli appunti\",\"dSyJj6\":\"Gli indirizzi email non corrispondono\",\"elW7Tn\":\"Corpo Email\",\"ZsZeV2\":\"L'email è obbligatoria\",\"Be4gD+\":\"Anteprima Email\",\"6IwNUc\":\"Modelli Email\",\"H/UMUG\":\"Verifica email richiesta\",\"L86zy2\":\"Email verificata con successo!\",\"Upeg/u\":\"Abilita questo modello per l'invio di email\",\"RxzN1M\":\"Abilitato\",\"sGjBEq\":\"Data e ora di fine (opzionale)\",\"PKXt9R\":\"La data di fine deve essere successiva alla data di inizio\",\"48Y16Q\":\"Ora di fine (facoltativo)\",\"7YZofi\":\"Inserisci un oggetto e un corpo per vedere l'anteprima\",\"3bR1r4\":\"Inserisci email affiliato (facoltativo)\",\"ARkzso\":\"Inserisci nome affiliato\",\"INDKM9\":\"Inserisci l'oggetto dell'email...\",\"kWg31j\":\"Inserisci codice affiliato univoco\",\"C3nD/1\":\"Inserisci la tua email\",\"n9V+ps\":\"Inserisci il tuo nome\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Errore durante il caricamento dei log\",\"AKbElk\":\"Imprese registrate IVA nell'UE: Si applica il meccanismo del reverse charge (0% - Articolo 196 della Direttiva IVA 2006/112/CE)\",\"WgD6rb\":\"Categoria evento\",\"b46pt5\":\"Immagine di copertina evento\",\"1Hzev4\":\"Modello personalizzato evento\",\"imgKgl\":\"Descrizione dell'evento\",\"kJDmsI\":\"Dettagli evento\",\"m/N7Zq\":\"Indirizzo Completo dell'Evento\",\"Nl1ZtM\":\"Luogo Evento\",\"PYs3rP\":\"Nome evento\",\"HhwcTQ\":\"Nome dell'evento\",\"WZZzB6\":\"Il nome dell'evento è obbligatorio\",\"Wd5CDM\":\"Il nome dell'evento deve contenere meno di 150 caratteri\",\"4JzCvP\":\"Evento Non Disponibile\",\"Gh9Oqb\":\"Nome organizzatore evento\",\"mImacG\":\"Pagina dell'evento\",\"cOePZk\":\"Orario Evento\",\"e8WNln\":\"Fuso orario dell'evento\",\"GeqWgj\":\"Fuso Orario dell'Evento\",\"XVLu2v\":\"Titolo dell'evento\",\"YDVUVl\":\"Tipi di Evento\",\"4K2OjV\":\"Sede dell'Evento\",\"19j6uh\":\"Performance Eventi\",\"PC3/fk\":\"Eventi che iniziano nelle prossime 24 ore\",\"fTFfOK\":\"Ogni modello di email deve includere un pulsante di invito all'azione che collega alla pagina appropriata\",\"VlvpJ0\":\"Esporta risposte\",\"JKfSAv\":\"Esportazione fallita. Riprova.\",\"SVOEsu\":\"Esportazione avviata. Preparazione file...\",\"9bpUSo\":\"Esportazione affiliati\",\"jtrqH9\":\"Esportazione Partecipanti\",\"R4Oqr8\":\"Esportazione completata. Download file in corso...\",\"UlAK8E\":\"Esportazione Ordini\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Impossibile abbandonare l'ordine. Riprova.\",\"cEFg3R\":\"Creazione affiliato non riuscita\",\"U66oUa\":\"Impossibile creare il modello\",\"xFj7Yj\":\"Impossibile eliminare il modello\",\"jo3Gm6\":\"Esportazione affiliati non riuscita\",\"Jjw03p\":\"Impossibile esportare i partecipanti\",\"ZPwFnN\":\"Impossibile esportare gli ordini\",\"X4o0MX\":\"Impossibile caricare il Webhook\",\"YQ3QSS\":\"Reinvio codice di verifica non riuscito\",\"zTkTF3\":\"Impossibile salvare il modello\",\"l6acRV\":\"Impossibile salvare le impostazioni IVA. Riprova.\",\"T6B2gk\":\"Invio messaggio non riuscito. Riprova.\",\"lKh069\":\"Impossibile avviare il processo di esportazione\",\"t/KVOk\":\"Impossibile avviare l'impersonificazione. Riprova.\",\"QXgjH0\":\"Impossibile interrompere l'impersonificazione. Riprova.\",\"i0QKrm\":\"Aggiornamento affiliato non riuscito\",\"NNc33d\":\"Impossibile aggiornare la risposta.\",\"7/9RFs\":\"Caricamento immagine non riuscito.\",\"nkNfWu\":\"Caricamento dell'immagine non riuscito. Riprova.\",\"rxy0tG\":\"Verifica email non riuscita\",\"T4BMxU\":\"Le commissioni sono soggette a modifiche. Sarai informato di qualsiasi modifica alla struttura delle tue commissioni.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Compila prima i tuoi dati sopra\",\"8OvVZZ\":\"Filtra Partecipanti\",\"8BwQeU\":\"Completa configurazione\",\"hg80P7\":\"Completa configurazione Stripe\",\"1vBhpG\":\"Primo partecipante\",\"YXhom6\":\"Commissione Fissa:\",\"KgxI80\":\"Biglietteria Flessibile\",\"lWxAUo\":\"Cibo e bevande\",\"nFm+5u\":\"Testo del Piè di Pagina\",\"MY2SVM\":\"Rimborso completo\",\"vAVBBv\":\"Completamente integrato\",\"T02gNN\":\"Ingresso Generale\",\"3ep0Gx\":\"Informazioni generali sul tuo organizzatore\",\"ziAjHi\":\"Genera\",\"exy8uo\":\"Genera codice\",\"4CETZY\":\"Indicazioni stradali\",\"kfVY6V\":\"Inizia gratuitamente, nessun costo di abbonamento\",\"u6FPxT\":\"Ottieni i biglietti\",\"8KDgYV\":\"Prepara il tuo evento\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Vai alla pagina dell'evento\",\"gHSuV/\":\"Vai alla pagina iniziale\",\"6nDzTl\":\"Buona leggibilità\",\"n8IUs7\":\"Ricavi Lordi\",\"kTSQej\":[\"Ciao \",[\"0\"],\", gestisci la tua piattaforma da qui.\"],\"dORAcs\":\"Ecco tutti i biglietti associati al tuo indirizzo email.\",\"g+2103\":\"Ecco il tuo link affiliato\",\"QlwJ9d\":\"Ecco cosa aspettarsi:\",\"D+zLDD\":\"Nascosto\",\"Rj6sIY\":\"Nascondi opzioni aggiuntive\",\"P+5Pbo\":\"Nascondi Risposte\",\"gtEbeW\":\"Evidenzia\",\"NF8sdv\":\"Messaggio evidenziato\",\"MXSqmS\":\"Evidenzia questo prodotto\",\"7ER2sc\":\"Evidenziato\",\"sq7vjE\":\"I prodotti evidenziati avranno un colore di sfondo diverso per farli risaltare nella pagina dell'evento.\",\"i0qMbr\":\"Home\",\"AVpmAa\":\"Come pagare offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Ungherese\",\"4/kP5a\":\"Se una nuova scheda non si è aperta automaticamente, clicca sul pulsante qui sotto per procedere al pagamento.\",\"PYVWEI\":\"Se registrato, fornisci il tuo numero di partita IVA per la convalida\",\"wOU3Tr\":\"Se hai un account con noi, riceverai un'email con le istruzioni per reimpostare la password.\",\"an5hVd\":\"Immagini\",\"tSVr6t\":\"Impersonifica\",\"TWXU0c\":\"Impersona utente\",\"5LAZwq\":\"Impersonificazione avviata\",\"IMwcdR\":\"Impersonificazione interrotta\",\"M8M6fs\":\"Importante: Riconnessione Stripe richiesta\",\"jT142F\":[\"Tra \",[\"diffHours\"],\" ore\"],\"OoSyqO\":[\"Tra \",[\"diffMinutes\"],\" minuti\"],\"UJLg8x\":\"Analisi approfondite\",\"cljs3a\":\"Indica se sei registrato IVA nell'UE\",\"F1Xp97\":\"Partecipanti individuali\",\"85e6zs\":\"Inserisci Token Liquid\",\"38KFY0\":\"Inserisci Variabile\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Email non valida\",\"5tT0+u\":\"Formato email non valido\",\"tnL+GP\":\"Sintassi Liquid non valida. Correggila e riprova.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Invita un membro del team\",\"1z26sk\":\"Invita membro del team\",\"KR0679\":\"Invita membri del team\",\"aH6ZIb\":\"Invita il tuo team\",\"IuMGvq\":\"Fattura\",\"y0meFR\":\"L'IVA irlandese al 23% sarà applicata alle commissioni della piattaforma (fornitura nazionale).\",\"Lj7sBL\":\"Italiano\",\"F5/CBH\":\"articolo(i)\",\"BzfzPK\":\"Articoli\",\"nCywLA\":\"Partecipa da ovunque\",\"hTJ4fB\":\"Basta cliccare il pulsante qui sotto per riconnettere il tuo account Stripe.\",\"MxjCqk\":\"Stai solo cercando i tuoi biglietti?\",\"lB2hSG\":[\"Tienimi aggiornato sulle novità e gli eventi di \",[\"0\"]],\"h0Q9Iw\":\"Ultima Risposta\",\"gw3Ur5\":\"Ultimo Attivato\",\"1njn7W\":\"Chiaro\",\"1qY5Ue\":\"Link scaduto o non valido\",\"psosdY\":\"Link ai dettagli dell'ordine\",\"6JzK4N\":\"Link al biglietto\",\"shkJ3U\":\"Collega il tuo account Stripe per ricevere fondi dalle vendite dei biglietti.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Online\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Eventi in Diretta\",\"WdmJIX\":\"Caricamento anteprima...\",\"IoDI2o\":\"Caricamento token...\",\"NFxlHW\":\"Caricamento Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo e Copertina\",\"gddQe0\":\"Logo e immagine di copertina per il tuo organizzatore\",\"TBEnp1\":\"Il logo verrà visualizzato nell'intestazione\",\"Jzu30R\":\"Il logo sarà visualizzato sul biglietto\",\"4wUIjX\":\"Rendi attivo il tuo evento\",\"0A7TvI\":\"Gestisci evento\",\"2FzaR1\":\"Gestisci l'elaborazione dei pagamenti e visualizza le commissioni della piattaforma\",\"/x0FyM\":\"Adatta al tuo brand\",\"xDAtGP\":\"Messaggio\",\"1jRD0v\":\"Invia messaggio ai partecipanti con biglietti specifici\",\"97QrnA\":\"Invia messaggi ai partecipanti, gestisci ordini e gestisci rimborsi, tutto in un unico posto\",\"48rf3i\":\"Il messaggio non può superare 5000 caratteri\",\"Vjat/X\":\"Il messaggio è obbligatorio\",\"0/yJtP\":\"Invia messaggio ai proprietari degli ordini con prodotti specifici\",\"tccUcA\":\"Check-in Mobile\",\"GfaxEk\":\"Musica\",\"oVGCGh\":\"I Miei Biglietti\",\"8/brI5\":\"Il nome è obbligatorio\",\"sCV5Yc\":\"Nome dell'evento\",\"xxU3NX\":\"Ricavi Netti\",\"eWRECP\":\"Vita notturna\",\"HSw5l3\":\"No - Sono un privato o un'azienda non registrata IVA\",\"VHfLAW\":\"Nessun account\",\"+jIeoh\":\"Nessun account trovato\",\"074+X8\":\"Nessun Webhook Attivo\",\"zxnup4\":\"Nessun affiliato da mostrare\",\"99ntUF\":\"Nessuna lista di check-in disponibile per questo evento.\",\"6r9SGl\":\"Nessuna Carta di Credito Richiesta\",\"eb47T5\":\"Nessun dato trovato per i filtri selezionati. Prova a modificare l'intervallo di date o la valuta.\",\"pZNOT9\":\"Nessuna data di fine\",\"dW40Uz\":\"Nessun evento trovato\",\"8pQ3NJ\":\"Nessun evento in programma nelle prossime 24 ore\",\"8zCZQf\":\"Nessun evento disponibile\",\"54GxeB\":\"Nessun impatto sulle tue transazioni attuali o passate\",\"EpvBAp\":\"Nessuna fattura\",\"XZkeaI\":\"Nessun log trovato\",\"NEmyqy\":\"Nessun ordine disponibile\",\"B7w4KY\":\"Nessun altro organizzatore disponibile\",\"6jYQGG\":\"Nessun evento passato\",\"zK/+ef\":\"Nessun prodotto disponibile per la selezione\",\"QoAi8D\":\"Nessuna risposta\",\"EK/G11\":\"Ancora nessuna risposta\",\"3sRuiW\":\"Nessun biglietto trovato\",\"yM5c0q\":\"Nessun evento in arrivo\",\"qpC74J\":\"Nessun utente trovato\",\"n5vdm2\":\"Nessun evento webhook è stato registrato per questo endpoint. Gli eventi appariranno qui una volta attivati.\",\"4GhX3c\":\"Nessun Webhook\",\"4+am6b\":\"No, rimani qui\",\"HVwIsd\":\"Imprese o privati non registrati IVA: Si applica l'IVA irlandese al 23%\",\"x5+Lcz\":\"Non Registrato\",\"8n10sz\":\"Non Idoneo\",\"lQgMLn\":\"Nome dell'ufficio o della sede\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Pagamento Offline\",\"nO3VbP\":[\"In vendita \",[\"0\"]],\"2r6bAy\":\"Una volta completato l'aggiornamento, il tuo vecchio account sarà usato solo per i rimborsi.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Evento online\",\"bU7oUm\":\"Invia solo agli ordini con questi stati\",\"M2w1ni\":\"Visibile solo con codice promozionale\",\"N141o/\":\"Apri dashboard Stripe\",\"HXMJxH\":\"Testo opzionale per disclaimer, informazioni di contatto o note di ringraziamento (solo una riga)\",\"c/TIyD\":\"Ordine & biglietto\",\"H5qWhm\":\"Ordine annullato\",\"b6+Y+n\":\"Ordine completato\",\"x4MLWE\":\"Conferma Ordine\",\"ppuQR4\":\"Ordine Creato\",\"0UZTSq\":\"Valuta dell'Ordine\",\"HdmwrI\":\"Email Ordine\",\"bwBlJv\":\"Nome Ordine\",\"vrSW9M\":\"L'ordine è stato cancellato e rimborsato. Il proprietario dell'ordine è stato notificato.\",\"+spgqH\":[\"ID ordine: \",[\"0\"]],\"Pc729f\":\"Ordine in Attesa di Pagamento Offline\",\"F4NXOl\":\"Cognome Ordine\",\"RQCXz6\":\"Limiti degli ordini\",\"5RDEEn\":\"Lingua dell'Ordine\",\"vu6Arl\":\"Ordine Contrassegnato come Pagato\",\"sLbJQz\":\"Ordine non trovato\",\"i8VBuv\":\"Numero Ordine\",\"FaPYw+\":\"Proprietario ordine\",\"eB5vce\":\"Proprietari di ordini con un prodotto specifico\",\"CxLoxM\":\"Proprietari di ordini con prodotti\",\"DoH3fD\":\"Pagamento dell'Ordine in Sospeso\",\"EZy55F\":\"Ordine Rimborsato\",\"6eSHqs\":\"Stati ordine\",\"oW5877\":\"Totale Ordine\",\"e7eZuA\":\"Ordine Aggiornato\",\"KndP6g\":\"URL Ordine\",\"3NT0Ck\":\"L'ordine è stato annullato\",\"5It1cQ\":\"Ordini Esportati\",\"B/EBQv\":\"Ordini:\",\"ucgZ0o\":\"Organizzazione\",\"S3CZ5M\":\"Dashboard organizzatore\",\"Uu0hZq\":\"Email organizzatore\",\"Gy7BA3\":\"Indirizzo email dell'organizzatore\",\"SQqJd8\":\"Organizzatore non trovato\",\"wpj63n\":\"Impostazioni organizzatore\",\"coIKFu\":\"Le statistiche dell'organizzatore non sono disponibili per la valuta selezionata o si è verificato un errore.\",\"o1my93\":\"Aggiornamento dello stato dell'organizzatore non riuscito. Riprova più tardi\",\"rLHma1\":\"Stato dell'organizzatore aggiornato\",\"LqBITi\":\"Verrà utilizzato il modello dell'organizzatore/predefinito\",\"/IX/7x\":\"Altro\",\"RsiDDQ\":\"Altre Liste (Biglietto Non Incluso)\",\"6/dCYd\":\"Panoramica\",\"8uqsE5\":\"Pagina non più disponibile\",\"QkLf4H\":\"URL della pagina\",\"sF+Xp9\":\"Visualizzazioni pagina\",\"5F7SYw\":\"Rimborso parziale\",\"fFYotW\":[\"Parzialmente rimborsato: \",[\"0\"]],\"Ff0Dor\":\"Passato\",\"xTPjSy\":\"Eventi passati\",\"/l/ckQ\":\"Incolla URL\",\"URAE3q\":\"In pausa\",\"4fL/V7\":\"Paga\",\"OZK07J\":\"Paga per sbloccare\",\"TskrJ8\":\"Pagamento e Piano\",\"ENEPLY\":\"Metodo di pagamento\",\"EyE8E6\":\"Elaborazione Pagamenti\",\"8Lx2X7\":\"Pagamento ricevuto\",\"vcyz2L\":\"Impostazioni Pagamento\",\"fx8BTd\":\"Pagamenti non disponibili\",\"51U9mG\":\"I pagamenti continueranno a fluire senza interruzioni\",\"VlXNyK\":\"Per ordine\",\"hauDFf\":\"Per biglietto\",\"/Bh+7r\":\"Prestazione\",\"zmwvG2\":\"Telefono\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Stai pianificando un evento?\",\"br3Y/y\":\"Commissioni Piattaforma\",\"jEw0Mr\":\"Inserisci un URL valido\",\"n8+Ng/\":\"Inserisci il codice a 5 cifre\",\"r+lQXT\":\"Inserisci il tuo numero di partita IVA\",\"Dvq0wf\":\"Per favore, fornisci un'immagine.\",\"2cUopP\":\"Riavvia il processo di acquisto.\",\"8KmsFa\":\"Seleziona un intervallo di date\",\"EFq6EG\":\"Per favore, seleziona un'immagine.\",\"fuwKpE\":\"Riprova.\",\"klWBeI\":\"Attendi prima di richiedere un altro codice\",\"hfHhaa\":\"Attendi mentre prepariamo i tuoi affiliati per l'esportazione...\",\"o+tJN/\":\"Attendi mentre prepariamo i tuoi partecipanti per l'esportazione...\",\"+5Mlle\":\"Attendi mentre prepariamo i tuoi ordini per l'esportazione...\",\"TjX7xL\":\"Messaggio Post-Checkout\",\"cs5muu\":\"Anteprima pagina evento\",\"+4yRWM\":\"Prezzo del biglietto\",\"a5jvSX\":\"Fasce di prezzo\",\"ReihZ7\":\"Anteprima di Stampa\",\"JnuPvH\":\"Stampa biglietto\",\"tYF4Zq\":\"Stampa in PDF\",\"LcET2C\":\"Informativa sulla privacy\",\"8z6Y5D\":\"Elabora rimborso\",\"JcejNJ\":\"Elaborazione ordine\",\"EWCLpZ\":\"Prodotto Creato\",\"XkFYVB\":\"Prodotto Eliminato\",\"YMwcbR\":\"Ripartizione vendite prodotti, ricavi e tasse\",\"ldVIlB\":\"Prodotto Aggiornato\",\"mIqT3T\":\"Prodotti, merchandising e opzioni di prezzo flessibili\",\"JoKGiJ\":\"Codice promo\",\"k3wH7i\":\"Ripartizione utilizzo codici promo e sconti\",\"uEhdRh\":\"Solo promo\",\"EEYbdt\":\"Pubblica\",\"evDBV8\":\"Pubblica Evento\",\"dsFmM+\":\"Acquistato\",\"YwNJAq\":\"Scansione di codici QR con feedback istantaneo e condivisione sicura per l'accesso del personale\",\"fqDzSu\":\"Tasso\",\"spsZys\":\"Pronto per l'aggiornamento? Ci vogliono solo pochi minuti.\",\"Fi3b48\":\"Ordini recenti\",\"Edm6av\":\"Riconnetti Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Reindirizzamento a Stripe...\",\"ACKu03\":\"Aggiorna Anteprima\",\"fKn/k6\":\"Importo rimborso\",\"qY4rpA\":\"Rimborso fallito\",\"FaK/8G\":[\"Rimborsa ordine \",[\"0\"]],\"MGbi9P\":\"Rimborso in sospeso\",\"BDSRuX\":[\"Rimborsato: \",[\"0\"]],\"bU4bS1\":\"Rimborsi\",\"CQeZT8\":\"Report non trovato\",\"JEPMXN\":\"Richiedi un nuovo link\",\"mdeIOH\":\"Reinvia codice\",\"bxoWpz\":\"Invia nuovamente l'email di conferma\",\"G42SNI\":\"Invia nuovamente l'email\",\"TTpXL3\":[\"Reinvia tra \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Riservato\",\"8wUjGl\":\"Riservato fino a\",\"slOprG\":\"Reimposta la tua password\",\"CbnrWb\":\"Torna all'evento\",\"Oo/PLb\":\"Riepilogo Ricavi\",\"dFFW9L\":[\"Vendita terminata \",[\"0\"]],\"loCKGB\":[\"La vendita termina il \",[\"0\"]],\"wlfBad\":\"Periodo di vendita\",\"zpekWp\":[\"Inizio vendita \",[\"0\"]],\"mUv9U4\":\"Vendite\",\"9KnRdL\":\"Le vendite sono sospese\",\"3VnlS9\":\"Vendite, ordini e metriche di performance per tutti gli eventi\",\"3Q1AWe\":\"Vendite:\",\"8BRPoH\":\"Luogo di Esempio\",\"KZrfYJ\":\"Salva link social\",\"9Y3hAT\":\"Salva Modello\",\"C8ne4X\":\"Salva Design del Biglietto\",\"6/TNCd\":\"Salva impostazioni IVA\",\"I+FvbD\":\"Scansiona\",\"4ba0NE\":\"Programmata\",\"ftNXma\":\"Cerca affiliati...\",\"VY+Bdn\":\"Cerca per nome account o e-mail...\",\"VX+B3I\":\"Cerca per titolo evento o organizzatore...\",\"GHdjuo\":\"Cerca per nome, email o account...\",\"Mck5ht\":\"Pagamento sicuro\",\"p7xUrt\":\"Seleziona una categoria\",\"BFRSTT\":\"Seleziona Account\",\"mCB6Je\":\"Seleziona tutto\",\"kYZSFD\":\"Seleziona un organizzatore per visualizzare la sua dashboard e gli eventi.\",\"tVW/yo\":\"Seleziona valuta\",\"n9ZhRa\":\"Seleziona data e ora di fine\",\"gTN6Ws\":\"Seleziona ora di fine\",\"0U6E9W\":\"Seleziona categoria evento\",\"j9cPeF\":\"Seleziona tipi di evento\",\"1nhy8G\":\"Seleziona tipo di scanner\",\"KizCK7\":\"Seleziona data e ora di inizio\",\"dJZTv2\":\"Seleziona ora di inizio\",\"aT3jZX\":\"Seleziona fuso orario\",\"Ropvj0\":\"Seleziona quali eventi attiveranno questo webhook\",\"BG3f7v\":\"Vendi qualsiasi cosa\",\"VtX8nW\":\"Vendi merchandising insieme ai biglietti con supporto integrato per tasse e codici promozionali\",\"Cye3uV\":\"Vendi Più Che Biglietti\",\"j9b/iy\":\"Si vende velocemente 🔥\",\"1lNPhX\":\"Invia email di notifica rimborso\",\"SPdzrs\":\"Inviato ai clienti quando effettuano un ordine\",\"LxSN5F\":\"Inviato a ogni partecipante con i dettagli del biglietto\",\"eXssj5\":\"Imposta le impostazioni predefinite per i nuovi eventi creati con questo organizzatore.\",\"xMO+Ao\":\"Configura la tua organizzazione\",\"HbUQWA\":\"Configurazione in Minuti\",\"GG7qDw\":\"Condividi link affiliato\",\"hL7sDJ\":\"Condividi pagina dell'organizzatore\",\"WHY75u\":\"Mostra opzioni aggiuntive\",\"cMW+gm\":[\"Mostra tutte le piattaforme (\",[\"0\"],\" con valori)\"],\"UVPI5D\":\"Mostra meno piattaforme\",\"Eu/N/d\":\"Mostra casella di opt-in marketing\",\"SXzpzO\":\"Mostra casella di opt-in marketing per impostazione predefinita\",\"b33PL9\":\"Mostra più piattaforme\",\"v6IwHE\":\"Check-in Intelligente\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Sociale\",\"d0rUsW\":\"Link social\",\"j/TOB3\":\"Link social e sito web\",\"2pxNFK\":\"venduto\",\"s9KGXU\":\"Venduto\",\"KTxc6k\":\"Qualcosa è andato storto, riprova o contatta l'assistenza se il problema persiste\",\"H6Gslz\":\"Scusa per l'inconveniente.\",\"7JFNej\":\"Sport\",\"JcQp9p\":\"Data e ora di inizio\",\"0m/ekX\":\"Data e ora di inizio\",\"izRfYP\":\"La data di inizio è obbligatoria\",\"2R1+Rv\":\"Ora di inizio dell'evento\",\"2NbyY/\":\"Statistiche\",\"DRykfS\":\"Ancora gestendo rimborsi per le tue transazioni precedenti.\",\"wuV0bK\":\"Interrompi Impersonificazione\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"La configurazione di Stripe è già completa.\",\"ii0qn/\":\"L'oggetto è obbligatorio\",\"M7Uapz\":\"L'oggetto apparirà qui\",\"6aXq+t\":\"Oggetto:\",\"JwTmB6\":\"Prodotto Duplicato con Successo\",\"RuaKfn\":\"Indirizzo aggiornato con successo\",\"kzx0uD\":\"Impostazioni predefinite dell'evento aggiornate correttamente\",\"5n+Wwp\":\"Organizzatore aggiornato con successo\",\"0Dk/l8\":\"Impostazioni SEO aggiornate con successo\",\"MhOoLQ\":\"Link social aggiornati con successo\",\"kj7zYe\":\"Webhook aggiornato con successo\",\"dXoieq\":\"Riepilogo\",\"/RfJXt\":[\"Festival musicale estivo \",[\"0\"]],\"CWOPIK\":\"Festival Musicale Estivo 2025\",\"5gIl+x\":\"Supporto per vendite a livelli, basate su donazioni e di prodotti con prezzi e capacità personalizzabili\",\"JZTQI0\":\"Cambia organizzatore\",\"XX32BM\":\"Richiede solo pochi minuti\",\"yT6dQ8\":\"Tasse raccolte raggruppate per tipo di tassa ed evento\",\"Ye321X\":\"Nome Tassa\",\"WyCBRt\":\"Riepilogo Tasse\",\"GkH0Pq\":\"Tasse & commissioni applicate\",\"SmvJCM\":\"Imposte, commissioni, periodo di vendita, limiti degli ordini e impostazioni di visibilità\",\"vlf/In\":\"Tecnologia\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Spiega cosa aspettarsi dal tuo evento\",\"NiIUyb\":\"Parlaci del tuo evento\",\"DovcfC\":\"Parlaci della tua organizzazione. Queste informazioni saranno visualizzate sulle pagine dei tuoi eventi.\",\"7wtpH5\":\"Modello Attivo\",\"QHhZeE\":\"Modello creato con successo\",\"xrWdPR\":\"Modello eliminato con successo\",\"G04Zjt\":\"Modello salvato con successo\",\"xowcRf\":\"Termini di servizio\",\"6K0GjX\":\"Il testo potrebbe essere difficile da leggere\",\"nm3Iz/\":\"Grazie per aver partecipato!\",\"lhAWqI\":\"Grazie per il tuo supporto mentre continuiamo a crescere e migliorare Hi.Events!\",\"KfmPRW\":\"Colore di sfondo della pagina. Quando si utilizza un'immagine di copertina, questa viene applicata come sovrapposizione.\",\"MDNyJz\":\"Il codice scadrà tra 10 minuti. Controlla la cartella spam se non vedi l'email.\",\"MJm4Tq\":\"La valuta dell'ordine\",\"I/NNtI\":\"La sede dell'evento\",\"tXadb0\":\"L'evento che stai cercando non è disponibile al momento. Potrebbe essere stato rimosso, scaduto o l'URL potrebbe essere errato.\",\"EBzPwC\":\"L'indirizzo completo dell'evento\",\"sxKqBm\":\"L'importo completo dell'ordine sarà rimborsato al metodo di pagamento originale del cliente.\",\"5OmEal\":\"La lingua del cliente\",\"sYLeDq\":\"L'organizzatore che stai cercando non è stato trovato. La pagina potrebbe essere stata spostata, eliminata o l'URL potrebbe essere errato.\",\"HxxXZO\":\"Il colore principale del marchio utilizzato per i pulsanti e le evidenziazioni\",\"DEcpfp\":\"Il corpo del template contiene sintassi Liquid non valida. Correggila e riprova.\",\"A4UmDy\":\"Teatro\",\"tDwYhx\":\"Tema e colori\",\"HirZe8\":\"Questi modelli verranno utilizzati come predefiniti per tutti gli eventi nella tua organizzazione. I singoli eventi possono sostituire questi modelli con le proprie versioni personalizzate.\",\"lzAaG5\":\"Questi modelli sostituiranno le impostazioni predefinite dell'organizzatore solo per questo evento. Se non è impostato alcun modello personalizzato qui, verrà utilizzato il modello dell'organizzatore.\",\"XBNC3E\":\"Questo codice sarà usato per tracciare le vendite. Sono ammessi solo lettere, numeri, trattini e trattini bassi.\",\"AaP0M+\":\"Questa combinazione di colori potrebbe essere difficile da leggere per alcuni utenti\",\"YClrdK\":\"Questo evento non è ancora pubblicato\",\"dFJnia\":\"Questo è il nome del tuo organizzatore che sarà visibile agli utenti.\",\"L7dIM7\":\"Questo link non è valido o è scaduto.\",\"j5FdeA\":\"Questo ordine è in fase di elaborazione.\",\"sjNPMw\":\"Questo ordine è stato abbandonato. Puoi avviarne uno nuovo in qualsiasi momento.\",\"OhCesD\":\"Questo ordine è stato annullato. Puoi iniziare un nuovo ordine in qualsiasi momento.\",\"lyD7rQ\":\"Questo profilo organizzatore non è ancora pubblicato\",\"9b5956\":\"Questa anteprima mostra come apparirà la tua email con dati di esempio. Le email effettive utilizzeranno valori reali.\",\"uM9Alj\":\"Questo prodotto è evidenziato nella pagina dell'evento\",\"RqSKdX\":\"Questo prodotto è esaurito\",\"0Ew0uk\":\"Questo biglietto è stato appena scansionato. Attendi prima di scansionare di nuovo.\",\"kvpxIU\":\"Questo sarà usato per notifiche e comunicazioni con i tuoi utenti.\",\"rhsath\":\"Questo non sarà visibile ai clienti, ma ti aiuta a identificare l'affiliato.\",\"Mr5UUd\":\"Biglietto annullato\",\"0GSPnc\":\"Design del Biglietto\",\"EZC/Cu\":\"Design del biglietto salvato con successo\",\"1BPctx\":\"Biglietto per\",\"bgqf+K\":\"Email del possessore del biglietto\",\"oR7zL3\":\"Nome del possessore del biglietto\",\"HGuXjF\":\"Possessori di biglietti\",\"awHmAT\":\"ID biglietto\",\"6czJik\":\"Logo del Biglietto\",\"OkRZ4Z\":\"Nome Biglietto\",\"6tmWch\":\"Biglietto o prodotto\",\"1tfWrD\":\"Anteprima biglietto per\",\"tGCY6d\":\"Prezzo Biglietto\",\"8jLPgH\":\"Tipo di Biglietto\",\"X26cQf\":\"URL Biglietto\",\"zNECqg\":\"biglietti\",\"6GQNLE\":\"Biglietti\",\"NRhrIB\":\"Biglietti e prodotti\",\"EUnesn\":\"Biglietti disponibili\",\"AGRilS\":\"Biglietti Venduti\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Per ricevere pagamenti con carta di credito, devi collegare il tuo account Stripe. Stripe è il nostro partner per l'elaborazione dei pagamenti che garantisce transazioni sicure e pagamenti puntuali.\",\"W428WC\":\"Attiva colonne\",\"3sZ0xx\":\"Account Totali\",\"EaAPbv\":\"Importo totale pagato\",\"SMDzqJ\":\"Totale Partecipanti\",\"orBECM\":\"Totale Raccolto\",\"KSDwd5\":\"Ordini totali\",\"vb0Q0/\":\"Utenti Totali\",\"/b6Z1R\":\"Monitora ricavi, visualizzazioni di pagina e vendite con analisi dettagliate e report esportabili\",\"OpKMSn\":\"Commissione di Transazione:\",\"uKOFO5\":\"Vero se pagamento offline\",\"9GsDR2\":\"Vero se pagamento in sospeso\",\"ouM5IM\":\"Prova un'altra email\",\"3DZvE7\":\"Prova Hi.Events Gratis\",\"Kz91g/\":\"Turco\",\"GdOhw6\":\"Disattiva audio\",\"KUOhTy\":\"Attiva audio\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Tipo di biglietto\",\"IrVSu+\":\"Impossibile duplicare il prodotto. Controlla i tuoi dati\",\"Vx2J6x\":\"Impossibile recuperare il partecipante\",\"b9SN9q\":\"Riferimento ordine unico\",\"Ef7StM\":\"Sconosciuto\",\"ZBAScj\":\"Partecipante Sconosciuto\",\"ZkS2p3\":\"Annulla Pubblicazione Evento\",\"Pp1sWX\":\"Aggiorna affiliato\",\"KMMOAy\":\"Aggiornamento disponibile\",\"gJQsLv\":\"Carica un'immagine di copertina per il tuo organizzatore\",\"4kEGqW\":\"Carica un logo per il tuo organizzatore\",\"lnCMdg\":\"Carica immagine\",\"29w7p6\":\"Caricamento immagine in corso...\",\"HtrFfw\":\"URL è obbligatorio\",\"WBq1/R\":\"Scanner USB già attivo\",\"EV30TR\":\"Modalità scanner USB attivata. Inizia a scansionare i biglietti ora.\",\"fovJi3\":\"Modalità scanner USB disattivata\",\"hli+ga\":\"Scanner USB/HID\",\"OHJXlK\":\"Usa <0>i template Liquid per personalizzare le tue email\",\"0k4cdb\":\"Utilizza i dettagli dell'ordine per tutti i partecipanti. I nomi e gli indirizzi email dei partecipanti corrisponderanno alle informazioni dell'acquirente.\",\"rnoQsz\":\"Utilizzato per bordi, evidenziazioni e stile del codice QR\",\"Fild5r\":\"Numero di partita IVA valido\",\"sqdl5s\":\"Informazioni IVA\",\"UjNWsF\":\"L'IVA può essere applicata alle commissioni della piattaforma in base al tuo stato di registrazione IVA. Completa la sezione informazioni IVA qui sotto.\",\"pnVh83\":\"Numero di partita IVA\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"Convalida del numero di partita IVA fallita. Controlla il numero e riprova.\",\"PCRCCN\":\"Informazioni di registrazione IVA\",\"vbKW6Z\":\"Impostazioni IVA salvate e convalidate con successo\",\"fb96a1\":\"Impostazioni IVA salvate ma la convalida è fallita. Controlla il tuo numero di partita IVA.\",\"Nfbg76\":\"Impostazioni IVA salvate con successo\",\"tJylUv\":\"Trattamento IVA per le commissioni della piattaforma\",\"FlGprQ\":\"Trattamento IVA per le commissioni della piattaforma: Le imprese registrate IVA nell'UE possono utilizzare il meccanismo del reverse charge (0% - Articolo 196 della Direttiva IVA 2006/112/CE). Alle imprese non registrate IVA viene applicata l'IVA irlandese al 23%.\",\"AdWhjZ\":\"Codice di verifica\",\"wCKkSr\":\"Verifica email\",\"/IBv6X\":\"Verifica la tua email\",\"e/cvV1\":\"Verifica in corso...\",\"fROFIL\":\"Vietnamita\",\"+WFMis\":\"Visualizza e scarica report per tutti i tuoi eventi. Sono inclusi solo gli ordini completati.\",\"gj5YGm\":\"Visualizza e scarica i report per il tuo evento. Nota: solo gli ordini completati sono inclusi in questi report.\",\"c7VN/A\":\"Visualizza Risposte\",\"FCVmuU\":\"Visualizza evento\",\"n6EaWL\":\"Visualizza log\",\"OaKTzt\":\"Vedi mappa\",\"67OJ7t\":\"Visualizza Ordine\",\"tKKZn0\":\"Visualizza dettagli ordine\",\"9jnAcN\":\"Visualizza homepage organizzatore\",\"1J/AWD\":\"Visualizza Biglietto\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visibile solo allo staff di check-in. Aiuta a identificare questa lista durante il check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"In attesa di pagamento\",\"RRZDED\":\"Non abbiamo trovato ordini associati a questo indirizzo email.\",\"miysJh\":\"Non siamo riusciti a trovare questo ordine. Potrebbe essere stato rimosso.\",\"HJKdzP\":\"Si è verificato un problema durante il caricamento di questa pagina. Riprova.\",\"IfN2Qo\":\"Consigliamo un logo quadrato con dimensioni minime di 200x200px\",\"wJzo/w\":\"Si consigliano dimensioni di 400px per 400px e una dimensione massima del file di 5MB\",\"q1BizZ\":\"Invieremo i tuoi biglietti a questa email\",\"zCdObC\":\"Abbiamo ufficialmente trasferito la nostra sede in Irlanda 🇮🇪. Come parte di questa transizione, ora usiamo Stripe Irlanda invece di Stripe Canada. Per mantenere i tuoi pagamenti fluidi, dovrai riconnettere il tuo account Stripe.\",\"jh2orE\":\"Abbiamo trasferito la nostra sede in Irlanda. Di conseguenza, è necessario riconnettere il tuo account Stripe. Questo processo rapido richiede solo pochi minuti. Le tue vendite e i dati esistenti rimangono completamente inalterati.\",\"Fq/Nx7\":\"Abbiamo inviato un codice di verifica a 5 cifre a:\",\"GdWB+V\":\"Webhook creato con successo\",\"2X4ecw\":\"Webhook eliminato con successo\",\"CThMKa\":\"Log Webhook\",\"nuh/Wq\":\"URL Webhook\",\"8BMPMe\":\"Il webhook non invierà notifiche\",\"FSaY52\":\"Il webhook invierà notifiche\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Sito web\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bentornato 👋\",\"kSYpfa\":[\"Benvenuto su \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Benvenuto su \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Benvenuto su \",[\"0\"],\", ecco un elenco di tutti i tuoi eventi\"],\"FaSXqR\":\"Che tipo di evento?\",\"f30uVZ\":\"Cosa devi fare:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Quando un check-in viene eliminato\",\"Gmd0hv\":\"Quando viene creato un nuovo partecipante\",\"Lc18qn\":\"Quando viene creato un nuovo ordine\",\"dfkQIO\":\"Quando viene creato un nuovo prodotto\",\"8OhzyY\":\"Quando un prodotto viene eliminato\",\"tRXdQ9\":\"Quando un prodotto viene aggiornato\",\"Q7CWxp\":\"Quando un partecipante viene annullato\",\"IuUoyV\":\"Quando un partecipante effettua il check-in\",\"nBVOd7\":\"Quando un partecipante viene aggiornato\",\"ny2r8d\":\"Quando un ordine viene annullato\",\"c9RYbv\":\"Quando un ordine viene contrassegnato come pagato\",\"ejMDw1\":\"Quando un ordine viene rimborsato\",\"fVPt0F\":\"Quando un ordine viene aggiornato\",\"bcYlvb\":\"Quando chiude il check-in\",\"XIG669\":\"Quando apre il check-in\",\"de6HLN\":\"Quando i clienti acquistano biglietti, i loro ordini appariranno qui.\",\"blXLKj\":\"Se abilitato, i nuovi eventi mostreranno una casella di opt-in marketing durante il checkout. Questo può essere sovrascritto per evento.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Scrivi qui il tuo messaggio...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Sì - Ho un numero di partita IVA UE valido\",\"Tz5oXG\":\"Sì, annulla il mio ordine\",\"QlSZU0\":[\"Stai impersonificando <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Stai emettendo un rimborso parziale. Il cliente sarà rimborsato di \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Hai tasse e commissioni aggiunte a un Prodotto Gratuito. Vuoi rimuoverle?\",\"FVTVBy\":\"Devi verificare il tuo indirizzo email prima di poter aggiornare lo stato dell'organizzatore.\",\"FRl8Jv\":\"Devi verificare l'email del tuo account prima di poter inviare messaggi.\",\"U3wiCB\":\"Sei a posto! I tuoi pagamenti vengono elaborati senza problemi.\",\"MNFIxz\":[\"Stai per partecipare a \",[\"0\"],\"!\"],\"x/xjzn\":\"I tuoi affiliati sono stati esportati con successo.\",\"TF37u6\":\"I tuoi partecipanti sono stati esportati con successo.\",\"79lXGw\":\"La tua lista di check-in è stata creata con successo. Condividi il link sottostante con il tuo staff di check-in.\",\"BnlG9U\":\"Il tuo ordine attuale andrà perso.\",\"nBqgQb\":\"La tua Email\",\"R02pnV\":\"Il tuo evento deve essere attivo prima di poter vendere biglietti ai partecipanti.\",\"ifRqmm\":\"Il tuo messaggio è stato inviato con successo!\",\"/Rj5P4\":\"Il tuo nome\",\"naQW82\":\"Il tuo ordine è stato annullato.\",\"bhlHm/\":\"Il tuo ordine è in attesa di pagamento\",\"XeNum6\":\"I tuoi ordini sono stati esportati con successo.\",\"Xd1R1a\":\"L'indirizzo del tuo organizzatore\",\"WWYHKD\":\"Il tuo pagamento è protetto con crittografia a livello bancario\",\"6heFYY\":\"Il tuo account Stripe è connesso e sta elaborando i pagamenti.\",\"vvO1I2\":\"Il tuo account Stripe è collegato e pronto per elaborare i pagamenti.\",\"CnZ3Ou\":\"I tuoi biglietti sono stati confermati.\",\"d/CiU9\":\"Il tuo numero di partita IVA sarà convalidato automaticamente quando salvi\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/it.po b/frontend/src/locales/it.po index e2e37a9a00..235d2f2678 100644 --- a/frontend/src/locales/it.po +++ b/frontend/src/locales/it.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -261,13 +261,13 @@ msgstr "Un'imposta standard, come IVA o GST" msgid "Abandoned" msgstr "Abbandonato" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "Informazioni" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "Informazioni su Stripe Connect" @@ -288,8 +288,8 @@ msgstr "Accetta pagamenti con carta di credito tramite Stripe" msgid "Accept Invitation" msgstr "Accetta Invito" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Accesso Negato" @@ -298,7 +298,7 @@ msgstr "Accesso Negato" msgid "Account" msgstr "Account" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Account già connesso!" @@ -321,10 +321,14 @@ msgstr "Account aggiornato con successo" msgid "Accounts" msgstr "Account" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Azione richiesta: Riconnetti il tuo account Stripe" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Azione richiesta: Informazioni IVA necessarie" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "Aggiungi livello" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Aggiungi al Calendario" @@ -549,7 +553,7 @@ msgstr "Tutti i partecipanti di questo evento" msgid "All Currencies" msgstr "Tutte le valute" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "Tutto fatto! Ora stai usando il nostro sistema di pagamento aggiornato." @@ -579,8 +583,8 @@ msgstr "Consenti l'indicizzazione dei motori di ricerca" msgid "Allow search engines to index this event" msgstr "Consenti ai motori di ricerca di indicizzare questo evento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Ci siamo quasi! Termina di connettere il tuo account Stripe per iniziare ad accettare pagamenti." @@ -727,7 +731,7 @@ msgstr "Sei sicuro di voler eliminare questo modello? Questa azione non può ess msgid "Are you sure you want to delete this webhook?" msgstr "Sei sicuro di voler eliminare questo webhook?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Sei sicuro di voler uscire?" @@ -777,10 +781,23 @@ msgstr "Sei sicuro di voler eliminare questa Assegnazione di Capacità?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Sei sicuro di voler eliminare questa Lista di Check-In?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "Sei registrato IVA nell'UE?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Arte" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Poiché la tua attività ha sede in Irlanda, l'IVA irlandese al 23% si applica automaticamente a tutte le commissioni della piattaforma." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Poiché la tua attività ha sede nell'UE, dobbiamo determinare il corretto trattamento IVA per le nostre commissioni della piattaforma:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Chiedi una volta per ordine" @@ -1437,7 +1454,7 @@ msgstr "Completa Pagamento" msgid "Complete Stripe Setup" msgstr "Completa Configurazione Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Completa la configurazione qui sotto per continuare" @@ -1530,11 +1547,11 @@ msgstr "Conferma indirizzo email in corso..." msgid "Congratulations on creating an event!" msgstr "Congratulazioni per aver creato un evento!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Connetti e aggiorna" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Documentazione di Connessione" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Connetti con CRM e automatizza le attività utilizzando webhook e integrazioni" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Connetti con Stripe" @@ -1571,15 +1588,15 @@ msgstr "Connetti con Stripe" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Collega il tuo account Stripe per accettare pagamenti per biglietti e prodotti." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Connetti il tuo account Stripe per accettare pagamenti." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Connetti il tuo account Stripe per iniziare ad accettare pagamenti per i tuoi eventi." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Connetti il tuo account Stripe per iniziare ad accettare pagamenti." @@ -1587,8 +1604,8 @@ msgstr "Connetti il tuo account Stripe per iniziare ad accettare pagamenti." msgid "Connect your Stripe account to start receiving payments." msgstr "Connetti il tuo account Stripe per iniziare a ricevere pagamenti." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Connesso a Stripe" @@ -1596,7 +1613,7 @@ msgstr "Connesso a Stripe" msgid "Connection Details" msgstr "Dettagli di Connessione" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Contatto" @@ -1926,7 +1943,7 @@ msgstr "Valuta" msgid "Current Password" msgstr "Password Attuale" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Processore di pagamenti attuale" @@ -2205,7 +2222,7 @@ msgstr "Visualizza una casella che consente ai clienti di aderire alle comunicaz msgid "Document Label" msgstr "Etichetta Documento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Documentazione" @@ -2608,6 +2625,10 @@ msgstr "Inserisci la tua email" msgid "Enter your name" msgstr "Inserisci il tuo nome" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "Errore durante la conferma della modifica email" msgid "Error loading logs" msgstr "Errore durante il caricamento dei log" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "Imprese registrate IVA nell'UE: Si applica il meccanismo del reverse charge (0% - Articolo 196 della Direttiva IVA 2006/112/CE)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2934,6 +2960,10 @@ msgstr "Reinvio codice di verifica non riuscito" msgid "Failed to save template" msgstr "Impossibile salvare il modello" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Impossibile salvare le impostazioni IVA. Riprova." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Invio messaggio non riuscito. Riprova." @@ -2993,7 +3023,7 @@ msgstr "Commissione" msgid "Fees" msgstr "Commissioni" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "Le commissioni sono soggette a modifiche. Sarai informato di qualsiasi modifica alla struttura delle tue commissioni." @@ -3023,12 +3053,12 @@ msgstr "Filtri" msgid "Filters ({activeFilterCount})" msgstr "Filtri ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Completa configurazione" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Completa configurazione Stripe" @@ -3080,7 +3110,7 @@ msgstr "Fisso" msgid "Fixed amount" msgstr "Importo fisso" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Commissione Fissa:" @@ -3164,7 +3194,7 @@ msgstr "Genera codice" msgid "German" msgstr "Tedesco" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Indicazioni stradali" @@ -3172,7 +3202,7 @@ msgstr "Indicazioni stradali" msgid "Get started for free, no subscription fees" msgstr "Inizia gratuitamente, nessun costo di abbonamento" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" msgstr "Ottieni i biglietti" @@ -3256,7 +3286,7 @@ msgstr "Ecco il componente React che puoi utilizzare per incorporare il widget n msgid "Here is your affiliate link" msgstr "Ecco il tuo link affiliato" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Ecco cosa aspettarsi:" @@ -3440,6 +3470,10 @@ msgstr "Se abilitato, il personale di check-in può sia segnare i partecipanti c msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Se abilitato, l'organizzatore riceverà una notifica via email quando viene effettuato un nuovo ordine" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Se registrato, fornisci il tuo numero di partita IVA per la convalida" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Se non hai richiesto questa modifica, cambia immediatamente la tua password." @@ -3532,6 +3566,10 @@ msgstr "Include {0} prodotti" msgid "Includes 1 product" msgstr "Include 1 prodotto" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Indica se sei registrato IVA nell'UE" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Partecipanti individuali" @@ -3570,6 +3608,10 @@ msgstr "Formato email non valido" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Sintassi Liquid non valida. Correggila e riprova." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Invito reinviato!" @@ -3619,6 +3661,10 @@ msgstr "Numerazione Fattura" msgid "Invoice Settings" msgstr "Impostazioni Fattura" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "L'IVA irlandese al 23% sarà applicata alle commissioni della piattaforma (fornitura nazionale)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Italiano" @@ -3643,11 +3689,11 @@ msgstr "John" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Partecipa da ovunque" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Basta cliccare il pulsante qui sotto per riconnettere il tuo account Stripe." @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "Caricamento..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "Gestisci biglietti" msgid "Manage your account details and default settings" msgstr "Gestisci i dettagli del tuo account e le impostazioni predefinite" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Gestisci l'elaborazione dei pagamenti e visualizza le commissioni della piattaforma" @@ -4107,6 +4153,10 @@ msgstr "Nuova Password" msgid "Nightlife" msgstr "Vita notturna" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "No - Sono un privato o un'azienda non registrata IVA" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "Nessun account" @@ -4199,7 +4249,7 @@ msgstr "Nessun evento disponibile" msgid "No filters available" msgstr "Nessun filtro disponibile" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Nessun impatto sulle tue transazioni attuali o passate" @@ -4311,10 +4361,15 @@ msgstr "Nessun evento webhook è stato registrato per questo endpoint. Gli event msgid "No Webhooks" msgstr "Nessun Webhook" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "No, rimani qui" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Imprese o privati non registrati IVA: Si applica l'IVA irlandese al 23%" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4409,7 +4464,7 @@ msgstr "In Vendita" msgid "On sale {0}" msgstr "In vendita {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Una volta completato l'aggiornamento, il tuo vecchio account sarà usato solo per i rimborsi." @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "Evento online" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Evento online" @@ -4473,9 +4528,9 @@ msgstr "Apri Pagina di Check-In" msgid "Open sidebar" msgstr "Apri barra laterale" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Apri dashboard Stripe" @@ -4723,7 +4778,7 @@ msgstr "Nome Organizzazione" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4952,9 +5007,9 @@ msgstr "Metodo di pagamento" msgid "Payment Methods" msgstr "Metodi di Pagamento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Elaborazione Pagamenti" @@ -4970,7 +5025,7 @@ msgstr "Pagamento ricevuto" msgid "Payment Received" msgstr "Pagamento Ricevuto" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Impostazioni Pagamento" @@ -4990,7 +5045,7 @@ msgstr "Termini di Pagamento" msgid "Payments not available" msgstr "Pagamenti non disponibili" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "I pagamenti continueranno a fluire senza interruzioni" @@ -5033,7 +5088,7 @@ msgstr "Inserisci questo nel tag del tuo sito web." msgid "Planning an event?" msgstr "Stai pianificando un evento?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Commissioni Piattaforma" @@ -5090,6 +5145,10 @@ msgstr "Inserisci il codice a 5 cifre" msgid "Please enter your new password" msgstr "Inserisci la tua nuova password" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Inserisci il tuo numero di partita IVA" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Nota Bene" @@ -5240,7 +5299,7 @@ msgstr "Stampa Biglietti" msgid "Print to PDF" msgstr "Stampa in PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Informativa sulla privacy" @@ -5406,7 +5465,7 @@ msgstr "Pubblica Evento" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Acquistato" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5460,7 +5519,7 @@ msgstr "Tasso" msgid "Read less" msgstr "Leggi meno" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Pronto per l'aggiornamento? Ci vogliono solo pochi minuti." @@ -5482,10 +5541,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Reindirizzamento a Stripe..." @@ -5648,7 +5707,7 @@ msgstr "Ripristina evento" msgid "Return to Event" msgstr "Torna all'evento" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Torna alla Pagina dell'Evento" @@ -5777,6 +5836,10 @@ msgstr "Salva Modello" msgid "Save Ticket Design" msgstr "Salva Design del Biglietto" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "Salva impostazioni IVA" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -6094,7 +6157,7 @@ msgid "Setup in Minutes" msgstr "Configurazione in Minuti" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6221,7 +6284,7 @@ msgid "Sold out" msgstr "Esaurito" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Esaurito" @@ -6329,7 +6392,7 @@ msgstr "Statistiche" msgid "Status" msgstr "Stato" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Ancora gestendo rimborsi per le tue transazioni precedenti." @@ -6342,7 +6405,7 @@ msgstr "Interrompi Impersonificazione" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6539,7 +6602,7 @@ msgstr "Cambia organizzatore" msgid "T-shirt" msgstr "T-shirt" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Richiede solo pochi minuti" @@ -6640,7 +6703,7 @@ msgstr "Modello eliminato con successo" msgid "Template saved successfully" msgstr "Modello salvato con successo" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Termini di servizio" @@ -6653,7 +6716,7 @@ msgstr "Il testo potrebbe essere difficile da leggere" msgid "Thank you for attending!" msgstr "Grazie per aver partecipato!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Grazie per il tuo supporto mentre continuiamo a crescere e migliorare Hi.Events!" @@ -6662,10 +6725,6 @@ msgstr "Grazie per il tuo supporto mentre continuiamo a crescere e migliorare Hi msgid "That promo code is invalid" msgstr "Quel codice promo non è valido" -#: src/components/common/ThemeColorControls/index.tsx:57 -#~ msgid "The background color of the page" -#~ msgstr "Il colore di sfondo della pagina" - #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." msgstr "Colore di sfondo della pagina. Quando si utilizza un'immagine di copertina, questa viene applicata come sovrapposizione." @@ -7058,9 +7117,9 @@ msgstr "URL Biglietto" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "biglietti" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" msgstr "Biglietti" @@ -7070,7 +7129,7 @@ msgstr "Biglietti" msgid "Tickets & Products" msgstr "Biglietti e prodotti" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Biglietti disponibili" @@ -7124,7 +7183,7 @@ msgstr "Fuso orario" msgid "TIP" msgstr "SUGGERIMENTO" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Per ricevere pagamenti con carta di credito, devi collegare il tuo account Stripe. Stripe è il nostro partner per l'elaborazione dei pagamenti che garantisce transazioni sicure e pagamenti puntuali." @@ -7206,7 +7265,7 @@ msgstr "Utenti Totali" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Monitora ricavi, visualizzazioni di pagina e vendite con analisi dettagliate e report esportabili" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Commissione di Transazione:" @@ -7361,7 +7420,7 @@ msgstr "Aggiorna nome, descrizione e date dell'evento" msgid "Update profile" msgstr "Aggiorna profilo" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Aggiornamento disponibile" @@ -7470,10 +7529,63 @@ msgstr "Gli utenti possono modificare la loro email in <0>Impostazioni Profiloingecheckt succesvol\"],\"yxhYRZ\":[[\"0\"],\" <0>uitgevinkt succesvol\"],\"KMgp2+\":[[\"0\"],\" beschikbaar\"],\"Pmr5xp\":[[\"0\"],\" succesvol aangemaakt\"],\"FImCSc\":[[\"0\"],\" succesvol bijgewerkt\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" ingecheckt\"],\"Vjij1k\":[[\"days\"],\" dagen, \",[\"hours\"],\" uren, \",[\"minutes\"],\" minuten en \",[\"seconds\"],\" seconden\"],\"f3RdEk\":[[\"hours\"],\" uren, \",[\"minutes\"],\" minuten en \",[\"seconds\"],\" seconden\"],\"fyE7Au\":[[\"minutes\"],\" minuten en \",[\"seconds\"],\" seconden\"],\"NlQ0cx\":[\"Eerste evenement van \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Met capaciteitstoewijzingen kun je de capaciteit van tickets of een heel evenement beheren. Ideaal voor meerdaagse evenementen, workshops en meer, waar het beheersen van bezoekersaantallen cruciaal is.<1>Je kunt bijvoorbeeld een capaciteitstoewijzing koppelen aan een <2>Dag één en <3>Alle dagen ticket. Zodra de capaciteit is bereikt, zijn beide tickets automatisch niet meer beschikbaar voor verkoop.\",\"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://uw-website.nl\",\"qnSLLW\":\"<0>Voer de prijs in exclusief belastingen en toeslagen.<1>Belastingen en toeslagen kunnen hieronder worden toegevoegd.\",\"ZjMs6e\":\"<0>Het aantal beschikbare producten voor dit product<1>Deze waarde kan worden overschreven als er <2>Capaciteitsbeperkingen zijn gekoppeld aan dit product.\",\"E15xs8\":\"⚡️ Uw evenement opzetten\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Je evenementpagina aanpassen\",\"3VPPdS\":\"💳 Maak verbinding met Stripe\",\"cjdktw\":\"🚀 Je evenement live zetten\",\"rmelwV\":\"0 minuten en 0 seconden\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"Hoofdstraat 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Een datuminvoer. Perfect voor het vragen naar een geboortedatum enz.\",\"6euFZ/\":[\"Een standaard \",[\"type\"],\" wordt automatisch toegepast op alle nieuwe producten. Je kunt dit opheffen per product.\"],\"SMUbbQ\":\"Een Dropdown-ingang laat slechts één selectie toe\",\"qv4bfj\":\"Een vergoeding, zoals reserveringskosten of servicekosten\",\"POT0K/\":\"Een vast bedrag per product. Bijv. $0,50 per product\",\"f4vJgj\":\"Een meerregelige tekstinvoer\",\"OIPtI5\":\"Een percentage van de productprijs. Bijvoorbeeld 3,5% van de productprijs\",\"ZthcdI\":\"Een promotiecode zonder korting kan worden gebruikt om verborgen producten te onthullen.\",\"AG/qmQ\":\"Een Radio-optie heeft meerdere opties, maar er kan er maar één worden geselecteerd.\",\"h179TP\":\"Een korte beschrijving van het evenement die zal worden weergegeven in zoekmachineresultaten en bij het delen op sociale media. Standaard wordt de beschrijving van het evenement gebruikt\",\"WKMnh4\":\"Een enkele regel tekstinvoer\",\"BHZbFy\":\"Eén vraag per bestelling. Bijv. Wat is uw verzendadres?\",\"Fuh+dI\":\"Eén vraag per product. Bijv. Wat is je t-shirtmaat?\",\"RlJmQg\":\"Een standaardbelasting, zoals BTW of GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accepteer bankoverschrijvingen, cheques of andere offline betalingsmethoden\",\"hrvLf4\":\"Accepteer creditcardbetalingen met Stripe\",\"bfXQ+N\":\"Uitnodiging accepteren\",\"AeXO77\":\"Account\",\"lkNdiH\":\"Naam rekening\",\"Puv7+X\":\"Accountinstellingen\",\"OmylXO\":\"Account succesvol bijgewerkt\",\"7L01XJ\":\"Acties\",\"FQBaXG\":\"Activeer\",\"5T2HxQ\":\"Activeringsdatum\",\"F6pfE9\":\"Actief\",\"/PN1DA\":\"Voeg een beschrijving toe voor deze check-in lijst\",\"0/vPdA\":\"Voeg notities over de genodigde toe. Deze zijn niet zichtbaar voor de deelnemer.\",\"Or1CPR\":\"Notities over de deelnemer toevoegen...\",\"l3sZO1\":\"Voeg eventuele notities over de bestelling toe. Deze zijn niet zichtbaar voor de klant.\",\"xMekgu\":\"Opmerkingen over de bestelling toevoegen...\",\"PGPGsL\":\"Beschrijving toevoegen\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Instructies voor offline betalingen toevoegen (bijv. details voor bankoverschrijving, waar cheques naartoe moeten, betalingstermijnen)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Nieuw toevoegen\",\"TZxnm8\":\"Optie toevoegen\",\"24l4x6\":\"Product toevoegen\",\"8q0EdE\":\"Product toevoegen aan categorie\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Vraag toevoegen\",\"yWiPh+\":\"Belasting of toeslag toevoegen\",\"goOKRY\":\"Niveau toevoegen\",\"oZW/gT\":\"Toevoegen aan kalender\",\"pn5qSs\":\"Aanvullende informatie\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Adres\",\"NY/x1b\":\"Adresregel 1\",\"POdIrN\":\"Adresregel 1\",\"cormHa\":\"Adresregel 2\",\"gwk5gg\":\"Adresregel 2\",\"U3pytU\":\"Admin\",\"HLDaLi\":\"Admin-gebruikers hebben volledige toegang tot evenementen en accountinstellingen.\",\"W7AfhC\":\"Alle deelnemers aan dit evenement\",\"cde2hc\":\"Alle producten\",\"5CQ+r0\":\"Deelnemers met onbetaalde bestellingen toestaan om in te checken\",\"ipYKgM\":\"Indexering door zoekmachines toestaan\",\"LRbt6D\":\"Laat zoekmachines dit evenement indexeren\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Verbazingwekkend, evenement, trefwoorden...\",\"hehnjM\":\"Bedrag\",\"R2O9Rg\":[\"Betaald bedrag (\",[\"0\"],\")\"],\"V7MwOy\":\"Er is een fout opgetreden tijdens het laden van de pagina\",\"Q7UCEH\":\"Er is een fout opgetreden tijdens het sorteren van de vragen. Probeer het opnieuw of vernieuw de pagina\",\"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\":\"Er is een onverwachte fout opgetreden.\",\"byKna+\":\"Er is een onverwachte fout opgetreden. Probeer het opnieuw.\",\"ubdMGz\":\"Vragen van producthouders worden naar dit e-mailadres gestuurd. Dit e-mailadres wordt ook gebruikt als\",\"aAIQg2\":\"Uiterlijk\",\"Ym1gnK\":\"toegepast\",\"sy6fss\":[\"Geldt voor \",[\"0\"],\" producten\"],\"kadJKg\":\"Geldt voor 1 product\",\"DB8zMK\":\"Toepassen\",\"GctSSm\":\"Kortingscode toepassen\",\"ARBThj\":[\"Pas dit \",[\"type\"],\" toe op alle nieuwe producten\"],\"S0ctOE\":\"Archief evenement\",\"TdfEV7\":\"Gearchiveerd\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Weet je zeker dat je deze deelnemer wilt activeren?\",\"TvkW9+\":\"Weet je zeker dat je dit evenement wilt archiveren?\",\"/CV2x+\":\"Weet je zeker dat je deze deelnemer wilt annuleren? Hiermee vervalt hun ticket\",\"YgRSEE\":\"Weet je zeker dat je deze promotiecode wilt verwijderen?\",\"iU234U\":\"Weet je zeker dat je deze vraag wilt verwijderen?\",\"CMyVEK\":\"Weet je zeker dat je dit evenement concept wilt maken? Dit maakt het evenement onzichtbaar voor het publiek\",\"mEHQ8I\":\"Weet je zeker dat je dit evenement openbaar wilt maken? Hierdoor wordt het evenement zichtbaar voor het publiek\",\"s4JozW\":\"Weet je zeker dat je dit evenements wilt herstellen? Het zal worden hersteld als een conceptevenement.\",\"vJuISq\":\"Weet je zeker dat je deze Capaciteitstoewijzing wilt verwijderen?\",\"baHeCz\":\"Weet je zeker dat je deze Check-In lijst wilt verwijderen?\",\"LBLOqH\":\"Vraag één keer per bestelling\",\"wu98dY\":\"Vraag één keer per product\",\"ss9PbX\":\"Deelnemer\",\"m0CFV2\":\"Details deelnemers\",\"QKim6l\":\"Deelnemer niet gevonden\",\"R5IT/I\":\"Opmerkingen voor deelnemers\",\"lXcSD2\":\"Vragen van deelnemers\",\"HT/08n\":\"Bezoekerskaartje\",\"9SZT4E\":\"Deelnemers\",\"iPBfZP\":\"Geregistreerde deelnemers\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Automatisch formaat wijzigen\",\"vZ5qKF\":\"Pas de hoogte van de widget automatisch aan op basis van de inhoud. Als deze optie is uitgeschakeld, vult de widget de hoogte van de container.\",\"4lVaWA\":\"In afwachting van offline betaling\",\"2rHwhl\":\"In afwachting van offline betaling\",\"3wF4Q/\":\"Wacht op betaling\",\"ioG+xt\":\"In afwachting van betaling\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Terug naar de evenementpagina\",\"VCoEm+\":\"Terug naar inloggen\",\"k1bLf+\":\"Achtergrondkleur\",\"I7xjqg\":\"Achtergrond Type\",\"1mwMl+\":\"Voordat je verzendt!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Factuuradres\",\"/xC/im\":\"Factureringsinstellingen\",\"rp/zaT\":\"Braziliaans Portugees\",\"whqocw\":\"Door je te registreren ga je akkoord met onze <0>Servicevoorwaarden en <1>Privacybeleid.\",\"bcCn6r\":\"Type berekening\",\"+8bmSu\":\"Californië\",\"iStTQt\":\"Cameratoestemming is geweigerd. <0>Vraag toestemming opnieuw, of als dit niet werkt, moet je <1>deze pagina toegang geven tot je camera in je browserinstellingen.\",\"dEgA5A\":\"Annuleren\",\"Gjt/py\":\"E-mailwijziging annuleren\",\"tVJk4q\":\"Bestelling annuleren\",\"Os6n2a\":\"Bestelling annuleren\",\"Mz7Ygx\":[\"Annuleer order \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Geannuleerd\",\"U7nGvl\":\"Kan niet inchecken\",\"QyjCeq\":\"Capaciteit\",\"V6Q5RZ\":\"Capaciteitstoewijzing succesvol aangemaakt\",\"k5p8dz\":\"Capaciteitstoewijzing succesvol verwijderd\",\"nDBs04\":\"Capaciteitsmanagement\",\"ddha3c\":\"Met categorieën kun je producten groeperen. Je kunt bijvoorbeeld een categorie hebben voor.\",\"iS0wAT\":\"Categorieën helpen je om je producten te organiseren. Deze titel wordt weergegeven op de openbare evenementpagina.\",\"eorM7z\":\"Categorieën opnieuw gerangschikt.\",\"3EXqwa\":\"Categorie succesvol aangemaakt\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Wachtwoord wijzigen\",\"xMDm+I\":\"Inchecken\",\"p2WLr3\":[\"Inchecken \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Inchecken en bestelling als betaald markeren\",\"QYLpB4\":\"Alleen inchecken\",\"/Ta1d4\":\"Uitchecken\",\"5LDT6f\":\"Bekijk dit evenement!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Check-in lijst succesvol verwijderd\",\"+hBhWk\":\"Check-in lijst is verlopen\",\"mBsBHq\":\"Check-in lijst is niet actief\",\"vPqpQG\":\"Check-in lijst niet gevonden\",\"tejfAy\":\"Inchecklijsten\",\"hD1ocH\":\"Check-In URL gekopieerd naar klembord\",\"CNafaC\":\"Selectievakjes maken meerdere selecties mogelijk\",\"SpabVf\":\"Selectievakjes\",\"CRu4lK\":\"Ingecheckt\",\"znIg+z\":\"Kassa\",\"1WnhCL\":\"Afrekeninstellingen\",\"6imsQS\":\"Chinees (Vereenvoudigd)\",\"JjkX4+\":\"Kies een kleur voor je achtergrond\",\"/Jizh9\":\"Kies een account\",\"3wV73y\":\"Stad\",\"FG98gC\":\"Zoektekst wissen\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Klik om te kopiëren\",\"yz7wBu\":\"Sluit\",\"62Ciis\":\"Zijbalk sluiten\",\"EWPtMO\":\"Code\",\"ercTDX\":\"De code moet tussen 3 en 50 tekens lang zijn\",\"oqr9HB\":\"Dit product samenvouwen wanneer de evenementpagina voor het eerst wordt geladen\",\"jZlrte\":\"Kleur\",\"Vd+LC3\":\"De kleur moet een geldige hex-kleurcode zijn. Voorbeeld: #ffffff\",\"1HfW/F\":\"Kleuren\",\"VZeG/A\":\"Binnenkort beschikbaar\",\"yPI7n9\":\"Door komma's gescheiden trefwoorden die het evenement beschrijven. Deze worden door zoekmachines gebruikt om het evenement te categoriseren en indexeren\",\"NPZqBL\":\"Volledige bestelling\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Volledige betaling\",\"qqWcBV\":\"Voltooid\",\"6HK5Ct\":\"Afgeronde bestellingen\",\"NWVRtl\":\"Afgeronde bestellingen\",\"DwF9eH\":\"Onderdeel Code\",\"Tf55h7\":\"Geconfigureerde korting\",\"7VpPHA\":\"Bevestig\",\"ZaEJZM\":\"Bevestig e-mailwijziging\",\"yjkELF\":\"Nieuw wachtwoord bevestigen\",\"xnWESi\":\"Wachtwoord bevestigen\",\"p2/GCq\":\"Wachtwoord bevestigen\",\"wnDgGj\":\"E-mailadres bevestigen...\",\"pbAk7a\":\"Streep aansluiten\",\"UMGQOh\":\"Maak verbinding met Stripe\",\"QKLP1W\":\"Maak verbinding met je Stripe-account om betalingen te ontvangen.\",\"5lcVkL\":\"Details verbinding\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Ga verder\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Doorgaan Knoptekst\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Doorgaan met instellen\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Gekopieerd\",\"T5rdis\":\"gekopieerd naar klembord\",\"he3ygx\":\"Kopie\",\"r2B2P8\":\"Check-in URL kopiëren\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Link kopiëren\",\"E6nRW7\":\"URL kopiëren\",\"JNCzPW\":\"Land\",\"IF7RiR\":\"Omslag\",\"hYgDIe\":\"Maak\",\"b9XOHo\":[\"Maak \",[\"0\"]],\"k9RiLi\":\"Een product maken\",\"6kdXbW\":\"Maak een Promo Code\",\"n5pRtF\":\"Een ticket maken\",\"X6sRve\":[\"Maak een account aan of <0>\",[\"0\"],\" om te beginnen\"],\"nx+rqg\":\"een organisator maken\",\"ipP6Ue\":\"Aanwezige maken\",\"VwdqVy\":\"Capaciteitstoewijzing maken\",\"EwoMtl\":\"Categorie maken\",\"XletzW\":\"Categorie maken\",\"WVbTwK\":\"Check-in lijst maken\",\"uN355O\":\"Evenement creëren\",\"BOqY23\":\"Nieuw maken\",\"kpJAeS\":\"Organisator maken\",\"a0EjD+\":\"Product maken\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Promocode maken\",\"B3Mkdt\":\"Vraag maken\",\"UKfi21\":\"Creëer belasting of heffing\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Valuta\",\"DCKkhU\":\"Huidig wachtwoord\",\"uIElGP\":\"Aangepaste kaarten URL\",\"UEqXyt\":\"Aangepast bereik\",\"876pfE\":\"Klant\",\"QOg2Sf\":\"De e-mail- en meldingsinstellingen voor dit evenement aanpassen\",\"Y9Z/vP\":\"De homepage van het evenement en de berichten bij de kassa aanpassen\",\"2E2O5H\":\"De diverse instellingen voor dit evenement aanpassen\",\"iJhSxe\":\"De SEO-instellingen voor dit evenement aanpassen\",\"KIhhpi\":\"Je evenementpagina aanpassen\",\"nrGWUv\":\"Pas je evenementpagina aan aan je merk en stijl.\",\"Zz6Cxn\":\"Gevarenzone\",\"ZQKLI1\":\"Gevarenzone\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Datum\",\"JvUngl\":\"Datum en tijd\",\"JJhRbH\":\"Capaciteit op dag één\",\"cnGeoo\":\"Verwijder\",\"jRJZxD\":\"Capaciteit verwijderen\",\"VskHIx\":\"Categorie verwijderen\",\"Qrc8RZ\":\"Check-in lijst verwijderen\",\"WHf154\":\"Code verwijderen\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Vraag verwijderen\",\"Nu4oKW\":\"Beschrijving\",\"YC3oXa\":\"Beschrijving voor incheckpersoneel\",\"URmyfc\":\"Details\",\"1lRT3t\":\"Als je deze capaciteit uitschakelt, worden de verkopen bijgehouden, maar niet gestopt als de limiet is bereikt\",\"H6Ma8Z\":\"Korting\",\"ypJ62C\":\"Korting %\",\"3LtiBI\":[\"Korting in \",[\"0\"]],\"C8JLas\":\"Korting Type\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Documentlabel\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donatie / Betaal wat je wilt product\",\"OvNbls\":\"Download .ics\",\"kodV18\":\"CSV downloaden\",\"CELKku\":\"Factuur downloaden\",\"LQrXcu\":\"Factuur downloaden\",\"QIodqd\":\"QR-code downloaden\",\"yhjU+j\":\"Factuur downloaden\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Dropdown selectie\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Dupliceer evenement\",\"3ogkAk\":\"Dupliceer Evenement\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Dupliceer opties\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Vroege vogel\",\"ePK91l\":\"Bewerk\",\"N6j2JH\":[\"Bewerk \",[\"0\"]],\"kBkYSa\":\"Bewerk capaciteit\",\"oHE9JT\":\"Capaciteitstoewijzing bewerken\",\"j1Jl7s\":\"Categorie bewerken\",\"FU1gvP\":\"Check-in lijst bewerken\",\"iFgaVN\":\"Code bewerken\",\"jrBSO1\":\"Organisator bewerken\",\"tdD/QN\":\"Bewerk product\",\"n143Tq\":\"Bewerk productcategorie\",\"9BdS63\":\"Kortingscode bewerken\",\"O0CE67\":\"Vraag bewerken\",\"EzwCw7\":\"Bewerk Vraag\",\"poTr35\":\"Gebruiker bewerken\",\"GTOcxw\":\"Gebruiker bewerken\",\"pqFrv2\":\"bijv. 2,50 voor $2,50\",\"3yiej1\":\"bijv. 23,5 voor 23,5%\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"Instellingen voor e-mail en meldingen\",\"ATGYL1\":\"E-mailadres\",\"hzKQCy\":\"E-mailadres\",\"HqP6Qf\":\"E-mailwijziging succesvol geannuleerd\",\"mISwW1\":\"E-mailwijziging in behandeling\",\"APuxIE\":\"E-mailbevestiging opnieuw verzonden\",\"YaCgdO\":\"Bericht voettekst e-mail\",\"jyt+cx\":\"Bevestigingsmail succesvol opnieuw verstuurd\",\"I6F3cp\":\"E-mail niet geverifieerd\",\"NTZ/NX\":\"Code insluiten\",\"4rnJq4\":\"Script insluiten\",\"8oPbg1\":\"Facturering inschakelen\",\"j6w7d/\":\"Schakel deze capaciteit in om de verkoop van producten te stoppen als de limiet is bereikt\",\"VFv2ZC\":\"Einddatum\",\"237hSL\":\"Beëindigd\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Engels\",\"MhVoma\":\"Voer een bedrag in exclusief belastingen en toeslagen.\",\"SlfejT\":\"Fout\",\"3Z223G\":\"Fout bij bevestigen e-mailadres\",\"a6gga1\":\"Fout bij het bevestigen van een e-mailwijziging\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evenement\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Evenementdatum\",\"0Zptey\":\"Evenement Standaarden\",\"QcCPs8\":\"Evenement Details\",\"6fuA9p\":\"Evenement succesvol gedupliceerd\",\"AEuj2m\":\"Homepage evenement\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Locatie en details evenement\",\"OopDbA\":\"Event page\",\"4/If97\":\"Update status evenement mislukt. Probeer het later opnieuw\",\"btxLWj\":\"Evenementstatus bijgewerkt\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Evenementen\",\"sZg7s1\":\"Vervaldatum\",\"KnN1Tu\":\"Verloopt op\",\"uaSvqt\":\"Vervaldatum\",\"GS+Mus\":\"Exporteer\",\"9xAp/j\":\"Deelnemer niet geannuleerd\",\"ZpieFv\":\"Bestelling niet geannuleerd\",\"z6tdjE\":\"Bericht niet verwijderd. Probeer het opnieuw.\",\"xDzTh7\":\"Downloaden van factuur mislukt. Probeer het opnieuw.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Inchecklijst niet geladen\",\"ZQ15eN\":\"Niet gelukt om ticket e-mail opnieuw te versturen\",\"ejXy+D\":\"Sorteren van producten mislukt\",\"PLUB/s\":\"Tarief\",\"/mfICu\":\"Tarieven\",\"LyFC7X\":\"Bestellingen filteren\",\"cSev+j\":\"Filters\",\"CVw2MU\":[\"Filters (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Eerste factuurnummer\",\"V1EGGU\":\"Voornaam\",\"kODvZJ\":\"Voornaam\",\"S+tm06\":\"De voornaam moet tussen 1 en 50 tekens zijn\",\"1g0dC4\":\"Voornaam, Achternaam en E-mailadres zijn standaardvragen en worden altijd opgenomen in het afrekenproces.\",\"Rs/IcB\":\"Voor het eerst gebruikt\",\"TpqW74\":\"Vast\",\"irpUxR\":\"Vast bedrag\",\"TF9opW\":\"Flash is niet beschikbaar op dit apparaat\",\"UNMVei\":\"Wachtwoord vergeten?\",\"2POOFK\":\"Gratis\",\"P/OAYJ\":\"Gratis product\",\"vAbVy9\":\"Gratis product, geen betalingsgegevens nodig\",\"nLC6tu\":\"Frans\",\"Weq9zb\":\"Algemeen\",\"DDcvSo\":\"Duits\",\"4GLxhy\":\"Aan de slag\",\"4D3rRj\":\"Ga terug naar profiel\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Brutoverkoop\",\"yRg26W\":\"Bruto verkoop\",\"R4r4XO\":\"Gasten\",\"26pGvx\":\"Heb je een promotiecode?\",\"V7yhws\":\"hallo@geweldig-evenementen.com\",\"6K/IHl\":\"Hier is een voorbeeld van hoe je de component in je toepassing kunt gebruiken.\",\"Y1SSqh\":\"Hier is het React-component dat je kunt gebruiken om de widget in te sluiten in je applicatie.\",\"QuhVpV\":[\"Hi \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Verborgen voor het publiek\",\"gt3Xw9\":\"verborgen vraag\",\"g3rqFe\":\"verborgen vragen\",\"k3dfFD\":\"Verborgen vragen zijn alleen zichtbaar voor de organisator van het evenement en niet voor de klant.\",\"vLyv1R\":\"Verberg\",\"Mkkvfd\":\"Startpagina verbergen\",\"mFn5Xz\":\"Verborgen vragen verbergen\",\"YHsF9c\":\"Verberg product na einddatum verkoop\",\"06s3w3\":\"Verberg product voor start verkoopdatum\",\"axVMjA\":\"Verberg product tenzij gebruiker toepasselijke promotiecode heeft\",\"ySQGHV\":\"Verberg product als het uitverkocht is\",\"SCimta\":\"Verberg de pagina Aan de slag uit de zijbalk\",\"5xR17G\":\"Verberg dit product voor klanten\",\"Da29Y6\":\"Verberg deze vraag\",\"fvDQhr\":\"Verberg dit niveau voor gebruikers\",\"lNipG+\":\"Door een product te verbergen, kunnen gebruikers het niet zien op de evenementpagina.\",\"ZOBwQn\":\"Homepage-ontwerp\",\"PRuBTd\":\"Homepage Ontwerper\",\"YjVNGZ\":\"Voorbeschouwing\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Hoeveel minuten de klant heeft om zijn bestelling af te ronden. We raden minimaal 15 minuten aan\",\"ySxKZe\":\"Hoe vaak kan deze code worden gebruikt?\",\"dZsDbK\":[\"HTML karakterlimiet overschreden: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://voorbeeld-maps-service.com/...\",\"uOXLV3\":\"Ik ga akkoord met de <0>voorwaarden\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Als dit veld leeg is, wordt het adres gebruikt om een Google Mapa-link te genereren\",\"UYT+c8\":\"Als dit is ingeschakeld, kunnen incheckmedewerkers aanwezigen markeren als ingecheckt of de bestelling als betaald markeren en de aanwezigen inchecken. Als deze optie is uitgeschakeld, kunnen bezoekers van onbetaalde bestellingen niet worden ingecheckt.\",\"muXhGi\":\"Als deze optie is ingeschakeld, ontvangt de organisator een e-mailbericht wanneer er een nieuwe bestelling is geplaatst\",\"6fLyj/\":\"Als je deze wijziging niet hebt aangevraagd, verander dan onmiddellijk je wachtwoord.\",\"n/ZDCz\":\"Afbeelding succesvol verwijderd\",\"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\":\"Afbeelding succesvol geüpload\",\"VyUuZb\":\"Afbeelding URL\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactief\",\"T0K0yl\":\"Inactieve gebruikers kunnen niet inloggen.\",\"kO44sp\":\"Vermeld verbindingsgegevens voor je online evenement. Deze gegevens worden weergegeven op de overzichtspagina van de bestelling en de ticketpagina voor deelnemers.\",\"FlQKnG\":\"Belastingen en toeslagen in de prijs opnemen\",\"Vi+BiW\":[\"Inclusief \",[\"0\"],\" producten\"],\"lpm0+y\":\"Omvat 1 product\",\"UiAk5P\":\"Afbeelding invoegen\",\"OyLdaz\":\"Uitnodiging verzonden!\",\"HE6KcK\":\"Uitnodiging ingetrokken!\",\"SQKPvQ\":\"Gebruiker uitnodigen\",\"bKOYkd\":\"Factuur succesvol gedownload\",\"alD1+n\":\"Factuurnotities\",\"kOtCs2\":\"Factuurnummering\",\"UZ2GSZ\":\"Factuur Instellingen\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"Jan\",\"XcgRvb\":\"Jansen\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Taal\",\"2LMsOq\":\"Laatste 12 maanden\",\"vfe90m\":\"Laatste 14 dagen\",\"aK4uBd\":\"Laatste 24 uur\",\"uq2BmQ\":\"Laatste 30 dagen\",\"bB6Ram\":\"Laatste 48 uur\",\"VlnB7s\":\"Laatste 6 maanden\",\"ct2SYD\":\"Laatste 7 dagen\",\"XgOuA7\":\"Laatste 90 dagen\",\"I3yitW\":\"Laatste login\",\"1ZaQUH\":\"Achternaam\",\"UXBCwc\":\"Achternaam\",\"tKCBU0\":\"Laatst gebruikt\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Laat leeg om het standaardwoord te gebruiken\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Aan het laden...\",\"wJijgU\":\"Locatie\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Inloggen\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Afmelden\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Maak factuuradres verplicht tijdens het afrekenen\",\"MU3ijv\":\"Maak deze vraag verplicht\",\"wckWOP\":\"Beheer\",\"onpJrA\":\"Deelnemer beheren\",\"n4SpU5\":\"Evenement beheren\",\"WVgSTy\":\"Bestelling beheren\",\"1MAvUY\":\"Beheer de betalings- en factureringsinstellingen voor dit evenement.\",\"cQrNR3\":\"Profiel beheren\",\"AtXtSw\":\"Belastingen en toeslagen beheren die kunnen worden toegepast op je producten\",\"ophZVW\":\"Tickets beheren\",\"DdHfeW\":\"Beheer je accountgegevens en standaardinstellingen\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Beheer je gebruikers en hun rechten\",\"1m+YT2\":\"Verplichte vragen moeten worden beantwoord voordat de klant kan afrekenen.\",\"Dim4LO\":\"Handmatig een genodigde toevoegen\",\"e4KdjJ\":\"Deelnemer handmatig toevoegen\",\"vFjEnF\":\"Markeer als betaald\",\"g9dPPQ\":\"Maximum per bestelling\",\"l5OcwO\":\"Bericht deelnemer\",\"Gv5AMu\":\"Bericht Deelnemers\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Bericht koper\",\"tNZzFb\":\"Inhoud bericht\",\"lYDV/s\":\"Bericht individuele deelnemers\",\"V7DYWd\":\"Bericht verzonden\",\"t7TeQU\":\"Berichten\",\"xFRMlO\":\"Minimum per bestelling\",\"QYcUEf\":\"Minimale prijs\",\"RDie0n\":\"Diverse\",\"mYLhkl\":\"Diverse instellingen\",\"KYveV8\":\"Meerregelig tekstvak\",\"VD0iA7\":\"Meerdere prijsopties. Perfect voor early bird-producten enz.\",\"/bhMdO\":\"Mijn verbazingwekkende evenementbeschrijving...\",\"vX8/tc\":\"Mijn verbazingwekkende evenementtitel...\",\"hKtWk2\":\"Mijn profiel\",\"fj5byd\":\"N.V.T.\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Naam\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigeer naar deelnemer\",\"qqeAJM\":\"Nooit\",\"7vhWI8\":\"Nieuw wachtwoord\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Geen gearchiveerde evenementen om weer te geven.\",\"q2LEDV\":\"Geen aanwezigen gevonden voor deze bestelling.\",\"zlHa5R\":\"Er zijn geen deelnemers aan deze bestelling toegevoegd.\",\"Wjz5KP\":\"Geen aanwezigen\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Geen capaciteitstoewijzingen\",\"a/gMx2\":\"Geen inchecklijsten\",\"tMFDem\":\"Geen gegevens beschikbaar\",\"6Z/F61\":\"Geen gegevens om weer te geven. Selecteer een datumbereik\",\"fFeCKc\":\"Geen Korting\",\"HFucK5\":\"Geen beëindigde evenementen om te laten zien.\",\"yAlJXG\":\"Geen evenementen om weer te geven\",\"GqvPcv\":\"Geen filters beschikbaar\",\"KPWxKD\":\"Geen berichten om te tonen\",\"J2LkP8\":\"Geen orders om te laten zien\",\"RBXXtB\":\"Er zijn momenteel geen betalingsmethoden beschikbaar. Neem contact op met de organisator van het evenement voor hulp.\",\"ZWEfBE\":\"Geen betaling vereist\",\"ZPoHOn\":\"Geen product gekoppeld aan deze deelnemer.\",\"Ya1JhR\":\"Geen producten beschikbaar in deze categorie.\",\"FTfObB\":\"Nog geen producten\",\"+Y976X\":\"Geen promotiecodes om te tonen\",\"MAavyl\":\"Geen vragen beantwoord door deze deelnemer.\",\"SnlQeq\":\"Er zijn geen vragen gesteld voor deze bestelling.\",\"Ev2r9A\":\"Geen resultaten\",\"gk5uwN\":\"Geen zoekresultaten\",\"RHyZUL\":\"Geen zoekresultaten.\",\"RY2eP1\":\"Er zijn geen belastingen of toeslagen toegevoegd.\",\"EdQY6l\":\"Geen\",\"OJx3wK\":\"Niet beschikbaar\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Opmerkingen\",\"jtrY3S\":\"Nog niets om te laten zien\",\"hFwWnI\":\"Instellingen meldingen\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Organisator op de hoogte stellen van nieuwe bestellingen\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Aantal dagen toegestaan voor betaling (leeg laten om betalingstermijnen weg te laten van facturen)\",\"n86jmj\":\"Nummer Voorvoegsel\",\"mwe+2z\":\"Offline bestellingen worden niet weergegeven in evenementstatistieken totdat de bestelling als betaald is gemarkeerd.\",\"dWBrJX\":\"Offline betaling mislukt. Probeer het opnieuw of neem contact op met de organisator van het evenement.\",\"fcnqjw\":\"Offline Betalingsinstructies\",\"+eZ7dp\":\"Offline betalingen\",\"ojDQlR\":\"Informatie over offline betalingen\",\"u5oO/W\":\"Instellingen voor offline betalingen\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"In de uitverkoop\",\"Ug4SfW\":\"Zodra je een evenement hebt gemaakt, zie je het hier.\",\"ZxnK5C\":\"Zodra je gegevens begint te verzamelen, zie je ze hier.\",\"PnSzEc\":\"Zodra je klaar bent, kun je je evenement live zetten en beginnen met het verkopen van producten.\",\"J6n7sl\":\"Doorlopend\",\"z+nuVJ\":\"Online evenement\",\"WKHW0N\":\"Details online evenement\",\"/xkmKX\":\"Stuur alleen belangrijke e-mails die direct verband houden met dit evenement via dit formulier. Elk misbruik, inclusief het versturen van promotionele e-mails, leidt tot een onmiddellijke blokkering van je account.\",\"Qqqrwa\":\"Open Check-In Pagina\",\"OdnLE4\":\"Zijbalk openen\",\"ZZEYpT\":[\"Optie \",[\"i\"]],\"oPknTP\":\"Optionele aanvullende informatie die op alle facturen moet worden vermeld (bijv. betalingsvoorwaarden, kosten voor te late betaling, retourbeleid)\",\"OrXJBY\":\"Optioneel voorvoegsel voor factuurnummers (bijv. INV-)\",\"0zpgxV\":\"Opties\",\"BzEFor\":\"of\",\"UYUgdb\":\"Bestel\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Bestelling geannuleerd\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Bestel Datum\",\"Tol4BF\":\"Bestel Details\",\"WbImlQ\":\"Bestelling is geannuleerd en de eigenaar van de bestelling is op de hoogte gesteld.\",\"nAn4Oe\":\"Bestelling gemarkeerd als betaald\",\"uzEfRz\":\"Bestelnotities\",\"VCOi7U\":\"Vragen bestelling\",\"TPoYsF\":\"Bestelreferentie\",\"acIJ41\":\"Bestelstatus\",\"GX6dZv\":\"Overzicht bestelling\",\"tDTq0D\":\"Time-out bestelling\",\"1h+RBg\":\"Bestellingen\",\"3y+V4p\":\"Adres organisatie\",\"GVcaW6\":\"Organisatie details\",\"nfnm9D\":\"Naam organisatie\",\"G5RhpL\":\"Organisator\",\"mYygCM\":\"Organisator is vereist\",\"Pa6G7v\":\"Naam organisator\",\"l894xP\":\"Organisatoren kunnen alleen evenementen en producten beheren. Ze kunnen geen gebruikers, accountinstellingen of factureringsgegevens beheren.\",\"fdjq4c\":\"Opvulling\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Pagina niet gevonden\",\"QbrUIo\":\"Bekeken pagina's\",\"6D8ePg\":\"pagina.\",\"IkGIz8\":\"betaald\",\"HVW65c\":\"Betaald product\",\"ZfxaB4\":\"Gedeeltelijk Terugbetaald\",\"8ZsakT\":\"Wachtwoord\",\"TUJAyx\":\"Wachtwoord moet minimaal 8 tekens bevatten\",\"vwGkYB\":\"Wachtwoord moet minstens 8 tekens bevatten\",\"BLTZ42\":\"Wachtwoord opnieuw ingesteld. Log in met je nieuwe wachtwoord.\",\"f7SUun\":\"Wachtwoorden zijn niet hetzelfde\",\"aEDp5C\":\"Plak dit waar je wilt dat de widget verschijnt.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Betaling\",\"Lg+ewC\":\"Betaling & facturering\",\"DZjk8u\":\"Instellingen voor betaling en facturering\",\"lflimf\":\"Betalingstermijn\",\"JhtZAK\":\"Betaling mislukt\",\"JEdsvQ\":\"Betalingsinstructies\",\"bLB3MJ\":\"Betaalmethoden\",\"QzmQBG\":\"Betalingsprovider\",\"lsxOPC\":\"Ontvangen betaling\",\"wJTzyi\":\"Betalingsstatus\",\"xgav5v\":\"Betaling gelukt!\",\"R29lO5\":\"Betalingsvoorwaarden\",\"/roQKz\":\"Percentage\",\"vPJ1FI\":\"Percentage Bedrag\",\"xdA9ud\":\"Plaats dit in de van je website.\",\"blK94r\":\"Voeg ten minste één optie toe\",\"FJ9Yat\":\"Controleer of de verstrekte informatie correct is\",\"TkQVup\":\"Controleer je e-mail en wachtwoord en probeer het opnieuw\",\"sMiGXD\":\"Controleer of je e-mailadres geldig is\",\"Ajavq0\":\"Controleer je e-mail om je e-mailadres te bevestigen\",\"MdfrBE\":\"Vul het onderstaande formulier in om uw uitnodiging te accepteren\",\"b1Jvg+\":\"Ga verder in het nieuwe tabblad\",\"hcX103\":\"Maak een product\",\"cdR8d6\":\"Maak een ticket aan\",\"x2mjl4\":\"Voer een geldige URL in die naar een afbeelding verwijst.\",\"HnNept\":\"Voer uw nieuwe wachtwoord in\",\"5FSIzj\":\"Let op\",\"C63rRe\":\"Ga terug naar de evenementpagina om opnieuw te beginnen.\",\"pJLvdS\":\"Selecteer\",\"Ewir4O\":\"Selecteer ten minste één product\",\"igBrCH\":\"Controleer uw e-mailadres om toegang te krijgen tot alle functies\",\"/IzmnP\":\"Wacht even terwijl we uw factuur opstellen...\",\"MOERNx\":\"Portugees\",\"qCJyMx\":\"Post Checkout-bericht\",\"g2UNkE\":\"Aangedreven door\",\"Rs7IQv\":\"Bericht voor het afrekenen\",\"rdUucN\":\"Voorbeeld\",\"a7u1N9\":\"Prijs\",\"CmoB9j\":\"Modus prijsweergave\",\"BI7D9d\":\"Prijs niet ingesteld\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Prijs Type\",\"6RmHKN\":\"Primaire kleur\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primaire tekstkleur\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Alle tickets afdrukken\",\"DKwDdj\":\"Tickets afdrukken\",\"K47k8R\":\"Product\",\"1JwlHk\":\"Productcategorie\",\"U61sAj\":\"Productcategorie succesvol bijgewerkt.\",\"1USFWA\":\"Product succesvol verwijderd\",\"4Y2FZT\":\"Product Prijs Type\",\"mFwX0d\":\"Product vragen\",\"Lu+kBU\":\"Productverkoop\",\"U/R4Ng\":\"Productniveau\",\"sJsr1h\":\"Soort product\",\"o1zPwM\":\"Voorbeeld van productwidget\",\"ktyvbu\":\"Product(en)\",\"N0qXpE\":\"Producten\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Verkochte producten\",\"/u4DIx\":\"Verkochte producten\",\"DJQEZc\":\"Producten succesvol gesorteerd\",\"vERlcd\":\"Profiel\",\"kUlL8W\":\"Profiel succesvol bijgewerkt\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code toegepast\"],\"P5sgAk\":\"Kortingscode\",\"yKWfjC\":\"Promo Code pagina\",\"RVb8Fo\":\"Promo codes\",\"BZ9GWa\":\"Promocodes kunnen worden gebruikt voor kortingen, toegang tot de voorverkoop of speciale toegang tot je evenement.\",\"OP094m\":\"Promocodes Rapport\",\"4kyDD5\":\"Geef aanvullende context of instructies voor deze vraag. Gebruik dit veld om algemene voorwaarden, richtlijnen of andere belangrijke informatie toe te voegen die deelnemers moeten weten voordat ze antwoorden.\",\"toutGW\":\"QR-code\",\"LkMOWF\":\"Beschikbare hoeveelheid\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Vraag verwijderd\",\"avf0gk\":\"Beschrijving van de vraag\",\"oQvMPn\":\"Titel van de vraag\",\"enzGAL\":\"Vragen\",\"ROv2ZT\":\"Vragen en antwoorden\",\"K885Eq\":\"Vragen succesvol gesorteerd\",\"OMJ035\":\"Radio-optie\",\"C4TjpG\":\"Minder lezen\",\"I3QpvQ\":\"Ontvanger\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Terugbetaling mislukt\",\"n10yGu\":\"Bestelling terugbetalen\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Restitutie in behandeling\",\"xHpVRl\":\"Restitutie Status\",\"/BI0y9\":\"Terugbetaald\",\"fgLNSM\":\"Registreer\",\"9+8Vez\":\"Overblijvend gebruik\",\"tasfos\":\"verwijderen\",\"t/YqKh\":\"Verwijder\",\"t9yxlZ\":\"Rapporten\",\"prZGMe\":\"Factuuradres vereisen\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"E-mailbevestiging opnieuw verzenden\",\"wIa8Qe\":\"Uitnodiging opnieuw versturen\",\"VeKsnD\":\"E-mail met bestelling opnieuw verzenden\",\"dFuEhO\":\"Ticket opnieuw verzenden\",\"o6+Y6d\":\"Opnieuw verzenden...\",\"OfhWJH\":\"Reset\",\"RfwZxd\":\"Wachtwoord opnieuw instellen\",\"KbS2K9\":\"Wachtwoord opnieuw instellen\",\"e99fHm\":\"Evenement herstellen\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Terug naar evenementpagina\",\"8YBH95\":\"Inkomsten\",\"PO/sOY\":\"Uitnodiging intrekken\",\"GDvlUT\":\"Rol\",\"ELa4O9\":\"Einddatum verkoop\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Startdatum verkoop\",\"hBsw5C\":\"Verkoop beëindigd\",\"kpAzPe\":\"Start verkoop\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Opslaan\",\"IUwGEM\":\"Wijzigingen opslaan\",\"U65fiW\":\"Organisator opslaan\",\"UGT5vp\":\"Instellingen opslaan\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Zoek op naam van een deelnemer, e-mail of bestelnummer...\",\"+pr/FY\":\"Zoeken op evenementnaam...\",\"3zRbWw\":\"Zoeken op naam, e-mail of bestelnummer...\",\"L22Tdf\":\"Zoek op naam, ordernummer, aanwezigheidsnummer of e-mail...\",\"BiYOdA\":\"Zoeken op naam...\",\"YEjitp\":\"Zoeken op onderwerp of inhoud...\",\"Pjsch9\":\"Zoek capaciteitstoewijzingen...\",\"r9M1hc\":\"Check-in lijsten doorzoeken...\",\"+0Yy2U\":\"Producten zoeken\",\"YIix5Y\":\"Zoeken...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secundaire kleur\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secundaire tekstkleur\",\"02ePaq\":[\"Kies \",[\"0\"]],\"QuNKRX\":\"Camera selecteren\",\"9FQEn8\":\"Selecteer categorie...\",\"kWI/37\":\"Organisator selecteren\",\"ixIx1f\":\"Kies product\",\"3oSV95\":\"Selecteer productcategorie\",\"C4Y1hA\":\"Selecteer producten\",\"hAjDQy\":\"Selecteer status\",\"QYARw/\":\"Selecteer ticket\",\"OMX4tH\":\"Kies tickets\",\"DrwwNd\":\"Selecteer tijdsperiode\",\"O/7I0o\":\"Selecteer...\",\"JlFcis\":\"Stuur\",\"qKWv5N\":[\"Stuur een kopie naar <0>\",[\"0\"],\"\"],\"RktTWf\":\"Stuur een bericht\",\"/mQ/tD\":\"Verzenden als test. Hierdoor wordt het bericht naar jouw e-mailadres gestuurd in plaats van naar de ontvangers.\",\"M/WIer\":\"Verstuur bericht\",\"D7ZemV\":\"Verzend orderbevestiging en ticket e-mail\",\"v1rRtW\":\"Test verzenden\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO Beschrijving\",\"/SIY6o\":\"SEO Trefwoorden\",\"GfWoKv\":\"SEO-instellingen\",\"rXngLf\":\"SEO titel\",\"/jZOZa\":\"Servicevergoeding\",\"Bj/QGQ\":\"Stel een minimumprijs in en laat gebruikers meer betalen als ze dat willen\",\"L0pJmz\":\"Stel het startnummer voor factuurnummering in. Dit kan niet worden gewijzigd als de facturen eenmaal zijn gegenereerd.\",\"nYNT+5\":\"Uw evenement opzetten\",\"A8iqfq\":\"Je evenement live zetten\",\"Tz0i8g\":\"Instellingen\",\"Z8lGw6\":\"Deel\",\"B2V3cA\":\"Evenement delen\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Beschikbare producthoeveelheid tonen\",\"qDsmzu\":\"Verborgen vragen tonen\",\"fMPkxb\":\"Meer tonen\",\"izwOOD\":\"Belastingen en toeslagen apart weergeven\",\"1SbbH8\":\"Wordt aan de klant getoond nadat hij heeft afgerekend, op de overzichtspagina van de bestelling.\",\"YfHZv0\":\"Aan de klant getoond voordat hij afrekent\",\"CBBcly\":\"Toont algemene adresvelden, inclusief land\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Enkelregelig tekstvak\",\"+P0Cn2\":\"Deze stap overslaan\",\"YSEnLE\":\"Jansen\",\"lgFfeO\":\"Uitverkocht\",\"Mi1rVn\":\"Uitverkocht\",\"nwtY4N\":\"Er is iets misgegaan\",\"GRChTw\":\"Er is iets misgegaan bij het verwijderen van de Belasting of Belastinggeld\",\"YHFrbe\":\"Er ging iets mis! Probeer het opnieuw\",\"kf83Ld\":\"Er ging iets mis.\",\"fWsBTs\":\"Er is iets misgegaan. Probeer het opnieuw.\",\"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.\",\"6a/UJE\":\"Sorry, deze promotiecode wordt niet herkend\",\"65A04M\":\"Spaans\",\"mFuBqb\":\"Standaardproduct met een vaste prijs\",\"D3iCkb\":\"Startdatum\",\"/2by1f\":\"Staat of regio\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Stripe-betalingen zijn niet ingeschakeld voor dit evenement.\",\"UJmAAK\":\"Onderwerp\",\"X2rrlw\":\"Subtotaal\",\"zzDlyQ\":\"Succes\",\"b0HJ45\":[\"Succes! \",[\"0\"],\" ontvangt binnenkort een e-mail.\"],\"BJIEiF\":[\"Succesvol \",[\"0\"],\" deelnemer\"],\"OtgNFx\":\"E-mailadres succesvol bevestigd\",\"IKwyaF\":\"E-mailwijziging succesvol bevestigd\",\"zLmvhE\":\"Succesvol aangemaakte deelnemer\",\"gP22tw\":\"Succesvol gecreëerd product\",\"9mZEgt\":\"Succesvol aangemaakte promotiecode\",\"aIA9C4\":\"Succesvol aangemaakte vraag\",\"J3RJSZ\":\"Deelnemer succesvol bijgewerkt\",\"3suLF0\":\"Capaciteitstoewijzing succesvol bijgewerkt\",\"Z+rnth\":\"Check-in lijst succesvol bijgewerkt\",\"vzJenu\":\"E-mailinstellingen met succes bijgewerkt\",\"7kOMfV\":\"Evenement succesvol bijgewerkt\",\"G0KW+e\":\"Succesvol vernieuwd homepage-ontwerp\",\"k9m6/E\":\"Homepage-instellingen met succes bijgewerkt\",\"y/NR6s\":\"Locatie succesvol bijgewerkt\",\"73nxDO\":\"Misc-instellingen met succes bijgewerkt\",\"4H80qv\":\"Bestelling succesvol bijgewerkt\",\"6xCBVN\":\"Instellingen voor betalen en factureren succesvol bijgewerkt\",\"1Ycaad\":\"Product succesvol bijgewerkt\",\"70dYC8\":\"Succesvol bijgewerkte promotiecode\",\"F+pJnL\":\"Succesvol bijgewerkte Seo-instellingen\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Ondersteuning per e-mail\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Belasting\",\"geUFpZ\":\"Belastingen en heffingen\",\"dFHcIn\":\"Belastingdetails\",\"wQzCPX\":\"Belastinginformatie die onderaan alle facturen moet staan (bijv. btw-nummer, belastingregistratie)\",\"0RXCDo\":\"Belasting of vergoeding succesvol verwijderd\",\"ZowkxF\":\"Belastingen\",\"qu6/03\":\"Belastingen en heffingen\",\"gypigA\":\"Die promotiecode is ongeldig\",\"5ShqeM\":\"De check-in lijst die je zoekt bestaat niet.\",\"QXlz+n\":\"De standaardvaluta voor je evenementen.\",\"mnafgQ\":\"De standaard tijdzone voor je evenementen.\",\"o7s5FA\":\"De taal waarin de deelnemer e-mails ontvangt.\",\"NlfnUd\":\"De link waarop je hebt geklikt is ongeldig.\",\"HsFnrk\":[\"Het maximum aantal producten voor \",[\"0\"],\"is \",[\"1\"]],\"TSAiPM\":\"De pagina die u zoekt bestaat niet\",\"MSmKHn\":\"De prijs die aan de klant wordt getoond is inclusief belastingen en toeslagen.\",\"6zQOg1\":\"De prijs die aan de klant wordt getoond is exclusief belastingen en toeslagen. Deze worden apart weergegeven\",\"ne/9Ur\":\"De stylinginstellingen die je kiest, zijn alleen van toepassing op gekopieerde HTML en worden niet opgeslagen.\",\"vQkyB3\":\"De belastingen en toeslagen die van toepassing zijn op dit product. U kunt nieuwe belastingen en kosten aanmaken op de\",\"esY5SG\":\"De titel van het evenement die zal worden weergegeven in zoekmachineresultaten en bij het delen op sociale media. Standaard wordt de titel van het evenement gebruikt\",\"wDx3FF\":\"Er zijn geen producten beschikbaar voor dit evenement\",\"pNgdBv\":\"Er zijn geen producten beschikbaar in deze categorie\",\"rMcHYt\":\"Er is een restitutie in behandeling. Wacht tot deze is voltooid voordat je een nieuwe restitutie aanvraagt.\",\"F89D36\":\"Er is een fout opgetreden bij het markeren van de bestelling als betaald\",\"68Axnm\":\"Er is een fout opgetreden bij het verwerken van uw verzoek. Probeer het opnieuw.\",\"mVKOW6\":\"Er is een fout opgetreden bij het verzenden van uw bericht\",\"AhBPHd\":\"Deze gegevens worden alleen weergegeven als de bestelling succesvol is afgerond. Bestellingen die op betaling wachten, krijgen dit bericht niet te zien.\",\"Pc/Wtj\":\"Deze deelnemer heeft een onbetaalde bestelling.\",\"mf3FrP\":\"Deze categorie heeft nog geen producten.\",\"8QH2Il\":\"Deze categorie is niet zichtbaar voor het publiek\",\"xxv3BZ\":\"Deze check-in lijst is verlopen\",\"Sa7w7S\":\"Deze check-ins lijst is verlopen en niet langer beschikbaar voor check-ins.\",\"Uicx2U\":\"Deze check-in lijst is actief\",\"1k0Mp4\":\"Deze check-in lijst is nog niet actief\",\"K6fmBI\":\"Deze check-ins lijst is nog niet actief en is niet beschikbaar voor check-ins.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Deze e-mail is niet promotioneel en is direct gerelateerd aan het evenement.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Deze informatie wordt weergegeven op de betaalpagina, de pagina met het overzicht van de bestelling en de e-mail ter bevestiging van de bestelling.\",\"XAHqAg\":\"Dit is een algemeen product, zoals een t-shirt of een mok. Er wordt geen ticket uitgegeven\",\"CNk/ro\":\"Dit is een online evenement\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Dit bericht wordt opgenomen in de voettekst van alle e-mails die vanuit dit evenement worden verzonden\",\"55i7Fa\":\"Dit bericht wordt alleen weergegeven als de bestelling succesvol is afgerond. Bestellingen die op betaling wachten, krijgen dit bericht niet te zien\",\"RjwlZt\":\"Deze bestelling is al betaald.\",\"5K8REg\":\"Deze bestelling is al terugbetaald.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Deze bestelling is geannuleerd.\",\"Q0zd4P\":\"Deze bestelling is verlopen. Begin opnieuw.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Deze bestelling is compleet.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Deze bestelpagina is niet langer beschikbaar.\",\"i0TtkR\":\"Dit overschrijft alle zichtbaarheidsinstellingen en verbergt het product voor alle klanten.\",\"cRRc+F\":\"Dit product kan niet worden verwijderd omdat het gekoppeld is aan een bestelling. In plaats daarvan kunt u het verbergen.\",\"3Kzsk7\":\"Dit product is een ticket. Kopers krijgen bij aankoop een ticket\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Dit product is verborgen, tenzij er een promotiecode voor geldt\",\"os29v1\":\"Deze vraag is alleen zichtbaar voor de organisator van het evenement.\",\"IV9xTT\":\"Deze gebruiker is niet actief, omdat hij zijn uitnodiging niet heeft geaccepteerd.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"dtGC3q\":\"Ticket e-mail is opnieuw verzonden naar de deelnemer\",\"54q0zp\":\"Tickets voor\",\"xN9AhL\":[\"Niveau \",[\"0\"]],\"jZj9y9\":\"Gelaagd product\",\"8wITQA\":\"Met gelaagde producten kun je meerdere prijsopties aanbieden voor hetzelfde product. Dit is perfect voor early bird-producten of om verschillende prijsopties aan te bieden voor verschillende groepen mensen.\",\"nn3mSR\":\"Resterende tijd:\",\"s/0RpH\":\"Gebruikte tijden\",\"y55eMd\":\"Gebruikte tijden\",\"40Gx0U\":\"Tijdzone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Gereedschap\",\"72c5Qo\":\"Totaal\",\"YXx+fG\":\"Totaal vóór kortingen\",\"NRWNfv\":\"Totaal kortingsbedrag\",\"BxsfMK\":\"Totaal vergoedingen\",\"2bR+8v\":\"Totaal Brutoverkoop\",\"mpB/d9\":\"Totaal bestelbedrag\",\"m3FM1g\":\"Totaal terugbetaald\",\"jEbkcB\":\"Totaal Terugbetaald\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Totale belasting\",\"+zy2Nq\":\"Type\",\"FMdMfZ\":\"Deelnemer kan niet worden ingecheckt\",\"bPWBLL\":\"Deelnemer kan niet worden uitgecheckt\",\"9+P7zk\":\"Kan geen product maken. Controleer uw gegevens\",\"WLxtFC\":\"Kan geen product maken. Controleer uw gegevens\",\"/cSMqv\":\"Kan geen vraag maken. Controleer uw gegevens\",\"MH/lj8\":\"Kan vraag niet bijwerken. Controleer uw gegevens\",\"nnfSdK\":\"Unieke klanten\",\"Mqy/Zy\":\"Verenigde Staten\",\"NIuIk1\":\"Onbeperkt\",\"/p9Fhq\":\"Onbeperkt beschikbaar\",\"E0q9qH\":\"Onbeperkt gebruik toegestaan\",\"h10Wm5\":\"Onbetaalde bestelling\",\"ia8YsC\":\"Komende\",\"TlEeFv\":\"Komende evenementen\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Naam, beschrijving en data van evenement bijwerken\",\"vXPSuB\":\"Profiel bijwerken\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL gekopieerd naar klembord\",\"e5lF64\":\"Gebruiksvoorbeeld\",\"fiV0xj\":\"Gebruikslimiet\",\"sGEOe4\":\"Gebruik een onscherpe versie van de omslagafbeelding als achtergrond\",\"OadMRm\":\"Coverafbeelding gebruiken\",\"7PzzBU\":\"Gebruiker\",\"yDOdwQ\":\"Gebruikersbeheer\",\"Sxm8rQ\":\"Gebruikers\",\"VEsDvU\":\"Gebruikers kunnen hun e-mailadres wijzigen in <0>Profielinstellingen\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"BTW\",\"E/9LUk\":\"Naam locatie\",\"jpctdh\":\"Bekijk\",\"Pte1Hv\":\"Details van deelnemers bekijken\",\"/5PEQz\":\"Evenementpagina bekijken\",\"fFornT\":\"Bekijk volledig bericht\",\"YIsEhQ\":\"Kaart bekijken\",\"Ep3VfY\":\"Bekijk op Google Maps\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP check-in lijst\",\"tF+VVr\":\"VIP-ticket\",\"2q/Q7x\":\"Zichtbaarheid\",\"vmOFL/\":\"We konden je betaling niet verwerken. Probeer het opnieuw of neem contact op met de klantenservice.\",\"45Srzt\":\"We konden de categorie niet verwijderen. Probeer het opnieuw.\",\"/DNy62\":[\"We konden geen tickets vinden die overeenkomen met \",[\"0\"]],\"1E0vyy\":\"We konden de gegevens niet laden. Probeer het opnieuw.\",\"NmpGKr\":\"We konden de categorieën niet opnieuw ordenen. Probeer het opnieuw.\",\"BJtMTd\":\"We raden afmetingen aan van 2160px bij 1080px en een maximale bestandsgrootte van 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We konden je betaling niet bevestigen. Probeer het opnieuw of neem contact op met de klantenservice.\",\"Gspam9\":\"We zijn je bestelling aan het verwerken. Even geduld alstublieft...\",\"LuY52w\":\"Welkom aan boord! Log in om verder te gaan.\",\"dVxpp5\":[\"Welkom terug\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Wat zijn gelaagde producten?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Wat is een categorie?\",\"gxeWAU\":\"Op welke producten is deze code van toepassing?\",\"hFHnxR\":\"Op welke producten is deze code van toepassing? (Geldt standaard voor alle)\",\"AeejQi\":\"Op welke producten moet deze capaciteit van toepassing zijn?\",\"Rb0XUE\":\"Hoe laat kom je aan?\",\"5N4wLD\":\"Wat voor vraag is dit?\",\"gyLUYU\":\"Als deze optie is ingeschakeld, worden facturen gegenereerd voor ticketbestellingen. Facturen worden samen met de e-mail ter bevestiging van de bestelling verzonden. Bezoekers kunnen hun facturen ook downloaden van de bestelbevestigingspagina.\",\"D3opg4\":\"Als offline betalingen zijn ingeschakeld, kunnen gebruikers hun bestellingen afronden en hun tickets ontvangen. Hun tickets zullen duidelijk aangeven dat de bestelling niet betaald is en de check-in tool zal het check-in personeel informeren als een bestelling betaald moet worden.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Welke tickets moeten aan deze inchecklijst worden gekoppeld?\",\"S+OdxP\":\"Wie organiseert dit evenement?\",\"LINr2M\":\"Aan wie is deze boodschap gericht?\",\"nWhye/\":\"Aan wie moet deze vraag worden gesteld?\",\"VxFvXQ\":\"Widget insluiten\",\"v1P7Gm\":\"Widget-instellingen\",\"b4itZn\":\"Werken\",\"hqmXmc\":\"Werken...\",\"+G/XiQ\":\"Jaar tot nu toe\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Ja, verwijder ze\",\"ySeBKv\":\"Je hebt dit ticket al gescand\",\"P+Sty0\":[\"Je wijzigt je e-mailadres in <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Je bent offline\",\"sdB7+6\":\"Je kunt een promotiecode maken die gericht is op dit product op de\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Je kunt het producttype niet wijzigen omdat er deelnemers aan dit product zijn gekoppeld.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Je kunt deelnemers met onbetaalde bestellingen niet inchecken. Je kunt deze instelling wijzigen in de evenementinstellingen.\",\"c9Evkd\":\"Je kunt de laatste categorie niet verwijderen.\",\"6uwAvx\":\"Je kunt dit prijsniveau niet verwijderen omdat er al producten voor dit niveau worden verkocht. In plaats daarvan kun je het verbergen.\",\"tFbRKJ\":\"Je kunt de rol of status van de accounteigenaar niet bewerken.\",\"fHfiEo\":\"Je kunt een handmatig aangemaakte bestelling niet terugbetalen.\",\"hK9c7R\":\"Je hebt een verborgen vraag gemaakt maar de optie om verborgen vragen weer te geven uitgeschakeld. Deze is ingeschakeld.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Je hebt toegang tot meerdere accounts. Kies er een om verder te gaan.\",\"Z6q0Vl\":\"Je hebt deze uitnodiging al geaccepteerd. Log in om verder te gaan.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"U hebt geen vragen van deelnemers.\",\"CoZHDB\":\"Je hebt geen bestelvragen.\",\"15qAvl\":\"Je hebt geen in behandeling zijnde e-mailwijziging.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Je hebt geen tijd meer om je bestelling af te ronden.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Je hebt nog geen berichten verzonden. Je kunt berichten sturen naar alle deelnemers of naar specifieke producthouders.\",\"R6i9o9\":\"U moet erkennen dat deze e-mail geen promotie is\",\"3ZI8IL\":\"U moet akkoord gaan met de algemene voorwaarden\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Je moet een ticket aanmaken voordat je handmatig een genodigde kunt toevoegen.\",\"jE4Z8R\":\"Je moet minstens één prijsniveau hebben\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Je moet een bestelling handmatig als betaald markeren. Dit kun je doen op de pagina Bestelling beheren.\",\"L/+xOk\":\"Je hebt een ticket nodig voordat je een inchecklijst kunt maken.\",\"Djl45M\":\"U hebt een product nodig voordat u een capaciteitstoewijzing kunt maken.\",\"y3qNri\":\"Je hebt minstens één product nodig om te beginnen. Gratis, betaald of laat de gebruiker beslissen wat hij wil betalen.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Je accountnaam wordt gebruikt op evenementpagina's en in e-mails.\",\"veessc\":\"Je bezoekers verschijnen hier zodra ze zich hebben geregistreerd voor je evenement. Je kunt deelnemers ook handmatig toevoegen.\",\"Eh5Wrd\":\"Uw geweldige website 🎉\",\"lkMK2r\":\"Uw gegevens\",\"3ENYTQ\":[\"Uw verzoek om uw e-mail te wijzigen in <0>\",[\"0\"],\" is in behandeling. Controleer uw e-mail om te bevestigen\"],\"yZfBoy\":\"Uw bericht is verzonden\",\"KSQ8An\":\"Uw bestelling\",\"Jwiilf\":\"Uw bestelling is geannuleerd\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"Je bestellingen verschijnen hier zodra ze binnenkomen.\",\"9TO8nT\":\"Uw wachtwoord\",\"P8hBau\":\"Je betaling wordt verwerkt.\",\"UdY1lL\":\"Uw betaling is niet gelukt, probeer het opnieuw.\",\"fzuM26\":\"Uw betaling is mislukt. Probeer het opnieuw.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Je terugbetaling wordt verwerkt.\",\"IFHV2p\":\"Uw ticket voor\",\"x1PPdr\":\"Postcode\",\"BM/KQm\":\"Postcode\",\"+LtVBt\":\"Postcode\",\"25QDJ1\":\"- Klik om te publiceren\",\"WOyJmc\":\"- Klik om te verwijderen\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" is al ingecheckt\"],\"S4PqS9\":[[\"0\"],\" Actieve webhooks\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" logo\"],\"B7pZfX\":[[\"0\"],\" organisatoren\"],\"/HkCs4\":[[\"0\"],\" tickets\"],\"OJnhhX\":[[\"eventCount\"],\" evenementen\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Check-in lijsten helpen u de evenementtoegang te beheren per dag, gebied of tickettype. U kunt tickets koppelen aan specifieke lijsten zoals VIP-zones of Dag 1 passen en een beveiligde check-in link delen met personeel. Geen account vereist. Check-in werkt op mobiel, desktop of tablet, met behulp van een apparaatcamera of HID USB-scanner. \",\"ZnVt5v\":\"<0>Webhooks stellen externe services direct op de hoogte wanneer er iets gebeurt, zoals het toevoegen van een nieuwe deelnemer aan je CRM of mailinglijst na registratie, en zorgen zo voor naadloze automatisering.<1>Gebruik diensten van derden zoals <2>Zapier, <3>IFTTT of <4>Make om aangepaste workflows te maken en taken te automatiseren.\",\"fAv9QG\":\"🎟️ Tickets toevoegen\",\"M2DyLc\":\"1 Actieve webhook\",\"yTsaLw\":\"1 ticket\",\"HR/cvw\":\"Voorbeeldstraat 123\",\"kMU5aM\":\"Een annuleringsmelding is verzonden naar\",\"V53XzQ\":\"Er is een nieuwe verificatiecode naar je e-mail verzonden\",\"/z/bH1\":\"Een korte beschrijving van je organisator die aan je gebruikers wordt getoond.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"Over\",\"WTk/ke\":\"Over Stripe Connect\",\"1uJlG9\":\"Accentkleur\",\"VTfZPy\":\"Toegang geweigerd\",\"iN5Cz3\":\"Account al verbonden!\",\"bPwFdf\":\"Accounts\",\"nMtNd+\":\"Actie vereist: Verbind uw Stripe-account opnieuw\",\"a5KFZU\":\"Voeg evenementgegevens toe en beheer de instellingen.\",\"Fb+SDI\":\"Meer tickets toevoegen\",\"6PNlRV\":\"Voeg dit evenement toe aan je agenda\",\"BGD9Yt\":\"Tickets toevoegen\",\"QN2F+7\":\"Webhook toevoegen\",\"NsWqSP\":\"Voeg je sociale media en website-URL toe. Deze worden weergegeven op je openbare organisatorpagina.\",\"0Zypnp\":\"Beheerders Dashboard\",\"YAV57v\":\"Affiliate\",\"I+utEq\":\"Affiliatecode kan niet worden gewijzigd\",\"/jHBj5\":\"Affiliate succesvol aangemaakt\",\"uCFbG2\":\"Affiliate succesvol verwijderd\",\"a41PKA\":\"Affiliateverkopen worden bijgehouden\",\"mJJh2s\":\"Affiliateverkopen worden niet bijgehouden. Dit deactiveert de affiliate.\",\"jabmnm\":\"Affiliate succesvol bijgewerkt\",\"CPXP5Z\":\"Affiliates\",\"9Wh+ug\":\"Affiliates geëxporteerd\",\"3cqmut\":\"Affiliates helpen je om verkopen van partners en influencers bij te houden. Maak affiliatecodes aan en deel ze om prestaties te monitoren.\",\"7rLTkE\":\"Alle gearchiveerde evenementen\",\"gKq1fa\":\"Alle deelnemers\",\"pMLul+\":\"Alle valuta's\",\"qlaZuT\":\"Klaar! U gebruikt nu ons verbeterde betalingssysteem.\",\"ZS/D7f\":\"Alle afgelopen evenementen\",\"dr7CWq\":\"Alle aankomende evenementen\",\"QUg5y1\":\"Bijna klaar! Voltooi het verbinden van uw Stripe-account om betalingen te accepteren.\",\"c4uJfc\":\"Bijna klaar! We wachten alleen nog tot je betaling is verwerkt. Dit duurt slechts enkele seconden.\",\"/H326L\":\"Al terugbetaald\",\"RtxQTF\":\"Deze bestelling ook annuleren\",\"jkNgQR\":\"Deze bestelling ook terugbetalen\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"Een e-mailadres om aan deze affiliate te koppelen. De affiliate wordt niet op de hoogte gesteld.\",\"vRznIT\":\"Er is een fout opgetreden tijdens het controleren van de exportstatus.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Antwoord succesvol bijgewerkt.\",\"LchiNd\":\"Weet je zeker dat je deze affiliate wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt.\",\"JmVITJ\":\"Weet je zeker dat je deze sjabloon wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt en e-mails zullen terugvallen op de standaardsjabloon.\",\"aLS+A6\":\"Weet je zeker dat je deze sjabloon wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt en e-mails zullen terugvallen op de organisator- of standaardsjabloon.\",\"5H3Z78\":\"Weet je zeker dat je deze webhook wilt verwijderen?\",\"147G4h\":\"Weet u zeker dat u wilt vertrekken?\",\"VDWChT\":\"Weet je zeker dat je deze organisator als concept wilt markeren? De organisatorpagina wordt dan onzichtbaar voor het publiek.\",\"pWtQJM\":\"Weet je zeker dat je deze organisator openbaar wilt maken? De organisatorpagina wordt dan zichtbaar voor het publiek.\",\"WFHOlF\":\"Weet je zeker dat je dit evenement wilt publiceren? Eenmaal gepubliceerd is het zichtbaar voor het publiek.\",\"4TNVdy\":\"Weet je zeker dat je dit organisatorprofiel wilt publiceren? Eenmaal gepubliceerd is het zichtbaar voor het publiek.\",\"ExDt3P\":\"Weet je zeker dat je de publicatie van dit evenement wilt ongedaan maken? Het is dan niet meer zichtbaar voor het publiek.\",\"5Qmxo/\":\"Weet je zeker dat je de publicatie van dit organisatorprofiel wilt ongedaan maken? Het is dan niet meer zichtbaar voor het publiek.\",\"+QARA4\":\"Kunst\",\"F2rX0R\":\"Er moet minstens één evenement type worden geselecteerd\",\"6PecK3\":\"Aanwezigheid en incheckpercentages voor alle evenementen\",\"AJ4rvK\":\"Deelnemer geannuleerd\",\"qvylEK\":\"Deelnemer Gemaakt\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Deelnemer E-mail\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Beheer van deelnemers\",\"av+gjP\":\"Deelnemer Naam\",\"cosfD8\":\"Deelnemersstatus\",\"D2qlBU\":\"Deelnemer bijgewerkt\",\"x8Vnvf\":\"Ticket van deelnemer niet opgenomen in deze lijst\",\"k3Tngl\":\"Geëxporteerde bezoekers\",\"5UbY+B\":\"Deelnemers met een specifiek ticket\",\"4HVzhV\":\"Deelnemers:\",\"VPoeAx\":\"Geautomatiseerd invoerbeheer met meerdere inchecklijsten en real-time validatie\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Beschikbaar voor terugbetaling\",\"NB5+UG\":\"Beschikbare Tokens\",\"EmYMHc\":\"Wacht op offline betaling\",\"kNmmvE\":\"Awesome Events B.V.\",\"kYqM1A\":\"Terug naar evenement\",\"td/bh+\":\"Terug naar rapporten\",\"jIPNJG\":\"Basisinformatie\",\"iMdwTb\":\"Voordat je evenement live kan gaan, moet je een paar dingen doen. Voltooi alle onderstaande stappen om te beginnen.\",\"UabgBd\":\"Hoofdtekst is verplicht\",\"9N+p+g\":\"Zakelijk\",\"bv6RXK\":\"Knop Label\",\"ChDLlO\":\"Knoptekst\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Call-to-Action Knop\",\"PUpvQe\":\"Camerascanner\",\"H4nE+E\":\"Alle producten annuleren en terugzetten in de beschikbare pool\",\"tOXAdc\":\"Annuleren zal alle deelnemers geassocieerd met deze bestelling annuleren en de tickets terugzetten in de beschikbare pool.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Capaciteitstoewijzingen\",\"K7tIrx\":\"Categorie\",\"2tbLdK\":\"Liefdadigheid\",\"v4fiSg\":\"Controleer je e-mail\",\"51AsAN\":\"Controleer je inbox! Als er tickets gekoppeld zijn aan dit e-mailadres, ontvang je een link om ze te bekijken.\",\"udRwQs\":\"Gecreëerd inchecken\",\"F4SRy3\":\"Check-in verwijderd\",\"9gPPUY\":\"Check-In Lijst Aangemaakt!\",\"f2vU9t\":\"Inchecklijsten\",\"tMNBEF\":\"Check-in lijsten laten je toegang controleren per dag, gebied of tickettype. Je kunt een beveiligde check-in link delen met personeel — geen account vereist.\",\"SHJwyq\":\"Incheckpercentage\",\"qCqdg6\":\"Incheck Status\",\"cKj6OE\":\"Incheckoverzicht\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinees (Traditioneel)\",\"pkk46Q\":\"Kies een organisator\",\"Crr3pG\":\"Kies agenda\",\"CySr+W\":\"Klik om notities te bekijken\",\"RG3szS\":\"sluiten\",\"RWw9Lg\":\"Sluit venster\",\"XwdMMg\":\"Code mag alleen letters, cijfers, streepjes en underscores bevatten\",\"+yMJb7\":\"Code is verplicht\",\"m9SD3V\":\"Code moet minimaal 3 tekens bevatten\",\"V1krgP\":\"Code mag maximaal 20 tekens bevatten\",\"psqIm5\":\"Werk samen met je team om geweldige evenementen te organiseren.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Volledige Stripe-instelling\",\"OqEV/G\":\"Voltooi de onderstaande instelling om door te gaan\",\"nqx+6h\":\"Voer deze stappen uit om tickets voor je evenement te gaan verkopen.\",\"5YrKW7\":\"Voltooi je betaling om je tickets veilig te stellen.\",\"ih35UP\":\"Conferentiecentrum\",\"NGXKG/\":\"Bevestig e-mailadres\",\"Auz0Mz\":\"Bevestig je e-mailadres om toegang te krijgen tot alle functies.\",\"7+grte\":\"Bevestigingsmail verzonden! Controleer je inbox.\",\"n/7+7Q\":\"Bevestiging verzonden naar\",\"o5A0Go\":\"Gefeliciteerd met het aanmaken van een evenement!\",\"WNnP3w\":\"Verbinden en upgraden\",\"Xe2tSS\":\"Documentatie aansluiten\",\"1Xxb9f\":\"Betalingsverwerking aansluiten\",\"LmvZ+E\":\"Verbind Stripe om berichten in te schakelen\",\"EWnXR+\":\"Verbinding maken met Stripe\",\"MOUF31\":\"Verbinding maken met CRM en taken automatiseren met webhooks en integraties\",\"VioGG1\":\"Koppel je Stripe-account om betalingen voor tickets en producten te accepteren.\",\"4qmnU8\":\"Verbind uw Stripe-account om betalingen te accepteren.\",\"E1eze1\":\"Verbind uw Stripe-account om betalingen voor uw evenementen te accepteren.\",\"ulV1ju\":\"Verbind uw Stripe-account om betalingen te accepteren.\",\"/3017M\":\"Verbonden met Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contact \",[\"0\"]],\"41BQ3k\":\"Contact e-mail\",\"KcXRN+\":\"Contact e-mail voor ondersteuning\",\"m8WD6t\":\"Doorgaan met instellen\",\"0GwUT4\":\"Verder naar afrekenen\",\"sBV87H\":\"Ga door naar evenement aanmaken\",\"nKtyYu\":\"Ga door naar de volgende stap\",\"F3/nus\":\"Doorgaan naar betaling\",\"1JnTgU\":\"Gekopieerd van boven\",\"FxVG/l\":\"Gekopieerd naar klembord\",\"PiH3UR\":\"Gekopieerd!\",\"uUPbPg\":\"Kopieer affiliatelink\",\"iVm46+\":\"Kopieer code\",\"+2ZJ7N\":\"Kopieer gegevens naar eerste deelnemer\",\"ZN1WLO\":\"Kopieer Email\",\"tUGbi8\":\"Mijn gegevens kopiëren naar:\",\"y22tv0\":\"Kopieer deze link om hem overal te delen\",\"/4gGIX\":\"Kopiëren naar klembord\",\"P0rbCt\":\"Omslagafbeelding\",\"60u+dQ\":\"Omslagafbeelding wordt bovenaan je evenementpagina weergegeven\",\"2NLjA6\":\"De omslagafbeelding wordt bovenaan je organisatorpagina weergegeven\",\"zg4oSu\":[\"Maak \",[\"0\"],\" Sjabloon\"],\"xfKgwv\":\"Affiliate aanmaken\",\"dyrgS4\":\"Maak en pas je evenementpagina direct aan\",\"BTne9e\":\"Maak aangepaste e-mailsjablonen voor dit evenement die de organisator-standaarden overschrijven\",\"YIDzi/\":\"Maak Aangepaste Sjabloon\",\"8AiKIu\":\"Maak ticket of product aan\",\"agZ87r\":\"Maak tickets voor je evenement, stel prijzen in en beheer de beschikbare hoeveelheid.\",\"dkAPxi\":\"Webhook maken\",\"5slqwZ\":\"Maak je evenement aan\",\"JQNMrj\":\"Maak je eerste evenement\",\"CCjxOC\":\"Maak je eerste evenement aan om tickets te verkopen en deelnemers te beheren.\",\"ZCSSd+\":\"Maak je eigen evenement\",\"67NsZP\":\"Evenement aanmaken...\",\"H34qcM\":\"Organisator aanmaken...\",\"1YMS+X\":\"Je evenement wordt aangemaakt, even geduld\",\"yiy8Jt\":\"Je organisatorprofiel wordt aangemaakt, even geduld\",\"lfLHNz\":\"CTA label is verplicht\",\"BMtue0\":\"Huidige betalingsverwerker\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Aangepast bericht na checkout\",\"axv/Mi\":\"Aangepaste sjabloon\",\"QMHSMS\":\"Klant ontvangt een e-mail ter bevestiging van de terugbetaling\",\"L/Qc+w\":\"E-mailadres van klant\",\"wpfWhJ\":\"Voornaam van klant\",\"GIoqtA\":\"Achternaam van klant\",\"NihQNk\":\"Klanten\",\"7gsjkI\":\"Pas de e-mails aan die naar uw klanten worden verzonden met behulp van Liquid-sjablonen. Deze sjablonen worden gebruikt als standaard voor alle evenementen in uw organisatie.\",\"iX6SLo\":\"Pas de tekst op de knop 'Doorgaan' aan\",\"pxNIxa\":\"Pas uw e-mailsjabloon aan met Liquid-sjablonen\",\"q9Jg0H\":\"Pas het ontwerp van je evenementpagina en widget aan zodat ze perfect bij je merk passen\",\"mkLlne\":\"Pas het uiterlijk van je evenementpagina aan\",\"3trPKm\":\"Pas het uiterlijk van je organisatorpagina aan\",\"4df0iX\":\"Pas het uiterlijk van uw ticket aan\",\"/gWrVZ\":\"Dagelijkse omzet, belastingen, kosten en terugbetalingen voor alle evenementen\",\"zgCHnE\":\"Dagelijks verkooprapport\",\"nHm0AI\":\"Dagelijkse uitsplitsing naar verkoop, belasting en kosten\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Datum van het evenement\",\"gnBreG\":\"Datum waarop de bestelling is geplaatst\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Standaardsjabloon wordt gebruikt\",\"vu7gDm\":\"Verwijder affiliate\",\"+jw/c1\":\"Verwijder afbeelding\",\"dPyJ15\":\"Sjabloon Verwijderen\",\"snMaH4\":\"Webhook verwijderen\",\"vYgeDk\":\"Deselecteer alles\",\"NvuEhl\":\"Ontwerpelementen\",\"H8kMHT\":\"Geen code ontvangen?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dit bericht negeren\",\"BREO0S\":\"Toon een selectievakje waarmee klanten zich kunnen aanmelden voor marketingcommunicatie van deze evenementenorganisator.\",\"TvY/XA\":\"Documentatie\",\"Kdpf90\":\"Niet vergeten!\",\"V6Jjbr\":\"Heb je geen account? <0>Aanmelden\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Klaar\",\"eneWvv\":\"Concept\",\"TnzbL+\":\"Vanwege het hoge risico op spam moet u een Stripe-account koppelen voordat u berichten naar deelnemers kunt verzenden.\\nDit is om ervoor te zorgen dat alle evenementorganisatoren geverifieerd en verantwoordelijk zijn.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Dupliceer product\",\"KIjvtr\":\"Nederlands\",\"SPKbfM\":\"bijv. Tickets kopen, Nu registreren\",\"LTzmgK\":[\"Bewerk \",[\"0\"],\" Sjabloon\"],\"v4+lcZ\":\"Bewerk affiliate\",\"2iZEz7\":\"Antwoord bewerken\",\"fW5sSv\":\"Webhook bewerken\",\"nP7CdQ\":\"Webhook bewerken\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Educatie\",\"zPiC+q\":\"In Aanmerking Komende Incheck Lijsten\",\"V2sk3H\":\"E-mail & Sjablonen\",\"hbwCKE\":\"E-mailadres gekopieerd naar klembord\",\"dSyJj6\":\"E-mailadressen komen niet overeen\",\"elW7Tn\":\"E-mail Hoofdtekst\",\"ZsZeV2\":\"E-mail is verplicht\",\"Be4gD+\":\"E-mail Voorbeeld\",\"6IwNUc\":\"E-mail Sjablonen\",\"H/UMUG\":\"E-mailverificatie vereist\",\"L86zy2\":\"E-mail succesvol geverifieerd!\",\"Upeg/u\":\"Schakel deze sjabloon in voor het verzenden van e-mails\",\"RxzN1M\":\"Ingeschakeld\",\"sGjBEq\":\"Einddatum & tijd (optioneel)\",\"PKXt9R\":\"Einddatum moet na begindatum liggen\",\"48Y16Q\":\"Eindtijd (optioneel)\",\"7YZofi\":\"Voer een onderwerp en hoofdtekst in om het voorbeeld te zien\",\"3bR1r4\":\"Voer affiliate e-mail in (optioneel)\",\"ARkzso\":\"Voer affiliatenaam in\",\"INDKM9\":\"Voer e-mailonderwerp in...\",\"kWg31j\":\"Voer unieke affiliatecode in\",\"C3nD/1\":\"Voer je e-mailadres in\",\"n9V+ps\":\"Voer je naam in\",\"LslKhj\":\"Fout bij het laden van logboeken\",\"WgD6rb\":\"Evenementcategorie\",\"b46pt5\":\"Evenement coverafbeelding\",\"1Hzev4\":\"Evenement aangepaste sjabloon\",\"imgKgl\":\"Evenementbeschrijving\",\"kJDmsI\":\"Evenement details\",\"m/N7Zq\":\"Volledig Evenementadres\",\"Nl1ZtM\":\"Evenement Locatie\",\"PYs3rP\":\"Evenementnaam\",\"HhwcTQ\":\"Naam van het evenement\",\"WZZzB6\":\"Evenementnaam is verplicht\",\"Wd5CDM\":\"Evenementnaam moet minder dan 150 tekens bevatten\",\"4JzCvP\":\"Evenement niet beschikbaar\",\"Gh9Oqb\":\"Evenement organisator naam\",\"mImacG\":\"Evenementpagina\",\"cOePZk\":\"Evenement Tijd\",\"e8WNln\":\"Tijdzone evenement\",\"GeqWgj\":\"Tijdzone Evenement\",\"XVLu2v\":\"Evenement titel\",\"YDVUVl\":\"Soorten evenementen\",\"4K2OjV\":\"Evenementlocatie\",\"19j6uh\":\"Evenementenprestaties\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Elke e-mailsjabloon moet een call-to-action knop bevatten die linkt naar de juiste pagina\",\"VlvpJ0\":\"Antwoorden exporteren\",\"JKfSAv\":\"Exporteren mislukt. Probeer het opnieuw.\",\"SVOEsu\":\"Export gestart. Bestand wordt voorbereid...\",\"9bpUSo\":\"Affiliates exporteren\",\"jtrqH9\":\"Deelnemers exporteren\",\"R4Oqr8\":\"Exporteren voltooid. Bestand wordt gedownload...\",\"UlAK8E\":\"Orders exporteren\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Bestelling annuleren mislukt. Probeer het opnieuw.\",\"cEFg3R\":\"Aanmaken affiliate mislukt\",\"U66oUa\":\"Sjabloon maken mislukt\",\"xFj7Yj\":\"Sjabloon verwijderen mislukt\",\"jo3Gm6\":\"Exporteren affiliates mislukt\",\"Jjw03p\":\"Geen deelnemers geëxporteerd\",\"ZPwFnN\":\"Geen orders kunnen exporteren\",\"X4o0MX\":\"Webhook niet geladen\",\"YQ3QSS\":\"Opnieuw verzenden verificatiecode mislukt\",\"zTkTF3\":\"Sjabloon opslaan mislukt\",\"T6B2gk\":\"Verzenden bericht mislukt. Probeer het opnieuw.\",\"lKh069\":\"Exporttaak niet gestart\",\"t/KVOk\":\"Kan imitatie niet starten. Probeer het opnieuw.\",\"QXgjH0\":\"Kan imitatie niet stoppen. Probeer het opnieuw.\",\"i0QKrm\":\"Bijwerken affiliate mislukt\",\"NNc33d\":\"Antwoord niet bijgewerkt.\",\"7/9RFs\":\"Afbeelding uploaden mislukt.\",\"nkNfWu\":\"Uploaden van afbeelding mislukt. Probeer het opnieuw.\",\"rxy0tG\":\"Verifiëren e-mail mislukt\",\"T4BMxU\":\"Tarieven kunnen worden gewijzigd. Je wordt op de hoogte gebracht van wijzigingen in je tarievenstructuur.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Vul eerst je gegevens hierboven in\",\"8OvVZZ\":\"Filter Deelnemers\",\"8BwQeU\":\"Instelling voltooien\",\"hg80P7\":\"Stripe-instelling voltooien\",\"1vBhpG\":\"Eerste deelnemer\",\"YXhom6\":\"Vast tarief:\",\"KgxI80\":\"Flexibele ticketing\",\"lWxAUo\":\"Eten & Drinken\",\"nFm+5u\":\"Voettekst\",\"MY2SVM\":\"Volledige terugbetaling\",\"vAVBBv\":\"Volledig geïntegreerd\",\"T02gNN\":\"Algemene Toegang\",\"3ep0Gx\":\"Algemene informatie over je organisator\",\"ziAjHi\":\"Genereer\",\"exy8uo\":\"Genereer code\",\"4CETZY\":\"Routebeschrijving\",\"kfVY6V\":\"Gratis aan de slag, geen abonnementskosten\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Bereid je evenement voor\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Ga naar evenementpagina\",\"gHSuV/\":\"Ga naar de startpagina\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Bruto-omzet\",\"kTSQej\":[\"Hallo \",[\"0\"],\", beheer je platform vanaf hier.\"],\"dORAcs\":\"Hier zijn alle tickets die gekoppeld zijn aan je e-mailadres.\",\"g+2103\":\"Hier is je affiliatelink\",\"QlwJ9d\":\"Dit kunt u verwachten:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Antwoorden verbergen\",\"gtEbeW\":\"Markeren\",\"NF8sdv\":\"Markeringsbericht\",\"MXSqmS\":\"Dit product markeren\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Gemarkeerde producten krijgen een andere achtergrondkleur om op te vallen op de evenementenpagina.\",\"i0qMbr\":\"Startpagina\",\"AVpmAa\":\"Hoe offline te betalen\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hongaars\",\"4/kP5a\":\"Als er geen nieuw tabblad automatisch is geopend, klik dan op de knop hieronder om door te gaan naar afrekenen.\",\"wOU3Tr\":\"Als je een account bij ons hebt, ontvang je een e-mail met instructies om je wachtwoord opnieuw in te stellen.\",\"an5hVd\":\"Afbeeldingen\",\"tSVr6t\":\"Imiteren\",\"TWXU0c\":\"Imiteer gebruiker\",\"5LAZwq\":\"Imitatie gestart\",\"IMwcdR\":\"Imitatie gestopt\",\"M8M6fs\":\"Belangrijk: Stripe herverbinding vereist\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Diepgaande analyses\",\"F1Xp97\":\"Individuele deelnemers\",\"85e6zs\":\"Liquid Token Invoegen\",\"38KFY0\":\"Variabele Invoegen\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Ongeldig e-mailadres\",\"5tT0+u\":\"Ongeldig e-mailformaat\",\"tnL+GP\":\"Ongeldige Liquid syntax. Corrigeer het en probeer opnieuw.\",\"g+lLS9\":\"Nodig een teamlid uit\",\"1z26sk\":\"Teamlid uitnodigen\",\"KR0679\":\"Teamleden uitnodigen\",\"aH6ZIb\":\"Nodig je team uit\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italiaans\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Neem overal vandaan deel\",\"hTJ4fB\":\"Klik gewoon op de knop hieronder om uw Stripe-account opnieuw te verbinden.\",\"MxjCqk\":\"Alleen op zoek naar je tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Laatste reactie\",\"gw3Ur5\":\"Laatst geactiveerd\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link verlopen of ongeldig\",\"psosdY\":\"Link naar bestelgegevens\",\"6JzK4N\":\"Link naar ticket\",\"shkJ3U\":\"Koppel je Stripe-account om geld te ontvangen van ticketverkoop.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live Evenementen\",\"WdmJIX\":\"Voorvertoning laden...\",\"IoDI2o\":\"Tokens laden...\",\"NFxlHW\":\"Webhooks laden\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Omslag\",\"gddQe0\":\"Logo en omslagafbeelding voor je organisator\",\"TBEnp1\":\"Het logo wordt weergegeven in de koptekst\",\"Jzu30R\":\"Logo wordt weergegeven op het ticket\",\"4wUIjX\":\"Maak je evenement live\",\"0A7TvI\":\"Beheer evenement\",\"2FzaR1\":\"Beheer uw betalingsverwerking en bekijk de platformkosten\",\"/x0FyM\":\"Pas aan je merk aan\",\"xDAtGP\":\"Bericht\",\"1jRD0v\":\"Deelnemers berichten sturen met specifieke tickets\",\"97QrnA\":\"Deelnemers berichten sturen, bestellingen beheren en terugbetalingen afhandelen, alles op één plek\",\"48rf3i\":\"Bericht kan niet meer dan 5000 tekens bevatten\",\"Vjat/X\":\"Bericht is verplicht\",\"0/yJtP\":\"Bestelbezitters berichten sturen met specifieke producten\",\"tccUcA\":\"Mobiel inchecken\",\"GfaxEk\":\"Muziek\",\"oVGCGh\":\"Mijn Tickets\",\"8/brI5\":\"Naam is verplicht\",\"sCV5Yc\":\"Naam van het evenement\",\"xxU3NX\":\"Netto-omzet\",\"eWRECP\":\"Nachtleven\",\"VHfLAW\":\"Geen accounts\",\"+jIeoh\":\"Geen accounts gevonden\",\"074+X8\":\"Geen actieve webhooks\",\"zxnup4\":\"Geen affiliates om te tonen\",\"99ntUF\":\"Geen incheck lijsten beschikbaar voor dit evenement.\",\"6r9SGl\":\"Geen creditcard nodig\",\"eb47T5\":\"Geen gegevens gevonden voor de geselecteerde filters. Probeer het datumbereik of de valuta aan te passen.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"Geen evenementen gevonden\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Nog geen evenementen\",\"54GxeB\":\"Geen impact op uw huidige of eerdere transacties\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"Geen logboeken gevonden\",\"NEmyqy\":\"Nog geen bestellingen\",\"B7w4KY\":\"Geen andere organisatoren beschikbaar\",\"6jYQGG\":\"Geen afgelopen evenementen\",\"zK/+ef\":\"Geen producten beschikbaar voor selectie\",\"QoAi8D\":\"Geen reactie\",\"EK/G11\":\"Nog geen reacties\",\"3sRuiW\":\"Geen tickets gevonden\",\"yM5c0q\":\"Geen aankomende evenementen\",\"qpC74J\":\"Geen gebruikers gevonden\",\"n5vdm2\":\"Er zijn nog geen webhook-events opgenomen voor dit eindpunt. Evenementen zullen hier verschijnen zodra ze worden geactiveerd.\",\"4GhX3c\":\"Geen webhooks\",\"4+am6b\":\"Nee, houd me hier\",\"x5+Lcz\":\"Niet Ingecheckt\",\"8n10sz\":\"Niet in Aanmerking\",\"lQgMLn\":\"Naam van kantoor of locatie\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Betaling\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Zodra u de upgrade voltooit, wordt uw oude account alleen gebruikt voor terugbetalingen.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online evenement\",\"bU7oUm\":\"Alleen verzenden naar orders met deze statussen\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Stripe-dashboard openen\",\"HXMJxH\":\"Optionele tekst voor disclaimers, contactinfo of danknotities (alleen één regel)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Bestelling geannuleerd\",\"b6+Y+n\":\"Bestelling voltooid\",\"x4MLWE\":\"Bestelling Bevestiging\",\"ppuQR4\":\"Bestelling aangemaakt\",\"0UZTSq\":\"Bestelvaluta\",\"HdmwrI\":\"Bestelling E-mail\",\"bwBlJv\":\"Bestelling Voornaam\",\"vrSW9M\":\"Bestelling is geannuleerd en terugbetaald. De eigenaar van de bestelling is op de hoogte gesteld.\",\"+spgqH\":[\"Bestel-ID: \",[\"0\"]],\"Pc729f\":\"Bestelling Wacht op Offline Betaling\",\"F4NXOl\":\"Bestelling Achternaam\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Besteltaal\",\"vu6Arl\":\"Bestelling gemarkeerd als betaald\",\"sLbJQz\":\"Bestelling niet gevonden\",\"i8VBuv\":\"Bestelnummer\",\"FaPYw+\":\"Eigenaar bestelling\",\"eB5vce\":\"Bestel eigenaars met een specifiek product\",\"CxLoxM\":\"Besteleigenaars met producten\",\"DoH3fD\":\"Bestelbetaling in Behandeling\",\"EZy55F\":\"Bestelling terugbetaald\",\"6eSHqs\":\"Bestelstatussen\",\"oW5877\":\"Bestelling Totaal\",\"e7eZuA\":\"Bijgewerkte bestelling\",\"KndP6g\":\"Bestelling URL\",\"3NT0Ck\":\"Bestelling is geannuleerd\",\"5It1cQ\":\"Geëxporteerde bestellingen\",\"B/EBQv\":\"Bestellingen:\",\"ucgZ0o\":\"Organisatie\",\"S3CZ5M\":\"Organisator-dashboard\",\"Uu0hZq\":\"Organisator e-mail\",\"Gy7BA3\":\"E-mailadres van de organisator\",\"SQqJd8\":\"Organisator niet gevonden\",\"wpj63n\":\"Instellingen van organisator\",\"coIKFu\":\"Statistieken van de organisator zijn niet beschikbaar voor de geselecteerde valuta of er is een fout opgetreden.\",\"o1my93\":\"Bijwerken van organisatorstatus mislukt. Probeer het later opnieuw.\",\"rLHma1\":\"Organisatorstatus bijgewerkt\",\"LqBITi\":\"Organisator/standaardsjabloon wordt gebruikt\",\"/IX/7x\":\"Overig\",\"RsiDDQ\":\"Andere Lijsten (Ticket Niet Inbegrepen)\",\"6/dCYd\":\"Overzicht\",\"8uqsE5\":\"Pagina niet meer beschikbaar\",\"QkLf4H\":\"Pagina-URL\",\"sF+Xp9\":\"Paginaweergaven\",\"5F7SYw\":\"Gedeeltelijke terugbetaling\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Verleden\",\"xTPjSy\":\"Afgelopen evenementen\",\"/l/ckQ\":\"Plak URL\",\"URAE3q\":\"Gepauzeerd\",\"4fL/V7\":\"Betalen\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Betaling & Plan\",\"ENEPLY\":\"Betaalmethode\",\"EyE8E6\":\"Verwerking van betalingen\",\"8Lx2X7\":\"Betaling ontvangen\",\"vcyz2L\":\"Betalingsinstellingen\",\"fx8BTd\":\"Betalingen niet beschikbaar\",\"51U9mG\":\"Betalingen blijven zonder onderbreking doorlopen\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Prestaties\",\"zmwvG2\":\"Telefoon\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Een evenement plannen?\",\"br3Y/y\":\"Platformkosten\",\"jEw0Mr\":\"Voer een geldige URL in\",\"n8+Ng/\":\"Voer de 5-cijferige code in\",\"Dvq0wf\":\"Geef een afbeelding op.\",\"2cUopP\":\"Start het bestelproces opnieuw.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Selecteer een afbeelding.\",\"fuwKpE\":\"Probeer het opnieuw.\",\"klWBeI\":\"Wacht even voordat je een nieuwe code aanvraagt\",\"hfHhaa\":\"Even geduld terwijl we je affiliates voorbereiden voor export...\",\"o+tJN/\":\"Wacht even terwijl we je deelnemers voorbereiden voor export...\",\"+5Mlle\":\"Even geduld alstublieft terwijl we uw bestellingen klaarmaken voor export...\",\"TjX7xL\":\"Post-Checkout Bericht\",\"cs5muu\":\"Voorbeeld van de evenementpagina\",\"+4yRWM\":\"Prijs van het ticket\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Afdrukvoorbeeld\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Afdrukken naar PDF\",\"LcET2C\":\"Privacybeleid\",\"8z6Y5D\":\"Terugbetaling verwerken\",\"JcejNJ\":\"Bestelling verwerken\",\"EWCLpZ\":\"Gemaakt product\",\"XkFYVB\":\"Product verwijderd\",\"YMwcbR\":\"Uitsplitsing productverkoop, inkomsten en belastingen\",\"ldVIlB\":\"Bijgewerkt product\",\"mIqT3T\":\"Producten, koopwaar en flexibele prijsopties\",\"JoKGiJ\":\"Kortingscode\",\"k3wH7i\":\"Gebruik van promocodes en uitsplitsing van kortingen\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publiceren\",\"evDBV8\":\"Evenement publiceren\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR-code scannen met directe feedback en veilig delen voor personeel\",\"fqDzSu\":\"Tarief\",\"spsZys\":\"Klaar om te upgraden? Dit duurt slechts een paar minuten.\",\"Fi3b48\":\"Recente bestellingen\",\"Edm6av\":\"Stripe opnieuw verbinden →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Doorverwijzen naar Stripe...\",\"ACKu03\":\"Voorbeeld Vernieuwen\",\"fKn/k6\":\"Terugbetalingsbedrag\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Bestelling \",[\"0\"],\" terugbetalen\"],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Terugbetalingen\",\"CQeZT8\":\"Rapport niet gevonden\",\"JEPMXN\":\"Nieuwe link aanvragen\",\"mdeIOH\":\"Code opnieuw verzenden\",\"bxoWpz\":\"Bevestigingsmail opnieuw verzenden\",\"G42SNI\":\"E-mail opnieuw verzenden\",\"TTpXL3\":[\"Opnieuw verzenden over \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Gereserveerd tot\",\"slOprG\":\"Wachtwoord opnieuw instellen\",\"CbnrWb\":\"Terug naar evenement\",\"Oo/PLb\":\"Omzetoverzicht\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Verkopen\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Verkopen, bestellingen en prestatie-indicatoren voor alle evenementen\",\"3Q1AWe\":\"Verkoop:\",\"8BRPoH\":\"Voorbeeldlocatie\",\"KZrfYJ\":\"Sociale links opslaan\",\"9Y3hAT\":\"Sjabloon Opslaan\",\"C8ne4X\":\"Ticketontwerp Opslaan\",\"I+FvbD\":\"Scannen\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Zoek affiliates...\",\"VY+Bdn\":\"Zoeken op accountnaam of e-mail...\",\"VX+B3I\":\"Zoeken op evenement titel of organisator...\",\"GHdjuo\":\"Zoeken op naam, e-mail of account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Selecteer een categorie\",\"BFRSTT\":\"Selecteer Account\",\"mCB6Je\":\"Selecteer alles\",\"kYZSFD\":\"Selecteer een organisator om hun dashboard en evenementen te bekijken.\",\"tVW/yo\":\"Selecteer valuta\",\"n9ZhRa\":\"Selecteer einddatum en tijd\",\"gTN6Ws\":\"Selecteer eindtijd\",\"0U6E9W\":\"Selecteer evenementcategorie\",\"j9cPeF\":\"Soorten evenementen selecteren\",\"1nhy8G\":\"Selecteer scannertype\",\"KizCK7\":\"Selecteer startdatum en tijd\",\"dJZTv2\":\"Selecteer starttijd\",\"aT3jZX\":\"Selecteer tijdzone\",\"Ropvj0\":\"Selecteer welke evenementen deze webhook activeren\",\"BG3f7v\":\"Verkoop alles\",\"VtX8nW\":\"Verkoop merchandise naast tickets met geïntegreerde ondersteuning voor btw en promotiecodes\",\"Cye3uV\":\"Meer verkopen dan alleen kaartjes\",\"j9b/iy\":\"Verkoopt snel 🔥\",\"1lNPhX\":\"Terugbetalingsmelding e-mail verzenden\",\"SPdzrs\":\"Verzonden naar klanten wanneer ze een bestelling plaatsen\",\"LxSN5F\":\"Verzonden naar elke deelnemer met hun ticketgegevens\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Stel je organisatie in\",\"HbUQWA\":\"Set-up in enkele minuten\",\"GG7qDw\":\"Deel affiliatelink\",\"hL7sDJ\":\"Deel organisatorpagina\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Toon alle platforms (\",[\"0\"],\" meer met waarden)\"],\"UVPI5D\":\"Toon minder platforms\",\"Eu/N/d\":\"Toon marketing opt-in selectievakje\",\"SXzpzO\":\"Toon marketing opt-in selectievakje standaard\",\"b33PL9\":\"Toon meer platforms\",\"v6IwHE\":\"Slim inchecken\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Sociaal\",\"d0rUsW\":\"Sociale links\",\"j/TOB3\":\"Sociale links & website\",\"2pxNFK\":\"verkocht\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Er is iets misgegaan. Probeer het opnieuw of neem contact op met support als het probleem zich blijft voordoen\",\"H6Gslz\":\"Sorry voor het ongemak.\",\"7JFNej\":\"Sport\",\"JcQp9p\":\"Startdatum & tijd\",\"0m/ekX\":\"Startdatum & tijd\",\"izRfYP\":\"Startdatum is verplicht\",\"2R1+Rv\":\"Starttijd van het evenement\",\"2NbyY/\":\"Statistieken\",\"DRykfS\":\"Behandelt nog steeds terugbetalingen voor uw oudere transacties.\",\"wuV0bK\":\"Stop Imiteren\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe-installatie is al voltooid.\",\"ii0qn/\":\"Onderwerp is verplicht\",\"M7Uapz\":\"Onderwerp verschijnt hier\",\"6aXq+t\":\"Onderwerp:\",\"JwTmB6\":\"Succesvol gedupliceerd product\",\"RuaKfn\":\"Adres succesvol bijgewerkt\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Organisator succesvol bijgewerkt\",\"0Dk/l8\":\"SEO-instellingen succesvol bijgewerkt\",\"MhOoLQ\":\"Sociale links succesvol bijgewerkt\",\"kj7zYe\":\"Webhook succesvol bijgewerkt\",\"dXoieq\":\"Samenvatting\",\"/RfJXt\":[\"Zomer Muziekfestival \",[\"0\"]],\"CWOPIK\":\"Zomer Muziekfestival 2025\",\"5gIl+x\":\"Ondersteuning voor gelaagde, op donaties gebaseerde en productverkoop met aanpasbare prijzen en capaciteit\",\"JZTQI0\":\"Wissel van organisator\",\"XX32BM\":\"Duurt slechts een paar minuten\",\"yT6dQ8\":\"Geïnde belasting gegroepeerd op belastingtype en evenement\",\"Ye321X\":\"Belastingnaam\",\"WyCBRt\":\"Belastingoverzicht\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Technologie\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Vertel mensen wat ze kunnen verwachten van je evenement\",\"NiIUyb\":\"Vertel ons over je evenement\",\"DovcfC\":\"Vertel ons over je organisatie. Deze informatie wordt weergegeven op je evenementpagina's.\",\"7wtpH5\":\"Sjabloon Actief\",\"QHhZeE\":\"Sjabloon succesvol aangemaakt\",\"xrWdPR\":\"Sjabloon succesvol verwijderd\",\"G04Zjt\":\"Sjabloon succesvol opgeslagen\",\"xowcRf\":\"Servicevoorwaarden\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Bedankt voor uw aanwezigheid!\",\"lhAWqI\":\"Bedankt voor uw steun terwijl we Hi.Events blijven uitbreiden en verbeteren!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"De code verloopt over 10 minuten. Controleer je spammap als je de e-mail niet ziet.\",\"MJm4Tq\":\"De valuta van de bestelling\",\"I/NNtI\":\"De evenementlocatie\",\"tXadb0\":\"Het evenement dat je zoekt is momenteel niet beschikbaar. Mogelijk is het verwijderd, verlopen of is de URL onjuist.\",\"EBzPwC\":\"Het volledige evenementadres\",\"sxKqBm\":\"Het volledige bestellingsbedrag wordt terugbetaald naar de oorspronkelijke betalingsmethode van de klant.\",\"5OmEal\":\"De taal van de klant\",\"sYLeDq\":\"De organisator die je zoekt is niet gevonden. De pagina is mogelijk verplaatst, verwijderd of de URL is onjuist.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"Het template body bevat ongeldige Liquid syntax. Corrigeer het en probeer opnieuw.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Thema en kleuren\",\"HirZe8\":\"Deze sjablonen worden gebruikt als standaard voor alle evenementen in uw organisatie. Individuele evenementen kunnen deze sjablonen overschrijven met hun eigen aangepaste versies.\",\"lzAaG5\":\"Deze sjablonen overschrijven de organisator-standaarden alleen voor dit evenement. Als hier geen aangepaste sjabloon is ingesteld, wordt in plaats daarvan de organisatorsjabloon gebruikt.\",\"XBNC3E\":\"Deze code wordt gebruikt om verkopen bij te houden. Alleen letters, cijfers, streepjes en underscores toegestaan.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Dit evenement is nog niet gepubliceerd\",\"dFJnia\":\"Dit is de naam van je organisator die aan je gebruikers wordt getoond.\",\"L7dIM7\":\"Deze link is ongeldig of verlopen.\",\"j5FdeA\":\"Deze bestelling wordt verwerkt.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"Deze bestelling is geannuleerd. Je kunt op elk moment een nieuwe bestelling plaatsen.\",\"lyD7rQ\":\"Dit organisatorprofiel is nog niet gepubliceerd\",\"9b5956\":\"Dit voorbeeld toont hoe uw e-mail eruit ziet met voorbeeldgegevens. Werkelijke e-mails gebruiken echte waarden.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Dit ticket is net gescand. Wacht even voordat u opnieuw scant.\",\"kvpxIU\":\"Dit wordt gebruikt voor meldingen en communicatie met je gebruikers.\",\"rhsath\":\"Dit is niet zichtbaar voor klanten, maar helpt je de affiliate te identificeren.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticketontwerp\",\"EZC/Cu\":\"Ticketontwerp succesvol opgeslagen\",\"1BPctx\":\"Ticket voor\",\"bgqf+K\":\"E-mail van tickethouder\",\"oR7zL3\":\"Naam van tickethouder\",\"HGuXjF\":\"Tickethouders\",\"awHmAT\":\"Ticket-ID\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Naam\",\"6tmWch\":\"Ticket of product\",\"1tfWrD\":\"Ticketvoorbeeld voor\",\"tGCY6d\":\"Ticket Prijs\",\"8jLPgH\":\"Tickettype\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets en producten\",\"EUnesn\":\"Tickets beschikbaar\",\"AGRilS\":\"Verkochte Tickets\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Om creditcardbetalingen te ontvangen, moet je je Stripe-account koppelen. Stripe is onze partner voor betalingsverwerking die veilige transacties en tijdige uitbetalingen garandeert.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Totaal Accounts\",\"EaAPbv\":\"Totaal betaald bedrag\",\"SMDzqJ\":\"Totaal deelnemers\",\"orBECM\":\"Totaal geïnd\",\"KSDwd5\":\"Totaal aantal bestellingen\",\"vb0Q0/\":\"Totaal Gebruikers\",\"/b6Z1R\":\"Inkomsten, paginaweergaves en verkopen bijhouden met gedetailleerde analyses en exporteerbare rapporten\",\"OpKMSn\":\"Transactiekosten:\",\"uKOFO5\":\"Waar als offline betaling\",\"9GsDR2\":\"Waar als betaling in behandeling\",\"ouM5IM\":\"Probeer een ander e-mailadres\",\"3DZvE7\":\"Probeer Hi.Events Gratis\",\"Kz91g/\":\"Turks\",\"GdOhw6\":\"Geluid uitschakelen\",\"KUOhTy\":\"Geluid inschakelen\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type ticket\",\"IrVSu+\":\"Kan product niet dupliceren. Controleer uw gegevens\",\"Vx2J6x\":\"Kan deelnemer niet ophalen\",\"b9SN9q\":\"Unieke bestelreferentie\",\"Ef7StM\":\"Onbekend\",\"ZBAScj\":\"Onbekende deelnemer\",\"ZkS2p3\":\"Evenement niet publiceren\",\"Pp1sWX\":\"Affiliate bijwerken\",\"KMMOAy\":\"Upgrade beschikbaar\",\"gJQsLv\":\"Upload een omslagafbeelding voor je organisator\",\"4kEGqW\":\"Upload een logo voor je organisator\",\"lnCMdg\":\"Afbeelding uploaden\",\"29w7p6\":\"Afbeelding uploaden...\",\"HtrFfw\":\"URL is vereist\",\"WBq1/R\":\"USB-scanner al actief\",\"EV30TR\":\"USB-scannermodus geactiveerd. Begin nu met het scannen van tickets.\",\"fovJi3\":\"USB-scannermodus gedeactiveerd\",\"hli+ga\":\"USB/HID-scanner\",\"OHJXlK\":\"Gebruik <0>Liquid-templating om uw e-mails te personaliseren\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Gebruikt voor randen, accenten en QR-code styling\",\"AdWhjZ\":\"Verificatiecode\",\"wCKkSr\":\"Verifieer e-mail\",\"/IBv6X\":\"Verifieer je e-mailadres\",\"e/cvV1\":\"Verifiëren...\",\"fROFIL\":\"Vietnamees\",\"+WFMis\":\"Bekijk en download rapporten voor al uw evenementen. Alleen voltooide bestellingen zijn inbegrepen.\",\"gj5YGm\":\"Bekijk en download rapporten voor je evenement. Let op: alleen voltooide bestellingen worden opgenomen in deze rapporten.\",\"c7VN/A\":\"Antwoorden bekijken\",\"FCVmuU\":\"Bekijk evenement\",\"n6EaWL\":\"Logboeken bekijken\",\"OaKTzt\":\"Bekijk kaart\",\"67OJ7t\":\"Bestelling Bekijken\",\"tKKZn0\":\"Bekijk bestelgegevens\",\"9jnAcN\":\"Bekijk organisator-homepage\",\"1J/AWD\":\"Ticket Bekijken\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Alleen zichtbaar voor check-in personeel. Helpt deze lijst te identificeren tijdens check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Wachten op betaling\",\"RRZDED\":\"We konden geen bestellingen vinden die gekoppeld zijn aan dit e-mailadres.\",\"miysJh\":\"We konden deze bestelling niet vinden. Mogelijk is deze verwijderd.\",\"HJKdzP\":\"Er is een probleem opgetreden bij het laden van deze pagina. Probeer het opnieuw.\",\"IfN2Qo\":\"We raden een vierkant logo aan met minimale afmetingen van 200x200px\",\"wJzo/w\":\"We raden een formaat van 400x400 px aan, met een maximale bestandsgrootte van 5 MB\",\"q1BizZ\":\"We sturen je tickets naar dit e-mailadres\",\"zCdObC\":\"We hebben officieel ons hoofdkantoor naar Ierland 🇮🇪 verplaatst. Als onderdeel van deze overgang gebruiken we nu Stripe Ierland in plaats van Stripe Canada. Om uw uitbetalingen soepel te laten verlopen, moet u uw Stripe-account opnieuw verbinden.\",\"jh2orE\":\"We hebben ons hoofdkantoor naar Ierland verplaatst. Daarom moet u uw Stripe-account opnieuw verbinden. Dit snelle proces duurt slechts enkele minuten. Uw verkopen en bestaande gegevens blijven volledig onaangetast.\",\"Fq/Nx7\":\"We hebben een 5-cijferige verificatiecode verzonden naar:\",\"GdWB+V\":\"Webhook succesvol aangemaakt\",\"2X4ecw\":\"Webhook succesvol verwijderd\",\"CThMKa\":\"Webhook logboeken\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook verzendt geen meldingen\",\"FSaY52\":\"Webhook stuurt meldingen\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Welkom terug 👋\",\"kSYpfa\":[\"Welkom bij \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Welkom bij \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Welkom bij \",[\"0\"],\", hier is een overzicht van al je evenementen\"],\"FaSXqR\":\"Wat voor type evenement?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Wanneer een check-in wordt verwijderd\",\"Gmd0hv\":\"Wanneer een nieuwe deelnemer wordt aangemaakt\",\"Lc18qn\":\"Wanneer een nieuwe order wordt aangemaakt\",\"dfkQIO\":\"Wanneer een nieuw product wordt gemaakt\",\"8OhzyY\":\"Wanneer een product wordt verwijderd\",\"tRXdQ9\":\"Wanneer een product wordt bijgewerkt\",\"Q7CWxp\":\"Wanneer een deelnemer wordt geannuleerd\",\"IuUoyV\":\"Wanneer een deelnemer is ingecheckt\",\"nBVOd7\":\"Wanneer een deelnemer wordt bijgewerkt\",\"ny2r8d\":\"Wanneer een bestelling wordt geannuleerd\",\"c9RYbv\":\"Wanneer een bestelling is gemarkeerd als betaald\",\"ejMDw1\":\"Wanneer een bestelling wordt terugbetaald\",\"fVPt0F\":\"Wanneer een bestelling wordt bijgewerkt\",\"bcYlvb\":\"Wanneer check-in sluit\",\"XIG669\":\"Wanneer check-in opent\",\"de6HLN\":\"Wanneer klanten tickets kopen, verschijnen hun bestellingen hier.\",\"blXLKj\":\"Indien ingeschakeld, tonen nieuwe evenementen een marketing opt-in selectievakje tijdens het afrekenen. Dit kan per evenement worden overschreven.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Schrijf hier je bericht...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Ja, annuleer mijn bestelling\",\"QlSZU0\":[\"U imiteert <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"U geeft een gedeeltelijke terugbetaling uit. De klant krijgt \",[\"0\"],\" \",[\"1\"],\" terugbetaald.\"],\"casL1O\":\"Je hebt belastingen en kosten toegevoegd aan een Gratis product. Wilt u deze verwijderen?\",\"FVTVBy\":\"Je moet je e-mailadres verifiëren voordat je de status van de organisator kunt bijwerken.\",\"FRl8Jv\":\"U moet het e-mailadres van uw account verifiëren voordat u berichten kunt verzenden.\",\"U3wiCB\":\"U bent helemaal klaar! Uw betalingen worden soepel verwerkt.\",\"MNFIxz\":[\"Je gaat naar \",[\"0\"],\"!\"],\"x/xjzn\":\"Je affiliates zijn succesvol geëxporteerd.\",\"TF37u6\":\"Je deelnemers zijn succesvol geëxporteerd.\",\"79lXGw\":\"Je check-in lijst is succesvol aangemaakt. Deel de onderstaande link met je check-in personeel.\",\"BnlG9U\":\"Uw huidige bestelling gaat verloren.\",\"nBqgQb\":\"Uw e-mail\",\"R02pnV\":\"Je evenement moet live zijn voordat je tickets kunt verkopen aan deelnemers.\",\"ifRqmm\":\"Je bericht is succesvol verzonden!\",\"/Rj5P4\":\"Jouw naam\",\"naQW82\":\"Uw bestelling is geannuleerd.\",\"bhlHm/\":\"Je bestelling wacht op betaling\",\"XeNum6\":\"Je bestellingen zijn succesvol geëxporteerd.\",\"Xd1R1a\":\"Adres van je organisator\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Uw Stripe-account is verbonden en verwerkt betalingen.\",\"vvO1I2\":\"Je Stripe-account is verbonden en klaar om betalingen te verwerken.\",\"CnZ3Ou\":\"Je tickets zijn bevestigd.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'Er is nog niets te laten zien'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>ingecheckt succesvol\"],\"yxhYRZ\":[[\"0\"],\" <0>uitgevinkt succesvol\"],\"KMgp2+\":[[\"0\"],\" beschikbaar\"],\"Pmr5xp\":[[\"0\"],\" succesvol aangemaakt\"],\"FImCSc\":[[\"0\"],\" succesvol bijgewerkt\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" ingecheckt\"],\"Vjij1k\":[[\"days\"],\" dagen, \",[\"hours\"],\" uren, \",[\"minutes\"],\" minuten en \",[\"seconds\"],\" seconden\"],\"f3RdEk\":[[\"hours\"],\" uren, \",[\"minutes\"],\" minuten en \",[\"seconds\"],\" seconden\"],\"fyE7Au\":[[\"minutes\"],\" minuten en \",[\"seconds\"],\" seconden\"],\"NlQ0cx\":[\"Eerste evenement van \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Met capaciteitstoewijzingen kun je de capaciteit van tickets of een heel evenement beheren. Ideaal voor meerdaagse evenementen, workshops en meer, waar het beheersen van bezoekersaantallen cruciaal is.<1>Je kunt bijvoorbeeld een capaciteitstoewijzing koppelen aan een <2>Dag één en <3>Alle dagen ticket. Zodra de capaciteit is bereikt, zijn beide tickets automatisch niet meer beschikbaar voor verkoop.\",\"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://uw-website.nl\",\"qnSLLW\":\"<0>Voer de prijs in exclusief belastingen en toeslagen.<1>Belastingen en toeslagen kunnen hieronder worden toegevoegd.\",\"ZjMs6e\":\"<0>Het aantal beschikbare producten voor dit product<1>Deze waarde kan worden overschreven als er <2>Capaciteitsbeperkingen zijn gekoppeld aan dit product.\",\"E15xs8\":\"⚡️ Uw evenement opzetten\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Je evenementpagina aanpassen\",\"3VPPdS\":\"💳 Maak verbinding met Stripe\",\"cjdktw\":\"🚀 Je evenement live zetten\",\"rmelwV\":\"0 minuten en 0 seconden\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"Hoofdstraat 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Een datuminvoer. Perfect voor het vragen naar een geboortedatum enz.\",\"6euFZ/\":[\"Een standaard \",[\"type\"],\" wordt automatisch toegepast op alle nieuwe producten. Je kunt dit opheffen per product.\"],\"SMUbbQ\":\"Een Dropdown-ingang laat slechts één selectie toe\",\"qv4bfj\":\"Een vergoeding, zoals reserveringskosten of servicekosten\",\"POT0K/\":\"Een vast bedrag per product. Bijv. $0,50 per product\",\"f4vJgj\":\"Een meerregelige tekstinvoer\",\"OIPtI5\":\"Een percentage van de productprijs. Bijvoorbeeld 3,5% van de productprijs\",\"ZthcdI\":\"Een promotiecode zonder korting kan worden gebruikt om verborgen producten te onthullen.\",\"AG/qmQ\":\"Een Radio-optie heeft meerdere opties, maar er kan er maar één worden geselecteerd.\",\"h179TP\":\"Een korte beschrijving van het evenement die zal worden weergegeven in zoekmachineresultaten en bij het delen op sociale media. Standaard wordt de beschrijving van het evenement gebruikt\",\"WKMnh4\":\"Een enkele regel tekstinvoer\",\"BHZbFy\":\"Eén vraag per bestelling. Bijv. Wat is uw verzendadres?\",\"Fuh+dI\":\"Eén vraag per product. Bijv. Wat is je t-shirtmaat?\",\"RlJmQg\":\"Een standaardbelasting, zoals BTW of GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accepteer bankoverschrijvingen, cheques of andere offline betalingsmethoden\",\"hrvLf4\":\"Accepteer creditcardbetalingen met Stripe\",\"bfXQ+N\":\"Uitnodiging accepteren\",\"AeXO77\":\"Account\",\"lkNdiH\":\"Naam rekening\",\"Puv7+X\":\"Accountinstellingen\",\"OmylXO\":\"Account succesvol bijgewerkt\",\"7L01XJ\":\"Acties\",\"FQBaXG\":\"Activeer\",\"5T2HxQ\":\"Activeringsdatum\",\"F6pfE9\":\"Actief\",\"/PN1DA\":\"Voeg een beschrijving toe voor deze check-in lijst\",\"0/vPdA\":\"Voeg notities over de genodigde toe. Deze zijn niet zichtbaar voor de deelnemer.\",\"Or1CPR\":\"Notities over de deelnemer toevoegen...\",\"l3sZO1\":\"Voeg eventuele notities over de bestelling toe. Deze zijn niet zichtbaar voor de klant.\",\"xMekgu\":\"Opmerkingen over de bestelling toevoegen...\",\"PGPGsL\":\"Beschrijving toevoegen\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Instructies voor offline betalingen toevoegen (bijv. details voor bankoverschrijving, waar cheques naartoe moeten, betalingstermijnen)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Nieuw toevoegen\",\"TZxnm8\":\"Optie toevoegen\",\"24l4x6\":\"Product toevoegen\",\"8q0EdE\":\"Product toevoegen aan categorie\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Vraag toevoegen\",\"yWiPh+\":\"Belasting of toeslag toevoegen\",\"goOKRY\":\"Niveau toevoegen\",\"oZW/gT\":\"Toevoegen aan kalender\",\"pn5qSs\":\"Aanvullende informatie\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Adres\",\"NY/x1b\":\"Adresregel 1\",\"POdIrN\":\"Adresregel 1\",\"cormHa\":\"Adresregel 2\",\"gwk5gg\":\"Adresregel 2\",\"U3pytU\":\"Admin\",\"HLDaLi\":\"Admin-gebruikers hebben volledige toegang tot evenementen en accountinstellingen.\",\"W7AfhC\":\"Alle deelnemers aan dit evenement\",\"cde2hc\":\"Alle producten\",\"5CQ+r0\":\"Deelnemers met onbetaalde bestellingen toestaan om in te checken\",\"ipYKgM\":\"Indexering door zoekmachines toestaan\",\"LRbt6D\":\"Laat zoekmachines dit evenement indexeren\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Verbazingwekkend, evenement, trefwoorden...\",\"hehnjM\":\"Bedrag\",\"R2O9Rg\":[\"Betaald bedrag (\",[\"0\"],\")\"],\"V7MwOy\":\"Er is een fout opgetreden tijdens het laden van de pagina\",\"Q7UCEH\":\"Er is een fout opgetreden tijdens het sorteren van de vragen. Probeer het opnieuw of vernieuw de pagina\",\"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\":\"Er is een onverwachte fout opgetreden.\",\"byKna+\":\"Er is een onverwachte fout opgetreden. Probeer het opnieuw.\",\"ubdMGz\":\"Vragen van producthouders worden naar dit e-mailadres gestuurd. Dit e-mailadres wordt ook gebruikt als\",\"aAIQg2\":\"Uiterlijk\",\"Ym1gnK\":\"toegepast\",\"sy6fss\":[\"Geldt voor \",[\"0\"],\" producten\"],\"kadJKg\":\"Geldt voor 1 product\",\"DB8zMK\":\"Toepassen\",\"GctSSm\":\"Kortingscode toepassen\",\"ARBThj\":[\"Pas dit \",[\"type\"],\" toe op alle nieuwe producten\"],\"S0ctOE\":\"Archief evenement\",\"TdfEV7\":\"Gearchiveerd\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Weet je zeker dat je deze deelnemer wilt activeren?\",\"TvkW9+\":\"Weet je zeker dat je dit evenement wilt archiveren?\",\"/CV2x+\":\"Weet je zeker dat je deze deelnemer wilt annuleren? Hiermee vervalt hun ticket\",\"YgRSEE\":\"Weet je zeker dat je deze promotiecode wilt verwijderen?\",\"iU234U\":\"Weet je zeker dat je deze vraag wilt verwijderen?\",\"CMyVEK\":\"Weet je zeker dat je dit evenement concept wilt maken? Dit maakt het evenement onzichtbaar voor het publiek\",\"mEHQ8I\":\"Weet je zeker dat je dit evenement openbaar wilt maken? Hierdoor wordt het evenement zichtbaar voor het publiek\",\"s4JozW\":\"Weet je zeker dat je dit evenements wilt herstellen? Het zal worden hersteld als een conceptevenement.\",\"vJuISq\":\"Weet je zeker dat je deze Capaciteitstoewijzing wilt verwijderen?\",\"baHeCz\":\"Weet je zeker dat je deze Check-In lijst wilt verwijderen?\",\"LBLOqH\":\"Vraag één keer per bestelling\",\"wu98dY\":\"Vraag één keer per product\",\"ss9PbX\":\"Deelnemer\",\"m0CFV2\":\"Details deelnemers\",\"QKim6l\":\"Deelnemer niet gevonden\",\"R5IT/I\":\"Opmerkingen voor deelnemers\",\"lXcSD2\":\"Vragen van deelnemers\",\"HT/08n\":\"Bezoekerskaartje\",\"9SZT4E\":\"Deelnemers\",\"iPBfZP\":\"Geregistreerde deelnemers\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Automatisch formaat wijzigen\",\"vZ5qKF\":\"Pas de hoogte van de widget automatisch aan op basis van de inhoud. Als deze optie is uitgeschakeld, vult de widget de hoogte van de container.\",\"4lVaWA\":\"In afwachting van offline betaling\",\"2rHwhl\":\"In afwachting van offline betaling\",\"3wF4Q/\":\"Wacht op betaling\",\"ioG+xt\":\"In afwachting van betaling\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Terug naar de evenementpagina\",\"VCoEm+\":\"Terug naar inloggen\",\"k1bLf+\":\"Achtergrondkleur\",\"I7xjqg\":\"Achtergrond Type\",\"1mwMl+\":\"Voordat je verzendt!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Factuuradres\",\"/xC/im\":\"Factureringsinstellingen\",\"rp/zaT\":\"Braziliaans Portugees\",\"whqocw\":\"Door je te registreren ga je akkoord met onze <0>Servicevoorwaarden en <1>Privacybeleid.\",\"bcCn6r\":\"Type berekening\",\"+8bmSu\":\"Californië\",\"iStTQt\":\"Cameratoestemming is geweigerd. <0>Vraag toestemming opnieuw, of als dit niet werkt, moet je <1>deze pagina toegang geven tot je camera in je browserinstellingen.\",\"dEgA5A\":\"Annuleren\",\"Gjt/py\":\"E-mailwijziging annuleren\",\"tVJk4q\":\"Bestelling annuleren\",\"Os6n2a\":\"Bestelling annuleren\",\"Mz7Ygx\":[\"Annuleer order \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Geannuleerd\",\"U7nGvl\":\"Kan niet inchecken\",\"QyjCeq\":\"Capaciteit\",\"V6Q5RZ\":\"Capaciteitstoewijzing succesvol aangemaakt\",\"k5p8dz\":\"Capaciteitstoewijzing succesvol verwijderd\",\"nDBs04\":\"Capaciteitsmanagement\",\"ddha3c\":\"Met categorieën kun je producten groeperen. Je kunt bijvoorbeeld een categorie hebben voor.\",\"iS0wAT\":\"Categorieën helpen je om je producten te organiseren. Deze titel wordt weergegeven op de openbare evenementpagina.\",\"eorM7z\":\"Categorieën opnieuw gerangschikt.\",\"3EXqwa\":\"Categorie succesvol aangemaakt\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Wachtwoord wijzigen\",\"xMDm+I\":\"Inchecken\",\"p2WLr3\":[\"Inchecken \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Inchecken en bestelling als betaald markeren\",\"QYLpB4\":\"Alleen inchecken\",\"/Ta1d4\":\"Uitchecken\",\"5LDT6f\":\"Bekijk dit evenement!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Check-in lijst succesvol verwijderd\",\"+hBhWk\":\"Check-in lijst is verlopen\",\"mBsBHq\":\"Check-in lijst is niet actief\",\"vPqpQG\":\"Check-in lijst niet gevonden\",\"tejfAy\":\"Inchecklijsten\",\"hD1ocH\":\"Check-In URL gekopieerd naar klembord\",\"CNafaC\":\"Selectievakjes maken meerdere selecties mogelijk\",\"SpabVf\":\"Selectievakjes\",\"CRu4lK\":\"Ingecheckt\",\"znIg+z\":\"Kassa\",\"1WnhCL\":\"Afrekeninstellingen\",\"6imsQS\":\"Chinees (Vereenvoudigd)\",\"JjkX4+\":\"Kies een kleur voor je achtergrond\",\"/Jizh9\":\"Kies een account\",\"3wV73y\":\"Stad\",\"FG98gC\":\"Zoektekst wissen\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Klik om te kopiëren\",\"yz7wBu\":\"Sluit\",\"62Ciis\":\"Zijbalk sluiten\",\"EWPtMO\":\"Code\",\"ercTDX\":\"De code moet tussen 3 en 50 tekens lang zijn\",\"oqr9HB\":\"Dit product samenvouwen wanneer de evenementpagina voor het eerst wordt geladen\",\"jZlrte\":\"Kleur\",\"Vd+LC3\":\"De kleur moet een geldige hex-kleurcode zijn. Voorbeeld: #ffffff\",\"1HfW/F\":\"Kleuren\",\"VZeG/A\":\"Binnenkort beschikbaar\",\"yPI7n9\":\"Door komma's gescheiden trefwoorden die het evenement beschrijven. Deze worden door zoekmachines gebruikt om het evenement te categoriseren en indexeren\",\"NPZqBL\":\"Volledige bestelling\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Volledige betaling\",\"qqWcBV\":\"Voltooid\",\"6HK5Ct\":\"Afgeronde bestellingen\",\"NWVRtl\":\"Afgeronde bestellingen\",\"DwF9eH\":\"Onderdeel Code\",\"Tf55h7\":\"Geconfigureerde korting\",\"7VpPHA\":\"Bevestig\",\"ZaEJZM\":\"Bevestig e-mailwijziging\",\"yjkELF\":\"Nieuw wachtwoord bevestigen\",\"xnWESi\":\"Wachtwoord bevestigen\",\"p2/GCq\":\"Wachtwoord bevestigen\",\"wnDgGj\":\"E-mailadres bevestigen...\",\"pbAk7a\":\"Streep aansluiten\",\"UMGQOh\":\"Maak verbinding met Stripe\",\"QKLP1W\":\"Maak verbinding met je Stripe-account om betalingen te ontvangen.\",\"5lcVkL\":\"Details verbinding\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Ga verder\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Doorgaan Knoptekst\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Doorgaan met instellen\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Gekopieerd\",\"T5rdis\":\"gekopieerd naar klembord\",\"he3ygx\":\"Kopie\",\"r2B2P8\":\"Check-in URL kopiëren\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Link kopiëren\",\"E6nRW7\":\"URL kopiëren\",\"JNCzPW\":\"Land\",\"IF7RiR\":\"Omslag\",\"hYgDIe\":\"Maak\",\"b9XOHo\":[\"Maak \",[\"0\"]],\"k9RiLi\":\"Een product maken\",\"6kdXbW\":\"Maak een Promo Code\",\"n5pRtF\":\"Een ticket maken\",\"X6sRve\":[\"Maak een account aan of <0>\",[\"0\"],\" om te beginnen\"],\"nx+rqg\":\"een organisator maken\",\"ipP6Ue\":\"Aanwezige maken\",\"VwdqVy\":\"Capaciteitstoewijzing maken\",\"EwoMtl\":\"Categorie maken\",\"XletzW\":\"Categorie maken\",\"WVbTwK\":\"Check-in lijst maken\",\"uN355O\":\"Evenement creëren\",\"BOqY23\":\"Nieuw maken\",\"kpJAeS\":\"Organisator maken\",\"a0EjD+\":\"Product maken\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Promocode maken\",\"B3Mkdt\":\"Vraag maken\",\"UKfi21\":\"Creëer belasting of heffing\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Valuta\",\"DCKkhU\":\"Huidig wachtwoord\",\"uIElGP\":\"Aangepaste kaarten URL\",\"UEqXyt\":\"Aangepast bereik\",\"876pfE\":\"Klant\",\"QOg2Sf\":\"De e-mail- en meldingsinstellingen voor dit evenement aanpassen\",\"Y9Z/vP\":\"De homepage van het evenement en de berichten bij de kassa aanpassen\",\"2E2O5H\":\"De diverse instellingen voor dit evenement aanpassen\",\"iJhSxe\":\"De SEO-instellingen voor dit evenement aanpassen\",\"KIhhpi\":\"Je evenementpagina aanpassen\",\"nrGWUv\":\"Pas je evenementpagina aan aan je merk en stijl.\",\"Zz6Cxn\":\"Gevarenzone\",\"ZQKLI1\":\"Gevarenzone\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Datum\",\"JvUngl\":\"Datum en tijd\",\"JJhRbH\":\"Capaciteit op dag één\",\"cnGeoo\":\"Verwijder\",\"jRJZxD\":\"Capaciteit verwijderen\",\"VskHIx\":\"Categorie verwijderen\",\"Qrc8RZ\":\"Check-in lijst verwijderen\",\"WHf154\":\"Code verwijderen\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Vraag verwijderen\",\"Nu4oKW\":\"Beschrijving\",\"YC3oXa\":\"Beschrijving voor incheckpersoneel\",\"URmyfc\":\"Details\",\"1lRT3t\":\"Als je deze capaciteit uitschakelt, worden de verkopen bijgehouden, maar niet gestopt als de limiet is bereikt\",\"H6Ma8Z\":\"Korting\",\"ypJ62C\":\"Korting %\",\"3LtiBI\":[\"Korting in \",[\"0\"]],\"C8JLas\":\"Korting Type\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Documentlabel\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donatie / Betaal wat je wilt product\",\"OvNbls\":\"Download .ics\",\"kodV18\":\"CSV downloaden\",\"CELKku\":\"Factuur downloaden\",\"LQrXcu\":\"Factuur downloaden\",\"QIodqd\":\"QR-code downloaden\",\"yhjU+j\":\"Factuur downloaden\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Dropdown selectie\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Dupliceer evenement\",\"3ogkAk\":\"Dupliceer Evenement\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Dupliceer opties\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Vroege vogel\",\"ePK91l\":\"Bewerk\",\"N6j2JH\":[\"Bewerk \",[\"0\"]],\"kBkYSa\":\"Bewerk capaciteit\",\"oHE9JT\":\"Capaciteitstoewijzing bewerken\",\"j1Jl7s\":\"Categorie bewerken\",\"FU1gvP\":\"Check-in lijst bewerken\",\"iFgaVN\":\"Code bewerken\",\"jrBSO1\":\"Organisator bewerken\",\"tdD/QN\":\"Bewerk product\",\"n143Tq\":\"Bewerk productcategorie\",\"9BdS63\":\"Kortingscode bewerken\",\"O0CE67\":\"Vraag bewerken\",\"EzwCw7\":\"Bewerk Vraag\",\"poTr35\":\"Gebruiker bewerken\",\"GTOcxw\":\"Gebruiker bewerken\",\"pqFrv2\":\"bijv. 2,50 voor $2,50\",\"3yiej1\":\"bijv. 23,5 voor 23,5%\",\"O3oNi5\":\"E-mail\",\"VxYKoK\":\"Instellingen voor e-mail en meldingen\",\"ATGYL1\":\"E-mailadres\",\"hzKQCy\":\"E-mailadres\",\"HqP6Qf\":\"E-mailwijziging succesvol geannuleerd\",\"mISwW1\":\"E-mailwijziging in behandeling\",\"APuxIE\":\"E-mailbevestiging opnieuw verzonden\",\"YaCgdO\":\"Bericht voettekst e-mail\",\"jyt+cx\":\"Bevestigingsmail succesvol opnieuw verstuurd\",\"I6F3cp\":\"E-mail niet geverifieerd\",\"NTZ/NX\":\"Code insluiten\",\"4rnJq4\":\"Script insluiten\",\"8oPbg1\":\"Facturering inschakelen\",\"j6w7d/\":\"Schakel deze capaciteit in om de verkoop van producten te stoppen als de limiet is bereikt\",\"VFv2ZC\":\"Einddatum\",\"237hSL\":\"Beëindigd\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Engels\",\"MhVoma\":\"Voer een bedrag in exclusief belastingen en toeslagen.\",\"SlfejT\":\"Fout\",\"3Z223G\":\"Fout bij bevestigen e-mailadres\",\"a6gga1\":\"Fout bij het bevestigen van een e-mailwijziging\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Evenement\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Evenementdatum\",\"0Zptey\":\"Evenement Standaarden\",\"QcCPs8\":\"Evenement Details\",\"6fuA9p\":\"Evenement succesvol gedupliceerd\",\"AEuj2m\":\"Homepage evenement\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Locatie en details evenement\",\"OopDbA\":\"Event page\",\"4/If97\":\"Update status evenement mislukt. Probeer het later opnieuw\",\"btxLWj\":\"Evenementstatus bijgewerkt\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Evenementen\",\"sZg7s1\":\"Vervaldatum\",\"KnN1Tu\":\"Verloopt op\",\"uaSvqt\":\"Vervaldatum\",\"GS+Mus\":\"Exporteer\",\"9xAp/j\":\"Deelnemer niet geannuleerd\",\"ZpieFv\":\"Bestelling niet geannuleerd\",\"z6tdjE\":\"Bericht niet verwijderd. Probeer het opnieuw.\",\"xDzTh7\":\"Downloaden van factuur mislukt. Probeer het opnieuw.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Inchecklijst niet geladen\",\"ZQ15eN\":\"Niet gelukt om ticket e-mail opnieuw te versturen\",\"ejXy+D\":\"Sorteren van producten mislukt\",\"PLUB/s\":\"Tarief\",\"/mfICu\":\"Tarieven\",\"LyFC7X\":\"Bestellingen filteren\",\"cSev+j\":\"Filters\",\"CVw2MU\":[\"Filters (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Eerste factuurnummer\",\"V1EGGU\":\"Voornaam\",\"kODvZJ\":\"Voornaam\",\"S+tm06\":\"De voornaam moet tussen 1 en 50 tekens zijn\",\"1g0dC4\":\"Voornaam, Achternaam en E-mailadres zijn standaardvragen en worden altijd opgenomen in het afrekenproces.\",\"Rs/IcB\":\"Voor het eerst gebruikt\",\"TpqW74\":\"Vast\",\"irpUxR\":\"Vast bedrag\",\"TF9opW\":\"Flash is niet beschikbaar op dit apparaat\",\"UNMVei\":\"Wachtwoord vergeten?\",\"2POOFK\":\"Gratis\",\"P/OAYJ\":\"Gratis product\",\"vAbVy9\":\"Gratis product, geen betalingsgegevens nodig\",\"nLC6tu\":\"Frans\",\"Weq9zb\":\"Algemeen\",\"DDcvSo\":\"Duits\",\"4GLxhy\":\"Aan de slag\",\"4D3rRj\":\"Ga terug naar profiel\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Brutoverkoop\",\"yRg26W\":\"Bruto verkoop\",\"R4r4XO\":\"Gasten\",\"26pGvx\":\"Heb je een promotiecode?\",\"V7yhws\":\"hallo@geweldig-evenementen.com\",\"6K/IHl\":\"Hier is een voorbeeld van hoe je de component in je toepassing kunt gebruiken.\",\"Y1SSqh\":\"Hier is het React-component dat je kunt gebruiken om de widget in te sluiten in je applicatie.\",\"QuhVpV\":[\"Hi \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Verborgen voor het publiek\",\"gt3Xw9\":\"verborgen vraag\",\"g3rqFe\":\"verborgen vragen\",\"k3dfFD\":\"Verborgen vragen zijn alleen zichtbaar voor de organisator van het evenement en niet voor de klant.\",\"vLyv1R\":\"Verberg\",\"Mkkvfd\":\"Startpagina verbergen\",\"mFn5Xz\":\"Verborgen vragen verbergen\",\"YHsF9c\":\"Verberg product na einddatum verkoop\",\"06s3w3\":\"Verberg product voor start verkoopdatum\",\"axVMjA\":\"Verberg product tenzij gebruiker toepasselijke promotiecode heeft\",\"ySQGHV\":\"Verberg product als het uitverkocht is\",\"SCimta\":\"Verberg de pagina Aan de slag uit de zijbalk\",\"5xR17G\":\"Verberg dit product voor klanten\",\"Da29Y6\":\"Verberg deze vraag\",\"fvDQhr\":\"Verberg dit niveau voor gebruikers\",\"lNipG+\":\"Door een product te verbergen, kunnen gebruikers het niet zien op de evenementpagina.\",\"ZOBwQn\":\"Homepage-ontwerp\",\"PRuBTd\":\"Homepage Ontwerper\",\"YjVNGZ\":\"Voorbeschouwing\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Hoeveel minuten de klant heeft om zijn bestelling af te ronden. We raden minimaal 15 minuten aan\",\"ySxKZe\":\"Hoe vaak kan deze code worden gebruikt?\",\"dZsDbK\":[\"HTML karakterlimiet overschreden: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://voorbeeld-maps-service.com/...\",\"uOXLV3\":\"Ik ga akkoord met de <0>voorwaarden\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Als dit veld leeg is, wordt het adres gebruikt om een Google Mapa-link te genereren\",\"UYT+c8\":\"Als dit is ingeschakeld, kunnen incheckmedewerkers aanwezigen markeren als ingecheckt of de bestelling als betaald markeren en de aanwezigen inchecken. Als deze optie is uitgeschakeld, kunnen bezoekers van onbetaalde bestellingen niet worden ingecheckt.\",\"muXhGi\":\"Als deze optie is ingeschakeld, ontvangt de organisator een e-mailbericht wanneer er een nieuwe bestelling is geplaatst\",\"6fLyj/\":\"Als je deze wijziging niet hebt aangevraagd, verander dan onmiddellijk je wachtwoord.\",\"n/ZDCz\":\"Afbeelding succesvol verwijderd\",\"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\":\"Afbeelding succesvol geüpload\",\"VyUuZb\":\"Afbeelding URL\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactief\",\"T0K0yl\":\"Inactieve gebruikers kunnen niet inloggen.\",\"kO44sp\":\"Vermeld verbindingsgegevens voor je online evenement. Deze gegevens worden weergegeven op de overzichtspagina van de bestelling en de ticketpagina voor deelnemers.\",\"FlQKnG\":\"Belastingen en toeslagen in de prijs opnemen\",\"Vi+BiW\":[\"Inclusief \",[\"0\"],\" producten\"],\"lpm0+y\":\"Omvat 1 product\",\"UiAk5P\":\"Afbeelding invoegen\",\"OyLdaz\":\"Uitnodiging verzonden!\",\"HE6KcK\":\"Uitnodiging ingetrokken!\",\"SQKPvQ\":\"Gebruiker uitnodigen\",\"bKOYkd\":\"Factuur succesvol gedownload\",\"alD1+n\":\"Factuurnotities\",\"kOtCs2\":\"Factuurnummering\",\"UZ2GSZ\":\"Factuur Instellingen\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"Jan\",\"XcgRvb\":\"Jansen\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Taal\",\"2LMsOq\":\"Laatste 12 maanden\",\"vfe90m\":\"Laatste 14 dagen\",\"aK4uBd\":\"Laatste 24 uur\",\"uq2BmQ\":\"Laatste 30 dagen\",\"bB6Ram\":\"Laatste 48 uur\",\"VlnB7s\":\"Laatste 6 maanden\",\"ct2SYD\":\"Laatste 7 dagen\",\"XgOuA7\":\"Laatste 90 dagen\",\"I3yitW\":\"Laatste login\",\"1ZaQUH\":\"Achternaam\",\"UXBCwc\":\"Achternaam\",\"tKCBU0\":\"Laatst gebruikt\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Laat leeg om het standaardwoord te gebruiken\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Aan het laden...\",\"wJijgU\":\"Locatie\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Inloggen\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Afmelden\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Maak factuuradres verplicht tijdens het afrekenen\",\"MU3ijv\":\"Maak deze vraag verplicht\",\"wckWOP\":\"Beheer\",\"onpJrA\":\"Deelnemer beheren\",\"n4SpU5\":\"Evenement beheren\",\"WVgSTy\":\"Bestelling beheren\",\"1MAvUY\":\"Beheer de betalings- en factureringsinstellingen voor dit evenement.\",\"cQrNR3\":\"Profiel beheren\",\"AtXtSw\":\"Belastingen en toeslagen beheren die kunnen worden toegepast op je producten\",\"ophZVW\":\"Tickets beheren\",\"DdHfeW\":\"Beheer je accountgegevens en standaardinstellingen\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Beheer je gebruikers en hun rechten\",\"1m+YT2\":\"Verplichte vragen moeten worden beantwoord voordat de klant kan afrekenen.\",\"Dim4LO\":\"Handmatig een genodigde toevoegen\",\"e4KdjJ\":\"Deelnemer handmatig toevoegen\",\"vFjEnF\":\"Markeer als betaald\",\"g9dPPQ\":\"Maximum per bestelling\",\"l5OcwO\":\"Bericht deelnemer\",\"Gv5AMu\":\"Bericht Deelnemers\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Bericht koper\",\"tNZzFb\":\"Inhoud bericht\",\"lYDV/s\":\"Bericht individuele deelnemers\",\"V7DYWd\":\"Bericht verzonden\",\"t7TeQU\":\"Berichten\",\"xFRMlO\":\"Minimum per bestelling\",\"QYcUEf\":\"Minimale prijs\",\"RDie0n\":\"Diverse\",\"mYLhkl\":\"Diverse instellingen\",\"KYveV8\":\"Meerregelig tekstvak\",\"VD0iA7\":\"Meerdere prijsopties. Perfect voor early bird-producten enz.\",\"/bhMdO\":\"Mijn verbazingwekkende evenementbeschrijving...\",\"vX8/tc\":\"Mijn verbazingwekkende evenementtitel...\",\"hKtWk2\":\"Mijn profiel\",\"fj5byd\":\"N.V.T.\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Naam\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigeer naar deelnemer\",\"qqeAJM\":\"Nooit\",\"7vhWI8\":\"Nieuw wachtwoord\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Geen gearchiveerde evenementen om weer te geven.\",\"q2LEDV\":\"Geen aanwezigen gevonden voor deze bestelling.\",\"zlHa5R\":\"Er zijn geen deelnemers aan deze bestelling toegevoegd.\",\"Wjz5KP\":\"Geen aanwezigen\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Geen capaciteitstoewijzingen\",\"a/gMx2\":\"Geen inchecklijsten\",\"tMFDem\":\"Geen gegevens beschikbaar\",\"6Z/F61\":\"Geen gegevens om weer te geven. Selecteer een datumbereik\",\"fFeCKc\":\"Geen Korting\",\"HFucK5\":\"Geen beëindigde evenementen om te laten zien.\",\"yAlJXG\":\"Geen evenementen om weer te geven\",\"GqvPcv\":\"Geen filters beschikbaar\",\"KPWxKD\":\"Geen berichten om te tonen\",\"J2LkP8\":\"Geen orders om te laten zien\",\"RBXXtB\":\"Er zijn momenteel geen betalingsmethoden beschikbaar. Neem contact op met de organisator van het evenement voor hulp.\",\"ZWEfBE\":\"Geen betaling vereist\",\"ZPoHOn\":\"Geen product gekoppeld aan deze deelnemer.\",\"Ya1JhR\":\"Geen producten beschikbaar in deze categorie.\",\"FTfObB\":\"Nog geen producten\",\"+Y976X\":\"Geen promotiecodes om te tonen\",\"MAavyl\":\"Geen vragen beantwoord door deze deelnemer.\",\"SnlQeq\":\"Er zijn geen vragen gesteld voor deze bestelling.\",\"Ev2r9A\":\"Geen resultaten\",\"gk5uwN\":\"Geen zoekresultaten\",\"RHyZUL\":\"Geen zoekresultaten.\",\"RY2eP1\":\"Er zijn geen belastingen of toeslagen toegevoegd.\",\"EdQY6l\":\"Geen\",\"OJx3wK\":\"Niet beschikbaar\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Opmerkingen\",\"jtrY3S\":\"Nog niets om te laten zien\",\"hFwWnI\":\"Instellingen meldingen\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Organisator op de hoogte stellen van nieuwe bestellingen\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Aantal dagen toegestaan voor betaling (leeg laten om betalingstermijnen weg te laten van facturen)\",\"n86jmj\":\"Nummer Voorvoegsel\",\"mwe+2z\":\"Offline bestellingen worden niet weergegeven in evenementstatistieken totdat de bestelling als betaald is gemarkeerd.\",\"dWBrJX\":\"Offline betaling mislukt. Probeer het opnieuw of neem contact op met de organisator van het evenement.\",\"fcnqjw\":\"Offline Betalingsinstructies\",\"+eZ7dp\":\"Offline betalingen\",\"ojDQlR\":\"Informatie over offline betalingen\",\"u5oO/W\":\"Instellingen voor offline betalingen\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"In de uitverkoop\",\"Ug4SfW\":\"Zodra je een evenement hebt gemaakt, zie je het hier.\",\"ZxnK5C\":\"Zodra je gegevens begint te verzamelen, zie je ze hier.\",\"PnSzEc\":\"Zodra je klaar bent, kun je je evenement live zetten en beginnen met het verkopen van producten.\",\"J6n7sl\":\"Doorlopend\",\"z+nuVJ\":\"Online evenement\",\"WKHW0N\":\"Details online evenement\",\"/xkmKX\":\"Stuur alleen belangrijke e-mails die direct verband houden met dit evenement via dit formulier. Elk misbruik, inclusief het versturen van promotionele e-mails, leidt tot een onmiddellijke blokkering van je account.\",\"Qqqrwa\":\"Open Check-In Pagina\",\"OdnLE4\":\"Zijbalk openen\",\"ZZEYpT\":[\"Optie \",[\"i\"]],\"oPknTP\":\"Optionele aanvullende informatie die op alle facturen moet worden vermeld (bijv. betalingsvoorwaarden, kosten voor te late betaling, retourbeleid)\",\"OrXJBY\":\"Optioneel voorvoegsel voor factuurnummers (bijv. INV-)\",\"0zpgxV\":\"Opties\",\"BzEFor\":\"of\",\"UYUgdb\":\"Bestel\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Bestelling geannuleerd\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Bestel Datum\",\"Tol4BF\":\"Bestel Details\",\"WbImlQ\":\"Bestelling is geannuleerd en de eigenaar van de bestelling is op de hoogte gesteld.\",\"nAn4Oe\":\"Bestelling gemarkeerd als betaald\",\"uzEfRz\":\"Bestelnotities\",\"VCOi7U\":\"Vragen bestelling\",\"TPoYsF\":\"Bestelreferentie\",\"acIJ41\":\"Bestelstatus\",\"GX6dZv\":\"Overzicht bestelling\",\"tDTq0D\":\"Time-out bestelling\",\"1h+RBg\":\"Bestellingen\",\"3y+V4p\":\"Adres organisatie\",\"GVcaW6\":\"Organisatie details\",\"nfnm9D\":\"Naam organisatie\",\"G5RhpL\":\"Organisator\",\"mYygCM\":\"Organisator is vereist\",\"Pa6G7v\":\"Naam organisator\",\"l894xP\":\"Organisatoren kunnen alleen evenementen en producten beheren. Ze kunnen geen gebruikers, accountinstellingen of factureringsgegevens beheren.\",\"fdjq4c\":\"Opvulling\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Pagina niet gevonden\",\"QbrUIo\":\"Bekeken pagina's\",\"6D8ePg\":\"pagina.\",\"IkGIz8\":\"betaald\",\"HVW65c\":\"Betaald product\",\"ZfxaB4\":\"Gedeeltelijk Terugbetaald\",\"8ZsakT\":\"Wachtwoord\",\"TUJAyx\":\"Wachtwoord moet minimaal 8 tekens bevatten\",\"vwGkYB\":\"Wachtwoord moet minstens 8 tekens bevatten\",\"BLTZ42\":\"Wachtwoord opnieuw ingesteld. Log in met je nieuwe wachtwoord.\",\"f7SUun\":\"Wachtwoorden zijn niet hetzelfde\",\"aEDp5C\":\"Plak dit waar je wilt dat de widget verschijnt.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Betaling\",\"Lg+ewC\":\"Betaling & facturering\",\"DZjk8u\":\"Instellingen voor betaling en facturering\",\"lflimf\":\"Betalingstermijn\",\"JhtZAK\":\"Betaling mislukt\",\"JEdsvQ\":\"Betalingsinstructies\",\"bLB3MJ\":\"Betaalmethoden\",\"QzmQBG\":\"Betalingsprovider\",\"lsxOPC\":\"Ontvangen betaling\",\"wJTzyi\":\"Betalingsstatus\",\"xgav5v\":\"Betaling gelukt!\",\"R29lO5\":\"Betalingsvoorwaarden\",\"/roQKz\":\"Percentage\",\"vPJ1FI\":\"Percentage Bedrag\",\"xdA9ud\":\"Plaats dit in de van je website.\",\"blK94r\":\"Voeg ten minste één optie toe\",\"FJ9Yat\":\"Controleer of de verstrekte informatie correct is\",\"TkQVup\":\"Controleer je e-mail en wachtwoord en probeer het opnieuw\",\"sMiGXD\":\"Controleer of je e-mailadres geldig is\",\"Ajavq0\":\"Controleer je e-mail om je e-mailadres te bevestigen\",\"MdfrBE\":\"Vul het onderstaande formulier in om uw uitnodiging te accepteren\",\"b1Jvg+\":\"Ga verder in het nieuwe tabblad\",\"hcX103\":\"Maak een product\",\"cdR8d6\":\"Maak een ticket aan\",\"x2mjl4\":\"Voer een geldige URL in die naar een afbeelding verwijst.\",\"HnNept\":\"Voer uw nieuwe wachtwoord in\",\"5FSIzj\":\"Let op\",\"C63rRe\":\"Ga terug naar de evenementpagina om opnieuw te beginnen.\",\"pJLvdS\":\"Selecteer\",\"Ewir4O\":\"Selecteer ten minste één product\",\"igBrCH\":\"Controleer uw e-mailadres om toegang te krijgen tot alle functies\",\"/IzmnP\":\"Wacht even terwijl we uw factuur opstellen...\",\"MOERNx\":\"Portugees\",\"qCJyMx\":\"Post Checkout-bericht\",\"g2UNkE\":\"Aangedreven door\",\"Rs7IQv\":\"Bericht voor het afrekenen\",\"rdUucN\":\"Voorbeeld\",\"a7u1N9\":\"Prijs\",\"CmoB9j\":\"Modus prijsweergave\",\"BI7D9d\":\"Prijs niet ingesteld\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Prijs Type\",\"6RmHKN\":\"Primaire kleur\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primaire tekstkleur\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Alle tickets afdrukken\",\"DKwDdj\":\"Tickets afdrukken\",\"K47k8R\":\"Product\",\"1JwlHk\":\"Productcategorie\",\"U61sAj\":\"Productcategorie succesvol bijgewerkt.\",\"1USFWA\":\"Product succesvol verwijderd\",\"4Y2FZT\":\"Product Prijs Type\",\"mFwX0d\":\"Product vragen\",\"Lu+kBU\":\"Productverkoop\",\"U/R4Ng\":\"Productniveau\",\"sJsr1h\":\"Soort product\",\"o1zPwM\":\"Voorbeeld van productwidget\",\"ktyvbu\":\"Product(en)\",\"N0qXpE\":\"Producten\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Verkochte producten\",\"/u4DIx\":\"Verkochte producten\",\"DJQEZc\":\"Producten succesvol gesorteerd\",\"vERlcd\":\"Profiel\",\"kUlL8W\":\"Profiel succesvol bijgewerkt\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code toegepast\"],\"P5sgAk\":\"Kortingscode\",\"yKWfjC\":\"Promo Code pagina\",\"RVb8Fo\":\"Promo codes\",\"BZ9GWa\":\"Promocodes kunnen worden gebruikt voor kortingen, toegang tot de voorverkoop of speciale toegang tot je evenement.\",\"OP094m\":\"Promocodes Rapport\",\"4kyDD5\":\"Geef aanvullende context of instructies voor deze vraag. Gebruik dit veld om algemene voorwaarden, richtlijnen of andere belangrijke informatie toe te voegen die deelnemers moeten weten voordat ze antwoorden.\",\"toutGW\":\"QR-code\",\"LkMOWF\":\"Beschikbare hoeveelheid\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Vraag verwijderd\",\"avf0gk\":\"Beschrijving van de vraag\",\"oQvMPn\":\"Titel van de vraag\",\"enzGAL\":\"Vragen\",\"ROv2ZT\":\"Vragen en antwoorden\",\"K885Eq\":\"Vragen succesvol gesorteerd\",\"OMJ035\":\"Radio-optie\",\"C4TjpG\":\"Minder lezen\",\"I3QpvQ\":\"Ontvanger\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Terugbetaling mislukt\",\"n10yGu\":\"Bestelling terugbetalen\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Restitutie in behandeling\",\"xHpVRl\":\"Restitutie Status\",\"/BI0y9\":\"Terugbetaald\",\"fgLNSM\":\"Registreer\",\"9+8Vez\":\"Overblijvend gebruik\",\"tasfos\":\"verwijderen\",\"t/YqKh\":\"Verwijder\",\"t9yxlZ\":\"Rapporten\",\"prZGMe\":\"Factuuradres vereisen\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"E-mailbevestiging opnieuw verzenden\",\"wIa8Qe\":\"Uitnodiging opnieuw versturen\",\"VeKsnD\":\"E-mail met bestelling opnieuw verzenden\",\"dFuEhO\":\"Ticket opnieuw verzenden\",\"o6+Y6d\":\"Opnieuw verzenden...\",\"OfhWJH\":\"Reset\",\"RfwZxd\":\"Wachtwoord opnieuw instellen\",\"KbS2K9\":\"Wachtwoord opnieuw instellen\",\"e99fHm\":\"Evenement herstellen\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Terug naar evenementpagina\",\"8YBH95\":\"Inkomsten\",\"PO/sOY\":\"Uitnodiging intrekken\",\"GDvlUT\":\"Rol\",\"ELa4O9\":\"Einddatum verkoop\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Startdatum verkoop\",\"hBsw5C\":\"Verkoop beëindigd\",\"kpAzPe\":\"Start verkoop\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Opslaan\",\"IUwGEM\":\"Wijzigingen opslaan\",\"U65fiW\":\"Organisator opslaan\",\"UGT5vp\":\"Instellingen opslaan\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Zoek op naam van een deelnemer, e-mail of bestelnummer...\",\"+pr/FY\":\"Zoeken op evenementnaam...\",\"3zRbWw\":\"Zoeken op naam, e-mail of bestelnummer...\",\"L22Tdf\":\"Zoek op naam, ordernummer, aanwezigheidsnummer of e-mail...\",\"BiYOdA\":\"Zoeken op naam...\",\"YEjitp\":\"Zoeken op onderwerp of inhoud...\",\"Pjsch9\":\"Zoek capaciteitstoewijzingen...\",\"r9M1hc\":\"Check-in lijsten doorzoeken...\",\"+0Yy2U\":\"Producten zoeken\",\"YIix5Y\":\"Zoeken...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secundaire kleur\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secundaire tekstkleur\",\"02ePaq\":[\"Kies \",[\"0\"]],\"QuNKRX\":\"Camera selecteren\",\"9FQEn8\":\"Selecteer categorie...\",\"kWI/37\":\"Organisator selecteren\",\"ixIx1f\":\"Kies product\",\"3oSV95\":\"Selecteer productcategorie\",\"C4Y1hA\":\"Selecteer producten\",\"hAjDQy\":\"Selecteer status\",\"QYARw/\":\"Selecteer ticket\",\"OMX4tH\":\"Kies tickets\",\"DrwwNd\":\"Selecteer tijdsperiode\",\"O/7I0o\":\"Selecteer...\",\"JlFcis\":\"Stuur\",\"qKWv5N\":[\"Stuur een kopie naar <0>\",[\"0\"],\"\"],\"RktTWf\":\"Stuur een bericht\",\"/mQ/tD\":\"Verzenden als test. Hierdoor wordt het bericht naar jouw e-mailadres gestuurd in plaats van naar de ontvangers.\",\"M/WIer\":\"Verstuur bericht\",\"D7ZemV\":\"Verzend orderbevestiging en ticket e-mail\",\"v1rRtW\":\"Test verzenden\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO Beschrijving\",\"/SIY6o\":\"SEO Trefwoorden\",\"GfWoKv\":\"SEO-instellingen\",\"rXngLf\":\"SEO titel\",\"/jZOZa\":\"Servicevergoeding\",\"Bj/QGQ\":\"Stel een minimumprijs in en laat gebruikers meer betalen als ze dat willen\",\"L0pJmz\":\"Stel het startnummer voor factuurnummering in. Dit kan niet worden gewijzigd als de facturen eenmaal zijn gegenereerd.\",\"nYNT+5\":\"Uw evenement opzetten\",\"A8iqfq\":\"Je evenement live zetten\",\"Tz0i8g\":\"Instellingen\",\"Z8lGw6\":\"Deel\",\"B2V3cA\":\"Evenement delen\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Beschikbare producthoeveelheid tonen\",\"qDsmzu\":\"Verborgen vragen tonen\",\"fMPkxb\":\"Meer tonen\",\"izwOOD\":\"Belastingen en toeslagen apart weergeven\",\"1SbbH8\":\"Wordt aan de klant getoond nadat hij heeft afgerekend, op de overzichtspagina van de bestelling.\",\"YfHZv0\":\"Aan de klant getoond voordat hij afrekent\",\"CBBcly\":\"Toont algemene adresvelden, inclusief land\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Enkelregelig tekstvak\",\"+P0Cn2\":\"Deze stap overslaan\",\"YSEnLE\":\"Jansen\",\"lgFfeO\":\"Uitverkocht\",\"Mi1rVn\":\"Uitverkocht\",\"nwtY4N\":\"Er is iets misgegaan\",\"GRChTw\":\"Er is iets misgegaan bij het verwijderen van de Belasting of Belastinggeld\",\"YHFrbe\":\"Er ging iets mis! Probeer het opnieuw\",\"kf83Ld\":\"Er ging iets mis.\",\"fWsBTs\":\"Er is iets misgegaan. Probeer het opnieuw.\",\"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.\",\"6a/UJE\":\"Sorry, deze promotiecode wordt niet herkend\",\"65A04M\":\"Spaans\",\"mFuBqb\":\"Standaardproduct met een vaste prijs\",\"D3iCkb\":\"Startdatum\",\"/2by1f\":\"Staat of regio\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Stripe-betalingen zijn niet ingeschakeld voor dit evenement.\",\"UJmAAK\":\"Onderwerp\",\"X2rrlw\":\"Subtotaal\",\"zzDlyQ\":\"Succes\",\"b0HJ45\":[\"Succes! \",[\"0\"],\" ontvangt binnenkort een e-mail.\"],\"BJIEiF\":[\"Succesvol \",[\"0\"],\" deelnemer\"],\"OtgNFx\":\"E-mailadres succesvol bevestigd\",\"IKwyaF\":\"E-mailwijziging succesvol bevestigd\",\"zLmvhE\":\"Succesvol aangemaakte deelnemer\",\"gP22tw\":\"Succesvol gecreëerd product\",\"9mZEgt\":\"Succesvol aangemaakte promotiecode\",\"aIA9C4\":\"Succesvol aangemaakte vraag\",\"J3RJSZ\":\"Deelnemer succesvol bijgewerkt\",\"3suLF0\":\"Capaciteitstoewijzing succesvol bijgewerkt\",\"Z+rnth\":\"Check-in lijst succesvol bijgewerkt\",\"vzJenu\":\"E-mailinstellingen met succes bijgewerkt\",\"7kOMfV\":\"Evenement succesvol bijgewerkt\",\"G0KW+e\":\"Succesvol vernieuwd homepage-ontwerp\",\"k9m6/E\":\"Homepage-instellingen met succes bijgewerkt\",\"y/NR6s\":\"Locatie succesvol bijgewerkt\",\"73nxDO\":\"Misc-instellingen met succes bijgewerkt\",\"4H80qv\":\"Bestelling succesvol bijgewerkt\",\"6xCBVN\":\"Instellingen voor betalen en factureren succesvol bijgewerkt\",\"1Ycaad\":\"Product succesvol bijgewerkt\",\"70dYC8\":\"Succesvol bijgewerkte promotiecode\",\"F+pJnL\":\"Succesvol bijgewerkte Seo-instellingen\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Ondersteuning per e-mail\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Belasting\",\"geUFpZ\":\"Belastingen en heffingen\",\"dFHcIn\":\"Belastingdetails\",\"wQzCPX\":\"Belastinginformatie die onderaan alle facturen moet staan (bijv. btw-nummer, belastingregistratie)\",\"0RXCDo\":\"Belasting of vergoeding succesvol verwijderd\",\"ZowkxF\":\"Belastingen\",\"qu6/03\":\"Belastingen en heffingen\",\"gypigA\":\"Die promotiecode is ongeldig\",\"5ShqeM\":\"De check-in lijst die je zoekt bestaat niet.\",\"QXlz+n\":\"De standaardvaluta voor je evenementen.\",\"mnafgQ\":\"De standaard tijdzone voor je evenementen.\",\"o7s5FA\":\"De taal waarin de deelnemer e-mails ontvangt.\",\"NlfnUd\":\"De link waarop je hebt geklikt is ongeldig.\",\"HsFnrk\":[\"Het maximum aantal producten voor \",[\"0\"],\"is \",[\"1\"]],\"TSAiPM\":\"De pagina die u zoekt bestaat niet\",\"MSmKHn\":\"De prijs die aan de klant wordt getoond is inclusief belastingen en toeslagen.\",\"6zQOg1\":\"De prijs die aan de klant wordt getoond is exclusief belastingen en toeslagen. Deze worden apart weergegeven\",\"ne/9Ur\":\"De stylinginstellingen die je kiest, zijn alleen van toepassing op gekopieerde HTML en worden niet opgeslagen.\",\"vQkyB3\":\"De belastingen en toeslagen die van toepassing zijn op dit product. U kunt nieuwe belastingen en kosten aanmaken op de\",\"esY5SG\":\"De titel van het evenement die zal worden weergegeven in zoekmachineresultaten en bij het delen op sociale media. Standaard wordt de titel van het evenement gebruikt\",\"wDx3FF\":\"Er zijn geen producten beschikbaar voor dit evenement\",\"pNgdBv\":\"Er zijn geen producten beschikbaar in deze categorie\",\"rMcHYt\":\"Er is een restitutie in behandeling. Wacht tot deze is voltooid voordat je een nieuwe restitutie aanvraagt.\",\"F89D36\":\"Er is een fout opgetreden bij het markeren van de bestelling als betaald\",\"68Axnm\":\"Er is een fout opgetreden bij het verwerken van uw verzoek. Probeer het opnieuw.\",\"mVKOW6\":\"Er is een fout opgetreden bij het verzenden van uw bericht\",\"AhBPHd\":\"Deze gegevens worden alleen weergegeven als de bestelling succesvol is afgerond. Bestellingen die op betaling wachten, krijgen dit bericht niet te zien.\",\"Pc/Wtj\":\"Deze deelnemer heeft een onbetaalde bestelling.\",\"mf3FrP\":\"Deze categorie heeft nog geen producten.\",\"8QH2Il\":\"Deze categorie is niet zichtbaar voor het publiek\",\"xxv3BZ\":\"Deze check-in lijst is verlopen\",\"Sa7w7S\":\"Deze check-ins lijst is verlopen en niet langer beschikbaar voor check-ins.\",\"Uicx2U\":\"Deze check-in lijst is actief\",\"1k0Mp4\":\"Deze check-in lijst is nog niet actief\",\"K6fmBI\":\"Deze check-ins lijst is nog niet actief en is niet beschikbaar voor check-ins.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Deze e-mail is niet promotioneel en is direct gerelateerd aan het evenement.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Deze informatie wordt weergegeven op de betaalpagina, de pagina met het overzicht van de bestelling en de e-mail ter bevestiging van de bestelling.\",\"XAHqAg\":\"Dit is een algemeen product, zoals een t-shirt of een mok. Er wordt geen ticket uitgegeven\",\"CNk/ro\":\"Dit is een online evenement\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Dit bericht wordt opgenomen in de voettekst van alle e-mails die vanuit dit evenement worden verzonden\",\"55i7Fa\":\"Dit bericht wordt alleen weergegeven als de bestelling succesvol is afgerond. Bestellingen die op betaling wachten, krijgen dit bericht niet te zien\",\"RjwlZt\":\"Deze bestelling is al betaald.\",\"5K8REg\":\"Deze bestelling is al terugbetaald.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Deze bestelling is geannuleerd.\",\"Q0zd4P\":\"Deze bestelling is verlopen. Begin opnieuw.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Deze bestelling is compleet.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Deze bestelpagina is niet langer beschikbaar.\",\"i0TtkR\":\"Dit overschrijft alle zichtbaarheidsinstellingen en verbergt het product voor alle klanten.\",\"cRRc+F\":\"Dit product kan niet worden verwijderd omdat het gekoppeld is aan een bestelling. In plaats daarvan kunt u het verbergen.\",\"3Kzsk7\":\"Dit product is een ticket. Kopers krijgen bij aankoop een ticket\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Dit product is verborgen, tenzij er een promotiecode voor geldt\",\"os29v1\":\"Deze vraag is alleen zichtbaar voor de organisator van het evenement.\",\"IV9xTT\":\"Deze gebruiker is niet actief, omdat hij zijn uitnodiging niet heeft geaccepteerd.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"dtGC3q\":\"Ticket e-mail is opnieuw verzonden naar de deelnemer\",\"54q0zp\":\"Tickets voor\",\"xN9AhL\":[\"Niveau \",[\"0\"]],\"jZj9y9\":\"Gelaagd product\",\"8wITQA\":\"Met gelaagde producten kun je meerdere prijsopties aanbieden voor hetzelfde product. Dit is perfect voor early bird-producten of om verschillende prijsopties aan te bieden voor verschillende groepen mensen.\",\"nn3mSR\":\"Resterende tijd:\",\"s/0RpH\":\"Gebruikte tijden\",\"y55eMd\":\"Gebruikte tijden\",\"40Gx0U\":\"Tijdzone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Gereedschap\",\"72c5Qo\":\"Totaal\",\"YXx+fG\":\"Totaal vóór kortingen\",\"NRWNfv\":\"Totaal kortingsbedrag\",\"BxsfMK\":\"Totaal vergoedingen\",\"2bR+8v\":\"Totaal Brutoverkoop\",\"mpB/d9\":\"Totaal bestelbedrag\",\"m3FM1g\":\"Totaal terugbetaald\",\"jEbkcB\":\"Totaal Terugbetaald\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Totale belasting\",\"+zy2Nq\":\"Type\",\"FMdMfZ\":\"Deelnemer kan niet worden ingecheckt\",\"bPWBLL\":\"Deelnemer kan niet worden uitgecheckt\",\"9+P7zk\":\"Kan geen product maken. Controleer uw gegevens\",\"WLxtFC\":\"Kan geen product maken. Controleer uw gegevens\",\"/cSMqv\":\"Kan geen vraag maken. Controleer uw gegevens\",\"MH/lj8\":\"Kan vraag niet bijwerken. Controleer uw gegevens\",\"nnfSdK\":\"Unieke klanten\",\"Mqy/Zy\":\"Verenigde Staten\",\"NIuIk1\":\"Onbeperkt\",\"/p9Fhq\":\"Onbeperkt beschikbaar\",\"E0q9qH\":\"Onbeperkt gebruik toegestaan\",\"h10Wm5\":\"Onbetaalde bestelling\",\"ia8YsC\":\"Komende\",\"TlEeFv\":\"Komende evenementen\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Naam, beschrijving en data van evenement bijwerken\",\"vXPSuB\":\"Profiel bijwerken\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL gekopieerd naar klembord\",\"e5lF64\":\"Gebruiksvoorbeeld\",\"fiV0xj\":\"Gebruikslimiet\",\"sGEOe4\":\"Gebruik een onscherpe versie van de omslagafbeelding als achtergrond\",\"OadMRm\":\"Coverafbeelding gebruiken\",\"7PzzBU\":\"Gebruiker\",\"yDOdwQ\":\"Gebruikersbeheer\",\"Sxm8rQ\":\"Gebruikers\",\"VEsDvU\":\"Gebruikers kunnen hun e-mailadres wijzigen in <0>Profielinstellingen\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"BTW\",\"E/9LUk\":\"Naam locatie\",\"jpctdh\":\"Bekijk\",\"Pte1Hv\":\"Details van deelnemers bekijken\",\"/5PEQz\":\"Evenementpagina bekijken\",\"fFornT\":\"Bekijk volledig bericht\",\"YIsEhQ\":\"Kaart bekijken\",\"Ep3VfY\":\"Bekijk op Google Maps\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP check-in lijst\",\"tF+VVr\":\"VIP-ticket\",\"2q/Q7x\":\"Zichtbaarheid\",\"vmOFL/\":\"We konden je betaling niet verwerken. Probeer het opnieuw of neem contact op met de klantenservice.\",\"45Srzt\":\"We konden de categorie niet verwijderen. Probeer het opnieuw.\",\"/DNy62\":[\"We konden geen tickets vinden die overeenkomen met \",[\"0\"]],\"1E0vyy\":\"We konden de gegevens niet laden. Probeer het opnieuw.\",\"NmpGKr\":\"We konden de categorieën niet opnieuw ordenen. Probeer het opnieuw.\",\"BJtMTd\":\"We raden afmetingen aan van 2160px bij 1080px en een maximale bestandsgrootte van 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We konden je betaling niet bevestigen. Probeer het opnieuw of neem contact op met de klantenservice.\",\"Gspam9\":\"We zijn je bestelling aan het verwerken. Even geduld alstublieft...\",\"LuY52w\":\"Welkom aan boord! Log in om verder te gaan.\",\"dVxpp5\":[\"Welkom terug\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Wat zijn gelaagde producten?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Wat is een categorie?\",\"gxeWAU\":\"Op welke producten is deze code van toepassing?\",\"hFHnxR\":\"Op welke producten is deze code van toepassing? (Geldt standaard voor alle)\",\"AeejQi\":\"Op welke producten moet deze capaciteit van toepassing zijn?\",\"Rb0XUE\":\"Hoe laat kom je aan?\",\"5N4wLD\":\"Wat voor vraag is dit?\",\"gyLUYU\":\"Als deze optie is ingeschakeld, worden facturen gegenereerd voor ticketbestellingen. Facturen worden samen met de e-mail ter bevestiging van de bestelling verzonden. Bezoekers kunnen hun facturen ook downloaden van de bestelbevestigingspagina.\",\"D3opg4\":\"Als offline betalingen zijn ingeschakeld, kunnen gebruikers hun bestellingen afronden en hun tickets ontvangen. Hun tickets zullen duidelijk aangeven dat de bestelling niet betaald is en de check-in tool zal het check-in personeel informeren als een bestelling betaald moet worden.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Welke tickets moeten aan deze inchecklijst worden gekoppeld?\",\"S+OdxP\":\"Wie organiseert dit evenement?\",\"LINr2M\":\"Aan wie is deze boodschap gericht?\",\"nWhye/\":\"Aan wie moet deze vraag worden gesteld?\",\"VxFvXQ\":\"Widget insluiten\",\"v1P7Gm\":\"Widget-instellingen\",\"b4itZn\":\"Werken\",\"hqmXmc\":\"Werken...\",\"+G/XiQ\":\"Jaar tot nu toe\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Ja, verwijder ze\",\"ySeBKv\":\"Je hebt dit ticket al gescand\",\"P+Sty0\":[\"Je wijzigt je e-mailadres in <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Je bent offline\",\"sdB7+6\":\"Je kunt een promotiecode maken die gericht is op dit product op de\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Je kunt het producttype niet wijzigen omdat er deelnemers aan dit product zijn gekoppeld.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Je kunt deelnemers met onbetaalde bestellingen niet inchecken. Je kunt deze instelling wijzigen in de evenementinstellingen.\",\"c9Evkd\":\"Je kunt de laatste categorie niet verwijderen.\",\"6uwAvx\":\"Je kunt dit prijsniveau niet verwijderen omdat er al producten voor dit niveau worden verkocht. In plaats daarvan kun je het verbergen.\",\"tFbRKJ\":\"Je kunt de rol of status van de accounteigenaar niet bewerken.\",\"fHfiEo\":\"Je kunt een handmatig aangemaakte bestelling niet terugbetalen.\",\"hK9c7R\":\"Je hebt een verborgen vraag gemaakt maar de optie om verborgen vragen weer te geven uitgeschakeld. Deze is ingeschakeld.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Je hebt toegang tot meerdere accounts. Kies er een om verder te gaan.\",\"Z6q0Vl\":\"Je hebt deze uitnodiging al geaccepteerd. Log in om verder te gaan.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"U hebt geen vragen van deelnemers.\",\"CoZHDB\":\"Je hebt geen bestelvragen.\",\"15qAvl\":\"Je hebt geen in behandeling zijnde e-mailwijziging.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Je hebt geen tijd meer om je bestelling af te ronden.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Je hebt nog geen berichten verzonden. Je kunt berichten sturen naar alle deelnemers of naar specifieke producthouders.\",\"R6i9o9\":\"U moet erkennen dat deze e-mail geen promotie is\",\"3ZI8IL\":\"U moet akkoord gaan met de algemene voorwaarden\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Je moet een ticket aanmaken voordat je handmatig een genodigde kunt toevoegen.\",\"jE4Z8R\":\"Je moet minstens één prijsniveau hebben\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Je moet een bestelling handmatig als betaald markeren. Dit kun je doen op de pagina Bestelling beheren.\",\"L/+xOk\":\"Je hebt een ticket nodig voordat je een inchecklijst kunt maken.\",\"Djl45M\":\"U hebt een product nodig voordat u een capaciteitstoewijzing kunt maken.\",\"y3qNri\":\"Je hebt minstens één product nodig om te beginnen. Gratis, betaald of laat de gebruiker beslissen wat hij wil betalen.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Je accountnaam wordt gebruikt op evenementpagina's en in e-mails.\",\"veessc\":\"Je bezoekers verschijnen hier zodra ze zich hebben geregistreerd voor je evenement. Je kunt deelnemers ook handmatig toevoegen.\",\"Eh5Wrd\":\"Uw geweldige website 🎉\",\"lkMK2r\":\"Uw gegevens\",\"3ENYTQ\":[\"Uw verzoek om uw e-mail te wijzigen in <0>\",[\"0\"],\" is in behandeling. Controleer uw e-mail om te bevestigen\"],\"yZfBoy\":\"Uw bericht is verzonden\",\"KSQ8An\":\"Uw bestelling\",\"Jwiilf\":\"Uw bestelling is geannuleerd\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"Je bestellingen verschijnen hier zodra ze binnenkomen.\",\"9TO8nT\":\"Uw wachtwoord\",\"P8hBau\":\"Je betaling wordt verwerkt.\",\"UdY1lL\":\"Uw betaling is niet gelukt, probeer het opnieuw.\",\"fzuM26\":\"Uw betaling is mislukt. Probeer het opnieuw.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Je terugbetaling wordt verwerkt.\",\"IFHV2p\":\"Uw ticket voor\",\"x1PPdr\":\"Postcode\",\"BM/KQm\":\"Postcode\",\"+LtVBt\":\"Postcode\",\"25QDJ1\":\"- Klik om te publiceren\",\"WOyJmc\":\"- Klik om te verwijderen\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" is al ingecheckt\"],\"S4PqS9\":[[\"0\"],\" Actieve webhooks\"],\"6MIiOI\":[\"nog \",[\"0\"]],\"COnw8D\":[[\"0\"],\" logo\"],\"B7pZfX\":[[\"0\"],\" organisatoren\"],\"/HkCs4\":[[\"0\"],\" tickets\"],\"OJnhhX\":[[\"eventCount\"],\" evenementen\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Belasting/Kosten\",\"B1St2O\":\"<0>Check-in lijsten helpen u de evenementtoegang te beheren per dag, gebied of tickettype. U kunt tickets koppelen aan specifieke lijsten zoals VIP-zones of Dag 1 passen en een beveiligde check-in link delen met personeel. Geen account vereist. Check-in werkt op mobiel, desktop of tablet, met behulp van een apparaatcamera of HID USB-scanner. \",\"ZnVt5v\":\"<0>Webhooks stellen externe services direct op de hoogte wanneer er iets gebeurt, zoals het toevoegen van een nieuwe deelnemer aan je CRM of mailinglijst na registratie, en zorgen zo voor naadloze automatisering.<1>Gebruik diensten van derden zoals <2>Zapier, <3>IFTTT of <4>Make om aangepaste workflows te maken en taken te automatiseren.\",\"fAv9QG\":\"🎟️ Tickets toevoegen\",\"M2DyLc\":\"1 Actieve webhook\",\"yTsaLw\":\"1 ticket\",\"HR/cvw\":\"Voorbeeldstraat 123\",\"kMU5aM\":\"Een annuleringsmelding is verzonden naar\",\"V53XzQ\":\"Er is een nieuwe verificatiecode naar je e-mail verzonden\",\"/z/bH1\":\"Een korte beschrijving van je organisator die aan je gebruikers wordt getoond.\",\"aS0jtz\":\"Verlaten\",\"uyJsf6\":\"Over\",\"WTk/ke\":\"Over Stripe Connect\",\"1uJlG9\":\"Accentkleur\",\"VTfZPy\":\"Toegang geweigerd\",\"iN5Cz3\":\"Account al verbonden!\",\"bPwFdf\":\"Accounts\",\"nMtNd+\":\"Actie vereist: Verbind uw Stripe-account opnieuw\",\"AhwTa1\":\"Actie vereist: BTW-informatie nodig\",\"a5KFZU\":\"Voeg evenementgegevens toe en beheer de instellingen.\",\"Fb+SDI\":\"Meer tickets toevoegen\",\"6PNlRV\":\"Voeg dit evenement toe aan je agenda\",\"BGD9Yt\":\"Tickets toevoegen\",\"QN2F+7\":\"Webhook toevoegen\",\"NsWqSP\":\"Voeg je sociale media en website-URL toe. Deze worden weergegeven op je openbare organisatorpagina.\",\"0Zypnp\":\"Beheerders Dashboard\",\"YAV57v\":\"Affiliate\",\"I+utEq\":\"Affiliatecode kan niet worden gewijzigd\",\"/jHBj5\":\"Affiliate succesvol aangemaakt\",\"uCFbG2\":\"Affiliate succesvol verwijderd\",\"a41PKA\":\"Affiliateverkopen worden bijgehouden\",\"mJJh2s\":\"Affiliateverkopen worden niet bijgehouden. Dit deactiveert de affiliate.\",\"jabmnm\":\"Affiliate succesvol bijgewerkt\",\"CPXP5Z\":\"Affiliates\",\"9Wh+ug\":\"Affiliates geëxporteerd\",\"3cqmut\":\"Affiliates helpen je om verkopen van partners en influencers bij te houden. Maak affiliatecodes aan en deel ze om prestaties te monitoren.\",\"7rLTkE\":\"Alle gearchiveerde evenementen\",\"gKq1fa\":\"Alle deelnemers\",\"pMLul+\":\"Alle valuta's\",\"qlaZuT\":\"Klaar! U gebruikt nu ons verbeterde betalingssysteem.\",\"ZS/D7f\":\"Alle afgelopen evenementen\",\"dr7CWq\":\"Alle aankomende evenementen\",\"QUg5y1\":\"Bijna klaar! Voltooi het verbinden van uw Stripe-account om betalingen te accepteren.\",\"c4uJfc\":\"Bijna klaar! We wachten alleen nog tot je betaling is verwerkt. Dit duurt slechts enkele seconden.\",\"/H326L\":\"Al terugbetaald\",\"RtxQTF\":\"Deze bestelling ook annuleren\",\"jkNgQR\":\"Deze bestelling ook terugbetalen\",\"xYqsHg\":\"Altijd beschikbaar\",\"Zkymb9\":\"Een e-mailadres om aan deze affiliate te koppelen. De affiliate wordt niet op de hoogte gesteld.\",\"vRznIT\":\"Er is een fout opgetreden tijdens het controleren van de exportstatus.\",\"eusccx\":\"Een optioneel bericht om weer te geven op het uitgelichte product, bijv. \\\"Snel uitverkocht 🔥\\\" of \\\"Beste waarde\\\"\",\"QNrkms\":\"Antwoord succesvol bijgewerkt.\",\"LchiNd\":\"Weet je zeker dat je deze affiliate wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt.\",\"JmVITJ\":\"Weet je zeker dat je deze sjabloon wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt en e-mails zullen terugvallen op de standaardsjabloon.\",\"aLS+A6\":\"Weet je zeker dat je deze sjabloon wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt en e-mails zullen terugvallen op de organisator- of standaardsjabloon.\",\"5H3Z78\":\"Weet je zeker dat je deze webhook wilt verwijderen?\",\"147G4h\":\"Weet u zeker dat u wilt vertrekken?\",\"VDWChT\":\"Weet je zeker dat je deze organisator als concept wilt markeren? De organisatorpagina wordt dan onzichtbaar voor het publiek.\",\"pWtQJM\":\"Weet je zeker dat je deze organisator openbaar wilt maken? De organisatorpagina wordt dan zichtbaar voor het publiek.\",\"WFHOlF\":\"Weet je zeker dat je dit evenement wilt publiceren? Eenmaal gepubliceerd is het zichtbaar voor het publiek.\",\"4TNVdy\":\"Weet je zeker dat je dit organisatorprofiel wilt publiceren? Eenmaal gepubliceerd is het zichtbaar voor het publiek.\",\"ExDt3P\":\"Weet je zeker dat je de publicatie van dit evenement wilt ongedaan maken? Het is dan niet meer zichtbaar voor het publiek.\",\"5Qmxo/\":\"Weet je zeker dat je de publicatie van dit organisatorprofiel wilt ongedaan maken? Het is dan niet meer zichtbaar voor het publiek.\",\"Uqefyd\":\"Bent u BTW-geregistreerd in de EU?\",\"+QARA4\":\"Kunst\",\"tLf3yJ\":\"Aangezien uw bedrijf gevestigd is in Ierland, is Ierse BTW van 23% automatisch van toepassing op alle platformkosten.\",\"QGoXh3\":\"Aangezien uw bedrijf gevestigd is in de EU, moeten we de juiste BTW-behandeling voor onze platformkosten bepalen:\",\"F2rX0R\":\"Er moet minstens één evenement type worden geselecteerd\",\"6PecK3\":\"Aanwezigheid en incheckpercentages voor alle evenementen\",\"AJ4rvK\":\"Deelnemer geannuleerd\",\"qvylEK\":\"Deelnemer Gemaakt\",\"DVQSxl\":\"Deelnemersgegevens worden gekopieerd van de bestelgegevens.\",\"0R3Y+9\":\"Deelnemer E-mail\",\"KkrBiR\":\"Verzameling deelnemersinformatie\",\"XBLgX1\":\"Verzameling deelnemersinformatie is ingesteld op \\\"Per bestelling\\\". Deelnemersgegevens worden gekopieerd van de bestelgegevens.\",\"Xc2I+v\":\"Beheer van deelnemers\",\"av+gjP\":\"Deelnemer Naam\",\"cosfD8\":\"Deelnemersstatus\",\"D2qlBU\":\"Deelnemer bijgewerkt\",\"x8Vnvf\":\"Ticket van deelnemer niet opgenomen in deze lijst\",\"k3Tngl\":\"Geëxporteerde bezoekers\",\"5UbY+B\":\"Deelnemers met een specifiek ticket\",\"4HVzhV\":\"Deelnemers:\",\"VPoeAx\":\"Geautomatiseerd invoerbeheer met meerdere inchecklijsten en real-time validatie\",\"PZ7FTW\":\"Automatisch gedetecteerd op basis van achtergrondkleur, maar kan worden overschreven\",\"clF06r\":\"Beschikbaar voor terugbetaling\",\"NB5+UG\":\"Beschikbare Tokens\",\"EmYMHc\":\"Wacht op offline betaling\",\"kNmmvE\":\"Awesome Events B.V.\",\"kYqM1A\":\"Terug naar evenement\",\"td/bh+\":\"Terug naar rapporten\",\"jIPNJG\":\"Basisinformatie\",\"iMdwTb\":\"Voordat je evenement live kan gaan, moet je een paar dingen doen. Voltooi alle onderstaande stappen om te beginnen.\",\"UabgBd\":\"Hoofdtekst is verplicht\",\"9N+p+g\":\"Zakelijk\",\"bv6RXK\":\"Knop Label\",\"ChDLlO\":\"Knoptekst\",\"DFqasq\":[\"Door verder te gaan, gaat u akkoord met de <0>\",[\"0\"],\" Servicevoorwaarden\"],\"2VLZwd\":\"Call-to-Action Knop\",\"PUpvQe\":\"Camerascanner\",\"H4nE+E\":\"Alle producten annuleren en terugzetten in de beschikbare pool\",\"tOXAdc\":\"Annuleren zal alle deelnemers geassocieerd met deze bestelling annuleren en de tickets terugzetten in de beschikbare pool.\",\"IrUqjC\":\"Kan niet inchecken (geannuleerd)\",\"VsM1HH\":\"Capaciteitstoewijzingen\",\"K7tIrx\":\"Categorie\",\"2tbLdK\":\"Liefdadigheid\",\"v4fiSg\":\"Controleer je e-mail\",\"51AsAN\":\"Controleer je inbox! Als er tickets gekoppeld zijn aan dit e-mailadres, ontvang je een link om ze te bekijken.\",\"udRwQs\":\"Gecreëerd inchecken\",\"F4SRy3\":\"Check-in verwijderd\",\"9gPPUY\":\"Check-In Lijst Aangemaakt!\",\"f2vU9t\":\"Inchecklijsten\",\"tMNBEF\":\"Check-in lijsten laten je toegang controleren per dag, gebied of tickettype. Je kunt een beveiligde check-in link delen met personeel — geen account vereist.\",\"SHJwyq\":\"Incheckpercentage\",\"qCqdg6\":\"Incheck Status\",\"cKj6OE\":\"Incheckoverzicht\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinees (Traditioneel)\",\"pkk46Q\":\"Kies een organisator\",\"Crr3pG\":\"Kies agenda\",\"CySr+W\":\"Klik om notities te bekijken\",\"RG3szS\":\"sluiten\",\"RWw9Lg\":\"Sluit venster\",\"XwdMMg\":\"Code mag alleen letters, cijfers, streepjes en underscores bevatten\",\"+yMJb7\":\"Code is verplicht\",\"m9SD3V\":\"Code moet minimaal 3 tekens bevatten\",\"V1krgP\":\"Code mag maximaal 20 tekens bevatten\",\"psqIm5\":\"Werk samen met je team om geweldige evenementen te organiseren.\",\"4bUH9i\":\"Verzamel deelnemersgegevens voor elk gekocht ticket.\",\"FpsvqB\":\"Kleurmodus\",\"jEu4bB\":\"Kolommen\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Volledige Stripe-instelling\",\"OqEV/G\":\"Voltooi de onderstaande instelling om door te gaan\",\"nqx+6h\":\"Voer deze stappen uit om tickets voor je evenement te gaan verkopen.\",\"5YrKW7\":\"Voltooi je betaling om je tickets veilig te stellen.\",\"ih35UP\":\"Conferentiecentrum\",\"NGXKG/\":\"Bevestig e-mailadres\",\"Auz0Mz\":\"Bevestig je e-mailadres om toegang te krijgen tot alle functies.\",\"7+grte\":\"Bevestigingsmail verzonden! Controleer je inbox.\",\"n/7+7Q\":\"Bevestiging verzonden naar\",\"o5A0Go\":\"Gefeliciteerd met het aanmaken van een evenement!\",\"WNnP3w\":\"Verbinden en upgraden\",\"Xe2tSS\":\"Documentatie aansluiten\",\"1Xxb9f\":\"Betalingsverwerking aansluiten\",\"LmvZ+E\":\"Verbind Stripe om berichten in te schakelen\",\"EWnXR+\":\"Verbinding maken met Stripe\",\"MOUF31\":\"Verbinding maken met CRM en taken automatiseren met webhooks en integraties\",\"VioGG1\":\"Koppel je Stripe-account om betalingen voor tickets en producten te accepteren.\",\"4qmnU8\":\"Verbind uw Stripe-account om betalingen te accepteren.\",\"E1eze1\":\"Verbind uw Stripe-account om betalingen voor uw evenementen te accepteren.\",\"ulV1ju\":\"Verbind uw Stripe-account om betalingen te accepteren.\",\"/3017M\":\"Verbonden met Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contact \",[\"0\"]],\"41BQ3k\":\"Contact e-mail\",\"KcXRN+\":\"Contact e-mail voor ondersteuning\",\"m8WD6t\":\"Doorgaan met instellen\",\"0GwUT4\":\"Verder naar afrekenen\",\"sBV87H\":\"Ga door naar evenement aanmaken\",\"nKtyYu\":\"Ga door naar de volgende stap\",\"F3/nus\":\"Doorgaan naar betaling\",\"1JnTgU\":\"Gekopieerd van boven\",\"FxVG/l\":\"Gekopieerd naar klembord\",\"PiH3UR\":\"Gekopieerd!\",\"uUPbPg\":\"Kopieer affiliatelink\",\"iVm46+\":\"Kopieer code\",\"+2ZJ7N\":\"Kopieer gegevens naar eerste deelnemer\",\"ZN1WLO\":\"Kopieer Email\",\"tUGbi8\":\"Mijn gegevens kopiëren naar:\",\"y22tv0\":\"Kopieer deze link om hem overal te delen\",\"/4gGIX\":\"Kopiëren naar klembord\",\"P0rbCt\":\"Omslagafbeelding\",\"60u+dQ\":\"Omslagafbeelding wordt bovenaan je evenementpagina weergegeven\",\"2NLjA6\":\"De omslagafbeelding wordt bovenaan je organisatorpagina weergegeven\",\"zg4oSu\":[\"Maak \",[\"0\"],\" Sjabloon\"],\"xfKgwv\":\"Affiliate aanmaken\",\"dyrgS4\":\"Maak en pas je evenementpagina direct aan\",\"BTne9e\":\"Maak aangepaste e-mailsjablonen voor dit evenement die de organisator-standaarden overschrijven\",\"YIDzi/\":\"Maak Aangepaste Sjabloon\",\"8AiKIu\":\"Maak ticket of product aan\",\"agZ87r\":\"Maak tickets voor je evenement, stel prijzen in en beheer de beschikbare hoeveelheid.\",\"dkAPxi\":\"Webhook maken\",\"5slqwZ\":\"Maak je evenement aan\",\"JQNMrj\":\"Maak je eerste evenement\",\"CCjxOC\":\"Maak je eerste evenement aan om tickets te verkopen en deelnemers te beheren.\",\"ZCSSd+\":\"Maak je eigen evenement\",\"67NsZP\":\"Evenement aanmaken...\",\"H34qcM\":\"Organisator aanmaken...\",\"1YMS+X\":\"Je evenement wordt aangemaakt, even geduld\",\"yiy8Jt\":\"Je organisatorprofiel wordt aangemaakt, even geduld\",\"lfLHNz\":\"CTA label is verplicht\",\"BMtue0\":\"Huidige betalingsverwerker\",\"iTvh6I\":\"Momenteel beschikbaar voor aankoop\",\"mimF6c\":\"Aangepast bericht na checkout\",\"axv/Mi\":\"Aangepaste sjabloon\",\"QMHSMS\":\"Klant ontvangt een e-mail ter bevestiging van de terugbetaling\",\"L/Qc+w\":\"E-mailadres van klant\",\"wpfWhJ\":\"Voornaam van klant\",\"GIoqtA\":\"Achternaam van klant\",\"NihQNk\":\"Klanten\",\"7gsjkI\":\"Pas de e-mails aan die naar uw klanten worden verzonden met behulp van Liquid-sjablonen. Deze sjablonen worden gebruikt als standaard voor alle evenementen in uw organisatie.\",\"iX6SLo\":\"Pas de tekst op de knop 'Doorgaan' aan\",\"pxNIxa\":\"Pas uw e-mailsjabloon aan met Liquid-sjablonen\",\"q9Jg0H\":\"Pas het ontwerp van je evenementpagina en widget aan zodat ze perfect bij je merk passen\",\"mkLlne\":\"Pas het uiterlijk van je evenementpagina aan\",\"3trPKm\":\"Pas het uiterlijk van je organisatorpagina aan\",\"4df0iX\":\"Pas het uiterlijk van uw ticket aan\",\"/gWrVZ\":\"Dagelijkse omzet, belastingen, kosten en terugbetalingen voor alle evenementen\",\"zgCHnE\":\"Dagelijks verkooprapport\",\"nHm0AI\":\"Dagelijkse uitsplitsing naar verkoop, belasting en kosten\",\"pvnfJD\":\"Donker\",\"lnYE59\":\"Datum van het evenement\",\"gnBreG\":\"Datum waarop de bestelling is geplaatst\",\"JtI4vj\":\"Standaard verzameling deelnemersinformatie\",\"1bZAZA\":\"Standaardsjabloon wordt gebruikt\",\"vu7gDm\":\"Verwijder affiliate\",\"+jw/c1\":\"Verwijder afbeelding\",\"dPyJ15\":\"Sjabloon Verwijderen\",\"snMaH4\":\"Webhook verwijderen\",\"vYgeDk\":\"Deselecteer alles\",\"NvuEhl\":\"Ontwerpelementen\",\"H8kMHT\":\"Geen code ontvangen?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dit bericht negeren\",\"BREO0S\":\"Toon een selectievakje waarmee klanten zich kunnen aanmelden voor marketingcommunicatie van deze evenementenorganisator.\",\"TvY/XA\":\"Documentatie\",\"Kdpf90\":\"Niet vergeten!\",\"V6Jjbr\":\"Heb je geen account? <0>Aanmelden\",\"AXXqG+\":\"Donatie\",\"DPfwMq\":\"Klaar\",\"eneWvv\":\"Concept\",\"TnzbL+\":\"Vanwege het hoge risico op spam moet u een Stripe-account koppelen voordat u berichten naar deelnemers kunt verzenden.\\nDit is om ervoor te zorgen dat alle evenementorganisatoren geverifieerd en verantwoordelijk zijn.\",\"euc6Ns\":\"Dupliceren\",\"KRmTkx\":\"Dupliceer product\",\"KIjvtr\":\"Nederlands\",\"SPKbfM\":\"bijv. Tickets kopen, Nu registreren\",\"LTzmgK\":[\"Bewerk \",[\"0\"],\" Sjabloon\"],\"v4+lcZ\":\"Bewerk affiliate\",\"2iZEz7\":\"Antwoord bewerken\",\"fW5sSv\":\"Webhook bewerken\",\"nP7CdQ\":\"Webhook bewerken\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Educatie\",\"zPiC+q\":\"In Aanmerking Komende Incheck Lijsten\",\"V2sk3H\":\"E-mail & Sjablonen\",\"hbwCKE\":\"E-mailadres gekopieerd naar klembord\",\"dSyJj6\":\"E-mailadressen komen niet overeen\",\"elW7Tn\":\"E-mail Hoofdtekst\",\"ZsZeV2\":\"E-mail is verplicht\",\"Be4gD+\":\"E-mail Voorbeeld\",\"6IwNUc\":\"E-mail Sjablonen\",\"H/UMUG\":\"E-mailverificatie vereist\",\"L86zy2\":\"E-mail succesvol geverifieerd!\",\"Upeg/u\":\"Schakel deze sjabloon in voor het verzenden van e-mails\",\"RxzN1M\":\"Ingeschakeld\",\"sGjBEq\":\"Einddatum & tijd (optioneel)\",\"PKXt9R\":\"Einddatum moet na begindatum liggen\",\"48Y16Q\":\"Eindtijd (optioneel)\",\"7YZofi\":\"Voer een onderwerp en hoofdtekst in om het voorbeeld te zien\",\"3bR1r4\":\"Voer affiliate e-mail in (optioneel)\",\"ARkzso\":\"Voer affiliatenaam in\",\"INDKM9\":\"Voer e-mailonderwerp in...\",\"kWg31j\":\"Voer unieke affiliatecode in\",\"C3nD/1\":\"Voer je e-mailadres in\",\"n9V+ps\":\"Voer je naam in\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Fout bij het laden van logboeken\",\"AKbElk\":\"EU BTW-geregistreerde bedrijven: Verleggingsregeling is van toepassing (0% - Artikel 196 van BTW-richtlijn 2006/112/EG)\",\"WgD6rb\":\"Evenementcategorie\",\"b46pt5\":\"Evenement coverafbeelding\",\"1Hzev4\":\"Evenement aangepaste sjabloon\",\"imgKgl\":\"Evenementbeschrijving\",\"kJDmsI\":\"Evenement details\",\"m/N7Zq\":\"Volledig Evenementadres\",\"Nl1ZtM\":\"Evenement Locatie\",\"PYs3rP\":\"Evenementnaam\",\"HhwcTQ\":\"Naam van het evenement\",\"WZZzB6\":\"Evenementnaam is verplicht\",\"Wd5CDM\":\"Evenementnaam moet minder dan 150 tekens bevatten\",\"4JzCvP\":\"Evenement niet beschikbaar\",\"Gh9Oqb\":\"Evenement organisator naam\",\"mImacG\":\"Evenementpagina\",\"cOePZk\":\"Evenement Tijd\",\"e8WNln\":\"Tijdzone evenement\",\"GeqWgj\":\"Tijdzone Evenement\",\"XVLu2v\":\"Evenement titel\",\"YDVUVl\":\"Soorten evenementen\",\"4K2OjV\":\"Evenementlocatie\",\"19j6uh\":\"Evenementenprestaties\",\"PC3/fk\":\"Evenementen die beginnen in de komende 24 uur\",\"fTFfOK\":\"Elke e-mailsjabloon moet een call-to-action knop bevatten die linkt naar de juiste pagina\",\"VlvpJ0\":\"Antwoorden exporteren\",\"JKfSAv\":\"Exporteren mislukt. Probeer het opnieuw.\",\"SVOEsu\":\"Export gestart. Bestand wordt voorbereid...\",\"9bpUSo\":\"Affiliates exporteren\",\"jtrqH9\":\"Deelnemers exporteren\",\"R4Oqr8\":\"Exporteren voltooid. Bestand wordt gedownload...\",\"UlAK8E\":\"Orders exporteren\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Bestelling annuleren mislukt. Probeer het opnieuw.\",\"cEFg3R\":\"Aanmaken affiliate mislukt\",\"U66oUa\":\"Sjabloon maken mislukt\",\"xFj7Yj\":\"Sjabloon verwijderen mislukt\",\"jo3Gm6\":\"Exporteren affiliates mislukt\",\"Jjw03p\":\"Geen deelnemers geëxporteerd\",\"ZPwFnN\":\"Geen orders kunnen exporteren\",\"X4o0MX\":\"Webhook niet geladen\",\"YQ3QSS\":\"Opnieuw verzenden verificatiecode mislukt\",\"zTkTF3\":\"Sjabloon opslaan mislukt\",\"l6acRV\":\"Kan BTW-instellingen niet opslaan. Probeer het opnieuw.\",\"T6B2gk\":\"Verzenden bericht mislukt. Probeer het opnieuw.\",\"lKh069\":\"Exporttaak niet gestart\",\"t/KVOk\":\"Kan imitatie niet starten. Probeer het opnieuw.\",\"QXgjH0\":\"Kan imitatie niet stoppen. Probeer het opnieuw.\",\"i0QKrm\":\"Bijwerken affiliate mislukt\",\"NNc33d\":\"Antwoord niet bijgewerkt.\",\"7/9RFs\":\"Afbeelding uploaden mislukt.\",\"nkNfWu\":\"Uploaden van afbeelding mislukt. Probeer het opnieuw.\",\"rxy0tG\":\"Verifiëren e-mail mislukt\",\"T4BMxU\":\"Tarieven kunnen worden gewijzigd. Je wordt op de hoogte gebracht van wijzigingen in je tarievenstructuur.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Vul eerst je gegevens hierboven in\",\"8OvVZZ\":\"Filter Deelnemers\",\"8BwQeU\":\"Instelling voltooien\",\"hg80P7\":\"Stripe-instelling voltooien\",\"1vBhpG\":\"Eerste deelnemer\",\"YXhom6\":\"Vast tarief:\",\"KgxI80\":\"Flexibele ticketing\",\"lWxAUo\":\"Eten & Drinken\",\"nFm+5u\":\"Voettekst\",\"MY2SVM\":\"Volledige terugbetaling\",\"vAVBBv\":\"Volledig geïntegreerd\",\"T02gNN\":\"Algemene Toegang\",\"3ep0Gx\":\"Algemene informatie over je organisator\",\"ziAjHi\":\"Genereer\",\"exy8uo\":\"Genereer code\",\"4CETZY\":\"Routebeschrijving\",\"kfVY6V\":\"Gratis aan de slag, geen abonnementskosten\",\"u6FPxT\":\"Koop Tickets\",\"8KDgYV\":\"Bereid je evenement voor\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Ga naar evenementpagina\",\"gHSuV/\":\"Ga naar de startpagina\",\"6nDzTl\":\"Goede leesbaarheid\",\"n8IUs7\":\"Bruto-omzet\",\"kTSQej\":[\"Hallo \",[\"0\"],\", beheer je platform vanaf hier.\"],\"dORAcs\":\"Hier zijn alle tickets die gekoppeld zijn aan je e-mailadres.\",\"g+2103\":\"Hier is je affiliatelink\",\"QlwJ9d\":\"Dit kunt u verwachten:\",\"D+zLDD\":\"Verborgen\",\"Rj6sIY\":\"Verberg extra opties\",\"P+5Pbo\":\"Antwoorden verbergen\",\"gtEbeW\":\"Markeren\",\"NF8sdv\":\"Markeringsbericht\",\"MXSqmS\":\"Dit product markeren\",\"7ER2sc\":\"Uitgelicht\",\"sq7vjE\":\"Gemarkeerde producten krijgen een andere achtergrondkleur om op te vallen op de evenementenpagina.\",\"i0qMbr\":\"Startpagina\",\"AVpmAa\":\"Hoe offline te betalen\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hongaars\",\"4/kP5a\":\"Als er geen nieuw tabblad automatisch is geopend, klik dan op de knop hieronder om door te gaan naar afrekenen.\",\"PYVWEI\":\"Indien geregistreerd, verstrek uw BTW-nummer voor validatie\",\"wOU3Tr\":\"Als je een account bij ons hebt, ontvang je een e-mail met instructies om je wachtwoord opnieuw in te stellen.\",\"an5hVd\":\"Afbeeldingen\",\"tSVr6t\":\"Imiteren\",\"TWXU0c\":\"Imiteer gebruiker\",\"5LAZwq\":\"Imitatie gestart\",\"IMwcdR\":\"Imitatie gestopt\",\"M8M6fs\":\"Belangrijk: Stripe herverbinding vereist\",\"jT142F\":[\"Over \",[\"diffHours\"],\" uur\"],\"OoSyqO\":[\"Over \",[\"diffMinutes\"],\" minuten\"],\"UJLg8x\":\"Diepgaande analyses\",\"cljs3a\":\"Geef aan of u BTW-geregistreerd bent in de EU\",\"F1Xp97\":\"Individuele deelnemers\",\"85e6zs\":\"Liquid Token Invoegen\",\"38KFY0\":\"Variabele Invoegen\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Ongeldig e-mailadres\",\"5tT0+u\":\"Ongeldig e-mailformaat\",\"tnL+GP\":\"Ongeldige Liquid syntax. Corrigeer het en probeer opnieuw.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Nodig een teamlid uit\",\"1z26sk\":\"Teamlid uitnodigen\",\"KR0679\":\"Teamleden uitnodigen\",\"aH6ZIb\":\"Nodig je team uit\",\"IuMGvq\":\"Factuur\",\"y0meFR\":\"Ierse BTW van 23% wordt toegepast op platformkosten (binnenlandse levering).\",\"Lj7sBL\":\"Italiaans\",\"F5/CBH\":\"artikel(en)\",\"BzfzPK\":\"Artikelen\",\"nCywLA\":\"Neem overal vandaan deel\",\"hTJ4fB\":\"Klik gewoon op de knop hieronder om uw Stripe-account opnieuw te verbinden.\",\"MxjCqk\":\"Alleen op zoek naar je tickets?\",\"lB2hSG\":[\"Houd mij op de hoogte van nieuws en evenementen van \",[\"0\"]],\"h0Q9Iw\":\"Laatste reactie\",\"gw3Ur5\":\"Laatst geactiveerd\",\"1njn7W\":\"Licht\",\"1qY5Ue\":\"Link verlopen of ongeldig\",\"psosdY\":\"Link naar bestelgegevens\",\"6JzK4N\":\"Link naar ticket\",\"shkJ3U\":\"Koppel je Stripe-account om geld te ontvangen van ticketverkoop.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live Evenementen\",\"WdmJIX\":\"Voorvertoning laden...\",\"IoDI2o\":\"Tokens laden...\",\"NFxlHW\":\"Webhooks laden\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Omslag\",\"gddQe0\":\"Logo en omslagafbeelding voor je organisator\",\"TBEnp1\":\"Het logo wordt weergegeven in de koptekst\",\"Jzu30R\":\"Logo wordt weergegeven op het ticket\",\"4wUIjX\":\"Maak je evenement live\",\"0A7TvI\":\"Beheer evenement\",\"2FzaR1\":\"Beheer uw betalingsverwerking en bekijk de platformkosten\",\"/x0FyM\":\"Pas aan je merk aan\",\"xDAtGP\":\"Bericht\",\"1jRD0v\":\"Deelnemers berichten sturen met specifieke tickets\",\"97QrnA\":\"Deelnemers berichten sturen, bestellingen beheren en terugbetalingen afhandelen, alles op één plek\",\"48rf3i\":\"Bericht kan niet meer dan 5000 tekens bevatten\",\"Vjat/X\":\"Bericht is verplicht\",\"0/yJtP\":\"Bestelbezitters berichten sturen met specifieke producten\",\"tccUcA\":\"Mobiel inchecken\",\"GfaxEk\":\"Muziek\",\"oVGCGh\":\"Mijn Tickets\",\"8/brI5\":\"Naam is verplicht\",\"sCV5Yc\":\"Naam van het evenement\",\"xxU3NX\":\"Netto-omzet\",\"eWRECP\":\"Nachtleven\",\"HSw5l3\":\"Nee - Ik ben een particulier of een niet-BTW-geregistreerd bedrijf\",\"VHfLAW\":\"Geen accounts\",\"+jIeoh\":\"Geen accounts gevonden\",\"074+X8\":\"Geen actieve webhooks\",\"zxnup4\":\"Geen affiliates om te tonen\",\"99ntUF\":\"Geen incheck lijsten beschikbaar voor dit evenement.\",\"6r9SGl\":\"Geen creditcard nodig\",\"eb47T5\":\"Geen gegevens gevonden voor de geselecteerde filters. Probeer het datumbereik of de valuta aan te passen.\",\"pZNOT9\":\"Geen einddatum\",\"dW40Uz\":\"Geen evenementen gevonden\",\"8pQ3NJ\":\"Geen evenementen die beginnen in de komende 24 uur\",\"8zCZQf\":\"Nog geen evenementen\",\"54GxeB\":\"Geen impact op uw huidige of eerdere transacties\",\"EpvBAp\":\"Geen factuur\",\"XZkeaI\":\"Geen logboeken gevonden\",\"NEmyqy\":\"Nog geen bestellingen\",\"B7w4KY\":\"Geen andere organisatoren beschikbaar\",\"6jYQGG\":\"Geen afgelopen evenementen\",\"zK/+ef\":\"Geen producten beschikbaar voor selectie\",\"QoAi8D\":\"Geen reactie\",\"EK/G11\":\"Nog geen reacties\",\"3sRuiW\":\"Geen tickets gevonden\",\"yM5c0q\":\"Geen aankomende evenementen\",\"qpC74J\":\"Geen gebruikers gevonden\",\"n5vdm2\":\"Er zijn nog geen webhook-events opgenomen voor dit eindpunt. Evenementen zullen hier verschijnen zodra ze worden geactiveerd.\",\"4GhX3c\":\"Geen webhooks\",\"4+am6b\":\"Nee, houd me hier\",\"HVwIsd\":\"Niet-BTW-geregistreerde bedrijven of particulieren: Ierse BTW van 23% is van toepassing\",\"x5+Lcz\":\"Niet Ingecheckt\",\"8n10sz\":\"Niet in Aanmerking\",\"lQgMLn\":\"Naam van kantoor of locatie\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Betaling\",\"nO3VbP\":[\"In de verkoop \",[\"0\"]],\"2r6bAy\":\"Zodra u de upgrade voltooit, wordt uw oude account alleen gebruikt voor terugbetalingen.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online evenement\",\"bU7oUm\":\"Alleen verzenden naar orders met deze statussen\",\"M2w1ni\":\"Alleen zichtbaar met promocode\",\"N141o/\":\"Stripe-dashboard openen\",\"HXMJxH\":\"Optionele tekst voor disclaimers, contactinfo of danknotities (alleen één regel)\",\"c/TIyD\":\"Bestelling & Ticket\",\"H5qWhm\":\"Bestelling geannuleerd\",\"b6+Y+n\":\"Bestelling voltooid\",\"x4MLWE\":\"Bestelling Bevestiging\",\"ppuQR4\":\"Bestelling aangemaakt\",\"0UZTSq\":\"Bestelvaluta\",\"HdmwrI\":\"Bestelling E-mail\",\"bwBlJv\":\"Bestelling Voornaam\",\"vrSW9M\":\"Bestelling is geannuleerd en terugbetaald. De eigenaar van de bestelling is op de hoogte gesteld.\",\"+spgqH\":[\"Bestel-ID: \",[\"0\"]],\"Pc729f\":\"Bestelling Wacht op Offline Betaling\",\"F4NXOl\":\"Bestelling Achternaam\",\"RQCXz6\":\"Bestellimieten\",\"5RDEEn\":\"Besteltaal\",\"vu6Arl\":\"Bestelling gemarkeerd als betaald\",\"sLbJQz\":\"Bestelling niet gevonden\",\"i8VBuv\":\"Bestelnummer\",\"FaPYw+\":\"Eigenaar bestelling\",\"eB5vce\":\"Bestel eigenaars met een specifiek product\",\"CxLoxM\":\"Besteleigenaars met producten\",\"DoH3fD\":\"Bestelbetaling in Behandeling\",\"EZy55F\":\"Bestelling terugbetaald\",\"6eSHqs\":\"Bestelstatussen\",\"oW5877\":\"Bestelling Totaal\",\"e7eZuA\":\"Bijgewerkte bestelling\",\"KndP6g\":\"Bestelling URL\",\"3NT0Ck\":\"Bestelling is geannuleerd\",\"5It1cQ\":\"Geëxporteerde bestellingen\",\"B/EBQv\":\"Bestellingen:\",\"ucgZ0o\":\"Organisatie\",\"S3CZ5M\":\"Organisator-dashboard\",\"Uu0hZq\":\"Organisator e-mail\",\"Gy7BA3\":\"E-mailadres van de organisator\",\"SQqJd8\":\"Organisator niet gevonden\",\"wpj63n\":\"Instellingen van organisator\",\"coIKFu\":\"Statistieken van de organisator zijn niet beschikbaar voor de geselecteerde valuta of er is een fout opgetreden.\",\"o1my93\":\"Bijwerken van organisatorstatus mislukt. Probeer het later opnieuw.\",\"rLHma1\":\"Organisatorstatus bijgewerkt\",\"LqBITi\":\"Organisator/standaardsjabloon wordt gebruikt\",\"/IX/7x\":\"Overig\",\"RsiDDQ\":\"Andere Lijsten (Ticket Niet Inbegrepen)\",\"6/dCYd\":\"Overzicht\",\"8uqsE5\":\"Pagina niet meer beschikbaar\",\"QkLf4H\":\"Pagina-URL\",\"sF+Xp9\":\"Paginaweergaven\",\"5F7SYw\":\"Gedeeltelijke terugbetaling\",\"fFYotW\":[\"Gedeeltelijk terugbetaald: \",[\"0\"]],\"Ff0Dor\":\"Verleden\",\"xTPjSy\":\"Afgelopen evenementen\",\"/l/ckQ\":\"Plak URL\",\"URAE3q\":\"Gepauzeerd\",\"4fL/V7\":\"Betalen\",\"OZK07J\":\"Betaal om te ontgrendelen\",\"TskrJ8\":\"Betaling & Plan\",\"ENEPLY\":\"Betaalmethode\",\"EyE8E6\":\"Verwerking van betalingen\",\"8Lx2X7\":\"Betaling ontvangen\",\"vcyz2L\":\"Betalingsinstellingen\",\"fx8BTd\":\"Betalingen niet beschikbaar\",\"51U9mG\":\"Betalingen blijven zonder onderbreking doorlopen\",\"VlXNyK\":\"Per bestelling\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Prestaties\",\"zmwvG2\":\"Telefoon\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Een evenement plannen?\",\"br3Y/y\":\"Platformkosten\",\"jEw0Mr\":\"Voer een geldige URL in\",\"n8+Ng/\":\"Voer de 5-cijferige code in\",\"r+lQXT\":\"Voer uw BTW-nummer in\",\"Dvq0wf\":\"Geef een afbeelding op.\",\"2cUopP\":\"Start het bestelproces opnieuw.\",\"8KmsFa\":\"Selecteer een datumbereik\",\"EFq6EG\":\"Selecteer een afbeelding.\",\"fuwKpE\":\"Probeer het opnieuw.\",\"klWBeI\":\"Wacht even voordat je een nieuwe code aanvraagt\",\"hfHhaa\":\"Even geduld terwijl we je affiliates voorbereiden voor export...\",\"o+tJN/\":\"Wacht even terwijl we je deelnemers voorbereiden voor export...\",\"+5Mlle\":\"Even geduld alstublieft terwijl we uw bestellingen klaarmaken voor export...\",\"TjX7xL\":\"Post-Checkout Bericht\",\"cs5muu\":\"Voorbeeld van de evenementpagina\",\"+4yRWM\":\"Prijs van het ticket\",\"a5jvSX\":\"Prijsniveaus\",\"ReihZ7\":\"Afdrukvoorbeeld\",\"JnuPvH\":\"Ticket afdrukken\",\"tYF4Zq\":\"Afdrukken naar PDF\",\"LcET2C\":\"Privacybeleid\",\"8z6Y5D\":\"Terugbetaling verwerken\",\"JcejNJ\":\"Bestelling verwerken\",\"EWCLpZ\":\"Gemaakt product\",\"XkFYVB\":\"Product verwijderd\",\"YMwcbR\":\"Uitsplitsing productverkoop, inkomsten en belastingen\",\"ldVIlB\":\"Bijgewerkt product\",\"mIqT3T\":\"Producten, koopwaar en flexibele prijsopties\",\"JoKGiJ\":\"Kortingscode\",\"k3wH7i\":\"Gebruik van promocodes en uitsplitsing van kortingen\",\"uEhdRh\":\"Alleen promo\",\"EEYbdt\":\"Publiceren\",\"evDBV8\":\"Evenement publiceren\",\"dsFmM+\":\"Gekocht\",\"YwNJAq\":\"QR-code scannen met directe feedback en veilig delen voor personeel\",\"fqDzSu\":\"Tarief\",\"spsZys\":\"Klaar om te upgraden? Dit duurt slechts een paar minuten.\",\"Fi3b48\":\"Recente bestellingen\",\"Edm6av\":\"Stripe opnieuw verbinden →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Doorverwijzen naar Stripe...\",\"ACKu03\":\"Voorbeeld Vernieuwen\",\"fKn/k6\":\"Terugbetalingsbedrag\",\"qY4rpA\":\"Terugbetaling mislukt\",\"FaK/8G\":[\"Bestelling \",[\"0\"],\" terugbetalen\"],\"MGbi9P\":\"Terugbetaling in behandeling\",\"BDSRuX\":[\"Terugbetaald: \",[\"0\"]],\"bU4bS1\":\"Terugbetalingen\",\"CQeZT8\":\"Rapport niet gevonden\",\"JEPMXN\":\"Nieuwe link aanvragen\",\"mdeIOH\":\"Code opnieuw verzenden\",\"bxoWpz\":\"Bevestigingsmail opnieuw verzenden\",\"G42SNI\":\"E-mail opnieuw verzenden\",\"TTpXL3\":[\"Opnieuw verzenden over \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Gereserveerd\",\"8wUjGl\":\"Gereserveerd tot\",\"slOprG\":\"Wachtwoord opnieuw instellen\",\"CbnrWb\":\"Terug naar evenement\",\"Oo/PLb\":\"Omzetoverzicht\",\"dFFW9L\":[\"Uitverkoop eindigde \",[\"0\"]],\"loCKGB\":[\"Uitverkoop eindigt \",[\"0\"]],\"wlfBad\":\"Uitverkoopperiode\",\"zpekWp\":[\"Uitverkoop begint \",[\"0\"]],\"mUv9U4\":\"Verkopen\",\"9KnRdL\":\"Verkoop is gepauzeerd\",\"3VnlS9\":\"Verkopen, bestellingen en prestatie-indicatoren voor alle evenementen\",\"3Q1AWe\":\"Verkoop:\",\"8BRPoH\":\"Voorbeeldlocatie\",\"KZrfYJ\":\"Sociale links opslaan\",\"9Y3hAT\":\"Sjabloon Opslaan\",\"C8ne4X\":\"Ticketontwerp Opslaan\",\"6/TNCd\":\"BTW-instellingen opslaan\",\"I+FvbD\":\"Scannen\",\"4ba0NE\":\"Gepland\",\"ftNXma\":\"Zoek affiliates...\",\"VY+Bdn\":\"Zoeken op accountnaam of e-mail...\",\"VX+B3I\":\"Zoeken op evenement titel of organisator...\",\"GHdjuo\":\"Zoeken op naam, e-mail of account...\",\"Mck5ht\":\"Veilige afrekening\",\"p7xUrt\":\"Selecteer een categorie\",\"BFRSTT\":\"Selecteer Account\",\"mCB6Je\":\"Selecteer alles\",\"kYZSFD\":\"Selecteer een organisator om hun dashboard en evenementen te bekijken.\",\"tVW/yo\":\"Selecteer valuta\",\"n9ZhRa\":\"Selecteer einddatum en tijd\",\"gTN6Ws\":\"Selecteer eindtijd\",\"0U6E9W\":\"Selecteer evenementcategorie\",\"j9cPeF\":\"Soorten evenementen selecteren\",\"1nhy8G\":\"Selecteer scannertype\",\"KizCK7\":\"Selecteer startdatum en tijd\",\"dJZTv2\":\"Selecteer starttijd\",\"aT3jZX\":\"Selecteer tijdzone\",\"Ropvj0\":\"Selecteer welke evenementen deze webhook activeren\",\"BG3f7v\":\"Verkoop alles\",\"VtX8nW\":\"Verkoop merchandise naast tickets met geïntegreerde ondersteuning voor btw en promotiecodes\",\"Cye3uV\":\"Meer verkopen dan alleen kaartjes\",\"j9b/iy\":\"Verkoopt snel 🔥\",\"1lNPhX\":\"Terugbetalingsmelding e-mail verzenden\",\"SPdzrs\":\"Verzonden naar klanten wanneer ze een bestelling plaatsen\",\"LxSN5F\":\"Verzonden naar elke deelnemer met hun ticketgegevens\",\"eXssj5\":\"Stel standaardinstellingen in voor nieuwe evenementen die onder deze organisator worden gemaakt.\",\"xMO+Ao\":\"Stel je organisatie in\",\"HbUQWA\":\"Set-up in enkele minuten\",\"GG7qDw\":\"Deel affiliatelink\",\"hL7sDJ\":\"Deel organisatorpagina\",\"WHY75u\":\"Toon extra opties\",\"cMW+gm\":[\"Toon alle platforms (\",[\"0\"],\" meer met waarden)\"],\"UVPI5D\":\"Toon minder platforms\",\"Eu/N/d\":\"Toon marketing opt-in selectievakje\",\"SXzpzO\":\"Toon marketing opt-in selectievakje standaard\",\"b33PL9\":\"Toon meer platforms\",\"v6IwHE\":\"Slim inchecken\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Sociaal\",\"d0rUsW\":\"Sociale links\",\"j/TOB3\":\"Sociale links & website\",\"2pxNFK\":\"verkocht\",\"s9KGXU\":\"Verkocht\",\"KTxc6k\":\"Er is iets misgegaan. Probeer het opnieuw of neem contact op met support als het probleem zich blijft voordoen\",\"H6Gslz\":\"Sorry voor het ongemak.\",\"7JFNej\":\"Sport\",\"JcQp9p\":\"Startdatum & tijd\",\"0m/ekX\":\"Startdatum & tijd\",\"izRfYP\":\"Startdatum is verplicht\",\"2R1+Rv\":\"Starttijd van het evenement\",\"2NbyY/\":\"Statistieken\",\"DRykfS\":\"Behandelt nog steeds terugbetalingen voor uw oudere transacties.\",\"wuV0bK\":\"Stop Imiteren\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe-installatie is al voltooid.\",\"ii0qn/\":\"Onderwerp is verplicht\",\"M7Uapz\":\"Onderwerp verschijnt hier\",\"6aXq+t\":\"Onderwerp:\",\"JwTmB6\":\"Succesvol gedupliceerd product\",\"RuaKfn\":\"Adres succesvol bijgewerkt\",\"kzx0uD\":\"Standaardinstellingen evenement succesvol bijgewerkt\",\"5n+Wwp\":\"Organisator succesvol bijgewerkt\",\"0Dk/l8\":\"SEO-instellingen succesvol bijgewerkt\",\"MhOoLQ\":\"Sociale links succesvol bijgewerkt\",\"kj7zYe\":\"Webhook succesvol bijgewerkt\",\"dXoieq\":\"Samenvatting\",\"/RfJXt\":[\"Zomer Muziekfestival \",[\"0\"]],\"CWOPIK\":\"Zomer Muziekfestival 2025\",\"5gIl+x\":\"Ondersteuning voor gelaagde, op donaties gebaseerde en productverkoop met aanpasbare prijzen en capaciteit\",\"JZTQI0\":\"Wissel van organisator\",\"XX32BM\":\"Duurt slechts een paar minuten\",\"yT6dQ8\":\"Geïnde belasting gegroepeerd op belastingtype en evenement\",\"Ye321X\":\"Belastingnaam\",\"WyCBRt\":\"Belastingoverzicht\",\"GkH0Pq\":\"Belastingen en kosten toegepast\",\"SmvJCM\":\"Belastingen, kosten, uitverkoopperiode, bestellimieten en zichtbaarheidsinstellingen\",\"vlf/In\":\"Technologie\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Vertel mensen wat ze kunnen verwachten van je evenement\",\"NiIUyb\":\"Vertel ons over je evenement\",\"DovcfC\":\"Vertel ons over je organisatie. Deze informatie wordt weergegeven op je evenementpagina's.\",\"7wtpH5\":\"Sjabloon Actief\",\"QHhZeE\":\"Sjabloon succesvol aangemaakt\",\"xrWdPR\":\"Sjabloon succesvol verwijderd\",\"G04Zjt\":\"Sjabloon succesvol opgeslagen\",\"xowcRf\":\"Servicevoorwaarden\",\"6K0GjX\":\"Tekst kan moeilijk leesbaar zijn\",\"nm3Iz/\":\"Bedankt voor uw aanwezigheid!\",\"lhAWqI\":\"Bedankt voor uw steun terwijl we Hi.Events blijven uitbreiden en verbeteren!\",\"KfmPRW\":\"De achtergrondkleur van de pagina. Bij gebruik van een omslagafbeelding wordt dit als overlay toegepast.\",\"MDNyJz\":\"De code verloopt over 10 minuten. Controleer je spammap als je de e-mail niet ziet.\",\"MJm4Tq\":\"De valuta van de bestelling\",\"I/NNtI\":\"De evenementlocatie\",\"tXadb0\":\"Het evenement dat je zoekt is momenteel niet beschikbaar. Mogelijk is het verwijderd, verlopen of is de URL onjuist.\",\"EBzPwC\":\"Het volledige evenementadres\",\"sxKqBm\":\"Het volledige bestellingsbedrag wordt terugbetaald naar de oorspronkelijke betalingsmethode van de klant.\",\"5OmEal\":\"De taal van de klant\",\"sYLeDq\":\"De organisator die je zoekt is niet gevonden. De pagina is mogelijk verplaatst, verwijderd of de URL is onjuist.\",\"HxxXZO\":\"De primaire merkkleur die wordt gebruikt voor knoppen en accenten\",\"DEcpfp\":\"Het template body bevat ongeldige Liquid syntax. Corrigeer het en probeer opnieuw.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Thema en kleuren\",\"HirZe8\":\"Deze sjablonen worden gebruikt als standaard voor alle evenementen in uw organisatie. Individuele evenementen kunnen deze sjablonen overschrijven met hun eigen aangepaste versies.\",\"lzAaG5\":\"Deze sjablonen overschrijven de organisator-standaarden alleen voor dit evenement. Als hier geen aangepaste sjabloon is ingesteld, wordt in plaats daarvan de organisatorsjabloon gebruikt.\",\"XBNC3E\":\"Deze code wordt gebruikt om verkopen bij te houden. Alleen letters, cijfers, streepjes en underscores toegestaan.\",\"AaP0M+\":\"Deze kleurencombinatie kan moeilijk leesbaar zijn voor sommige gebruikers\",\"YClrdK\":\"Dit evenement is nog niet gepubliceerd\",\"dFJnia\":\"Dit is de naam van je organisator die aan je gebruikers wordt getoond.\",\"L7dIM7\":\"Deze link is ongeldig of verlopen.\",\"j5FdeA\":\"Deze bestelling wordt verwerkt.\",\"sjNPMw\":\"Deze bestelling is verlaten. U kunt op elk moment een nieuwe bestelling starten.\",\"OhCesD\":\"Deze bestelling is geannuleerd. Je kunt op elk moment een nieuwe bestelling plaatsen.\",\"lyD7rQ\":\"Dit organisatorprofiel is nog niet gepubliceerd\",\"9b5956\":\"Dit voorbeeld toont hoe uw e-mail eruit ziet met voorbeeldgegevens. Werkelijke e-mails gebruiken echte waarden.\",\"uM9Alj\":\"Dit product is uitgelicht op de evenementpagina\",\"RqSKdX\":\"Dit product is uitverkocht\",\"0Ew0uk\":\"Dit ticket is net gescand. Wacht even voordat u opnieuw scant.\",\"kvpxIU\":\"Dit wordt gebruikt voor meldingen en communicatie met je gebruikers.\",\"rhsath\":\"Dit is niet zichtbaar voor klanten, maar helpt je de affiliate te identificeren.\",\"Mr5UUd\":\"Ticket geannuleerd\",\"0GSPnc\":\"Ticketontwerp\",\"EZC/Cu\":\"Ticketontwerp succesvol opgeslagen\",\"1BPctx\":\"Ticket voor\",\"bgqf+K\":\"E-mail van tickethouder\",\"oR7zL3\":\"Naam van tickethouder\",\"HGuXjF\":\"Tickethouders\",\"awHmAT\":\"Ticket-ID\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Naam\",\"6tmWch\":\"Ticket of product\",\"1tfWrD\":\"Ticketvoorbeeld voor\",\"tGCY6d\":\"Ticket Prijs\",\"8jLPgH\":\"Tickettype\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets en producten\",\"EUnesn\":\"Tickets beschikbaar\",\"AGRilS\":\"Verkochte Tickets\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Om creditcardbetalingen te ontvangen, moet je je Stripe-account koppelen. Stripe is onze partner voor betalingsverwerking die veilige transacties en tijdige uitbetalingen garandeert.\",\"W428WC\":\"Kolommen schakelen\",\"3sZ0xx\":\"Totaal Accounts\",\"EaAPbv\":\"Totaal betaald bedrag\",\"SMDzqJ\":\"Totaal deelnemers\",\"orBECM\":\"Totaal geïnd\",\"KSDwd5\":\"Totaal aantal bestellingen\",\"vb0Q0/\":\"Totaal Gebruikers\",\"/b6Z1R\":\"Inkomsten, paginaweergaves en verkopen bijhouden met gedetailleerde analyses en exporteerbare rapporten\",\"OpKMSn\":\"Transactiekosten:\",\"uKOFO5\":\"Waar als offline betaling\",\"9GsDR2\":\"Waar als betaling in behandeling\",\"ouM5IM\":\"Probeer een ander e-mailadres\",\"3DZvE7\":\"Probeer Hi.Events Gratis\",\"Kz91g/\":\"Turks\",\"GdOhw6\":\"Geluid uitschakelen\",\"KUOhTy\":\"Geluid inschakelen\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type ticket\",\"IrVSu+\":\"Kan product niet dupliceren. Controleer uw gegevens\",\"Vx2J6x\":\"Kan deelnemer niet ophalen\",\"b9SN9q\":\"Unieke bestelreferentie\",\"Ef7StM\":\"Onbekend\",\"ZBAScj\":\"Onbekende deelnemer\",\"ZkS2p3\":\"Evenement niet publiceren\",\"Pp1sWX\":\"Affiliate bijwerken\",\"KMMOAy\":\"Upgrade beschikbaar\",\"gJQsLv\":\"Upload een omslagafbeelding voor je organisator\",\"4kEGqW\":\"Upload een logo voor je organisator\",\"lnCMdg\":\"Afbeelding uploaden\",\"29w7p6\":\"Afbeelding uploaden...\",\"HtrFfw\":\"URL is vereist\",\"WBq1/R\":\"USB-scanner al actief\",\"EV30TR\":\"USB-scannermodus geactiveerd. Begin nu met het scannen van tickets.\",\"fovJi3\":\"USB-scannermodus gedeactiveerd\",\"hli+ga\":\"USB/HID-scanner\",\"OHJXlK\":\"Gebruik <0>Liquid-templating om uw e-mails te personaliseren\",\"0k4cdb\":\"Gebruik bestelgegevens voor alle deelnemers. Namen en e-mailadressen van deelnemers komen overeen met de informatie van de koper.\",\"rnoQsz\":\"Gebruikt voor randen, accenten en QR-code styling\",\"Fild5r\":\"Geldig BTW-nummer\",\"sqdl5s\":\"BTW-informatie\",\"UjNWsF\":\"BTW kan worden toegepast op platformkosten afhankelijk van uw BTW-registratiestatus. Vul het BTW-informatiegedeelte hieronder in.\",\"pnVh83\":\"BTW-nummer\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"BTW-nummervalidatie mislukt. Controleer uw nummer en probeer het opnieuw.\",\"PCRCCN\":\"BTW-registratie-informatie\",\"vbKW6Z\":\"BTW-instellingen succesvol opgeslagen en gevalideerd\",\"fb96a1\":\"BTW-instellingen opgeslagen maar validatie mislukt. Controleer uw BTW-nummer.\",\"Nfbg76\":\"BTW-instellingen succesvol opgeslagen\",\"tJylUv\":\"BTW-behandeling voor platformkosten\",\"FlGprQ\":\"BTW-behandeling voor platformkosten: EU BTW-geregistreerde bedrijven kunnen de verleggingsregeling gebruiken (0% - Artikel 196 van BTW-richtlijn 2006/112/EG). Niet-BTW-geregistreerde bedrijven worden Ierse BTW van 23% in rekening gebracht.\",\"AdWhjZ\":\"Verificatiecode\",\"wCKkSr\":\"Verifieer e-mail\",\"/IBv6X\":\"Verifieer je e-mailadres\",\"e/cvV1\":\"Verifiëren...\",\"fROFIL\":\"Vietnamees\",\"+WFMis\":\"Bekijk en download rapporten voor al uw evenementen. Alleen voltooide bestellingen zijn inbegrepen.\",\"gj5YGm\":\"Bekijk en download rapporten voor je evenement. Let op: alleen voltooide bestellingen worden opgenomen in deze rapporten.\",\"c7VN/A\":\"Antwoorden bekijken\",\"FCVmuU\":\"Bekijk evenement\",\"n6EaWL\":\"Logboeken bekijken\",\"OaKTzt\":\"Bekijk kaart\",\"67OJ7t\":\"Bestelling Bekijken\",\"tKKZn0\":\"Bekijk bestelgegevens\",\"9jnAcN\":\"Bekijk organisator-homepage\",\"1J/AWD\":\"Ticket Bekijken\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Alleen zichtbaar voor check-in personeel. Helpt deze lijst te identificeren tijdens check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Wachten op betaling\",\"RRZDED\":\"We konden geen bestellingen vinden die gekoppeld zijn aan dit e-mailadres.\",\"miysJh\":\"We konden deze bestelling niet vinden. Mogelijk is deze verwijderd.\",\"HJKdzP\":\"Er is een probleem opgetreden bij het laden van deze pagina. Probeer het opnieuw.\",\"IfN2Qo\":\"We raden een vierkant logo aan met minimale afmetingen van 200x200px\",\"wJzo/w\":\"We raden een formaat van 400x400 px aan, met een maximale bestandsgrootte van 5 MB\",\"q1BizZ\":\"We sturen je tickets naar dit e-mailadres\",\"zCdObC\":\"We hebben officieel ons hoofdkantoor naar Ierland 🇮🇪 verplaatst. Als onderdeel van deze overgang gebruiken we nu Stripe Ierland in plaats van Stripe Canada. Om uw uitbetalingen soepel te laten verlopen, moet u uw Stripe-account opnieuw verbinden.\",\"jh2orE\":\"We hebben ons hoofdkantoor naar Ierland verplaatst. Daarom moet u uw Stripe-account opnieuw verbinden. Dit snelle proces duurt slechts enkele minuten. Uw verkopen en bestaande gegevens blijven volledig onaangetast.\",\"Fq/Nx7\":\"We hebben een 5-cijferige verificatiecode verzonden naar:\",\"GdWB+V\":\"Webhook succesvol aangemaakt\",\"2X4ecw\":\"Webhook succesvol verwijderd\",\"CThMKa\":\"Webhook logboeken\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook verzendt geen meldingen\",\"FSaY52\":\"Webhook stuurt meldingen\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Welkom terug 👋\",\"kSYpfa\":[\"Welkom bij \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Welkom bij \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Welkom bij \",[\"0\"],\", hier is een overzicht van al je evenementen\"],\"FaSXqR\":\"Wat voor type evenement?\",\"f30uVZ\":\"Wat u moet doen:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Wanneer een check-in wordt verwijderd\",\"Gmd0hv\":\"Wanneer een nieuwe deelnemer wordt aangemaakt\",\"Lc18qn\":\"Wanneer een nieuwe order wordt aangemaakt\",\"dfkQIO\":\"Wanneer een nieuw product wordt gemaakt\",\"8OhzyY\":\"Wanneer een product wordt verwijderd\",\"tRXdQ9\":\"Wanneer een product wordt bijgewerkt\",\"Q7CWxp\":\"Wanneer een deelnemer wordt geannuleerd\",\"IuUoyV\":\"Wanneer een deelnemer is ingecheckt\",\"nBVOd7\":\"Wanneer een deelnemer wordt bijgewerkt\",\"ny2r8d\":\"Wanneer een bestelling wordt geannuleerd\",\"c9RYbv\":\"Wanneer een bestelling is gemarkeerd als betaald\",\"ejMDw1\":\"Wanneer een bestelling wordt terugbetaald\",\"fVPt0F\":\"Wanneer een bestelling wordt bijgewerkt\",\"bcYlvb\":\"Wanneer check-in sluit\",\"XIG669\":\"Wanneer check-in opent\",\"de6HLN\":\"Wanneer klanten tickets kopen, verschijnen hun bestellingen hier.\",\"blXLKj\":\"Indien ingeschakeld, tonen nieuwe evenementen een marketing opt-in selectievakje tijdens het afrekenen. Dit kan per evenement worden overschreven.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Schrijf hier je bericht...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Ja - Ik heb een geldig EU BTW-registratienummer\",\"Tz5oXG\":\"Ja, annuleer mijn bestelling\",\"QlSZU0\":[\"U imiteert <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"U geeft een gedeeltelijke terugbetaling uit. De klant krijgt \",[\"0\"],\" \",[\"1\"],\" terugbetaald.\"],\"casL1O\":\"Je hebt belastingen en kosten toegevoegd aan een Gratis product. Wilt u deze verwijderen?\",\"FVTVBy\":\"Je moet je e-mailadres verifiëren voordat je de status van de organisator kunt bijwerken.\",\"FRl8Jv\":\"U moet het e-mailadres van uw account verifiëren voordat u berichten kunt verzenden.\",\"U3wiCB\":\"U bent helemaal klaar! Uw betalingen worden soepel verwerkt.\",\"MNFIxz\":[\"Je gaat naar \",[\"0\"],\"!\"],\"x/xjzn\":\"Je affiliates zijn succesvol geëxporteerd.\",\"TF37u6\":\"Je deelnemers zijn succesvol geëxporteerd.\",\"79lXGw\":\"Je check-in lijst is succesvol aangemaakt. Deel de onderstaande link met je check-in personeel.\",\"BnlG9U\":\"Uw huidige bestelling gaat verloren.\",\"nBqgQb\":\"Uw e-mail\",\"R02pnV\":\"Je evenement moet live zijn voordat je tickets kunt verkopen aan deelnemers.\",\"ifRqmm\":\"Je bericht is succesvol verzonden!\",\"/Rj5P4\":\"Jouw naam\",\"naQW82\":\"Uw bestelling is geannuleerd.\",\"bhlHm/\":\"Je bestelling wacht op betaling\",\"XeNum6\":\"Je bestellingen zijn succesvol geëxporteerd.\",\"Xd1R1a\":\"Adres van je organisator\",\"WWYHKD\":\"Uw betaling is beveiligd met encryptie op bankniveau\",\"6heFYY\":\"Uw Stripe-account is verbonden en verwerkt betalingen.\",\"vvO1I2\":\"Je Stripe-account is verbonden en klaar om betalingen te verwerken.\",\"CnZ3Ou\":\"Je tickets zijn bevestigd.\",\"d/CiU9\":\"Uw BTW-nummer wordt automatisch gevalideerd wanneer u opslaat\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/nl.po b/frontend/src/locales/nl.po index 597b657723..0af17f27b2 100644 --- a/frontend/src/locales/nl.po +++ b/frontend/src/locales/nl.po @@ -35,7 +35,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -63,7 +63,7 @@ msgstr "{0} succesvol aangemaakt" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "nog {0}" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -112,7 +112,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Belasting/Kosten" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -260,15 +260,15 @@ msgstr "Een standaardbelasting, zoals BTW of GST" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Verlaten" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "Over" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "Over Stripe Connect" @@ -289,8 +289,8 @@ msgstr "Accepteer creditcardbetalingen met Stripe" msgid "Accept Invitation" msgstr "Uitnodiging accepteren" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Toegang geweigerd" @@ -299,7 +299,7 @@ msgstr "Toegang geweigerd" msgid "Account" msgstr "Account" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Account al verbonden!" @@ -322,10 +322,14 @@ msgstr "Account succesvol bijgewerkt" msgid "Accounts" msgstr "Accounts" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Actie vereist: Verbind uw Stripe-account opnieuw" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Actie vereist: BTW-informatie nodig" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -428,7 +432,7 @@ msgstr "Niveau toevoegen" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Toevoegen aan kalender" @@ -550,7 +554,7 @@ msgstr "Alle deelnemers aan dit evenement" msgid "All Currencies" msgstr "Alle valuta's" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "Klaar! U gebruikt nu ons verbeterde betalingssysteem." @@ -580,8 +584,8 @@ msgstr "Indexering door zoekmachines toestaan" msgid "Allow search engines to index this event" msgstr "Laat zoekmachines dit evenement indexeren" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Bijna klaar! Voltooi het verbinden van uw Stripe-account om betalingen te accepteren." @@ -603,7 +607,7 @@ msgstr "Deze bestelling ook terugbetalen" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Altijd beschikbaar" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -638,7 +642,7 @@ msgstr "Er is een fout opgetreden tijdens het sorteren van de vragen. Probeer he #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Een optioneel bericht om weer te geven op het uitgelichte product, bijv. \"Snel uitverkocht 🔥\" of \"Beste waarde\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -728,7 +732,7 @@ msgstr "Weet je zeker dat je deze sjabloon wilt verwijderen? Deze actie kan niet msgid "Are you sure you want to delete this webhook?" msgstr "Weet je zeker dat je deze webhook wilt verwijderen?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Weet u zeker dat u wilt vertrekken?" @@ -778,10 +782,23 @@ msgstr "Weet je zeker dat je deze Capaciteitstoewijzing wilt verwijderen?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Weet je zeker dat je deze Check-In lijst wilt verwijderen?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "Bent u BTW-geregistreerd in de EU?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Kunst" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Aangezien uw bedrijf gevestigd is in Ierland, is Ierse BTW van 23% automatisch van toepassing op alle platformkosten." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Aangezien uw bedrijf gevestigd is in de EU, moeten we de juiste BTW-behandeling voor onze platformkosten bepalen:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Vraag één keer per bestelling" @@ -820,7 +837,7 @@ msgstr "Details deelnemers" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "Deelnemersgegevens worden gekopieerd van de bestelgegevens." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -828,11 +845,11 @@ msgstr "Deelnemer E-mail" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Verzameling deelnemersinformatie" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "Verzameling deelnemersinformatie is ingesteld op \"Per bestelling\". Deelnemersgegevens worden gekopieerd van de bestelgegevens." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -907,7 +924,7 @@ msgstr "Geautomatiseerd invoerbeheer met meerdere inchecklijsten en real-time va #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Automatisch gedetecteerd op basis van achtergrondkleur, maar kan worden overschreven" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1030,7 +1047,7 @@ msgstr "Knoptekst" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "Door verder te gaan, gaat u akkoord met de <0>{0} Servicevoorwaarden" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1109,7 +1126,7 @@ msgstr "Kan niet inchecken" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "Kan niet inchecken (geannuleerd)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1388,7 +1405,7 @@ msgstr "Dit product samenvouwen wanneer de evenementpagina voor het eerst wordt #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "Verzamel deelnemersgegevens voor elk gekocht ticket." #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1397,7 +1414,7 @@ msgstr "Kleur" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "Kleurmodus" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1409,7 +1426,7 @@ msgstr "Kleuren" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "Kolommen" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1438,7 +1455,7 @@ msgstr "Volledige betaling" msgid "Complete Stripe Setup" msgstr "Volledige Stripe-instelling" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Voltooi de onderstaande instelling om door te gaan" @@ -1531,11 +1548,11 @@ msgstr "E-mailadres bevestigen..." msgid "Congratulations on creating an event!" msgstr "Gefeliciteerd met het aanmaken van een evenement!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Verbinden en upgraden" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Documentatie aansluiten" @@ -1561,9 +1578,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Verbinding maken met CRM en taken automatiseren met webhooks en integraties" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Maak verbinding met Stripe" @@ -1572,15 +1589,15 @@ msgstr "Maak verbinding met Stripe" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Koppel je Stripe-account om betalingen voor tickets en producten te accepteren." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Verbind uw Stripe-account om betalingen te accepteren." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Verbind uw Stripe-account om betalingen voor uw evenementen te accepteren." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Verbind uw Stripe-account om betalingen te accepteren." @@ -1588,8 +1605,8 @@ msgstr "Verbind uw Stripe-account om betalingen te accepteren." msgid "Connect your Stripe account to start receiving payments." msgstr "Maak verbinding met je Stripe-account om betalingen te ontvangen." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Verbonden met Stripe" @@ -1597,7 +1614,7 @@ msgstr "Verbonden met Stripe" msgid "Connection Details" msgstr "Details verbinding" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Contact" @@ -1927,13 +1944,13 @@ msgstr "Valuta" msgid "Current Password" msgstr "Huidig wachtwoord" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Huidige betalingsverwerker" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "Momenteel beschikbaar voor aankoop" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2058,7 +2075,7 @@ msgstr "Gevarenzone" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "Donker" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2092,7 +2109,7 @@ msgstr "Capaciteit op dag één" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "Standaard verzameling deelnemersinformatie" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2206,7 +2223,7 @@ msgstr "Toon een selectievakje waarmee klanten zich kunnen aanmelden voor market msgid "Document Label" msgstr "Documentlabel" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Documentatie" @@ -2220,7 +2237,7 @@ msgstr "Heb je geen account? <0>Aanmelden" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "Donatie" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2274,7 +2291,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "Dupliceren" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2609,6 +2626,10 @@ msgstr "Voer je e-mailadres in" msgid "Enter your name" msgstr "Voer je naam in" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2626,6 +2647,11 @@ msgstr "Fout bij het bevestigen van een e-mailwijziging" msgid "Error loading logs" msgstr "Fout bij het laden van logboeken" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "EU BTW-geregistreerde bedrijven: Verleggingsregeling is van toepassing (0% - Artikel 196 van BTW-richtlijn 2006/112/EG)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2809,7 +2835,7 @@ msgstr "Evenementenprestaties" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "Evenementen die beginnen in de komende 24 uur" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2935,6 +2961,10 @@ msgstr "Opnieuw verzenden verificatiecode mislukt" msgid "Failed to save template" msgstr "Sjabloon opslaan mislukt" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Kan BTW-instellingen niet opslaan. Probeer het opnieuw." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Verzenden bericht mislukt. Probeer het opnieuw." @@ -2994,7 +3024,7 @@ msgstr "Tarief" msgid "Fees" msgstr "Tarieven" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "Tarieven kunnen worden gewijzigd. Je wordt op de hoogte gebracht van wijzigingen in je tarievenstructuur." @@ -3024,12 +3054,12 @@ msgstr "Filters" msgid "Filters ({activeFilterCount})" msgstr "Filters ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Instelling voltooien" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Stripe-instelling voltooien" @@ -3081,7 +3111,7 @@ msgstr "Vast" msgid "Fixed amount" msgstr "Vast bedrag" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Vast tarief:" @@ -3165,7 +3195,7 @@ msgstr "Genereer code" msgid "German" msgstr "Duits" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Routebeschrijving" @@ -3173,9 +3203,9 @@ msgstr "Routebeschrijving" msgid "Get started for free, no subscription fees" msgstr "Gratis aan de slag, geen abonnementskosten" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "Koop Tickets" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3204,7 +3234,7 @@ msgstr "Ga naar de startpagina" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "Goede leesbaarheid" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3257,7 +3287,7 @@ msgstr "Hier is het React-component dat je kunt gebruiken om de widget in te slu msgid "Here is your affiliate link" msgstr "Hier is je affiliatelink" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Dit kunt u verwachten:" @@ -3268,7 +3298,7 @@ msgstr "Hi {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "Verborgen" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3294,7 +3324,7 @@ msgstr "Verberg" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "Verberg extra opties" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3358,7 +3388,7 @@ msgstr "Dit product markeren" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "Uitgelicht" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3441,6 +3471,10 @@ msgstr "Als dit is ingeschakeld, kunnen incheckmedewerkers aanwezigen markeren a msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Als deze optie is ingeschakeld, ontvangt de organisator een e-mailbericht wanneer er een nieuwe bestelling is geplaatst" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Indien geregistreerd, verstrek uw BTW-nummer voor validatie" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Als je deze wijziging niet hebt aangevraagd, verander dan onmiddellijk je wachtwoord." @@ -3494,11 +3528,11 @@ msgstr "Belangrijk: Stripe herverbinding vereist" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "Over {diffHours} uur" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "Over {diffMinutes} minuten" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3533,6 +3567,10 @@ msgstr "Inclusief {0} producten" msgid "Includes 1 product" msgstr "Omvat 1 product" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Geef aan of u BTW-geregistreerd bent in de EU" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Individuele deelnemers" @@ -3571,6 +3609,10 @@ msgstr "Ongeldig e-mailformaat" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Ongeldige Liquid syntax. Corrigeer het en probeer opnieuw." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Uitnodiging verzonden!" @@ -3601,7 +3643,7 @@ msgstr "Nodig je team uit" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "Factuur" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3620,6 +3662,10 @@ msgstr "Factuurnummering" msgid "Invoice Settings" msgstr "Factuur Instellingen" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "Ierse BTW van 23% wordt toegepast op platformkosten (binnenlandse levering)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Italiaans" @@ -3630,11 +3676,11 @@ msgstr "Item" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "artikel(en)" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "Artikelen" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3644,11 +3690,11 @@ msgstr "Jan" msgid "Johnson" msgstr "Jansen" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Neem overal vandaan deel" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Klik gewoon op de knop hieronder om uw Stripe-account opnieuw te verbinden." @@ -3658,7 +3704,7 @@ msgstr "Alleen op zoek naar je tickets?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "Houd mij op de hoogte van nieuws en evenementen van {0}" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3752,7 +3798,7 @@ msgstr "Laat leeg om het standaardwoord te gebruiken" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "Licht" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3806,7 +3852,7 @@ msgid "Loading..." msgstr "Aan het laden..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3911,7 +3957,7 @@ msgstr "Tickets beheren" msgid "Manage your account details and default settings" msgstr "Beheer je accountgegevens en standaardinstellingen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Beheer uw betalingsverwerking en bekijk de platformkosten" @@ -4108,6 +4154,10 @@ msgstr "Nieuw wachtwoord" msgid "Nightlife" msgstr "Nachtleven" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "Nee - Ik ben een particulier of een niet-BTW-geregistreerd bedrijf" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "Geen accounts" @@ -4174,7 +4224,7 @@ msgstr "Geen Korting" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "Geen einddatum" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4186,7 +4236,7 @@ msgstr "Geen evenementen gevonden" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "Geen evenementen die beginnen in de komende 24 uur" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4200,13 +4250,13 @@ msgstr "Nog geen evenementen" msgid "No filters available" msgstr "Geen filters beschikbaar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Geen impact op uw huidige of eerdere transacties" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "Geen factuur" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4312,10 +4362,15 @@ msgstr "Er zijn nog geen webhook-events opgenomen voor dit eindpunt. Evenementen msgid "No Webhooks" msgstr "Geen webhooks" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "Nee, houd me hier" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Niet-BTW-geregistreerde bedrijven of particulieren: Ierse BTW van 23% is van toepassing" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4408,9 +4463,9 @@ msgstr "In de uitverkoop" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "In de verkoop {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Zodra u de upgrade voltooit, wordt uw oude account alleen gebruikt voor terugbetalingen." @@ -4440,7 +4495,7 @@ msgid "Online event" msgstr "Online evenement" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Online evenement" @@ -4461,7 +4516,7 @@ msgstr "Alleen verzenden naar orders met deze statussen" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "Alleen zichtbaar met promocode" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4472,9 +4527,9 @@ msgstr "Open Check-In Pagina" msgid "Open sidebar" msgstr "Zijbalk openen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Stripe-dashboard openen" @@ -4522,7 +4577,7 @@ msgstr "Bestel" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "Bestelling & Ticket" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4593,7 +4648,7 @@ msgstr "Bestelling Achternaam" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "Bestellimieten" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4722,7 +4777,7 @@ msgstr "Naam organisatie" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4849,7 +4904,7 @@ msgstr "Gedeeltelijk Terugbetaald" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "Gedeeltelijk terugbetaald: {0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4910,7 +4965,7 @@ msgstr "Betalen" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "Betaal om te ontgrendelen" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4951,9 +5006,9 @@ msgstr "Betaalmethode" msgid "Payment Methods" msgstr "Betaalmethoden" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Verwerking van betalingen" @@ -4969,7 +5024,7 @@ msgstr "Betaling ontvangen" msgid "Payment Received" msgstr "Ontvangen betaling" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Betalingsinstellingen" @@ -4989,19 +5044,19 @@ msgstr "Betalingsvoorwaarden" msgid "Payments not available" msgstr "Betalingen niet beschikbaar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Betalingen blijven zonder onderbreking doorlopen" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "Per bestelling" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "Per ticket" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5032,7 +5087,7 @@ msgstr "Plaats dit in de van je website." msgid "Planning an event?" msgstr "Een evenement plannen?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Platformkosten" @@ -5089,6 +5144,10 @@ msgstr "Voer de 5-cijferige code in" msgid "Please enter your new password" msgstr "Voer uw nieuwe wachtwoord in" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Voer uw BTW-nummer in" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Let op" @@ -5111,7 +5170,7 @@ msgstr "Selecteer" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "Selecteer een datumbereik" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5204,7 +5263,7 @@ msgstr "Prijs van het ticket" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "Prijsniveaus" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5228,7 +5287,7 @@ msgstr "Afdrukvoorbeeld" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "Ticket afdrukken" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5239,7 +5298,7 @@ msgstr "Tickets afdrukken" msgid "Print to PDF" msgstr "Afdrukken naar PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Privacybeleid" @@ -5385,7 +5444,7 @@ msgstr "Promocodes Rapport" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "Alleen promo" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5403,7 +5462,7 @@ msgstr "Evenement publiceren" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Gekocht" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5457,7 +5516,7 @@ msgstr "Tarief" msgid "Read less" msgstr "Minder lezen" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Klaar om te upgraden? Dit duurt slechts een paar minuten." @@ -5479,10 +5538,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Doorverwijzen naar Stripe..." @@ -5496,7 +5555,7 @@ msgstr "Terugbetalingsbedrag" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "Terugbetaling mislukt" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5512,7 +5571,7 @@ msgstr "Bestelling {0} terugbetalen" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "Terugbetaling in behandeling" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5532,7 +5591,7 @@ msgstr "Terugbetaald" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "Terugbetaald: {0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5613,7 +5672,7 @@ msgstr "Opnieuw verzenden..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "Gereserveerd" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5645,7 +5704,7 @@ msgstr "Evenement herstellen" msgid "Return to Event" msgstr "Terug naar evenement" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Terug naar evenementpagina" @@ -5676,16 +5735,16 @@ msgstr "Einddatum verkoop" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "Uitverkoop eindigde {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "Uitverkoop eindigt {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "Uitverkoopperiode" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5694,7 +5753,7 @@ msgstr "Startdatum verkoop" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "Uitverkoop begint {0}" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5702,7 +5761,7 @@ msgstr "Verkopen" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "Verkoop is gepauzeerd" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5774,6 +5833,10 @@ msgstr "Sjabloon Opslaan" msgid "Save Ticket Design" msgstr "Ticketontwerp Opslaan" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "BTW-instellingen opslaan" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5781,7 +5844,7 @@ msgstr "Scannen" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "Gepland" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5850,7 +5913,7 @@ msgstr "Secundaire tekstkleur" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "Veilige afrekening" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6055,7 +6118,7 @@ msgstr "Stel een minimumprijs in en laat gebruikers meer betalen als ze dat will #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "Stel standaardinstellingen in voor nieuwe evenementen die onder deze organisator worden gemaakt." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6091,7 +6154,7 @@ msgid "Setup in Minutes" msgstr "Set-up in enkele minuten" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6116,7 +6179,7 @@ msgstr "Deel organisatorpagina" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "Toon extra opties" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6210,7 +6273,7 @@ msgstr "verkocht" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "Verkocht" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6218,7 +6281,7 @@ msgid "Sold out" msgstr "Uitverkocht" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Uitverkocht" @@ -6326,7 +6389,7 @@ msgstr "Statistieken" msgid "Status" msgstr "Status" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Behandelt nog steeds terugbetalingen voor uw oudere transacties." @@ -6339,7 +6402,7 @@ msgstr "Stop Imiteren" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6442,7 +6505,7 @@ msgstr "Evenement succesvol bijgewerkt" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "Standaardinstellingen evenement succesvol bijgewerkt" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6536,7 +6599,7 @@ msgstr "Wissel van organisator" msgid "T-shirt" msgstr "T-shirt" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Duurt slechts een paar minuten" @@ -6589,7 +6652,7 @@ msgstr "Belastingen" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "Belastingen en kosten toegepast" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6599,7 +6662,7 @@ msgstr "Belastingen en heffingen" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "Belastingen, kosten, uitverkoopperiode, bestellimieten en zichtbaarheidsinstellingen" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6637,20 +6700,20 @@ msgstr "Sjabloon succesvol verwijderd" msgid "Template saved successfully" msgstr "Sjabloon succesvol opgeslagen" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Servicevoorwaarden" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "Tekst kan moeilijk leesbaar zijn" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "Bedankt voor uw aanwezigheid!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Bedankt voor uw steun terwijl we Hi.Events blijven uitbreiden en verbeteren!" @@ -6661,7 +6724,7 @@ msgstr "Die promotiecode is ongeldig" #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "De achtergrondkleur van de pagina. Bij gebruik van een omslagafbeelding wordt dit als overlay toegepast." #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6739,7 +6802,7 @@ msgstr "De prijs die aan de klant wordt getoond is exclusief belastingen en toes #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "De primaire merkkleur die wordt gebruikt voor knoppen en accenten" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6842,7 +6905,7 @@ msgstr "Deze code wordt gebruikt om verkopen bij te houden. Alleen letters, cijf #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "Deze kleurencombinatie kan moeilijk leesbaar zijn voor sommige gebruikers" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6910,7 +6973,7 @@ msgstr "Deze bestelpagina is niet langer beschikbaar." #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "Deze bestelling is verlaten. U kunt op elk moment een nieuwe bestelling starten." #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6938,11 +7001,11 @@ msgstr "Dit product is een ticket. Kopers krijgen bij aankoop een ticket" #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "Dit product is uitgelicht op de evenementpagina" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "Dit product is uitverkocht" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6985,7 +7048,7 @@ msgstr "Ticket" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "Ticket geannuleerd" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7051,19 +7114,19 @@ msgstr "Ticket URL" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "tickets" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "Tickets" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "Tickets en producten" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Tickets beschikbaar" @@ -7117,13 +7180,13 @@ msgstr "Tijdzone" msgid "TIP" msgstr "TIP" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Om creditcardbetalingen te ontvangen, moet je je Stripe-account koppelen. Stripe is onze partner voor betalingsverwerking die veilige transacties en tijdige uitbetalingen garandeert." #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "Kolommen schakelen" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7199,7 +7262,7 @@ msgstr "Totaal Gebruikers" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Inkomsten, paginaweergaves en verkopen bijhouden met gedetailleerde analyses en exporteerbare rapporten" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Transactiekosten:" @@ -7354,7 +7417,7 @@ msgstr "Naam, beschrijving en data van evenement bijwerken" msgid "Update profile" msgstr "Profiel bijwerken" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Upgrade beschikbaar" @@ -7428,7 +7491,7 @@ msgstr "Coverafbeelding gebruiken" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:48 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:38 msgid "Use order details for all attendees. Attendee names and emails will match the buyer's information." -msgstr "" +msgstr "Gebruik bestelgegevens voor alle deelnemers. Namen en e-mailadressen van deelnemers komen overeen met de informatie van de koper." #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" @@ -7463,10 +7526,63 @@ msgstr "Gebruikers kunnen hun e-mailadres wijzigen in <0>Profielinstellingen msgid "UTC" msgstr "UTC" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "Geldig BTW-nummer" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "BTW" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "BTW-informatie" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "BTW kan worden toegepast op platformkosten afhankelijk van uw BTW-registratiestatus. Vul het BTW-informatiegedeelte hieronder in." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "BTW-nummer" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "BTW-nummervalidatie mislukt. Controleer uw nummer en probeer het opnieuw." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "BTW-registratie-informatie" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "BTW-instellingen succesvol opgeslagen en gevalideerd" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "BTW-instellingen opgeslagen maar validatie mislukt. Controleer uw BTW-nummer." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "BTW-instellingen succesvol opgeslagen" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "BTW-behandeling voor platformkosten" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "BTW-behandeling voor platformkosten: EU BTW-geregistreerde bedrijven kunnen de verleggingsregeling gebruiken (0% - Artikel 196 van BTW-richtlijn 2006/112/EG). Niet-BTW-geregistreerde bedrijven worden Ierse BTW van 23% in rekening gebracht." + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "Naam locatie" @@ -7534,12 +7650,12 @@ msgstr "Logboeken bekijken" msgid "View map" msgstr "Kaart bekijken" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "Bekijk kaart" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "Bekijk op Google Maps" @@ -7651,7 +7767,7 @@ msgstr "We sturen je tickets naar dit e-mailadres" msgid "We're processing your order. Please wait..." msgstr "We zijn je bestelling aan het verwerken. Even geduld alstublieft..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "We hebben officieel ons hoofdkantoor naar Ierland 🇮🇪 verplaatst. Als onderdeel van deze overgang gebruiken we nu Stripe Ierland in plaats van Stripe Canada. Om uw uitbetalingen soepel te laten verlopen, moet u uw Stripe-account opnieuw verbinden." @@ -7757,6 +7873,10 @@ msgstr "Wat voor type evenement?" msgid "What type of question is this?" msgstr "Wat voor vraag is dit?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "Wat u moet doen:" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7900,7 +8020,11 @@ msgstr "X (Twitter)" msgid "Year to date" msgstr "Jaar tot nu toe" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "Ja - Ik heb een geldig EU BTW-registratienummer" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "Ja, annuleer mijn bestelling" @@ -8034,7 +8158,7 @@ msgstr "U hebt een product nodig voordat u een capaciteitstoewijzing kunt maken. msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "Je hebt minstens één product nodig om te beginnen. Gratis, betaald of laat de gebruiker beslissen wat hij wil betalen." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "U bent helemaal klaar! Uw betalingen worden soepel verwerkt." @@ -8066,7 +8190,7 @@ msgstr "Uw geweldige website 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "Je check-in lijst is succesvol aangemaakt. Deel de onderstaande link met je check-in personeel." -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "Uw huidige bestelling gaat verloren." @@ -8138,7 +8262,7 @@ msgstr "Je betaling wordt verwerkt." #: src/components/common/InlineOrderSummary/index.tsx:170 msgid "Your payment is protected with bank-level encryption" -msgstr "" +msgstr "Uw betaling is beveiligd met encryptie op bankniveau" #: src/components/forms/StripeCheckoutForm/index.tsx:66 msgid "Your payment was not successful, please try again." @@ -8152,12 +8276,12 @@ msgstr "Uw betaling is mislukt. Probeer het opnieuw." msgid "Your refund is processing." msgstr "Je terugbetaling wordt verwerkt." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "Uw Stripe-account is verbonden en verwerkt betalingen." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "Je Stripe-account is verbonden en klaar om betalingen te verwerken." @@ -8169,6 +8293,10 @@ msgstr "Uw ticket voor" msgid "Your tickets have been confirmed." msgstr "Je tickets zijn bevestigd." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "Uw BTW-nummer wordt automatisch gevalideerd wanneer u opslaat" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/pt-br.js b/frontend/src/locales/pt-br.js index 4b76900ff5..58b09e33ac 100644 --- a/frontend/src/locales/pt-br.js +++ b/frontend/src/locales/pt-br.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'Ainda não há nada para mostrar'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado com sucesso\"],\"yxhYRZ\":[[\"0\"],\" <0>desmarcado com sucesso\"],\"KMgp2+\":[[\"0\"],\" disponível\"],\"Pmr5xp\":[[\"0\"],\" criado com sucesso\"],\"FImCSc\":[[\"0\"],\" atualizado com sucesso\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" dias, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"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>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>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"ZjMs6e\":\"<0>O número de produtos disponíveis para este produto<1>Esse valor pode ser substituído se houver <2>Limites de Capacidade associados a este produto.\",\"E15xs8\":\"⚡️ Prepare seu evento\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"Personalize a página do seu evento\",\"3VPPdS\":\"Conecte-se com o Stripe\",\"cjdktw\":\"Configure seu evento ao vivo\",\"rmelwV\":\"0 minutos e 0 segundos\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"Um \",[\"type\"],\" padrão é automaticamente aplicado a todos os novos produtos. Você pode substituir isso para cada produto.\"],\"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\",\"POT0K/\":\"Um valor fixo por produto. Ex: $0,50 por produto\",\"f4vJgj\":\"Uma entrada de texto com várias linhas\",\"OIPtI5\":\"Uma porcentagem do preço do produto. Ex: 3,5% do preço do produto\",\"ZthcdI\":\"Um código promocional sem desconto pode ser usado para revelar produtos ocultos.\",\"AG/qmQ\":\"Uma opção de rádio tem várias opções, mas somente uma pode ser selecionada.\",\"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\",\"BHZbFy\":\"Uma única pergunta por pedido. Ex: Qual é o seu endereço de entrega?\",\"Fuh+dI\":\"Uma única pergunta por produto. Ex: Qual é o seu tamanho de camiseta?\",\"RlJmQg\":\"Um imposto padrão, como IVA ou GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Aceitar transferências bancárias, cheques ou outros métodos de pagamento offline\",\"hrvLf4\":\"Aceitar pagamentos com cartão de crédito através do Stripe\",\"bfXQ+N\":\"Aceitar convite\",\"AeXO77\":\"Conta\",\"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\",\"/PN1DA\":\"Adicione uma descrição para esta lista de registro\",\"0/vPdA\":\"Adicione quaisquer anotações sobre o participante. Estas não serão visíveis para o participante.\",\"Or1CPR\":\"Adicione quaisquer anotações sobre o participante...\",\"l3sZO1\":\"Adicione quaisquer notas sobre o pedido. Estas não serão visíveis para o cliente.\",\"xMekgu\":\"Adicione quaisquer notas sobre o pedido...\",\"PGPGsL\":\"Adicionar descrição\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Adicione instruções para pagamentos offline (por exemplo, detalhes de transferência bancária, onde enviar cheques, prazos de pagamento)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"24l4x6\":\"Adicionar Produto\",\"8q0EdE\":\"Adicionar Produto à Categoria\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"goOKRY\":\"Adicionar nível\",\"oZW/gT\":\"Adicionar ao calendário\",\"pn5qSs\":\"Informações adicionais\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Todos os participantes deste evento\",\"cde2hc\":\"Todos os Produtos\",\"5CQ+r0\":\"Permitir que participantes associados a pedidos não pagos façam check-in\",\"ipYKgM\":\"Permitir a indexação do mecanismo de pesquisa\",\"LRbt6D\":\"Permitir que os mecanismos de pesquisa indexem esse evento\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Incrível, Evento, Palavras-chave...\",\"hehnjM\":\"Valor\",\"R2O9Rg\":[\"Valor pago (\",[\"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\",\"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\":\"Ocorreu um erro inesperado.\",\"byKna+\":\"Ocorreu um erro inesperado. Por favor, tente novamente.\",\"ubdMGz\":\"Quaisquer perguntas dos portadores de produtos serão enviadas para este endereço de e-mail. Este também será usado como o endereço de \\\"responder para\\\" em todos os e-mails enviados deste evento\",\"aAIQg2\":\"Aparência\",\"Ym1gnK\":\"aplicado\",\"sy6fss\":[\"Aplica-se a \",[\"0\"],\" produtos\"],\"kadJKg\":\"Aplica-se a 1 produto\",\"DB8zMK\":\"Aplicar\",\"GctSSm\":\"Aplicar código promocional\",\"ARBThj\":[\"Aplicar este \",[\"type\"],\" a todos os novos produtos\"],\"S0ctOE\":\"Arquivar evento\",\"TdfEV7\":\"Arquivado\",\"A6AtLP\":\"Archived Events\",\"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?\",\"LBLOqH\":\"Pergunte uma vez por pedido\",\"wu98dY\":\"Perguntar uma vez por produto\",\"ss9PbX\":\"Participante\",\"m0CFV2\":\"Detalhes do participante\",\"QKim6l\":\"Participante não encontrado\",\"R5IT/I\":\"Anotações do participante\",\"lXcSD2\":\"Perguntas dos participantes\",\"HT/08n\":\"Bilhete do Participante\",\"9SZT4E\":\"Participantes\",\"iPBfZP\":\"Participantes Registrados\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"Aguardando pagamento offline\",\"2rHwhl\":\"Aguardando pagamento offline\",\"3wF4Q/\":\"Aguardando pagamento\",\"ioG+xt\":\"Aguardando pagamento\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Voltar à página do evento\",\"VCoEm+\":\"Voltar ao login\",\"k1bLf+\":\"Cor de fundo\",\"I7xjqg\":\"Tipo de plano de fundo\",\"1mwMl+\":\"Antes de enviar!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Endereço de cobrança\",\"/xC/im\":\"Configurações de cobrança\",\"rp/zaT\":\"Português brasileiro\",\"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.\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar alteração de e-mail\",\"tVJk4q\":\"Cancelar pedido\",\"Os6n2a\":\"Cancelar pedido\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"Não é possível fazer check-in\",\"QyjCeq\":\"Capacidade\",\"V6Q5RZ\":\"Atribuição de Capacidade criada com sucesso\",\"k5p8dz\":\"Atribuição de Capacidade excluída com sucesso\",\"nDBs04\":\"Gestão de Capacidade\",\"ddha3c\":\"As categorias permitem agrupar produtos. Por exemplo, você pode ter uma categoria para \\\"Ingressos\\\" e outra para \\\"Mercadorias\\\".\",\"iS0wAT\":\"As categorias ajudam a organizar seus produtos. Este título será exibido na página pública do evento.\",\"eorM7z\":\"Categorias reordenadas com sucesso.\",\"3EXqwa\":\"Categoria Criada com Sucesso\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Alterar senha\",\"xMDm+I\":\"Fazer check-in\",\"p2WLr3\":[\"Fazer check-in de \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Fazer check-in e marcar pedido como pago\",\"QYLpB4\":\"Apenas fazer check-in\",\"/Ta1d4\":\"Fazer check-out\",\"5LDT6f\":\"Confira este evento!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+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\":\"Check-in realizado\",\"znIg+z\":\"Finalizar compra\",\"1WnhCL\":\"Configurações de checkout\",\"6imsQS\":\"Chinês simplificado\",\"JjkX4+\":\"Escolha uma cor para seu plano de fundo\",\"/Jizh9\":\"Escolha uma conta\",\"3wV73y\":\"Cidade\",\"FG98gC\":\"Limpar texto de pesquisa\",\"EYeuMv\":\"click here\",\"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\",\"oqr9HB\":\"Recolher este produto quando a página do evento for carregada inicialmente\",\"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\":\"Complete payment\",\"C8HNV2\":\"Pagamento completo\",\"qqWcBV\":\"Concluído\",\"6HK5Ct\":\"Pedidos concluídos\",\"NWVRtl\":\"Pedidos concluídos\",\"DwF9eH\":\"Código do componente\",\"Tf55h7\":\"Desconto configurado\",\"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...\",\"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\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"copiado para a área de transferência\",\"he3ygx\":\"Cópia\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Capa\",\"hYgDIe\":\"Criar\",\"b9XOHo\":[\"Criar \",[\"0\"]],\"k9RiLi\":\"Criar um Produto\",\"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\",\"EwoMtl\":\"Criar categoria\",\"XletzW\":\"Criar Categoria\",\"WVbTwK\":\"Criar Lista de Registro\",\"uN355O\":\"Criar evento\",\"BOqY23\":\"Criar novo\",\"kpJAeS\":\"Criar organizador\",\"a0EjD+\":\"Criar Produto\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Criar código promocional\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Moeda\",\"DCKkhU\":\"Senha atual\",\"uIElGP\":\"URL de mapas personalizados\",\"UEqXyt\":\"Intervalo personalizado\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalize as configurações de e-mail e notificação para esse evento\",\"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\":\"Dashboard\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data e hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"VskHIx\":\"Excluir categoria\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Excluir pergunta\",\"Nu4oKW\":\"Descrição\",\"YC3oXa\":\"Descrição para a equipe de registro\",\"URmyfc\":\"Detalhes\",\"1lRT3t\":\"Desativar esta capacidade rastreará as vendas, mas não as interromperá quando o limite for atingido\",\"H6Ma8Z\":\"Desconto\",\"ypJ62C\":\"% de desconto\",\"3LtiBI\":[\"Desconto em \",[\"0\"]],\"C8JLas\":\"Tipo de desconto\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Etiqueta do documento\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Doação / Produto com valor voluntário\",\"OvNbls\":\"Baixar .ics\",\"kodV18\":\"Baixar CSV\",\"CELKku\":\"Baixar fatura\",\"LQrXcu\":\"Baixar fatura\",\"QIodqd\":\"Baixar código QR\",\"yhjU+j\":\"A baixar fatura\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicar Opções\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Pássaro madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kBkYSa\":\"Editar Capacidade\",\"oHE9JT\":\"Editar Atribuição de Capacidade\",\"j1Jl7s\":\"Editar categoria\",\"FU1gvP\":\"Editar Lista de Registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"tdD/QN\":\"Editar Produto\",\"n143Tq\":\"Editar Categoria de Produto\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pergunta\",\"EzwCw7\":\"Editar pergunta\",\"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\",\"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\",\"NTZ/NX\":\"Código de incorporação\",\"4rnJq4\":\"Script de incorporação\",\"8oPbg1\":\"Habilitar faturamento\",\"j6w7d/\":\"Ative esta capacidade para interromper as vendas de produtos quando o limite for atingido\",\"VFv2ZC\":\"Data de término\",\"237hSL\":\"Final\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Inglês\",\"MhVoma\":\"Insira um valor excluindo impostos e taxas.\",\"SlfejT\":\"Erro\",\"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\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Data do Evento\",\"0Zptey\":\"Padrões de eventos\",\"QcCPs8\":\"Detalhes do evento\",\"6fuA9p\":\"Evento duplicado com sucesso\",\"AEuj2m\":\"Página inicial do evento\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Event page\",\"4/If97\":\"Falha na atualização do status do evento. Tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Falha ao baixar a fatura. Por favor, tente novamente.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar o e-mail do tíquete\",\"ejXy+D\":\"Falha ao ordenar os produtos\",\"PLUB/s\":\"Tarifa\",\"/mfICu\":\"Tarifas\",\"LyFC7X\":\"Filtrar pedidos\",\"cSev+j\":\"Filtros\",\"CVw2MU\":[\"Filtros (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Primeiro número da fatura\",\"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.\",\"Rs/IcB\":\"Usado pela primeira vez\",\"TpqW74\":\"Fixo\",\"irpUxR\":\"Valor fixo\",\"TF9opW\":\"O Flash não está disponível neste dispositivo\",\"UNMVei\":\"Esqueceu a senha?\",\"2POOFK\":\"Grátis\",\"P/OAYJ\":\"Produto Gratuito\",\"vAbVy9\":\"Produto gratuito, sem necessidade de informações de pagamento\",\"nLC6tu\":\"Francês\",\"Weq9zb\":\"Geral\",\"DDcvSo\":\"Alemão\",\"4GLxhy\":\"Primeiros passos\",\"4D3rRj\":\"Voltar ao perfil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Vendas brutas\",\"yRg26W\":\"Vendas brutas\",\"R4r4XO\":\"Convidados\",\"26pGvx\":\"Tem um código promocional?\",\"V7yhws\":\"hello@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Oi \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"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.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar a página de introdução\",\"mFn5Xz\":\"Ocultar perguntas ocultas\",\"YHsF9c\":\"Ocultar produto após a data de término da venda\",\"06s3w3\":\"Ocultar produto antes da data de início da venda\",\"axVMjA\":\"Ocultar produto, a menos que o usuário tenha um código promocional aplicável\",\"ySQGHV\":\"Ocultar produto quando esgotado\",\"SCimta\":\"Ocultar a página de introdução da barra lateral\",\"5xR17G\":\"Ocultar este produto dos clientes\",\"Da29Y6\":\"Ocultar esta pergunta\",\"fvDQhr\":\"Ocultar essa camada dos usuários\",\"lNipG+\":\"Ocultar um produto impedirá que os usuários o vejam na página do evento.\",\"ZOBwQn\":\"Design da página inicial\",\"PRuBTd\":\"Designer da página inicial\",\"YjVNGZ\":\"Visualização da página inicial\",\"c3E/kw\":\"Homero\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Se estiver em branco, o endereço será usado para gerar um link do Google Maps\",\"UYT+c8\":\"Se ativado, a equipe de check-in pode marcar os participantes como registrados ou marcar o pedido como pago e registrar os participantes. Se desativado, os participantes associados a pedidos não pagos não poderão ser registrados.\",\"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\",\"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\":\"Imagem carregada com sucesso\",\"VyUuZb\":\"URL da imagem\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"kO44sp\":\"Inclua detalhes de conexão para o seu evento online. Estes detalhes serão mostrados na página de resumo do pedido e no bilhete do participante.\",\"FlQKnG\":\"Incluir impostos e taxas no preço\",\"Vi+BiW\":[\"Inclui \",[\"0\"],\" produtos\"],\"lpm0+y\":\"Inclui 1 produto\",\"UiAk5P\":\"Inserir imagem\",\"OyLdaz\":\"Convite reenviado!\",\"HE6KcK\":\"Convite revogado!\",\"SQKPvQ\":\"Convidar usuário\",\"bKOYkd\":\"Fatura baixada com sucesso\",\"alD1+n\":\"Notas da fatura\",\"kOtCs2\":\"Numeração da fatura\",\"UZ2GSZ\":\"Configurações da fatura\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"João\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Rótulo\",\"vXIe7J\":\"Idioma\",\"2LMsOq\":\"Últimos 12 meses\",\"vfe90m\":\"Últimos 14 dias\",\"aK4uBd\":\"Últimas 24 horas\",\"uq2BmQ\":\"Últimos 30 dias\",\"bB6Ram\":\"Últimas 48 horas\",\"VlnB7s\":\"Últimos 6 meses\",\"ct2SYD\":\"Últimos 7 dias\",\"XgOuA7\":\"Últimos 90 dias\",\"I3yitW\":\"Último login\",\"1ZaQUH\":\"Sobrenome\",\"UXBCwc\":\"Sobrenome\",\"tKCBU0\":\"Última vez usado\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Deixe em branco para usar a palavra padrão \\\"Fatura\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Carregando...\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Fazer login\",\"zUDyah\":\"Login\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Tornar o endereço de cobrança obrigatório durante o checkout\",\"MU3ijv\":\"Tornar essa pergunta obrigatória\",\"wckWOP\":\"Gerenciar\",\"onpJrA\":\"Gerenciar participante\",\"n4SpU5\":\"Gerenciar evento\",\"WVgSTy\":\"Gerenciar pedido\",\"1MAvUY\":\"Gerenciar as configurações de pagamento e faturamento para este evento.\",\"cQrNR3\":\"Gerenciar perfil\",\"AtXtSw\":\"Gerencie impostos e taxas que podem ser aplicados aos seus produtos\",\"ophZVW\":\"Gerenciar tíquetes\",\"DdHfeW\":\"Gerenciar os detalhes de sua conta e as configurações padrão\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Marcar como pago\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Diversos\",\"mYLhkl\":\"Configurações diversas\",\"KYveV8\":\"Caixa de texto com várias linhas\",\"VD0iA7\":\"Múltiplas opções de preço. Perfeito para produtos antecipados, etc.\",\"/bhMdO\":\"Minha incrível descrição do evento...\",\"vX8/tc\":\"Meu incrível título de evento...\",\"hKtWk2\":\"Meu perfil\",\"fj5byd\":\"N/D\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navegar até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova senha\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Não há eventos arquivados para mostrar.\",\"q2LEDV\":\"Nenhum participante encontrado para este pedido.\",\"zlHa5R\":\"Nenhum participante foi adicionado a este pedido.\",\"Wjz5KP\":\"Não há participantes para mostrar\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Sem Atribuições de Capacidade\",\"a/gMx2\":\"Nenhuma Lista de Registro\",\"tMFDem\":\"Nenhum dado disponível\",\"6Z/F61\":\"Nenhum dado para mostrar. Por favor, selecione um intervalo de datas\",\"fFeCKc\":\"Sem desconto\",\"HFucK5\":\"Não há eventos encerrados para mostrar.\",\"yAlJXG\":\"Nenhum evento para mostrar\",\"GqvPcv\":\"Nenhum filtro disponível\",\"KPWxKD\":\"Nenhuma mensagem a ser exibida\",\"J2LkP8\":\"Não há ordens para mostrar\",\"RBXXtB\":\"Nenhum método de pagamento está disponível no momento. Entre em contato com o organizador do evento para obter assistência.\",\"ZWEfBE\":\"Pagamento não necessário\",\"ZPoHOn\":\"Nenhum produto associado a este participante.\",\"Ya1JhR\":\"Nenhum produto disponível nesta categoria.\",\"FTfObB\":\"Nenhum Produto Ainda\",\"+Y976X\":\"Não há códigos promocionais a serem exibidos\",\"MAavyl\":\"Nenhuma pergunta foi respondida por este participante.\",\"SnlQeq\":\"Nenhuma pergunta foi feita para este pedido.\",\"Ev2r9A\":\"Nenhum resultado\",\"gk5uwN\":\"Nenhum Resultado de Pesquisa\",\"RHyZUL\":\"Nenhum resultado de pesquisa.\",\"RY2eP1\":\"Nenhum imposto ou taxa foi adicionado.\",\"EdQY6l\":\"Nenhum\",\"OJx3wK\":\"Não disponível\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Anotações\",\"jtrY3S\":\"Nada para mostrar ainda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Número de dias permitidos para pagamento (deixe em branco para omitir os termos de pagamento nas faturas)\",\"n86jmj\":\"Prefixo numérico\",\"mwe+2z\":\"Pedidos offline não são refletidos nas estatísticas do evento até que sejam marcados como pagos.\",\"dWBrJX\":\"O pagamento offline falhou. Por favor, tente novamente ou entre em contato com o organizador do evento.\",\"fcnqjw\":\"Instruções de Pagamento Offline\",\"+eZ7dp\":\"Pagamentos offline\",\"ojDQlR\":\"Informações sobre pagamentos offline\",\"u5oO/W\":\"Configurações de pagamentos offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"À venda\",\"Ug4SfW\":\"Depois de criar um evento, você o verá aqui.\",\"ZxnK5C\":\"Assim que você começar a coletar dados, eles aparecerão aqui.\",\"PnSzEc\":\"Quando estiver pronto, coloque seu evento ao vivo e comece a vender produtos.\",\"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\"]],\"oPknTP\":\"Informações adicionais opcionais a serem exibidas em todas as faturas (ex.: condições de pagamento, taxas por atraso, política de devolução)\",\"OrXJBY\":\"Prefixo opcional para os números das faturas (ex.: INV-)\",\"0zpgxV\":\"Opções\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Pedido\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Data do pedido\",\"Tol4BF\":\"Detalhes do pedido\",\"WbImlQ\":\"O pedido foi cancelado e o proprietário do pedido foi notificado.\",\"nAn4Oe\":\"Pedido marcado como pago\",\"uzEfRz\":\"Notas do pedido\",\"VCOi7U\":\"Perguntas sobre o pedido\",\"TPoYsF\":\"Referência do pedido\",\"acIJ41\":\"Status do pedido\",\"GX6dZv\":\"Resumo do pedido\",\"tDTq0D\":\"Tempo limite do pedido\",\"1h+RBg\":\"Pedidos\",\"3y+V4p\":\"Endereço da organização\",\"GVcaW6\":\"Detalhes da organização\",\"nfnm9D\":\"Nome da organização\",\"G5RhpL\":\"Organizador\",\"mYygCM\":\"É necessário um organizador\",\"Pa6G7v\":\"Nome do organizador\",\"l894xP\":\"Os organizadores só podem gerenciar eventos e produtos. Eles não podem gerenciar usuários, configurações de conta ou informações de faturamento.\",\"fdjq4c\":\"Acolchoamento\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Página não encontrada\",\"QbrUIo\":\"Visualizações de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pago\",\"HVW65c\":\"Produto Pago\",\"ZfxaB4\":\"Parcialmente reembolsado\",\"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\",\"621rYf\":\"Pagamento\",\"Lg+ewC\":\"Pagamento e faturamento\",\"DZjk8u\":\"Configurações de pagamento e faturamento\",\"lflimf\":\"Prazo para pagamento\",\"JhtZAK\":\"Falha no pagamento\",\"JEdsvQ\":\"Instruções de pagamento\",\"bLB3MJ\":\"Métodos de pagamento\",\"QzmQBG\":\"Provedor de pagamento\",\"lsxOPC\":\"Pagamento recebido\",\"wJTzyi\":\"Status do pagamento\",\"xgav5v\":\"O pagamento foi bem-sucedido!\",\"R29lO5\":\"Termos de pagamento\",\"/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\",\"hcX103\":\"Por favor, crie um produto\",\"cdR8d6\":\"Por favor, crie um ingresso\",\"x2mjl4\":\"Por favor, insira uma URL de imagem válida que aponte para uma imagem.\",\"HnNept\":\"Digite sua nova senha\",\"5FSIzj\":\"Observação\",\"C63rRe\":\"Por favor, volte para a página do evento para recomeçar.\",\"pJLvdS\":\"Selecione\",\"Ewir4O\":\"Por favor, selecione pelo menos um produto\",\"igBrCH\":\"Verifique seu endereço de e-mail para acessar todos os recursos\",\"/IzmnP\":\"Por favor, aguarde enquanto preparamos a sua fatura...\",\"MOERNx\":\"Português\",\"qCJyMx\":\"Mensagem de pós-cheque\",\"g2UNkE\":\"Desenvolvido por\",\"Rs7IQv\":\"Mensagem de pré-checkout\",\"rdUucN\":\"Visualização\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"BI7D9d\":\"Preço não definido\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Tipo de Preço\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Cor primária do texto\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Imprimir todos os ingressos\",\"DKwDdj\":\"Imprimir ingressos\",\"K47k8R\":\"Produto\",\"1JwlHk\":\"Categoria de Produto\",\"U61sAj\":\"Categoria de produto atualizada com sucesso.\",\"1USFWA\":\"Produto excluído com sucesso\",\"4Y2FZT\":\"Tipo de Preço do Produto\",\"mFwX0d\":\"Perguntas sobre o produto\",\"Lu+kBU\":\"Vendas de Produtos\",\"U/R4Ng\":\"Nível do Produto\",\"sJsr1h\":\"Tipo de Produto\",\"o1zPwM\":\"Pré-visualização do Widget de Produto\",\"ktyvbu\":\"Produto(s)\",\"N0qXpE\":\"Produtos\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Produtos vendidos\",\"/u4DIx\":\"Produtos Vendidos\",\"DJQEZc\":\"Produtos ordenados com sucesso\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"Perfil atualizado com sucesso\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"P5sgAk\":\"Código promocional\",\"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.\",\"OP094m\":\"Relatório de códigos promocionais\",\"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.\",\"toutGW\":\"Código QR\",\"LkMOWF\":\"Quantidade disponível\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Pergunta excluída\",\"avf0gk\":\"Descrição da pergunta\",\"oQvMPn\":\"Título da pergunta\",\"enzGAL\":\"Perguntas\",\"ROv2ZT\":\"Perguntas e Respostas\",\"K885Eq\":\"Perguntas classificadas com sucesso\",\"OMJ035\":\"Opção de rádio\",\"C4TjpG\":\"Leia menos\",\"I3QpvQ\":\"Beneficiário\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso falhou\",\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Reembolso pendente\",\"xHpVRl\":\"Status do reembolso\",\"/BI0y9\":\"Reembolsado\",\"fgLNSM\":\"Registro\",\"9+8Vez\":\"Usos restantes\",\"tasfos\":\"remover\",\"t/YqKh\":\"Remover\",\"t9yxlZ\":\"Relatórios\",\"prZGMe\":\"Exigir endereço de cobrança\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Redefinir\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Voltar para a página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Função\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Data de início da venda\",\"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\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Pesquise por nome do participante, e-mail ou número do pedido...\",\"+pr/FY\":\"Pesquisar por nome de evento...\",\"3zRbWw\":\"Pesquise por nome, e-mail ou número do pedido...\",\"L22Tdf\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"BiYOdA\":\"Pesquisar por nome...\",\"YEjitp\":\"Pesquise por assunto ou conteúdo...\",\"Pjsch9\":\"Pesquisar atribuições de capacidade...\",\"r9M1hc\":\"Pesquisar listas de registro...\",\"+0Yy2U\":\"Buscar produtos\",\"YIix5Y\":\"Pesquisar...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Cor secundária\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Cor do texto secundário\",\"02ePaq\":[\"Selecionar \",[\"0\"]],\"QuNKRX\":\"Selecione a câmera\",\"9FQEn8\":\"Selecione a categoria...\",\"kWI/37\":\"Selecione o organizador\",\"ixIx1f\":\"Selecione o Produto\",\"3oSV95\":\"Selecione o Nível do Produto\",\"C4Y1hA\":\"Selecione os produtos\",\"hAjDQy\":\"Selecionar status\",\"QYARw/\":\"Selecionar bilhete\",\"OMX4tH\":\"Selecionar ingressos\",\"DrwwNd\":\"Selecione o período de tempo\",\"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.\",\"M/WIer\":\"Enviar Mensagem\",\"D7ZemV\":\"Enviar e-mail de confirmação do pedido e do tíquete\",\"v1rRtW\":\"Enviar teste\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descrição de SEO\",\"/SIY6o\":\"Palavras-chave de SEO\",\"GfWoKv\":\"Configurações de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Taxa de serviço\",\"Bj/QGQ\":\"Defina um preço mínimo e permita que os usuários paguem mais se quiserem\",\"L0pJmz\":\"Defina o número inicial para a numeração das faturas. Isso não poderá ser alterado depois que as faturas forem geradas.\",\"nYNT+5\":\"Prepare seu evento\",\"A8iqfq\":\"Defina seu evento ao vivo\",\"Tz0i8g\":\"Configurações\",\"Z8lGw6\":\"Compartilhar\",\"B2V3cA\":\"Compartilhar evento\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mostrar quantidade disponível do produto\",\"qDsmzu\":\"Mostrar perguntas ocultas\",\"fMPkxb\":\"Mostrar mais\",\"izwOOD\":\"Mostrar impostos e taxas separadamente\",\"1SbbH8\":\"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\":\"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.\",\"6a/UJE\":\"Desculpe, este código promocional não é reconhecido\",\"65A04M\":\"Espanhol\",\"mFuBqb\":\"Produto padrão com preço fixo\",\"D3iCkb\":\"Data de início\",\"/2by1f\":\"Estado ou região\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Os pagamentos via Stripe não estão ativados para este evento.\",\"UJmAAK\":\"Assunto\",\"X2rrlw\":\"Subtotal\",\"zzDlyQ\":\"Sucesso\",\"b0HJ45\":[\"Sucesso! \",[\"0\"],\" receberá um e-mail em breve.\"],\"BJIEiF\":[\"Participante com sucesso \",[\"0\"]],\"OtgNFx\":\"Endereço de e-mail confirmado com sucesso\",\"IKwyaF\":\"Alteração de e-mail confirmada com sucesso\",\"zLmvhE\":\"Participante criado com sucesso\",\"gP22tw\":\"Produto Criado com Sucesso\",\"9mZEgt\":\"Código promocional criado com sucesso\",\"aIA9C4\":\"Pergunta criada com sucesso\",\"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\",\"4H80qv\":\"Pedido atualizado com sucesso\",\"6xCBVN\":\"Configurações de pagamento e faturamento atualizadas com sucesso\",\"1Ycaad\":\"Produto atualizado com sucesso\",\"70dYC8\":\"Código promocional atualizado com sucesso\",\"F+pJnL\":\"Configurações de SEO atualizadas com sucesso\",\"DXZRk5\":\"Suíte 100\",\"GNcfRk\":\"E-mail de suporte\",\"uRfugr\":\"Camiseta\",\"JpohL9\":\"Imposto\",\"geUFpZ\":\"Impostos e taxas\",\"dFHcIn\":\"Detalhes fiscais\",\"wQzCPX\":\"Informações fiscais que aparecerão na parte inferior de todas as faturas (ex.: número de IVA, registro fiscal)\",\"0RXCDo\":\"Imposto ou taxa excluído com êxito\",\"ZowkxF\":\"Impostos\",\"qu6/03\":\"Impostos e taxas\",\"gypigA\":\"Esse código promocional é inválido\",\"5ShqeM\":\"A lista de check-in que você está procurando não existe.\",\"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.\",\"HsFnrk\":[\"O número máximo de produtos para \",[\"0\"],\" é \",[\"1\"]],\"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.\",\"vQkyB3\":\"Os impostos e taxas a serem aplicados a este produto. Você pode criar novos impostos e taxas no\",\"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\",\"wDx3FF\":\"Não há produtos disponíveis para este evento\",\"pNgdBv\":\"Não há produtos disponíveis nesta categoria\",\"rMcHYt\":\"Há um reembolso pendente. Aguarde a conclusão do processo antes de solicitar outro reembolso.\",\"F89D36\":\"Ocorreu um erro ao marcar o pedido como pago\",\"68Axnm\":\"Ocorreu um erro ao processar sua solicitação. Tente novamente.\",\"mVKOW6\":\"Ocorreu um erro ao enviar sua mensagem\",\"AhBPHd\":\"Estes detalhes só serão mostrados se o pedido for concluído com sucesso. Pedidos aguardando pagamento não mostrarão esta mensagem.\",\"Pc/Wtj\":\"Este participante tem um pedido não pago.\",\"mf3FrP\":\"Esta categoria ainda não possui produtos.\",\"8QH2Il\":\"Esta categoria está oculta da visualização pública\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Esse e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Essas informações serão exibidas na página de pagamento, no resumo do pedido e no e-mail de confirmação do pedido.\",\"XAHqAg\":\"Este é um produto geral, como uma camiseta ou uma caneca. Nenhum ingresso será emitido\",\"CNk/ro\":\"Este é um evento on-line\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Essa mensagem será incluída no rodapé de todos os e-mails enviados a partir desse evento\",\"55i7Fa\":\"Esta mensagem só será mostrada se o pedido for concluído com sucesso. Pedidos aguardando pagamento não mostrarão esta mensagem.\",\"RjwlZt\":\"Esse pedido já foi pago.\",\"5K8REg\":\"Esse pedido já foi reembolsado.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"Q0zd4P\":\"Este pedido expirou. Por favor, recomece.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Esse pedido está concluído.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Essa página de pedidos não está mais disponível.\",\"i0TtkR\":\"Isso substitui todas as configurações de visibilidade e ocultará o produto de todos os clientes.\",\"cRRc+F\":\"Este produto não pode ser excluído porque está associado a um pedido. Você pode ocultá-lo em vez disso.\",\"3Kzsk7\":\"Este produto é um ingresso. Os compradores receberão um ingresso ao comprar\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Esta pergunta é visível apenas para o organizador do evento\",\"os29v1\":\"Este link de redefinição de senha é inválido ou expirou.\",\"IV9xTT\":\"Esse usuário não está ativo, pois não aceitou o convite.\",\"5AnPaO\":\"ingresso\",\"kjAL4v\":\"Bilhete\",\"dtGC3q\":\"O e-mail do ingresso foi reenviado ao participante\",\"54q0zp\":\"Ingressos para\",\"xN9AhL\":[\"Nível \",[\"0\"]],\"jZj9y9\":\"Produto em Camadas\",\"8wITQA\":\"Os produtos escalonados permitem que você ofereça múltiplas opções de preço para o mesmo produto. Isso é perfeito para produtos antecipados ou para oferecer diferentes opções de preço para diferentes grupos de pessoas.\\\" # pt\",\"nn3mSR\":\"Tempo restante:\",\"s/0RpH\":\"Tempos usados\",\"y55eMd\":\"Vezes usado\",\"40Gx0U\":\"Fuso horário\",\"oDGm7V\":\"DICA\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Ferramentas\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total antes de descontos\",\"NRWNfv\":\"Montante total do desconto\",\"BxsfMK\":\"Total de taxas\",\"2bR+8v\":\"Total de vendas brutas\",\"mpB/d9\":\"Valor total do pedido\",\"m3FM1g\":\"Total reembolsado\",\"jEbkcB\":\"Total Reembolsado\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Imposto total\",\"+zy2Nq\":\"Tipo\",\"FMdMfZ\":\"Não foi possível registrar o participante\",\"bPWBLL\":\"Não foi possível retirar o participante\",\"9+P7zk\":\"Não foi possível criar o produto. Por favor, verifique seus detalhes\",\"WLxtFC\":\"Não foi possível criar o produto. Por favor, verifique seus detalhes\",\"/cSMqv\":\"Não foi possível criar a pergunta. Por favor, verifique seus detalhes\",\"MH/lj8\":\"Não foi possível atualizar a pergunta. Verifique seus detalhes\",\"nnfSdK\":\"Clientes únicos\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitados disponíveis\",\"E0q9qH\":\"Permite usos ilimitados\",\"h10Wm5\":\"Pedido não pago\",\"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\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copiado para a área de transferência\",\"e5lF64\":\"Exemplo de uso\",\"fiV0xj\":\"Limite 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\",\"jpctdh\":\"Visualizar\",\"Pte1Hv\":\"Ver Detalhes do Participante\",\"/5PEQz\":\"Exibir página do evento\",\"fFornT\":\"Ver mensagem completa\",\"YIsEhQ\":\"Ver mapa\",\"Ep3VfY\":\"Exibir no Google Maps\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"Não conseguimos excluir a categoria. Por favor, tente novamente.\",\"/DNy62\":[\"Não encontramos nenhum ingresso correspondente a \",[\"0\"]],\"1E0vyy\":\"Não foi possível carregar os dados. Por favor, tente novamente.\",\"NmpGKr\":\"Não conseguimos reordenar as categorias. Por favor, tente novamente.\",\"BJtMTd\":\"Recomendamos dimensões de 2160px por 1080px e um tamanho máximo de arquivo de 5 MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"O que são Produtos em Camadas?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"O que é uma Categoria?\",\"gxeWAU\":\"A quais produtos este código se aplica?\",\"hFHnxR\":\"A quais produtos este código se aplica? (Aplica-se a todos por padrão)\",\"AeejQi\":\"A quais produtos essa capacidade deve se aplicar?\",\"Rb0XUE\":\"A que horas você chegará?\",\"5N4wLD\":\"Que tipo de pergunta é essa?\",\"gyLUYU\":\"Quando ativado, as faturas serão geradas para os pedidos de ingressos. As faturas serão enviadas junto com o e-mail de confirmação do pedido. Os participantes também podem baixar suas faturas na página de confirmação do pedido.\",\"D3opg4\":\"Quando os pagamentos offline estão ativados, os usuários poderão concluir seus pedidos e receber seus ingressos. Seus ingressos indicarão claramente que o pedido não foi pago, e a ferramenta de check-in notificará a equipe se um pedido exigir pagamento.\",\"D7C6XV\":\"When should this check-in list expire?\",\"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?\",\"VxFvXQ\":\"Incorporação de widgets\",\"v1P7Gm\":\"Configurações do widget\",\"b4itZn\":\"Trabalho\",\"hqmXmc\":\"Trabalhando...\",\"+G/XiQ\":\"Ano até agora\",\"l75CjT\":\"Yes\",\"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\",\"sdB7+6\":\"Você pode criar um código promocional que direcione este produto no\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Você não pode mudar o tipo de produto, pois há participantes associados a este produto.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Você não pode registrar participantes com pedidos não pagos. Essa configuração pode ser alterada nas configurações do evento.\",\"c9Evkd\":\"Você não pode excluir a última categoria.\",\"6uwAvx\":\"Você não pode excluir este nível de preço porque já há produtos vendidos para este nível. Você pode ocultá-lo em vez disso.\",\"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\":\"You do not have permission to access this page\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha uma para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Faça login para continuar.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Você não tem perguntas para os participantes.\",\"CoZHDB\":\"Você não tem perguntas sobre o pedido.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"O tempo para concluir seu pedido acabou.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de produtos 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\":\"You must confirm your email address before your event can go live.\",\"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\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Você terá que marcar um pedido como pago manualmente. Isso pode ser feito na página de gerenciamento de pedidos.\",\"L/+xOk\":\"Você precisará de um ingresso antes de poder criar uma lista de registro.\",\"Djl45M\":\"Você precisará de um produto antes de poder criar uma atribuição de capacidade.\",\"y3qNri\":\"Você precisará de pelo menos um produto para começar. Grátis, pago ou deixe o usuário decidir o que pagar.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Seu pedido\",\"Jwiilf\":\"Seu pedido foi cancelado\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Seu reembolso está sendo processado.\",\"IFHV2p\":\"Seu ingresso para\",\"x1PPdr\":\"CEP / Código Postal\",\"BM/KQm\":\"CEP ou código postal\",\"+LtVBt\":\"CEP ou Código Postal\",\"25QDJ1\":\"- Clique para publicar\",\"WOyJmc\":\"- Clique para despublicar\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" já fez check-in\"],\"S4PqS9\":[[\"0\"],\" webhooks ativos\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organizadores\"],\"/HkCs4\":[[\"0\"],\" ingressos\"],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>As listas de check-in ajudam você a gerenciar a entrada no evento por dia, área ou tipo de ingresso. Você pode vincular ingressos a listas específicas, como zonas VIP ou passes do Dia 1, e compartilhar um link de check-in seguro com a equipe. Não é necessária conta. O check-in funciona em dispositivos móveis, computador ou tablet, usando a câmera do dispositivo ou um scanner USB HID. \",\"ZnVt5v\":\"<0>Os webhooks notificam instantaneamente serviços externos quando eventos ocorrem, como adicionar um novo participante ao seu CRM ou lista de e-mails no momento do registro, garantindo uma automação perfeita.<1>Use serviços de terceiros como <2>Zapier, <3>IFTTT ou <4>Make para criar fluxos de trabalho personalizados e automatizar tarefas.\",\"fAv9QG\":\"🎟️ Adicionar tíquetes\",\"M2DyLc\":\"1 webhook ativo\",\"yTsaLw\":\"1 ingresso\",\"HR/cvw\":\"Rua Exemplo 123\",\"kMU5aM\":\"Um aviso de cancelamento foi enviado para\",\"V53XzQ\":\"Um novo código de verificação foi enviado para o seu email\",\"/z/bH1\":\"Uma breve descrição do seu organizador que será exibida aos seus usuários.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"Sobre\",\"WTk/ke\":\"Sobre o Stripe Connect\",\"1uJlG9\":\"Cor de Destaque\",\"VTfZPy\":\"Acesso negado\",\"iN5Cz3\":\"Conta já conectada!\",\"bPwFdf\":\"Contas\",\"nMtNd+\":\"Ação necessária: Reconecte sua conta Stripe\",\"a5KFZU\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"6PNlRV\":\"Adicione este evento ao seu calendário\",\"BGD9Yt\":\"Adicionar ingressos\",\"QN2F+7\":\"Adicionar Webhook\",\"NsWqSP\":\"Adicione seus perfis de redes sociais e o URL do site. Eles serão exibidos na sua página pública de organizador.\",\"0Zypnp\":\"Painel de Administração\",\"YAV57v\":\"Afiliado\",\"I+utEq\":\"O código de afiliado não pode ser alterado\",\"/jHBj5\":\"Afiliado criado com sucesso\",\"uCFbG2\":\"Afiliado eliminado com sucesso\",\"a41PKA\":\"As vendas do afiliado serão rastreadas\",\"mJJh2s\":\"As vendas do afiliado não serão rastreadas. Isto irá desativar o afiliado.\",\"jabmnm\":\"Afiliado atualizado com sucesso\",\"CPXP5Z\":\"Afiliados\",\"9Wh+ug\":\"Afiliados exportados\",\"3cqmut\":\"Os afiliados ajudam-no a rastrear vendas geradas por parceiros e influenciadores. Crie códigos de afiliado e partilhe-os para monitorizar o desempenho.\",\"7rLTkE\":\"Todos os eventos arquivados\",\"gKq1fa\":\"Todos os participantes\",\"pMLul+\":\"Todas as moedas\",\"qlaZuT\":\"Tudo pronto! Agora você está usando nosso sistema de pagamentos atualizado.\",\"ZS/D7f\":\"Todos os eventos encerrados\",\"dr7CWq\":\"Todos os próximos eventos\",\"QUg5y1\":\"Quase lá! Termine de conectar sua conta Stripe para começar a aceitar pagamentos.\",\"c4uJfc\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos.\",\"/H326L\":\"Já reembolsado\",\"RtxQTF\":\"Também cancelar este pedido\",\"jkNgQR\":\"Também reembolsar este pedido\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"Um email para associar a este afiliado. O afiliado não será notificado.\",\"vRznIT\":\"Ocorreu um erro ao verificar o status da exportação.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Resposta atualizada com sucesso.\",\"LchiNd\":\"Tem a certeza de que deseja eliminar este afiliado? Esta ação não pode ser anulada.\",\"JmVITJ\":\"Tem certeza de que deseja excluir este modelo? Esta ação não pode ser desfeita e os e-mails voltarão ao modelo padrão.\",\"aLS+A6\":\"Tem certeza de que deseja excluir este modelo? Esta ação não pode ser desfeita e os e-mails voltarão ao modelo do organizador ou padrão.\",\"5H3Z78\":\"Tem certeza de que deseja excluir este webhook?\",\"147G4h\":\"Tem certeza de que deseja sair?\",\"VDWChT\":\"Tem certeza de que deseja definir este organizador como rascunho? Isso tornará a página do organizador invisível ao público.\",\"pWtQJM\":\"Tem certeza de que deseja tornar este organizador público? Isso tornará a página do organizador visível ao público.\",\"WFHOlF\":\"Tem a certeza de que deseja publicar este evento? Uma vez publicado, será visível ao público.\",\"4TNVdy\":\"Tem a certeza de que deseja publicar este perfil de organizador? Uma vez publicado, será visível ao público.\",\"ExDt3P\":\"Tem a certeza de que deseja despublicar este evento? Já não será visível ao público.\",\"5Qmxo/\":\"Tem a certeza de que deseja despublicar este perfil de organizador? Já não será visível ao público.\",\"+QARA4\":\"Arte\",\"F2rX0R\":\"Pelo menos um tipo de evento deve ser selecionado\",\"6PecK3\":\"Presença e taxas de check-in em todos os eventos\",\"AJ4rvK\":\"Participante cancelado\",\"qvylEK\":\"Participante criado\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"E-mail do Participante\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Gestão de participantes\",\"av+gjP\":\"Nome do Participante\",\"cosfD8\":\"Status do Participante\",\"D2qlBU\":\"Participante atualizado\",\"x8Vnvf\":\"O ingresso do participante não está incluído nesta lista\",\"k3Tngl\":\"Participantes exportados\",\"5UbY+B\":\"Participantes com um tíquete específico\",\"4HVzhV\":\"Participantes:\",\"VPoeAx\":\"Gestão automatizada de entrada com várias listas de check-in e validação em tempo real\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Disponível para reembolso\",\"NB5+UG\":\"Tokens Disponíveis\",\"EmYMHc\":\"Aguardando pagamento offline\",\"kNmmvE\":\"Awesome Events Lda.\",\"kYqM1A\":\"Voltar ao evento\",\"td/bh+\":\"Voltar aos Relatórios\",\"jIPNJG\":\"Informações básicas\",\"iMdwTb\":\"Antes que seu evento possa ser publicado, há algumas coisas que você precisa fazer. Conclua todas as etapas abaixo para começar.\",\"UabgBd\":\"Corpo é obrigatório\",\"9N+p+g\":\"Negócios\",\"bv6RXK\":\"Rótulo do Botão\",\"ChDLlO\":\"Texto do botão\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Botão de Chamada para Ação\",\"PUpvQe\":\"Scanner de câmera\",\"H4nE+E\":\"Cancelar todos os produtos e devolvê-los ao pool disponível\",\"tOXAdc\":\"Cancelar irá cancelar todos os participantes associados a este pedido e devolver os ingressos ao pool disponível.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Atribuições de capacidade\",\"K7tIrx\":\"Categoria\",\"2tbLdK\":\"Caridade\",\"v4fiSg\":\"Verifique o seu email\",\"51AsAN\":\"Verifique sua caixa de entrada! Se houver ingressos associados a este e-mail, você receberá um link para visualizá-los.\",\"udRwQs\":\"Check-in criado\",\"F4SRy3\":\"Check-in excluído\",\"9gPPUY\":\"Lista de Check-In Criada!\",\"f2vU9t\":\"Listas de Check-in\",\"tMNBEF\":\"As listas de check-in permitem controlar a entrada por dias, áreas ou tipos de ingresso. Você pode compartilhar um link seguro com a equipe — não é necessária conta.\",\"SHJwyq\":\"Taxa de check-in\",\"qCqdg6\":\"Status do Check-In\",\"cKj6OE\":\"Resumo de Check-in\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinês (Tradicional)\",\"pkk46Q\":\"Escolha um organizador\",\"Crr3pG\":\"Escolher calendário\",\"CySr+W\":\"Clique para ver as notas\",\"RG3szS\":\"fechar\",\"RWw9Lg\":\"Fechar modal\",\"XwdMMg\":\"O código só pode conter letras, números, hífenes e underscores\",\"+yMJb7\":\"O código é obrigatório\",\"m9SD3V\":\"O código deve ter pelo menos 3 caracteres\",\"V1krgP\":\"O código não deve ter mais de 20 caracteres\",\"psqIm5\":\"Colabore com sua equipe para criar eventos incríveis juntos.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comédia\",\"7D9MJz\":\"Concluir configuração do Stripe\",\"OqEV/G\":\"Complete a configuração abaixo para continuar\",\"nqx+6h\":\"Complete estas etapas para começar a vender ingressos para o seu evento.\",\"5YrKW7\":\"Complete seu pagamento para garantir seus ingressos.\",\"ih35UP\":\"Centro de conferências\",\"NGXKG/\":\"Confirmar endereço de e-mail\",\"Auz0Mz\":\"Confirme seu e-mail para acessar todos os recursos.\",\"7+grte\":\"E-mail de confirmação enviado! Verifique sua caixa de entrada.\",\"n/7+7Q\":\"Confirmação enviada para\",\"o5A0Go\":\"Parabéns por criar um evento!\",\"WNnP3w\":\"Conectar e atualizar\",\"Xe2tSS\":\"Documentação de conexão\",\"1Xxb9f\":\"Conectar processamento de pagamento\",\"LmvZ+E\":\"Conecte o Stripe para habilitar mensagens\",\"EWnXR+\":\"Conectar ao Stripe\",\"MOUF31\":\"Conecte-se ao CRM e automatize tarefas usando webhooks e integrações\",\"VioGG1\":\"Conecte sua conta Stripe para aceitar pagamentos de ingressos e produtos.\",\"4qmnU8\":\"Conecte sua conta Stripe para aceitar pagamentos.\",\"E1eze1\":\"Conecte sua conta Stripe para começar a aceitar pagamentos para seus eventos.\",\"ulV1ju\":\"Conecte sua conta Stripe para começar a aceitar pagamentos.\",\"/3017M\":\"Conectado ao Stripe\",\"jfC/xh\":\"Contato\",\"LOFgda\":[\"Contato \",[\"0\"]],\"41BQ3k\":\"Email de contacto\",\"KcXRN+\":\"E-mail de contato para suporte\",\"m8WD6t\":\"Continuar configuração\",\"0GwUT4\":\"Ir para o checkout\",\"sBV87H\":\"Continuar para a criação do evento\",\"nKtyYu\":\"Continuar para o próximo passo\",\"F3/nus\":\"Continuar para pagamento\",\"1JnTgU\":\"Copiado de cima\",\"FxVG/l\":\"Copiado para a área de transferência\",\"PiH3UR\":\"Copiado!\",\"uUPbPg\":\"Copiar link de afiliado\",\"iVm46+\":\"Copiar código\",\"+2ZJ7N\":\"Copiar detalhes para o primeiro participante\",\"ZN1WLO\":\"Copiar Email\",\"tUGbi8\":\"Copiar meus dados para:\",\"y22tv0\":\"Copie este link para compartilhá-lo em qualquer lugar\",\"/4gGIX\":\"Copiar para a área de transferência\",\"P0rbCt\":\"Imagem de capa\",\"60u+dQ\":\"A imagem de capa será exibida no topo da sua página de evento\",\"2NLjA6\":\"A imagem de capa será exibida no topo da página do organizador\",\"zg4oSu\":[\"Criar Modelo \",[\"0\"]],\"xfKgwv\":\"Criar afiliado\",\"dyrgS4\":\"Crie e personalize sua página de evento instantaneamente\",\"BTne9e\":\"Criar modelos de e-mail personalizados para este evento que substituem os padrões do organizador\",\"YIDzi/\":\"Criar Modelo Personalizado\",\"8AiKIu\":\"Criar ingresso ou produto\",\"agZ87r\":\"Crie ingressos para seu evento, defina preços e gerencie a quantidade disponível.\",\"dkAPxi\":\"Criar Webhook\",\"5slqwZ\":\"Crie seu evento\",\"JQNMrj\":\"Crie o seu primeiro evento\",\"CCjxOC\":\"Crie seu primeiro evento para começar a vender ingressos e gerenciar participantes.\",\"ZCSSd+\":\"Crie seu próprio evento\",\"67NsZP\":\"A criar evento...\",\"H34qcM\":\"A criar organizador...\",\"1YMS+X\":\"A criar o seu evento, por favor aguarde\",\"yiy8Jt\":\"A criar o seu perfil de organizador, por favor aguarde\",\"lfLHNz\":\"Rótulo do CTA é obrigatório\",\"BMtue0\":\"Processador de pagamentos atual\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Mensagem personalizada após o checkout\",\"axv/Mi\":\"Modelo personalizado\",\"QMHSMS\":\"O cliente receberá um email confirmando o reembolso\",\"L/Qc+w\":\"Endereço de e-mail do cliente\",\"wpfWhJ\":\"Primeiro nome do cliente\",\"GIoqtA\":\"Sobrenome do cliente\",\"NihQNk\":\"Clientes\",\"7gsjkI\":\"Personalize os e-mails enviados aos seus clientes usando modelos Liquid. Estes modelos serão usados como padrão para todos os eventos em sua organização.\",\"iX6SLo\":\"Personalize o texto exibido no botão continuar\",\"pxNIxa\":\"Personalize seu modelo de e-mail usando modelos Liquid\",\"q9Jg0H\":\"Personalize sua página do evento e o design do widget para combinar perfeitamente com sua marca\",\"mkLlne\":\"Personalize a aparência da sua página de evento\",\"3trPKm\":\"Personalize a aparência da sua página de organizador\",\"4df0iX\":\"Personalize a aparência do seu ingresso\",\"/gWrVZ\":\"Receita diária, impostos, taxas e reembolsos em todos os eventos\",\"zgCHnE\":\"Relatório de vendas diárias\",\"nHm0AI\":\"Detalhamento das vendas diárias, impostos e taxas\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Data do evento\",\"gnBreG\":\"Data em que o pedido foi feito\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Modelo padrão será usado\",\"vu7gDm\":\"Eliminar afiliado\",\"+jw/c1\":\"Excluir imagem\",\"dPyJ15\":\"Excluir Modelo\",\"snMaH4\":\"Excluir webhook\",\"vYgeDk\":\"Desselecionar tudo\",\"NvuEhl\":\"Elementos de Design\",\"H8kMHT\":\"Não recebeu o código?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Fechar esta mensagem\",\"BREO0S\":\"Exibe uma caixa de seleção permitindo que os clientes optem por receber comunicações de marketing deste organizador de eventos.\",\"TvY/XA\":\"Documentação\",\"Kdpf90\":\"Não esqueça!\",\"V6Jjbr\":\"Não tem uma conta? <0>Cadastre-se\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Concluído\",\"eneWvv\":\"Rascunho\",\"TnzbL+\":\"Devido ao alto risco de spam, você deve conectar uma conta Stripe antes de poder enviar mensagens aos participantes.\\nIsso é para garantir que todos os organizadores de eventos sejam verificados e responsáveis.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplicar produto\",\"KIjvtr\":\"Holandês\",\"SPKbfM\":\"ex.: Comprar ingressos, Registrar-se agora\",\"LTzmgK\":[\"Editar Modelo \",[\"0\"]],\"v4+lcZ\":\"Editar afiliado\",\"2iZEz7\":\"Editar resposta\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Educação\",\"zPiC+q\":\"Listas de Check-In Elegíveis\",\"V2sk3H\":\"E-mail e Modelos\",\"hbwCKE\":\"Endereço de email copiado para a área de transferência\",\"dSyJj6\":\"Os endereços de e-mail não coincidem\",\"elW7Tn\":\"Corpo do E-mail\",\"ZsZeV2\":\"O email é obrigatório\",\"Be4gD+\":\"Visualização do E-mail\",\"6IwNUc\":\"Modelos de E-mail\",\"H/UMUG\":\"Verificação de e-mail necessária\",\"L86zy2\":\"Email verificado com sucesso!\",\"Upeg/u\":\"Habilitar este modelo para envio de e-mails\",\"RxzN1M\":\"Ativado\",\"sGjBEq\":\"Data e hora de término (opcional)\",\"PKXt9R\":\"A data de término deve ser posterior à data de início\",\"48Y16Q\":\"Hora de fim (opcional)\",\"7YZofi\":\"Digite um assunto e corpo para ver a visualização\",\"3bR1r4\":\"Introduza o email do afiliado (opcional)\",\"ARkzso\":\"Introduza o nome do afiliado\",\"INDKM9\":\"Digite o assunto do e-mail...\",\"kWg31j\":\"Introduza um código de afiliado único\",\"C3nD/1\":\"Digite seu e-mail\",\"n9V+ps\":\"Digite seu nome\",\"LslKhj\":\"Erro ao carregar os registros\",\"WgD6rb\":\"Categoria do evento\",\"b46pt5\":\"Imagem de capa do evento\",\"1Hzev4\":\"Modelo personalizado do evento\",\"imgKgl\":\"Descrição do evento\",\"kJDmsI\":\"Detalhes do evento\",\"m/N7Zq\":\"Endereço Completo do Evento\",\"Nl1ZtM\":\"Local do Evento\",\"PYs3rP\":\"Nome do evento\",\"HhwcTQ\":\"Nome do evento\",\"WZZzB6\":\"O nome do evento é obrigatório\",\"Wd5CDM\":\"O nome do evento deve ter menos de 150 caracteres\",\"4JzCvP\":\"Evento não disponível\",\"Gh9Oqb\":\"Nome do organizador do evento\",\"mImacG\":\"Página do Evento\",\"cOePZk\":\"Horário do Evento\",\"e8WNln\":\"Fuso horário do evento\",\"GeqWgj\":\"Fuso Horário do Evento\",\"XVLu2v\":\"Título do evento\",\"YDVUVl\":\"Tipos de eventos\",\"4K2OjV\":\"Local do Evento\",\"19j6uh\":\"Desempenho de Eventos\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Todo modelo de e-mail deve incluir um botão de chamada para ação que leva à página apropriada\",\"VlvpJ0\":\"Exportar respostas\",\"JKfSAv\":\"Falha na exportação. Por favor, tente novamente.\",\"SVOEsu\":\"Exportação iniciada. Preparando arquivo...\",\"9bpUSo\":\"A exportar afiliados\",\"jtrqH9\":\"Exportando participantes\",\"R4Oqr8\":\"Exportação concluída. Baixando arquivo...\",\"UlAK8E\":\"Exportando pedidos\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Falha ao abandonar o pedido. Por favor, tente novamente.\",\"cEFg3R\":\"Falha ao criar afiliado\",\"U66oUa\":\"Falha ao criar modelo\",\"xFj7Yj\":\"Falha ao excluir modelo\",\"jo3Gm6\":\"Falha ao exportar afiliados\",\"Jjw03p\":\"Falha ao exportar participantes\",\"ZPwFnN\":\"Falha ao exportar pedidos\",\"X4o0MX\":\"Falha ao carregar o Webhook\",\"YQ3QSS\":\"Falha ao reenviar código de verificação\",\"zTkTF3\":\"Falha ao salvar modelo\",\"T6B2gk\":\"Falha ao enviar mensagem. Por favor, tente novamente.\",\"lKh069\":\"Falha ao iniciar a exportação\",\"t/KVOk\":\"Falha ao iniciar a personificação. Por favor, tente novamente.\",\"QXgjH0\":\"Falha ao parar a personificação. Por favor, tente novamente.\",\"i0QKrm\":\"Falha ao atualizar afiliado\",\"NNc33d\":\"Falha ao atualizar a resposta.\",\"7/9RFs\":\"Falha ao carregar imagem.\",\"nkNfWu\":\"Falha ao enviar imagem. Por favor, tente novamente.\",\"rxy0tG\":\"Falha ao verificar email\",\"T4BMxU\":\"As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Preencha seus dados acima primeiro\",\"8OvVZZ\":\"Filtrar Participantes\",\"8BwQeU\":\"Finalizar configuração\",\"hg80P7\":\"Finalizar configuração do Stripe\",\"1vBhpG\":\"Primeiro participante\",\"YXhom6\":\"Taxa fixa:\",\"KgxI80\":\"Bilhetagem flexível\",\"lWxAUo\":\"Comida e bebida\",\"nFm+5u\":\"Texto do Rodapé\",\"MY2SVM\":\"Reembolso total\",\"vAVBBv\":\"Totalmente integrado\",\"T02gNN\":\"Admissão Geral\",\"3ep0Gx\":\"Informações gerais sobre seu organizador\",\"ziAjHi\":\"Gerar\",\"exy8uo\":\"Gerar código\",\"4CETZY\":\"Como chegar\",\"kfVY6V\":\"Comece gratuitamente, sem taxas de assinatura\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Prepare seu evento\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Ir para a página do evento\",\"gHSuV/\":\"Ir para a página inicial\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Receita Bruta\",\"kTSQej\":[\"Olá \",[\"0\"],\", gerencie sua plataforma daqui.\"],\"dORAcs\":\"Aqui estão todos os ingressos associados ao seu endereço de e-mail.\",\"g+2103\":\"Aqui está o seu link de afiliado\",\"QlwJ9d\":\"Aqui está o que esperar:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Ocultar respostas\",\"gtEbeW\":\"Destacar\",\"NF8sdv\":\"Mensagem de destaque\",\"MXSqmS\":\"Destacar este produto\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Os produtos em destaque terão uma cor de fundo diferente para se destacarem na página do evento.\",\"i0qMbr\":\"Início\",\"AVpmAa\":\"Como pagar offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Húngaro\",\"4/kP5a\":\"Se uma nova aba não abriu automaticamente, clique no botão abaixo para continuar para o checkout.\",\"wOU3Tr\":\"Se você tiver uma conta conosco, receberá um e-mail com instruções para redefinir sua senha.\",\"an5hVd\":\"Imagens\",\"tSVr6t\":\"Personificar\",\"TWXU0c\":\"Personificar usuário\",\"5LAZwq\":\"Personificação iniciada\",\"IMwcdR\":\"Personificação parada\",\"M8M6fs\":\"Importante: Reconexão do Stripe necessária\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Análises detalhadas\",\"F1Xp97\":\"Participantes individuais\",\"85e6zs\":\"Inserir Token Liquid\",\"38KFY0\":\"Inserir Variável\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Email inválido\",\"5tT0+u\":\"Formato de email inválido\",\"tnL+GP\":\"Sintaxe Liquid inválida. Por favor, corrija e tente novamente.\",\"g+lLS9\":\"Convidar um membro da equipe\",\"1z26sk\":\"Convidar membro da equipe\",\"KR0679\":\"Convidar membros da equipe\",\"aH6ZIb\":\"Convide sua equipe\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italiano\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Participe de qualquer lugar\",\"hTJ4fB\":\"Basta clicar no botão abaixo para reconectar sua conta Stripe.\",\"MxjCqk\":\"Apenas procurando seus ingressos?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Última resposta\",\"gw3Ur5\":\"Última ativação\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link expirado ou inválido\",\"psosdY\":\"Link para detalhes do pedido\",\"6JzK4N\":\"Link para ingresso\",\"shkJ3U\":\"Conecte sua conta Stripe para receber fundos das vendas de ingressos.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Ao vivo\",\"fpMs2Z\":\"AO VIVO\",\"D9zTjx\":\"Eventos ao Vivo\",\"WdmJIX\":\"Carregando visualização...\",\"IoDI2o\":\"Carregando tokens...\",\"NFxlHW\":\"Carregando webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo e Capa\",\"gddQe0\":\"Logo e imagem de capa para seu organizador\",\"TBEnp1\":\"O logo será exibido no cabeçalho\",\"Jzu30R\":\"O logo será exibido no ingresso\",\"4wUIjX\":\"Torne seu evento ao vivo\",\"0A7TvI\":\"Gerenciar evento\",\"2FzaR1\":\"Gerencie seu processamento de pagamentos e visualize as taxas da plataforma\",\"/x0FyM\":\"Combine com sua marca\",\"xDAtGP\":\"Mensagem\",\"1jRD0v\":\"Enviar mensagens aos participantes com ingressos específicos\",\"97QrnA\":\"Envie mensagens aos participantes, gerencie pedidos e processe reembolsos em um só lugar\",\"48rf3i\":\"Mensagem não pode exceder 5000 caracteres\",\"Vjat/X\":\"A mensagem é obrigatória\",\"0/yJtP\":\"Enviar mensagem para proprietários de pedidos com produtos específicos\",\"tccUcA\":\"Check-in móvel\",\"GfaxEk\":\"Música\",\"oVGCGh\":\"Meus Ingressos\",\"8/brI5\":\"O nome é obrigatório\",\"sCV5Yc\":\"Nome do evento\",\"xxU3NX\":\"Receita Líquida\",\"eWRECP\":\"Vida noturna\",\"VHfLAW\":\"Sem contas\",\"+jIeoh\":\"Nenhuma conta encontrada\",\"074+X8\":\"Nenhum webhook ativo\",\"zxnup4\":\"Sem afiliados para mostrar\",\"99ntUF\":\"Nenhuma lista de check-in disponível para este evento.\",\"6r9SGl\":\"Nenhum cartão de crédito necessário\",\"eb47T5\":\"Nenhum dado encontrado para os filtros selecionados. Tente ajustar o período ou a moeda.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"Nenhum evento encontrado\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Nenhum evento ainda\",\"54GxeB\":\"Sem impacto nas suas transações atuais ou passadas\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"Nenhum registro encontrado\",\"NEmyqy\":\"Nenhum pedido ainda\",\"B7w4KY\":\"Nenhum outro organizador disponível\",\"6jYQGG\":\"Nenhum evento passado\",\"zK/+ef\":\"Nenhum produto disponível para seleção\",\"QoAi8D\":\"Sem resposta\",\"EK/G11\":\"Ainda sem respostas\",\"3sRuiW\":\"Nenhum ingresso encontrado\",\"yM5c0q\":\"Nenhum evento futuro\",\"qpC74J\":\"Nenhum usuário encontrado\",\"n5vdm2\":\"Nenhum evento de webhook foi registrado para este endpoint ainda. Os eventos aparecerão aqui assim que forem acionados.\",\"4GhX3c\":\"Nenhum Webhook\",\"4+am6b\":\"Não, manter-me aqui\",\"x5+Lcz\":\"Não Registrado\",\"8n10sz\":\"Não Elegível\",\"lQgMLn\":\"Nome do escritório ou local\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Pagamento Offline\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Depois de completar a atualização, sua conta antiga será usada apenas para reembolsos.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Evento online\",\"bU7oUm\":\"Enviar apenas para pedidos com esses status\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Abrir painel do Stripe\",\"HXMJxH\":\"Texto opcional para avisos legais, informações de contato ou notas de agradecimento (apenas uma linha)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Pedido cancelado\",\"b6+Y+n\":\"Pedido concluído\",\"x4MLWE\":\"Confirmação do Pedido\",\"ppuQR4\":\"Pedido criado\",\"0UZTSq\":\"Moeda do Pedido\",\"HdmwrI\":\"E-mail do Pedido\",\"bwBlJv\":\"Primeiro Nome do Pedido\",\"vrSW9M\":\"O pedido foi cancelado e reembolsado. O proprietário do pedido foi notificado.\",\"+spgqH\":[\"ID do pedido: \",[\"0\"]],\"Pc729f\":\"Pedido Aguardando Pagamento Offline\",\"F4NXOl\":\"Sobrenome do Pedido\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Idioma do Pedido\",\"vu6Arl\":\"Pedido marcado como pago\",\"sLbJQz\":\"Pedido não encontrado\",\"i8VBuv\":\"Número do Pedido\",\"FaPYw+\":\"Proprietário do pedido\",\"eB5vce\":\"Proprietários de pedidos com um produto específico\",\"CxLoxM\":\"Proprietários de pedidos com produtos\",\"DoH3fD\":\"Pagamento do Pedido Pendente\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Status dos pedidos\",\"oW5877\":\"Total do Pedido\",\"e7eZuA\":\"Pedido atualizado\",\"KndP6g\":\"URL do Pedido\",\"3NT0Ck\":\"O pedido foi cancelado\",\"5It1cQ\":\"Pedidos exportados\",\"B/EBQv\":\"Pedidos:\",\"ucgZ0o\":\"Organização\",\"S3CZ5M\":\"Painel do organizador\",\"Uu0hZq\":\"Email do organizador\",\"Gy7BA3\":\"Endereço de email do organizador\",\"SQqJd8\":\"Organizador não encontrado\",\"wpj63n\":\"Configurações do organizador\",\"coIKFu\":\"As estatísticas do organizador não estão disponíveis para a moeda selecionada ou ocorreu um erro.\",\"o1my93\":\"Falha ao atualizar o status do organizador. Por favor, tente novamente mais tarde.\",\"rLHma1\":\"Status do organizador atualizado\",\"LqBITi\":\"Modelo do organizador/padrão será usado\",\"/IX/7x\":\"Outro\",\"RsiDDQ\":\"Outras Listas (Ingresso Não Incluído)\",\"6/dCYd\":\"Visão geral\",\"8uqsE5\":\"Página não disponível mais\",\"QkLf4H\":\"URL da página\",\"sF+Xp9\":\"Visualizações de página\",\"5F7SYw\":\"Reembolso parcial\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Passado\",\"xTPjSy\":\"Eventos passados\",\"/l/ckQ\":\"Cole a URL\",\"URAE3q\":\"Pausado\",\"4fL/V7\":\"Pagar\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Pagamento e plano\",\"ENEPLY\":\"Método de pagamento\",\"EyE8E6\":\"Processamento de pagamento\",\"8Lx2X7\":\"Pagamento recebido\",\"vcyz2L\":\"Configurações de pagamento\",\"fx8BTd\":\"Pagamentos não disponíveis\",\"51U9mG\":\"Os pagamentos continuarão fluindo sem interrupção\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Desempenho\",\"zmwvG2\":\"Telefone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planejando um evento?\",\"br3Y/y\":\"Taxas da plataforma\",\"jEw0Mr\":\"Por favor, insira uma URL válida\",\"n8+Ng/\":\"Por favor, introduza o código de 5 dígitos\",\"Dvq0wf\":\"Por favor, forneça uma imagem.\",\"2cUopP\":\"Por favor, reinicie o processo de compra.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Por favor, selecione uma imagem.\",\"fuwKpE\":\"Por favor, tente novamente.\",\"klWBeI\":\"Por favor, aguarde antes de solicitar outro código\",\"hfHhaa\":\"Por favor, aguarde enquanto preparamos os seus afiliados para exportação...\",\"o+tJN/\":\"Por favor, aguarde enquanto preparamos seus participantes para exportação...\",\"+5Mlle\":\"Por favor, aguarde enquanto preparamos seus pedidos para exportação...\",\"TjX7xL\":\"Mensagem Pós-Checkout\",\"cs5muu\":\"Pré-visualizar página do evento\",\"+4yRWM\":\"Preço do ingresso\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Visualizar Impressão\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Imprimir para PDF\",\"LcET2C\":\"Política de Privacidade\",\"8z6Y5D\":\"Processar reembolso\",\"JcejNJ\":\"Processando pedido\",\"EWCLpZ\":\"Produto criado\",\"XkFYVB\":\"Produto excluído\",\"YMwcbR\":\"Detalhamento das vendas de produtos, receitas e impostos\",\"ldVIlB\":\"Produto atualizado\",\"mIqT3T\":\"Produtos, mercadorias e opções de preços flexíveis\",\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionais e detalhamento de descontos\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publicar\",\"evDBV8\":\"Publicar Evento\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"Leitura de QR code com feedback instantâneo e compartilhamento seguro para acesso da equipe\",\"fqDzSu\":\"Taxa\",\"spsZys\":\"Pronto para atualizar? Isso leva apenas alguns minutos.\",\"Fi3b48\":\"Pedidos recentes\",\"Edm6av\":\"Reconectar Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecionando para o Stripe...\",\"ACKu03\":\"Atualizar Visualização\",\"fKn/k6\":\"Valor do reembolso\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Reembolsar pedido \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Reembolsos\",\"CQeZT8\":\"Relatório não encontrado\",\"JEPMXN\":\"Solicitar novo link\",\"mdeIOH\":\"Reenviar código\",\"bxoWpz\":\"Reenviar e-mail de confirmação\",\"G42SNI\":\"Reenviar e-mail\",\"TTpXL3\":[\"Reenviar em \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reservado até\",\"slOprG\":\"Redefina sua senha\",\"CbnrWb\":\"Voltar ao evento\",\"Oo/PLb\":\"Resumo de Receita\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Vendas\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Vendas, pedidos e métricas de desempenho para todos os eventos\",\"3Q1AWe\":\"Vendas:\",\"8BRPoH\":\"Local Exemplo\",\"KZrfYJ\":\"Salvar links sociais\",\"9Y3hAT\":\"Salvar Modelo\",\"C8ne4X\":\"Salvar Design do Ingresso\",\"I+FvbD\":\"Escanear\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Pesquisar afiliados...\",\"VY+Bdn\":\"Pesquisar por nome da conta ou e-mail...\",\"VX+B3I\":\"Pesquisar por título do evento ou organizador...\",\"GHdjuo\":\"Pesquisar por nome, e-mail ou conta...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Selecione uma categoria\",\"BFRSTT\":\"Selecionar Conta\",\"mCB6Je\":\"Selecionar tudo\",\"kYZSFD\":\"Selecione um organizador para ver seu painel e eventos.\",\"tVW/yo\":\"Selecionar moeda\",\"n9ZhRa\":\"Selecione data e hora de término\",\"gTN6Ws\":\"Selecionar hora de fim\",\"0U6E9W\":\"Selecionar categoria do evento\",\"j9cPeF\":\"Selecionar tipos de eventos\",\"1nhy8G\":\"Selecionar tipo de scanner\",\"KizCK7\":\"Selecione data e hora de início\",\"dJZTv2\":\"Selecionar hora de início\",\"aT3jZX\":\"Selecionar fuso horário\",\"Ropvj0\":\"Selecione quais eventos acionarão este webhook\",\"BG3f7v\":\"Venda qualquer coisa\",\"VtX8nW\":\"Venda produtos junto com ingressos com suporte integrado para impostos e códigos promocionais\",\"Cye3uV\":\"Venda mais do que ingressos\",\"j9b/iy\":\"Vendendo rápido 🔥\",\"1lNPhX\":\"Enviar email de notificação de reembolso\",\"SPdzrs\":\"Enviado aos clientes quando fazem um pedido\",\"LxSN5F\":\"Enviado a cada participante com detalhes do ingresso\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Configure a sua organização\",\"HbUQWA\":\"Configuração em minutos\",\"GG7qDw\":\"Partilhar link de afiliado\",\"hL7sDJ\":\"Compartilhar página do organizador\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Mostrar todas as plataformas (\",[\"0\"],\" com valores)\"],\"UVPI5D\":\"Mostrar menos plataformas\",\"Eu/N/d\":\"Mostrar caixa de seleção de opt-in de marketing\",\"SXzpzO\":\"Mostrar caixa de seleção de opt-in de marketing por padrão\",\"b33PL9\":\"Mostrar mais plataformas\",\"v6IwHE\":\"Check-in inteligente\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Links sociais\",\"j/TOB3\":\"Links sociais e site\",\"2pxNFK\":\"vendido\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Algo deu errado, tente novamente ou entre em contato com o suporte se o problema persistir\",\"H6Gslz\":\"Desculpe o inconveniente.\",\"7JFNej\":\"Desporto\",\"JcQp9p\":\"Data e hora de início\",\"0m/ekX\":\"Data e hora de início\",\"izRfYP\":\"A data de início é obrigatória\",\"2R1+Rv\":\"Horário de início do evento\",\"2NbyY/\":\"Estatísticas\",\"DRykfS\":\"Ainda processando reembolsos para suas transações mais antigas.\",\"wuV0bK\":\"Parar Personificação\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Configuração do Stripe já está completa.\",\"ii0qn/\":\"Assunto é obrigatório\",\"M7Uapz\":\"Assunto aparecerá aqui\",\"6aXq+t\":\"Assunto:\",\"JwTmB6\":\"Produto duplicado com sucesso\",\"RuaKfn\":\"Endereço atualizado com sucesso\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Organizador atualizado com sucesso\",\"0Dk/l8\":\"Configurações de SEO atualizadas com sucesso\",\"MhOoLQ\":\"Links sociais atualizados com sucesso\",\"kj7zYe\":\"Webhook atualizado com sucesso\",\"dXoieq\":\"Resumo\",\"/RfJXt\":[\"Festival de Música de Verão \",[\"0\"]],\"CWOPIK\":\"Festival de Música de Verão 2025\",\"5gIl+x\":\"Suporte para vendas escalonadas, baseadas em doações e de produtos com preços e capacidades personalizáveis\",\"JZTQI0\":\"Trocar organizador\",\"XX32BM\":\"Leva apenas alguns minutos\",\"yT6dQ8\":\"Impostos coletados agrupados por tipo de imposto e evento\",\"Ye321X\":\"Nome do Imposto\",\"WyCBRt\":\"Resumo de Impostos\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tecnologia\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Conte às pessoas o que esperar do seu evento\",\"NiIUyb\":\"Conte-nos sobre seu evento\",\"DovcfC\":\"Fale-nos sobre a sua organização. Esta informação será exibida nas páginas dos seus eventos.\",\"7wtpH5\":\"Modelo Ativo\",\"QHhZeE\":\"Modelo criado com sucesso\",\"xrWdPR\":\"Modelo excluído com sucesso\",\"G04Zjt\":\"Modelo salvo com sucesso\",\"xowcRf\":\"Termos de serviço\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Obrigado por participar!\",\"lhAWqI\":\"Obrigado pelo seu apoio enquanto continuamos a crescer e melhorar o Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"O código irá expirar em 10 minutos. Verifique a sua pasta de spam se não vir o email.\",\"MJm4Tq\":\"A moeda do pedido\",\"I/NNtI\":\"O local do evento\",\"tXadb0\":\"O evento que você está procurando não está disponível no momento. Ele pode ter sido removido, expirado ou a URL pode estar incorreta.\",\"EBzPwC\":\"O endereço completo do evento\",\"sxKqBm\":\"O valor total do pedido será reembolsado para o método de pagamento original do cliente.\",\"5OmEal\":\"O idioma do cliente\",\"sYLeDq\":\"O organizador que você está procurando não foi encontrado. A página pode ter sido movida, excluída ou o URL está incorreto.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"O corpo do template contém sintaxe Liquid inválida. Por favor, corrija e tente novamente.\",\"A4UmDy\":\"Teatro\",\"tDwYhx\":\"Tema e cores\",\"HirZe8\":\"Estes modelos serão usados como padrão para todos os eventos em sua organização. Eventos individuais podem substituir estes modelos por suas próprias versões personalizadas.\",\"lzAaG5\":\"Estes modelos substituirão os padrões do organizador apenas para este evento. Se nenhum modelo personalizado for definido aqui, o modelo do organizador será usado.\",\"XBNC3E\":\"Este código será usado para rastrear vendas. Apenas são permitidas letras, números, hífenes e underscores.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Este evento ainda não foi publicado\",\"dFJnia\":\"Este é o nome do seu organizador que será exibido aos seus usuários.\",\"L7dIM7\":\"Este link é inválido ou expirou.\",\"j5FdeA\":\"Este pedido está sendo processado.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"Este pedido foi cancelado. Você pode iniciar um novo pedido a qualquer momento.\",\"lyD7rQ\":\"Este perfil de organizador ainda não foi publicado\",\"9b5956\":\"Esta visualização mostra como seu e-mail ficará com dados de amostra. E-mails reais usarão valores reais.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Este ingresso acabou de ser escaneado. Aguarde antes de escanear novamente.\",\"kvpxIU\":\"Isso será usado para notificações e comunicação com seus usuários.\",\"rhsath\":\"Isto não será visível para os clientes, mas ajuda-o a identificar o afiliado.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Design do Ingresso\",\"EZC/Cu\":\"Design do ingresso salvo com sucesso\",\"1BPctx\":\"Ingresso para\",\"bgqf+K\":\"E-mail do portador do ingresso\",\"oR7zL3\":\"Nome do portador do ingresso\",\"HGuXjF\":\"Portadores de ingressos\",\"awHmAT\":\"ID do ingresso\",\"6czJik\":\"Logotipo do Ingresso\",\"OkRZ4Z\":\"Nome do Ingresso\",\"6tmWch\":\"Ingresso ou produto\",\"1tfWrD\":\"Visualização do ingresso para\",\"tGCY6d\":\"Preço do Ingresso\",\"8jLPgH\":\"Tipo de Ingresso\",\"X26cQf\":\"URL do Ingresso\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Ingressos e produtos\",\"EUnesn\":\"Ingressos disponíveis\",\"AGRilS\":\"Ingressos Vendidos\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Para receber pagamentos com cartão de crédito, você precisa conectar sua conta do Stripe. O Stripe é nosso parceiro de processamento de pagamentos que garante transações seguras e pagamentos pontuais.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total de Contas\",\"EaAPbv\":\"Valor total pago\",\"SMDzqJ\":\"Total de Participantes\",\"orBECM\":\"Total Coletado\",\"KSDwd5\":\"Total de pedidos\",\"vb0Q0/\":\"Total de Usuários\",\"/b6Z1R\":\"Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis\",\"OpKMSn\":\"Taxa de transação:\",\"uKOFO5\":\"Verdadeiro se pagamento offline\",\"9GsDR2\":\"Verdadeiro se pagamento pendente\",\"ouM5IM\":\"Tentar outro e-mail\",\"3DZvE7\":\"Experimente Hi.Events Grátis\",\"Kz91g/\":\"Turco\",\"GdOhw6\":\"Desativar som\",\"KUOhTy\":\"Ativar som\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Tipo de ingresso\",\"IrVSu+\":\"Não foi possível duplicar o produto. Por favor, verifique seus dados\",\"Vx2J6x\":\"Não foi possível buscar participante\",\"b9SN9q\":\"Referência única do pedido\",\"Ef7StM\":\"Desconhecido\",\"ZBAScj\":\"Participante desconhecido\",\"ZkS2p3\":\"Despublicar Evento\",\"Pp1sWX\":\"Atualizar afiliado\",\"KMMOAy\":\"Atualização disponível\",\"gJQsLv\":\"Envie uma imagem de capa para seu organizador\",\"4kEGqW\":\"Envie um logo para seu organizador\",\"lnCMdg\":\"Carregar imagem\",\"29w7p6\":\"Enviando imagem...\",\"HtrFfw\":\"A URL é obrigatória\",\"WBq1/R\":\"Scanner USB já ativo\",\"EV30TR\":\"Modo scanner USB ativado. Comece a escanear os ingressos agora.\",\"fovJi3\":\"Modo scanner USB desativado\",\"hli+ga\":\"Scanner USB/HID\",\"OHJXlK\":\"Use <0>templates Liquid para personalizar seus emails\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Usado para bordas, destaques e estilo do código QR\",\"AdWhjZ\":\"Código de verificação\",\"wCKkSr\":\"Verificar email\",\"/IBv6X\":\"Verifique seu e-mail\",\"e/cvV1\":\"A verificar...\",\"fROFIL\":\"Vietnamita\",\"+WFMis\":\"Visualize e baixe relatórios de todos os seus eventos. Apenas pedidos concluídos são incluídos.\",\"gj5YGm\":\"Visualize e baixe relatórios do seu evento. Observe que apenas pedidos concluídos estão incluídos nesses relatórios.\",\"c7VN/A\":\"Ver respostas\",\"FCVmuU\":\"Ver evento\",\"n6EaWL\":\"Ver logs\",\"OaKTzt\":\"Ver mapa\",\"67OJ7t\":\"Ver Pedido\",\"tKKZn0\":\"Ver detalhes do pedido\",\"9jnAcN\":\"Ver página inicial do organizador\",\"1J/AWD\":\"Ver Ingresso\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visível apenas para a equipe de check-in. Ajuda a identificar esta lista durante o check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Aguardando pagamento\",\"RRZDED\":\"Não encontramos pedidos associados a este endereço de e-mail.\",\"miysJh\":\"Não foi possível encontrar este pedido. Ele pode ter sido removido.\",\"HJKdzP\":\"Ocorreu um problema ao carregar esta página. Por favor, tente novamente.\",\"IfN2Qo\":\"Recomendamos um logo quadrado com dimensões mínimas de 200x200px\",\"wJzo/w\":\"Recomendamos dimensões de 400px por 400px e tamanho máximo de 5MB\",\"q1BizZ\":\"Enviaremos seus ingressos para este e-mail\",\"zCdObC\":\"Mudamos oficialmente nossa sede para a Irlanda 🇮🇪. Como parte desta transição, agora usamos o Stripe Irlanda em vez do Stripe Canadá. Para manter seus pagamentos funcionando sem problemas, você precisará reconectar sua conta Stripe.\",\"jh2orE\":\"Mudamos nossa sede para a Irlanda. Como resultado, precisamos que você reconecte sua conta Stripe. Este processo rápido leva apenas alguns minutos. Suas vendas e dados existentes permanecem completamente inalterados.\",\"Fq/Nx7\":\"Enviámos um código de verificação de 5 dígitos para:\",\"GdWB+V\":\"Webhook criado com sucesso\",\"2X4ecw\":\"Webhook excluído com sucesso\",\"CThMKa\":\"Logs do Webhook\",\"nuh/Wq\":\"URL do Webhook\",\"8BMPMe\":\"O webhook não enviará notificações\",\"FSaY52\":\"O webhook enviará notificações\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Site\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bem-vindo de volta 👋\",\"kSYpfa\":[\"Bem-vindo ao \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Bem-vindo ao \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Bem-vindo ao \",[\"0\"],\", aqui está uma lista de todos os seus eventos\"],\"FaSXqR\":\"Que tipo de evento?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Quando um check-in é excluído\",\"Gmd0hv\":\"Quando um novo participante é criado\",\"Lc18qn\":\"Quando um novo pedido é criado\",\"dfkQIO\":\"Quando um novo produto é criado\",\"8OhzyY\":\"Quando um produto é excluído\",\"tRXdQ9\":\"Quando um produto é atualizado\",\"Q7CWxp\":\"Quando um participante é cancelado\",\"IuUoyV\":\"Quando um participante faz check-in\",\"nBVOd7\":\"Quando um participante é atualizado\",\"ny2r8d\":\"Quando um pedido é cancelado\",\"c9RYbv\":\"Quando um pedido é marcado como pago\",\"ejMDw1\":\"Quando um pedido é reembolsado\",\"fVPt0F\":\"Quando um pedido é atualizado\",\"bcYlvb\":\"Quando fecha o check-in\",\"XIG669\":\"Quando abre o check-in\",\"de6HLN\":\"Quando os clientes comprarem ingressos, os pedidos aparecerão aqui.\",\"blXLKj\":\"Quando ativado, novos eventos exibirão uma caixa de seleção de opt-in de marketing durante o checkout. Isso pode ser substituído por evento.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Escreva sua mensagem aqui...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Sim, cancelar meu pedido\",\"QlSZU0\":[\"Você está personificando <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Você está emitindo um reembolso parcial. O cliente será reembolsado em \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Você adicionou taxas e impostos a um produto gratuito. Deseja removê-los?\",\"FVTVBy\":\"Você precisa verificar seu e-mail antes de atualizar o status do organizador.\",\"FRl8Jv\":\"Você precisa verificar o e-mail da sua conta antes de poder enviar mensagens.\",\"U3wiCB\":\"Está tudo pronto! Seus pagamentos estão sendo processados sem problemas.\",\"MNFIxz\":[\"Você vai participar de \",[\"0\"],\"!\"],\"x/xjzn\":\"Os seus afiliados foram exportados com sucesso.\",\"TF37u6\":\"Seus participantes foram exportados com sucesso.\",\"79lXGw\":\"Sua lista de check-in foi criada com sucesso. Compartilhe o link abaixo com sua equipe de check-in.\",\"BnlG9U\":\"Seu pedido atual será perdido.\",\"nBqgQb\":\"Seu e-mail\",\"R02pnV\":\"Seu evento deve estar ativo antes que você possa vender ingressos para os participantes.\",\"ifRqmm\":\"A sua mensagem foi enviada com sucesso!\",\"/Rj5P4\":\"Seu nome\",\"naQW82\":\"Seu pedido foi cancelado.\",\"bhlHm/\":\"Seu pedido aguarda pagamento\",\"XeNum6\":\"Seus pedidos foram exportados com sucesso.\",\"Xd1R1a\":\"Endereço do seu organizador\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Sua conta Stripe está conectada e processando pagamentos.\",\"vvO1I2\":\"Sua conta Stripe está conectada e pronta para processar pagamentos.\",\"CnZ3Ou\":\"Seus ingressos foram confirmados.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'Ainda não há nada para mostrar'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado com sucesso\"],\"yxhYRZ\":[[\"0\"],\" <0>desmarcado com sucesso\"],\"KMgp2+\":[[\"0\"],\" disponível\"],\"Pmr5xp\":[[\"0\"],\" criado com sucesso\"],\"FImCSc\":[[\"0\"],\" atualizado com sucesso\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" dias, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"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>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>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"ZjMs6e\":\"<0>O número de produtos disponíveis para este produto<1>Esse valor pode ser substituído se houver <2>Limites de Capacidade associados a este produto.\",\"E15xs8\":\"⚡️ Prepare seu evento\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"Personalize a página do seu evento\",\"3VPPdS\":\"Conecte-se com o Stripe\",\"cjdktw\":\"Configure seu evento ao vivo\",\"rmelwV\":\"0 minutos e 0 segundos\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"Um \",[\"type\"],\" padrão é automaticamente aplicado a todos os novos produtos. Você pode substituir isso para cada produto.\"],\"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\",\"POT0K/\":\"Um valor fixo por produto. Ex: $0,50 por produto\",\"f4vJgj\":\"Uma entrada de texto com várias linhas\",\"OIPtI5\":\"Uma porcentagem do preço do produto. Ex: 3,5% do preço do produto\",\"ZthcdI\":\"Um código promocional sem desconto pode ser usado para revelar produtos ocultos.\",\"AG/qmQ\":\"Uma opção de rádio tem várias opções, mas somente uma pode ser selecionada.\",\"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\",\"BHZbFy\":\"Uma única pergunta por pedido. Ex: Qual é o seu endereço de entrega?\",\"Fuh+dI\":\"Uma única pergunta por produto. Ex: Qual é o seu tamanho de camiseta?\",\"RlJmQg\":\"Um imposto padrão, como IVA ou GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Aceitar transferências bancárias, cheques ou outros métodos de pagamento offline\",\"hrvLf4\":\"Aceitar pagamentos com cartão de crédito através do Stripe\",\"bfXQ+N\":\"Aceitar convite\",\"AeXO77\":\"Conta\",\"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\",\"/PN1DA\":\"Adicione uma descrição para esta lista de registro\",\"0/vPdA\":\"Adicione quaisquer anotações sobre o participante. Estas não serão visíveis para o participante.\",\"Or1CPR\":\"Adicione quaisquer anotações sobre o participante...\",\"l3sZO1\":\"Adicione quaisquer notas sobre o pedido. Estas não serão visíveis para o cliente.\",\"xMekgu\":\"Adicione quaisquer notas sobre o pedido...\",\"PGPGsL\":\"Adicionar descrição\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Adicione instruções para pagamentos offline (por exemplo, detalhes de transferência bancária, onde enviar cheques, prazos de pagamento)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"24l4x6\":\"Adicionar Produto\",\"8q0EdE\":\"Adicionar Produto à Categoria\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"goOKRY\":\"Adicionar nível\",\"oZW/gT\":\"Adicionar ao calendário\",\"pn5qSs\":\"Informações adicionais\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Todos os participantes deste evento\",\"cde2hc\":\"Todos os Produtos\",\"5CQ+r0\":\"Permitir que participantes associados a pedidos não pagos façam check-in\",\"ipYKgM\":\"Permitir a indexação do mecanismo de pesquisa\",\"LRbt6D\":\"Permitir que os mecanismos de pesquisa indexem esse evento\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Incrível, Evento, Palavras-chave...\",\"hehnjM\":\"Valor\",\"R2O9Rg\":[\"Valor pago (\",[\"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\",\"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\":\"Ocorreu um erro inesperado.\",\"byKna+\":\"Ocorreu um erro inesperado. Por favor, tente novamente.\",\"ubdMGz\":\"Quaisquer perguntas dos portadores de produtos serão enviadas para este endereço de e-mail. Este também será usado como o endereço de \\\"responder para\\\" em todos os e-mails enviados deste evento\",\"aAIQg2\":\"Aparência\",\"Ym1gnK\":\"aplicado\",\"sy6fss\":[\"Aplica-se a \",[\"0\"],\" produtos\"],\"kadJKg\":\"Aplica-se a 1 produto\",\"DB8zMK\":\"Aplicar\",\"GctSSm\":\"Aplicar código promocional\",\"ARBThj\":[\"Aplicar este \",[\"type\"],\" a todos os novos produtos\"],\"S0ctOE\":\"Arquivar evento\",\"TdfEV7\":\"Arquivado\",\"A6AtLP\":\"Archived Events\",\"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?\",\"LBLOqH\":\"Pergunte uma vez por pedido\",\"wu98dY\":\"Perguntar uma vez por produto\",\"ss9PbX\":\"Participante\",\"m0CFV2\":\"Detalhes do participante\",\"QKim6l\":\"Participante não encontrado\",\"R5IT/I\":\"Anotações do participante\",\"lXcSD2\":\"Perguntas dos participantes\",\"HT/08n\":\"Bilhete do Participante\",\"9SZT4E\":\"Participantes\",\"iPBfZP\":\"Participantes Registrados\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"Aguardando pagamento offline\",\"2rHwhl\":\"Aguardando pagamento offline\",\"3wF4Q/\":\"Aguardando pagamento\",\"ioG+xt\":\"Aguardando pagamento\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Voltar à página do evento\",\"VCoEm+\":\"Voltar ao login\",\"k1bLf+\":\"Cor de fundo\",\"I7xjqg\":\"Tipo de plano de fundo\",\"1mwMl+\":\"Antes de enviar!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Endereço de cobrança\",\"/xC/im\":\"Configurações de cobrança\",\"rp/zaT\":\"Português brasileiro\",\"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.\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar alteração de e-mail\",\"tVJk4q\":\"Cancelar pedido\",\"Os6n2a\":\"Cancelar pedido\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"Não é possível fazer check-in\",\"QyjCeq\":\"Capacidade\",\"V6Q5RZ\":\"Atribuição de Capacidade criada com sucesso\",\"k5p8dz\":\"Atribuição de Capacidade excluída com sucesso\",\"nDBs04\":\"Gestão de Capacidade\",\"ddha3c\":\"As categorias permitem agrupar produtos. Por exemplo, você pode ter uma categoria para \\\"Ingressos\\\" e outra para \\\"Mercadorias\\\".\",\"iS0wAT\":\"As categorias ajudam a organizar seus produtos. Este título será exibido na página pública do evento.\",\"eorM7z\":\"Categorias reordenadas com sucesso.\",\"3EXqwa\":\"Categoria Criada com Sucesso\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Alterar senha\",\"xMDm+I\":\"Fazer check-in\",\"p2WLr3\":[\"Fazer check-in de \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Fazer check-in e marcar pedido como pago\",\"QYLpB4\":\"Apenas fazer check-in\",\"/Ta1d4\":\"Fazer check-out\",\"5LDT6f\":\"Confira este evento!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+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\":\"Check-in realizado\",\"znIg+z\":\"Finalizar compra\",\"1WnhCL\":\"Configurações de checkout\",\"6imsQS\":\"Chinês simplificado\",\"JjkX4+\":\"Escolha uma cor para seu plano de fundo\",\"/Jizh9\":\"Escolha uma conta\",\"3wV73y\":\"Cidade\",\"FG98gC\":\"Limpar texto de pesquisa\",\"EYeuMv\":\"click here\",\"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\",\"oqr9HB\":\"Recolher este produto quando a página do evento for carregada inicialmente\",\"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\":\"Complete payment\",\"C8HNV2\":\"Pagamento completo\",\"qqWcBV\":\"Concluído\",\"6HK5Ct\":\"Pedidos concluídos\",\"NWVRtl\":\"Pedidos concluídos\",\"DwF9eH\":\"Código do componente\",\"Tf55h7\":\"Desconto configurado\",\"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...\",\"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\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"copiado para a área de transferência\",\"he3ygx\":\"Cópia\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Capa\",\"hYgDIe\":\"Criar\",\"b9XOHo\":[\"Criar \",[\"0\"]],\"k9RiLi\":\"Criar um Produto\",\"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\",\"EwoMtl\":\"Criar categoria\",\"XletzW\":\"Criar Categoria\",\"WVbTwK\":\"Criar Lista de Registro\",\"uN355O\":\"Criar evento\",\"BOqY23\":\"Criar novo\",\"kpJAeS\":\"Criar organizador\",\"a0EjD+\":\"Criar Produto\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Criar código promocional\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Moeda\",\"DCKkhU\":\"Senha atual\",\"uIElGP\":\"URL de mapas personalizados\",\"UEqXyt\":\"Intervalo personalizado\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalize as configurações de e-mail e notificação para esse evento\",\"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\":\"Dashboard\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data e hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"VskHIx\":\"Excluir categoria\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Excluir pergunta\",\"Nu4oKW\":\"Descrição\",\"YC3oXa\":\"Descrição para a equipe de registro\",\"URmyfc\":\"Detalhes\",\"1lRT3t\":\"Desativar esta capacidade rastreará as vendas, mas não as interromperá quando o limite for atingido\",\"H6Ma8Z\":\"Desconto\",\"ypJ62C\":\"% de desconto\",\"3LtiBI\":[\"Desconto em \",[\"0\"]],\"C8JLas\":\"Tipo de desconto\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Etiqueta do documento\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Doação / Produto com valor voluntário\",\"OvNbls\":\"Baixar .ics\",\"kodV18\":\"Baixar CSV\",\"CELKku\":\"Baixar fatura\",\"LQrXcu\":\"Baixar fatura\",\"QIodqd\":\"Baixar código QR\",\"yhjU+j\":\"A baixar fatura\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicar Opções\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Pássaro madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kBkYSa\":\"Editar Capacidade\",\"oHE9JT\":\"Editar Atribuição de Capacidade\",\"j1Jl7s\":\"Editar categoria\",\"FU1gvP\":\"Editar Lista de Registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"tdD/QN\":\"Editar Produto\",\"n143Tq\":\"Editar Categoria de Produto\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pergunta\",\"EzwCw7\":\"Editar pergunta\",\"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\",\"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\",\"NTZ/NX\":\"Código de incorporação\",\"4rnJq4\":\"Script de incorporação\",\"8oPbg1\":\"Habilitar faturamento\",\"j6w7d/\":\"Ative esta capacidade para interromper as vendas de produtos quando o limite for atingido\",\"VFv2ZC\":\"Data de término\",\"237hSL\":\"Final\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Inglês\",\"MhVoma\":\"Insira um valor excluindo impostos e taxas.\",\"SlfejT\":\"Erro\",\"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\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Data do Evento\",\"0Zptey\":\"Padrões de eventos\",\"QcCPs8\":\"Detalhes do evento\",\"6fuA9p\":\"Evento duplicado com sucesso\",\"AEuj2m\":\"Página inicial do evento\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Event page\",\"4/If97\":\"Falha na atualização do status do evento. Tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Falha ao baixar a fatura. Por favor, tente novamente.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar o e-mail do tíquete\",\"ejXy+D\":\"Falha ao ordenar os produtos\",\"PLUB/s\":\"Tarifa\",\"/mfICu\":\"Tarifas\",\"LyFC7X\":\"Filtrar pedidos\",\"cSev+j\":\"Filtros\",\"CVw2MU\":[\"Filtros (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Primeiro número da fatura\",\"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.\",\"Rs/IcB\":\"Usado pela primeira vez\",\"TpqW74\":\"Fixo\",\"irpUxR\":\"Valor fixo\",\"TF9opW\":\"O Flash não está disponível neste dispositivo\",\"UNMVei\":\"Esqueceu a senha?\",\"2POOFK\":\"Grátis\",\"P/OAYJ\":\"Produto Gratuito\",\"vAbVy9\":\"Produto gratuito, sem necessidade de informações de pagamento\",\"nLC6tu\":\"Francês\",\"Weq9zb\":\"Geral\",\"DDcvSo\":\"Alemão\",\"4GLxhy\":\"Primeiros passos\",\"4D3rRj\":\"Voltar ao perfil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Vendas brutas\",\"yRg26W\":\"Vendas brutas\",\"R4r4XO\":\"Convidados\",\"26pGvx\":\"Tem um código promocional?\",\"V7yhws\":\"hello@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Oi \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"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.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar a página de introdução\",\"mFn5Xz\":\"Ocultar perguntas ocultas\",\"YHsF9c\":\"Ocultar produto após a data de término da venda\",\"06s3w3\":\"Ocultar produto antes da data de início da venda\",\"axVMjA\":\"Ocultar produto, a menos que o usuário tenha um código promocional aplicável\",\"ySQGHV\":\"Ocultar produto quando esgotado\",\"SCimta\":\"Ocultar a página de introdução da barra lateral\",\"5xR17G\":\"Ocultar este produto dos clientes\",\"Da29Y6\":\"Ocultar esta pergunta\",\"fvDQhr\":\"Ocultar essa camada dos usuários\",\"lNipG+\":\"Ocultar um produto impedirá que os usuários o vejam na página do evento.\",\"ZOBwQn\":\"Design da página inicial\",\"PRuBTd\":\"Designer da página inicial\",\"YjVNGZ\":\"Visualização da página inicial\",\"c3E/kw\":\"Homero\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Se estiver em branco, o endereço será usado para gerar um link do Google Maps\",\"UYT+c8\":\"Se ativado, a equipe de check-in pode marcar os participantes como registrados ou marcar o pedido como pago e registrar os participantes. Se desativado, os participantes associados a pedidos não pagos não poderão ser registrados.\",\"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\",\"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\":\"Imagem carregada com sucesso\",\"VyUuZb\":\"URL da imagem\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"kO44sp\":\"Inclua detalhes de conexão para o seu evento online. Estes detalhes serão mostrados na página de resumo do pedido e no bilhete do participante.\",\"FlQKnG\":\"Incluir impostos e taxas no preço\",\"Vi+BiW\":[\"Inclui \",[\"0\"],\" produtos\"],\"lpm0+y\":\"Inclui 1 produto\",\"UiAk5P\":\"Inserir imagem\",\"OyLdaz\":\"Convite reenviado!\",\"HE6KcK\":\"Convite revogado!\",\"SQKPvQ\":\"Convidar usuário\",\"bKOYkd\":\"Fatura baixada com sucesso\",\"alD1+n\":\"Notas da fatura\",\"kOtCs2\":\"Numeração da fatura\",\"UZ2GSZ\":\"Configurações da fatura\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"João\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Rótulo\",\"vXIe7J\":\"Idioma\",\"2LMsOq\":\"Últimos 12 meses\",\"vfe90m\":\"Últimos 14 dias\",\"aK4uBd\":\"Últimas 24 horas\",\"uq2BmQ\":\"Últimos 30 dias\",\"bB6Ram\":\"Últimas 48 horas\",\"VlnB7s\":\"Últimos 6 meses\",\"ct2SYD\":\"Últimos 7 dias\",\"XgOuA7\":\"Últimos 90 dias\",\"I3yitW\":\"Último login\",\"1ZaQUH\":\"Sobrenome\",\"UXBCwc\":\"Sobrenome\",\"tKCBU0\":\"Última vez usado\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Deixe em branco para usar a palavra padrão \\\"Fatura\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Carregando...\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Fazer login\",\"zUDyah\":\"Login\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Tornar o endereço de cobrança obrigatório durante o checkout\",\"MU3ijv\":\"Tornar essa pergunta obrigatória\",\"wckWOP\":\"Gerenciar\",\"onpJrA\":\"Gerenciar participante\",\"n4SpU5\":\"Gerenciar evento\",\"WVgSTy\":\"Gerenciar pedido\",\"1MAvUY\":\"Gerenciar as configurações de pagamento e faturamento para este evento.\",\"cQrNR3\":\"Gerenciar perfil\",\"AtXtSw\":\"Gerencie impostos e taxas que podem ser aplicados aos seus produtos\",\"ophZVW\":\"Gerenciar tíquetes\",\"DdHfeW\":\"Gerenciar os detalhes de sua conta e as configurações padrão\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Marcar como pago\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Diversos\",\"mYLhkl\":\"Configurações diversas\",\"KYveV8\":\"Caixa de texto com várias linhas\",\"VD0iA7\":\"Múltiplas opções de preço. Perfeito para produtos antecipados, etc.\",\"/bhMdO\":\"Minha incrível descrição do evento...\",\"vX8/tc\":\"Meu incrível título de evento...\",\"hKtWk2\":\"Meu perfil\",\"fj5byd\":\"N/D\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navegar até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova senha\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Não há eventos arquivados para mostrar.\",\"q2LEDV\":\"Nenhum participante encontrado para este pedido.\",\"zlHa5R\":\"Nenhum participante foi adicionado a este pedido.\",\"Wjz5KP\":\"Não há participantes para mostrar\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Sem Atribuições de Capacidade\",\"a/gMx2\":\"Nenhuma Lista de Registro\",\"tMFDem\":\"Nenhum dado disponível\",\"6Z/F61\":\"Nenhum dado para mostrar. Por favor, selecione um intervalo de datas\",\"fFeCKc\":\"Sem desconto\",\"HFucK5\":\"Não há eventos encerrados para mostrar.\",\"yAlJXG\":\"Nenhum evento para mostrar\",\"GqvPcv\":\"Nenhum filtro disponível\",\"KPWxKD\":\"Nenhuma mensagem a ser exibida\",\"J2LkP8\":\"Não há ordens para mostrar\",\"RBXXtB\":\"Nenhum método de pagamento está disponível no momento. Entre em contato com o organizador do evento para obter assistência.\",\"ZWEfBE\":\"Pagamento não necessário\",\"ZPoHOn\":\"Nenhum produto associado a este participante.\",\"Ya1JhR\":\"Nenhum produto disponível nesta categoria.\",\"FTfObB\":\"Nenhum Produto Ainda\",\"+Y976X\":\"Não há códigos promocionais a serem exibidos\",\"MAavyl\":\"Nenhuma pergunta foi respondida por este participante.\",\"SnlQeq\":\"Nenhuma pergunta foi feita para este pedido.\",\"Ev2r9A\":\"Nenhum resultado\",\"gk5uwN\":\"Nenhum Resultado de Pesquisa\",\"RHyZUL\":\"Nenhum resultado de pesquisa.\",\"RY2eP1\":\"Nenhum imposto ou taxa foi adicionado.\",\"EdQY6l\":\"Nenhum\",\"OJx3wK\":\"Não disponível\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Anotações\",\"jtrY3S\":\"Nada para mostrar ainda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Número de dias permitidos para pagamento (deixe em branco para omitir os termos de pagamento nas faturas)\",\"n86jmj\":\"Prefixo numérico\",\"mwe+2z\":\"Pedidos offline não são refletidos nas estatísticas do evento até que sejam marcados como pagos.\",\"dWBrJX\":\"O pagamento offline falhou. Por favor, tente novamente ou entre em contato com o organizador do evento.\",\"fcnqjw\":\"Instruções de Pagamento Offline\",\"+eZ7dp\":\"Pagamentos offline\",\"ojDQlR\":\"Informações sobre pagamentos offline\",\"u5oO/W\":\"Configurações de pagamentos offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"À venda\",\"Ug4SfW\":\"Depois de criar um evento, você o verá aqui.\",\"ZxnK5C\":\"Assim que você começar a coletar dados, eles aparecerão aqui.\",\"PnSzEc\":\"Quando estiver pronto, coloque seu evento ao vivo e comece a vender produtos.\",\"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\"]],\"oPknTP\":\"Informações adicionais opcionais a serem exibidas em todas as faturas (ex.: condições de pagamento, taxas por atraso, política de devolução)\",\"OrXJBY\":\"Prefixo opcional para os números das faturas (ex.: INV-)\",\"0zpgxV\":\"Opções\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Pedido\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Data do pedido\",\"Tol4BF\":\"Detalhes do pedido\",\"WbImlQ\":\"O pedido foi cancelado e o proprietário do pedido foi notificado.\",\"nAn4Oe\":\"Pedido marcado como pago\",\"uzEfRz\":\"Notas do pedido\",\"VCOi7U\":\"Perguntas sobre o pedido\",\"TPoYsF\":\"Referência do pedido\",\"acIJ41\":\"Status do pedido\",\"GX6dZv\":\"Resumo do pedido\",\"tDTq0D\":\"Tempo limite do pedido\",\"1h+RBg\":\"Pedidos\",\"3y+V4p\":\"Endereço da organização\",\"GVcaW6\":\"Detalhes da organização\",\"nfnm9D\":\"Nome da organização\",\"G5RhpL\":\"Organizador\",\"mYygCM\":\"É necessário um organizador\",\"Pa6G7v\":\"Nome do organizador\",\"l894xP\":\"Os organizadores só podem gerenciar eventos e produtos. Eles não podem gerenciar usuários, configurações de conta ou informações de faturamento.\",\"fdjq4c\":\"Acolchoamento\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Página não encontrada\",\"QbrUIo\":\"Visualizações de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pago\",\"HVW65c\":\"Produto Pago\",\"ZfxaB4\":\"Parcialmente reembolsado\",\"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\",\"621rYf\":\"Pagamento\",\"Lg+ewC\":\"Pagamento e faturamento\",\"DZjk8u\":\"Configurações de pagamento e faturamento\",\"lflimf\":\"Prazo para pagamento\",\"JhtZAK\":\"Falha no pagamento\",\"JEdsvQ\":\"Instruções de pagamento\",\"bLB3MJ\":\"Métodos de pagamento\",\"QzmQBG\":\"Provedor de pagamento\",\"lsxOPC\":\"Pagamento recebido\",\"wJTzyi\":\"Status do pagamento\",\"xgav5v\":\"O pagamento foi bem-sucedido!\",\"R29lO5\":\"Termos de pagamento\",\"/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\",\"hcX103\":\"Por favor, crie um produto\",\"cdR8d6\":\"Por favor, crie um ingresso\",\"x2mjl4\":\"Por favor, insira uma URL de imagem válida que aponte para uma imagem.\",\"HnNept\":\"Digite sua nova senha\",\"5FSIzj\":\"Observação\",\"C63rRe\":\"Por favor, volte para a página do evento para recomeçar.\",\"pJLvdS\":\"Selecione\",\"Ewir4O\":\"Por favor, selecione pelo menos um produto\",\"igBrCH\":\"Verifique seu endereço de e-mail para acessar todos os recursos\",\"/IzmnP\":\"Por favor, aguarde enquanto preparamos a sua fatura...\",\"MOERNx\":\"Português\",\"qCJyMx\":\"Mensagem de pós-cheque\",\"g2UNkE\":\"Desenvolvido por\",\"Rs7IQv\":\"Mensagem de pré-checkout\",\"rdUucN\":\"Visualização\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"BI7D9d\":\"Preço não definido\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Tipo de Preço\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Cor primária do texto\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Imprimir todos os ingressos\",\"DKwDdj\":\"Imprimir ingressos\",\"K47k8R\":\"Produto\",\"1JwlHk\":\"Categoria de Produto\",\"U61sAj\":\"Categoria de produto atualizada com sucesso.\",\"1USFWA\":\"Produto excluído com sucesso\",\"4Y2FZT\":\"Tipo de Preço do Produto\",\"mFwX0d\":\"Perguntas sobre o produto\",\"Lu+kBU\":\"Vendas de Produtos\",\"U/R4Ng\":\"Nível do Produto\",\"sJsr1h\":\"Tipo de Produto\",\"o1zPwM\":\"Pré-visualização do Widget de Produto\",\"ktyvbu\":\"Produto(s)\",\"N0qXpE\":\"Produtos\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Produtos vendidos\",\"/u4DIx\":\"Produtos Vendidos\",\"DJQEZc\":\"Produtos ordenados com sucesso\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"Perfil atualizado com sucesso\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"P5sgAk\":\"Código promocional\",\"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.\",\"OP094m\":\"Relatório de códigos promocionais\",\"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.\",\"toutGW\":\"Código QR\",\"LkMOWF\":\"Quantidade disponível\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Pergunta excluída\",\"avf0gk\":\"Descrição da pergunta\",\"oQvMPn\":\"Título da pergunta\",\"enzGAL\":\"Perguntas\",\"ROv2ZT\":\"Perguntas e Respostas\",\"K885Eq\":\"Perguntas classificadas com sucesso\",\"OMJ035\":\"Opção de rádio\",\"C4TjpG\":\"Leia menos\",\"I3QpvQ\":\"Beneficiário\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso falhou\",\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Reembolso pendente\",\"xHpVRl\":\"Status do reembolso\",\"/BI0y9\":\"Reembolsado\",\"fgLNSM\":\"Registro\",\"9+8Vez\":\"Usos restantes\",\"tasfos\":\"remover\",\"t/YqKh\":\"Remover\",\"t9yxlZ\":\"Relatórios\",\"prZGMe\":\"Exigir endereço de cobrança\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Redefinir\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Voltar para a página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Função\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Data de início da venda\",\"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\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Pesquise por nome do participante, e-mail ou número do pedido...\",\"+pr/FY\":\"Pesquisar por nome de evento...\",\"3zRbWw\":\"Pesquise por nome, e-mail ou número do pedido...\",\"L22Tdf\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"BiYOdA\":\"Pesquisar por nome...\",\"YEjitp\":\"Pesquise por assunto ou conteúdo...\",\"Pjsch9\":\"Pesquisar atribuições de capacidade...\",\"r9M1hc\":\"Pesquisar listas de registro...\",\"+0Yy2U\":\"Buscar produtos\",\"YIix5Y\":\"Pesquisar...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Cor secundária\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Cor do texto secundário\",\"02ePaq\":[\"Selecionar \",[\"0\"]],\"QuNKRX\":\"Selecione a câmera\",\"9FQEn8\":\"Selecione a categoria...\",\"kWI/37\":\"Selecione o organizador\",\"ixIx1f\":\"Selecione o Produto\",\"3oSV95\":\"Selecione o Nível do Produto\",\"C4Y1hA\":\"Selecione os produtos\",\"hAjDQy\":\"Selecionar status\",\"QYARw/\":\"Selecionar bilhete\",\"OMX4tH\":\"Selecionar ingressos\",\"DrwwNd\":\"Selecione o período de tempo\",\"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.\",\"M/WIer\":\"Enviar Mensagem\",\"D7ZemV\":\"Enviar e-mail de confirmação do pedido e do tíquete\",\"v1rRtW\":\"Enviar teste\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descrição de SEO\",\"/SIY6o\":\"Palavras-chave de SEO\",\"GfWoKv\":\"Configurações de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Taxa de serviço\",\"Bj/QGQ\":\"Defina um preço mínimo e permita que os usuários paguem mais se quiserem\",\"L0pJmz\":\"Defina o número inicial para a numeração das faturas. Isso não poderá ser alterado depois que as faturas forem geradas.\",\"nYNT+5\":\"Prepare seu evento\",\"A8iqfq\":\"Defina seu evento ao vivo\",\"Tz0i8g\":\"Configurações\",\"Z8lGw6\":\"Compartilhar\",\"B2V3cA\":\"Compartilhar evento\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mostrar quantidade disponível do produto\",\"qDsmzu\":\"Mostrar perguntas ocultas\",\"fMPkxb\":\"Mostrar mais\",\"izwOOD\":\"Mostrar impostos e taxas separadamente\",\"1SbbH8\":\"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\":\"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.\",\"6a/UJE\":\"Desculpe, este código promocional não é reconhecido\",\"65A04M\":\"Espanhol\",\"mFuBqb\":\"Produto padrão com preço fixo\",\"D3iCkb\":\"Data de início\",\"/2by1f\":\"Estado ou região\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Os pagamentos via Stripe não estão ativados para este evento.\",\"UJmAAK\":\"Assunto\",\"X2rrlw\":\"Subtotal\",\"zzDlyQ\":\"Sucesso\",\"b0HJ45\":[\"Sucesso! \",[\"0\"],\" receberá um e-mail em breve.\"],\"BJIEiF\":[\"Participante com sucesso \",[\"0\"]],\"OtgNFx\":\"Endereço de e-mail confirmado com sucesso\",\"IKwyaF\":\"Alteração de e-mail confirmada com sucesso\",\"zLmvhE\":\"Participante criado com sucesso\",\"gP22tw\":\"Produto Criado com Sucesso\",\"9mZEgt\":\"Código promocional criado com sucesso\",\"aIA9C4\":\"Pergunta criada com sucesso\",\"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\",\"4H80qv\":\"Pedido atualizado com sucesso\",\"6xCBVN\":\"Configurações de pagamento e faturamento atualizadas com sucesso\",\"1Ycaad\":\"Produto atualizado com sucesso\",\"70dYC8\":\"Código promocional atualizado com sucesso\",\"F+pJnL\":\"Configurações de SEO atualizadas com sucesso\",\"DXZRk5\":\"Suíte 100\",\"GNcfRk\":\"E-mail de suporte\",\"uRfugr\":\"Camiseta\",\"JpohL9\":\"Imposto\",\"geUFpZ\":\"Impostos e taxas\",\"dFHcIn\":\"Detalhes fiscais\",\"wQzCPX\":\"Informações fiscais que aparecerão na parte inferior de todas as faturas (ex.: número de IVA, registro fiscal)\",\"0RXCDo\":\"Imposto ou taxa excluído com êxito\",\"ZowkxF\":\"Impostos\",\"qu6/03\":\"Impostos e taxas\",\"gypigA\":\"Esse código promocional é inválido\",\"5ShqeM\":\"A lista de check-in que você está procurando não existe.\",\"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.\",\"HsFnrk\":[\"O número máximo de produtos para \",[\"0\"],\" é \",[\"1\"]],\"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.\",\"vQkyB3\":\"Os impostos e taxas a serem aplicados a este produto. Você pode criar novos impostos e taxas no\",\"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\",\"wDx3FF\":\"Não há produtos disponíveis para este evento\",\"pNgdBv\":\"Não há produtos disponíveis nesta categoria\",\"rMcHYt\":\"Há um reembolso pendente. Aguarde a conclusão do processo antes de solicitar outro reembolso.\",\"F89D36\":\"Ocorreu um erro ao marcar o pedido como pago\",\"68Axnm\":\"Ocorreu um erro ao processar sua solicitação. Tente novamente.\",\"mVKOW6\":\"Ocorreu um erro ao enviar sua mensagem\",\"AhBPHd\":\"Estes detalhes só serão mostrados se o pedido for concluído com sucesso. Pedidos aguardando pagamento não mostrarão esta mensagem.\",\"Pc/Wtj\":\"Este participante tem um pedido não pago.\",\"mf3FrP\":\"Esta categoria ainda não possui produtos.\",\"8QH2Il\":\"Esta categoria está oculta da visualização pública\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Esse e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Essas informações serão exibidas na página de pagamento, no resumo do pedido e no e-mail de confirmação do pedido.\",\"XAHqAg\":\"Este é um produto geral, como uma camiseta ou uma caneca. Nenhum ingresso será emitido\",\"CNk/ro\":\"Este é um evento on-line\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Essa mensagem será incluída no rodapé de todos os e-mails enviados a partir desse evento\",\"55i7Fa\":\"Esta mensagem só será mostrada se o pedido for concluído com sucesso. Pedidos aguardando pagamento não mostrarão esta mensagem.\",\"RjwlZt\":\"Esse pedido já foi pago.\",\"5K8REg\":\"Esse pedido já foi reembolsado.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"Q0zd4P\":\"Este pedido expirou. Por favor, recomece.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Esse pedido está concluído.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Essa página de pedidos não está mais disponível.\",\"i0TtkR\":\"Isso substitui todas as configurações de visibilidade e ocultará o produto de todos os clientes.\",\"cRRc+F\":\"Este produto não pode ser excluído porque está associado a um pedido. Você pode ocultá-lo em vez disso.\",\"3Kzsk7\":\"Este produto é um ingresso. Os compradores receberão um ingresso ao comprar\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Esta pergunta é visível apenas para o organizador do evento\",\"os29v1\":\"Este link de redefinição de senha é inválido ou expirou.\",\"IV9xTT\":\"Esse usuário não está ativo, pois não aceitou o convite.\",\"5AnPaO\":\"ingresso\",\"kjAL4v\":\"Bilhete\",\"dtGC3q\":\"O e-mail do ingresso foi reenviado ao participante\",\"54q0zp\":\"Ingressos para\",\"xN9AhL\":[\"Nível \",[\"0\"]],\"jZj9y9\":\"Produto em Camadas\",\"8wITQA\":\"Os produtos escalonados permitem que você ofereça múltiplas opções de preço para o mesmo produto. Isso é perfeito para produtos antecipados ou para oferecer diferentes opções de preço para diferentes grupos de pessoas.\\\" # pt\",\"nn3mSR\":\"Tempo restante:\",\"s/0RpH\":\"Tempos usados\",\"y55eMd\":\"Vezes usado\",\"40Gx0U\":\"Fuso horário\",\"oDGm7V\":\"DICA\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Ferramentas\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total antes de descontos\",\"NRWNfv\":\"Montante total do desconto\",\"BxsfMK\":\"Total de taxas\",\"2bR+8v\":\"Total de vendas brutas\",\"mpB/d9\":\"Valor total do pedido\",\"m3FM1g\":\"Total reembolsado\",\"jEbkcB\":\"Total Reembolsado\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Imposto total\",\"+zy2Nq\":\"Tipo\",\"FMdMfZ\":\"Não foi possível registrar o participante\",\"bPWBLL\":\"Não foi possível retirar o participante\",\"9+P7zk\":\"Não foi possível criar o produto. Por favor, verifique seus detalhes\",\"WLxtFC\":\"Não foi possível criar o produto. Por favor, verifique seus detalhes\",\"/cSMqv\":\"Não foi possível criar a pergunta. Por favor, verifique seus detalhes\",\"MH/lj8\":\"Não foi possível atualizar a pergunta. Verifique seus detalhes\",\"nnfSdK\":\"Clientes únicos\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitados disponíveis\",\"E0q9qH\":\"Permite usos ilimitados\",\"h10Wm5\":\"Pedido não pago\",\"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\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copiado para a área de transferência\",\"e5lF64\":\"Exemplo de uso\",\"fiV0xj\":\"Limite 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\",\"jpctdh\":\"Visualizar\",\"Pte1Hv\":\"Ver Detalhes do Participante\",\"/5PEQz\":\"Exibir página do evento\",\"fFornT\":\"Ver mensagem completa\",\"YIsEhQ\":\"Ver mapa\",\"Ep3VfY\":\"Exibir no Google Maps\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"Não conseguimos excluir a categoria. Por favor, tente novamente.\",\"/DNy62\":[\"Não encontramos nenhum ingresso correspondente a \",[\"0\"]],\"1E0vyy\":\"Não foi possível carregar os dados. Por favor, tente novamente.\",\"NmpGKr\":\"Não conseguimos reordenar as categorias. Por favor, tente novamente.\",\"BJtMTd\":\"Recomendamos dimensões de 2160px por 1080px e um tamanho máximo de arquivo de 5 MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"O que são Produtos em Camadas?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"O que é uma Categoria?\",\"gxeWAU\":\"A quais produtos este código se aplica?\",\"hFHnxR\":\"A quais produtos este código se aplica? (Aplica-se a todos por padrão)\",\"AeejQi\":\"A quais produtos essa capacidade deve se aplicar?\",\"Rb0XUE\":\"A que horas você chegará?\",\"5N4wLD\":\"Que tipo de pergunta é essa?\",\"gyLUYU\":\"Quando ativado, as faturas serão geradas para os pedidos de ingressos. As faturas serão enviadas junto com o e-mail de confirmação do pedido. Os participantes também podem baixar suas faturas na página de confirmação do pedido.\",\"D3opg4\":\"Quando os pagamentos offline estão ativados, os usuários poderão concluir seus pedidos e receber seus ingressos. Seus ingressos indicarão claramente que o pedido não foi pago, e a ferramenta de check-in notificará a equipe se um pedido exigir pagamento.\",\"D7C6XV\":\"When should this check-in list expire?\",\"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?\",\"VxFvXQ\":\"Incorporação de widgets\",\"v1P7Gm\":\"Configurações do widget\",\"b4itZn\":\"Trabalho\",\"hqmXmc\":\"Trabalhando...\",\"+G/XiQ\":\"Ano até agora\",\"l75CjT\":\"Yes\",\"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\",\"sdB7+6\":\"Você pode criar um código promocional que direcione este produto no\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Você não pode mudar o tipo de produto, pois há participantes associados a este produto.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Você não pode registrar participantes com pedidos não pagos. Essa configuração pode ser alterada nas configurações do evento.\",\"c9Evkd\":\"Você não pode excluir a última categoria.\",\"6uwAvx\":\"Você não pode excluir este nível de preço porque já há produtos vendidos para este nível. Você pode ocultá-lo em vez disso.\",\"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\":\"You do not have permission to access this page\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha uma para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Faça login para continuar.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Você não tem perguntas para os participantes.\",\"CoZHDB\":\"Você não tem perguntas sobre o pedido.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"O tempo para concluir seu pedido acabou.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de produtos 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\":\"You must confirm your email address before your event can go live.\",\"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\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Você terá que marcar um pedido como pago manualmente. Isso pode ser feito na página de gerenciamento de pedidos.\",\"L/+xOk\":\"Você precisará de um ingresso antes de poder criar uma lista de registro.\",\"Djl45M\":\"Você precisará de um produto antes de poder criar uma atribuição de capacidade.\",\"y3qNri\":\"Você precisará de pelo menos um produto para começar. Grátis, pago ou deixe o usuário decidir o que pagar.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Seu pedido\",\"Jwiilf\":\"Seu pedido foi cancelado\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Seu reembolso está sendo processado.\",\"IFHV2p\":\"Seu ingresso para\",\"x1PPdr\":\"CEP / Código Postal\",\"BM/KQm\":\"CEP ou código postal\",\"+LtVBt\":\"CEP ou Código Postal\",\"25QDJ1\":\"- Clique para publicar\",\"WOyJmc\":\"- Clique para despublicar\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" já fez check-in\"],\"S4PqS9\":[[\"0\"],\" webhooks ativos\"],\"6MIiOI\":[[\"0\"],\" restante\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organizadores\"],\"/HkCs4\":[[\"0\"],\" ingressos\"],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Impostos/Taxas\",\"B1St2O\":\"<0>As listas de check-in ajudam você a gerenciar a entrada no evento por dia, área ou tipo de ingresso. Você pode vincular ingressos a listas específicas, como zonas VIP ou passes do Dia 1, e compartilhar um link de check-in seguro com a equipe. Não é necessária conta. O check-in funciona em dispositivos móveis, computador ou tablet, usando a câmera do dispositivo ou um scanner USB HID. \",\"ZnVt5v\":\"<0>Os webhooks notificam instantaneamente serviços externos quando eventos ocorrem, como adicionar um novo participante ao seu CRM ou lista de e-mails no momento do registro, garantindo uma automação perfeita.<1>Use serviços de terceiros como <2>Zapier, <3>IFTTT ou <4>Make para criar fluxos de trabalho personalizados e automatizar tarefas.\",\"fAv9QG\":\"🎟️ Adicionar tíquetes\",\"M2DyLc\":\"1 webhook ativo\",\"yTsaLw\":\"1 ingresso\",\"HR/cvw\":\"Rua Exemplo 123\",\"kMU5aM\":\"Um aviso de cancelamento foi enviado para\",\"V53XzQ\":\"Um novo código de verificação foi enviado para o seu email\",\"/z/bH1\":\"Uma breve descrição do seu organizador que será exibida aos seus usuários.\",\"aS0jtz\":\"Abandonado\",\"uyJsf6\":\"Sobre\",\"WTk/ke\":\"Sobre o Stripe Connect\",\"1uJlG9\":\"Cor de Destaque\",\"VTfZPy\":\"Acesso negado\",\"iN5Cz3\":\"Conta já conectada!\",\"bPwFdf\":\"Contas\",\"nMtNd+\":\"Ação necessária: Reconecte sua conta Stripe\",\"AhwTa1\":\"Ação Necessária: Informações de IVA Necessárias\",\"a5KFZU\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"6PNlRV\":\"Adicione este evento ao seu calendário\",\"BGD9Yt\":\"Adicionar ingressos\",\"QN2F+7\":\"Adicionar Webhook\",\"NsWqSP\":\"Adicione seus perfis de redes sociais e o URL do site. Eles serão exibidos na sua página pública de organizador.\",\"0Zypnp\":\"Painel de Administração\",\"YAV57v\":\"Afiliado\",\"I+utEq\":\"O código de afiliado não pode ser alterado\",\"/jHBj5\":\"Afiliado criado com sucesso\",\"uCFbG2\":\"Afiliado eliminado com sucesso\",\"a41PKA\":\"As vendas do afiliado serão rastreadas\",\"mJJh2s\":\"As vendas do afiliado não serão rastreadas. Isto irá desativar o afiliado.\",\"jabmnm\":\"Afiliado atualizado com sucesso\",\"CPXP5Z\":\"Afiliados\",\"9Wh+ug\":\"Afiliados exportados\",\"3cqmut\":\"Os afiliados ajudam-no a rastrear vendas geradas por parceiros e influenciadores. Crie códigos de afiliado e partilhe-os para monitorizar o desempenho.\",\"7rLTkE\":\"Todos os eventos arquivados\",\"gKq1fa\":\"Todos os participantes\",\"pMLul+\":\"Todas as moedas\",\"qlaZuT\":\"Tudo pronto! Agora você está usando nosso sistema de pagamentos atualizado.\",\"ZS/D7f\":\"Todos os eventos encerrados\",\"dr7CWq\":\"Todos os próximos eventos\",\"QUg5y1\":\"Quase lá! Termine de conectar sua conta Stripe para começar a aceitar pagamentos.\",\"c4uJfc\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos.\",\"/H326L\":\"Já reembolsado\",\"RtxQTF\":\"Também cancelar este pedido\",\"jkNgQR\":\"Também reembolsar este pedido\",\"xYqsHg\":\"Sempre disponível\",\"Zkymb9\":\"Um email para associar a este afiliado. O afiliado não será notificado.\",\"vRznIT\":\"Ocorreu um erro ao verificar o status da exportação.\",\"eusccx\":\"Uma mensagem opcional para exibir no produto destacado, por exemplo \\\"Vendendo rápido 🔥\\\" ou \\\"Melhor valor\\\"\",\"QNrkms\":\"Resposta atualizada com sucesso.\",\"LchiNd\":\"Tem a certeza de que deseja eliminar este afiliado? Esta ação não pode ser anulada.\",\"JmVITJ\":\"Tem certeza de que deseja excluir este modelo? Esta ação não pode ser desfeita e os e-mails voltarão ao modelo padrão.\",\"aLS+A6\":\"Tem certeza de que deseja excluir este modelo? Esta ação não pode ser desfeita e os e-mails voltarão ao modelo do organizador ou padrão.\",\"5H3Z78\":\"Tem certeza de que deseja excluir este webhook?\",\"147G4h\":\"Tem certeza de que deseja sair?\",\"VDWChT\":\"Tem certeza de que deseja definir este organizador como rascunho? Isso tornará a página do organizador invisível ao público.\",\"pWtQJM\":\"Tem certeza de que deseja tornar este organizador público? Isso tornará a página do organizador visível ao público.\",\"WFHOlF\":\"Tem a certeza de que deseja publicar este evento? Uma vez publicado, será visível ao público.\",\"4TNVdy\":\"Tem a certeza de que deseja publicar este perfil de organizador? Uma vez publicado, será visível ao público.\",\"ExDt3P\":\"Tem a certeza de que deseja despublicar este evento? Já não será visível ao público.\",\"5Qmxo/\":\"Tem a certeza de que deseja despublicar este perfil de organizador? Já não será visível ao público.\",\"Uqefyd\":\"Você está registrado para IVA na UE?\",\"+QARA4\":\"Arte\",\"tLf3yJ\":\"Como sua empresa está sediada na Irlanda, o IVA irlandês de 23% se aplica automaticamente a todas as taxas da plataforma.\",\"QGoXh3\":\"Como sua empresa está sediada na UE, precisamos determinar o tratamento correto de IVA para nossas taxas de plataforma:\",\"F2rX0R\":\"Pelo menos um tipo de evento deve ser selecionado\",\"6PecK3\":\"Presença e taxas de check-in em todos os eventos\",\"AJ4rvK\":\"Participante cancelado\",\"qvylEK\":\"Participante criado\",\"DVQSxl\":\"Os detalhes do participante serão copiados das informações do pedido.\",\"0R3Y+9\":\"E-mail do Participante\",\"KkrBiR\":\"Coleta de informações do participante\",\"XBLgX1\":\"A coleta de informações do participante está configurada para \\\"Por pedido\\\". Os detalhes do participante serão copiados das informações do pedido.\",\"Xc2I+v\":\"Gestão de participantes\",\"av+gjP\":\"Nome do Participante\",\"cosfD8\":\"Status do Participante\",\"D2qlBU\":\"Participante atualizado\",\"x8Vnvf\":\"O ingresso do participante não está incluído nesta lista\",\"k3Tngl\":\"Participantes exportados\",\"5UbY+B\":\"Participantes com um tíquete específico\",\"4HVzhV\":\"Participantes:\",\"VPoeAx\":\"Gestão automatizada de entrada com várias listas de check-in e validação em tempo real\",\"PZ7FTW\":\"Detectado automaticamente com base na cor de fundo, mas pode ser substituído\",\"clF06r\":\"Disponível para reembolso\",\"NB5+UG\":\"Tokens Disponíveis\",\"EmYMHc\":\"Aguardando pagamento offline\",\"kNmmvE\":\"Awesome Events Lda.\",\"kYqM1A\":\"Voltar ao evento\",\"td/bh+\":\"Voltar aos Relatórios\",\"jIPNJG\":\"Informações básicas\",\"iMdwTb\":\"Antes que seu evento possa ser publicado, há algumas coisas que você precisa fazer. Conclua todas as etapas abaixo para começar.\",\"UabgBd\":\"Corpo é obrigatório\",\"9N+p+g\":\"Negócios\",\"bv6RXK\":\"Rótulo do Botão\",\"ChDLlO\":\"Texto do botão\",\"DFqasq\":[\"Ao continuar, você concorda com os <0>Termos de Serviço de \",[\"0\"],\"\"],\"2VLZwd\":\"Botão de Chamada para Ação\",\"PUpvQe\":\"Scanner de câmera\",\"H4nE+E\":\"Cancelar todos os produtos e devolvê-los ao pool disponível\",\"tOXAdc\":\"Cancelar irá cancelar todos os participantes associados a este pedido e devolver os ingressos ao pool disponível.\",\"IrUqjC\":\"Não é Possível Fazer Check-in (Cancelado)\",\"VsM1HH\":\"Atribuições de capacidade\",\"K7tIrx\":\"Categoria\",\"2tbLdK\":\"Caridade\",\"v4fiSg\":\"Verifique o seu email\",\"51AsAN\":\"Verifique sua caixa de entrada! Se houver ingressos associados a este e-mail, você receberá um link para visualizá-los.\",\"udRwQs\":\"Check-in criado\",\"F4SRy3\":\"Check-in excluído\",\"9gPPUY\":\"Lista de Check-In Criada!\",\"f2vU9t\":\"Listas de Check-in\",\"tMNBEF\":\"As listas de check-in permitem controlar a entrada por dias, áreas ou tipos de ingresso. Você pode compartilhar um link seguro com a equipe — não é necessária conta.\",\"SHJwyq\":\"Taxa de check-in\",\"qCqdg6\":\"Status do Check-In\",\"cKj6OE\":\"Resumo de Check-in\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinês (Tradicional)\",\"pkk46Q\":\"Escolha um organizador\",\"Crr3pG\":\"Escolher calendário\",\"CySr+W\":\"Clique para ver as notas\",\"RG3szS\":\"fechar\",\"RWw9Lg\":\"Fechar modal\",\"XwdMMg\":\"O código só pode conter letras, números, hífenes e underscores\",\"+yMJb7\":\"O código é obrigatório\",\"m9SD3V\":\"O código deve ter pelo menos 3 caracteres\",\"V1krgP\":\"O código não deve ter mais de 20 caracteres\",\"psqIm5\":\"Colabore com sua equipe para criar eventos incríveis juntos.\",\"4bUH9i\":\"Coletar detalhes do participante para cada ingresso comprado.\",\"FpsvqB\":\"Modo de Cor\",\"jEu4bB\":\"Colunas\",\"CWk59I\":\"Comédia\",\"7D9MJz\":\"Concluir configuração do Stripe\",\"OqEV/G\":\"Complete a configuração abaixo para continuar\",\"nqx+6h\":\"Complete estas etapas para começar a vender ingressos para o seu evento.\",\"5YrKW7\":\"Complete seu pagamento para garantir seus ingressos.\",\"ih35UP\":\"Centro de conferências\",\"NGXKG/\":\"Confirmar endereço de e-mail\",\"Auz0Mz\":\"Confirme seu e-mail para acessar todos os recursos.\",\"7+grte\":\"E-mail de confirmação enviado! Verifique sua caixa de entrada.\",\"n/7+7Q\":\"Confirmação enviada para\",\"o5A0Go\":\"Parabéns por criar um evento!\",\"WNnP3w\":\"Conectar e atualizar\",\"Xe2tSS\":\"Documentação de conexão\",\"1Xxb9f\":\"Conectar processamento de pagamento\",\"LmvZ+E\":\"Conecte o Stripe para habilitar mensagens\",\"EWnXR+\":\"Conectar ao Stripe\",\"MOUF31\":\"Conecte-se ao CRM e automatize tarefas usando webhooks e integrações\",\"VioGG1\":\"Conecte sua conta Stripe para aceitar pagamentos de ingressos e produtos.\",\"4qmnU8\":\"Conecte sua conta Stripe para aceitar pagamentos.\",\"E1eze1\":\"Conecte sua conta Stripe para começar a aceitar pagamentos para seus eventos.\",\"ulV1ju\":\"Conecte sua conta Stripe para começar a aceitar pagamentos.\",\"/3017M\":\"Conectado ao Stripe\",\"jfC/xh\":\"Contato\",\"LOFgda\":[\"Contato \",[\"0\"]],\"41BQ3k\":\"Email de contacto\",\"KcXRN+\":\"E-mail de contato para suporte\",\"m8WD6t\":\"Continuar configuração\",\"0GwUT4\":\"Ir para o checkout\",\"sBV87H\":\"Continuar para a criação do evento\",\"nKtyYu\":\"Continuar para o próximo passo\",\"F3/nus\":\"Continuar para pagamento\",\"1JnTgU\":\"Copiado de cima\",\"FxVG/l\":\"Copiado para a área de transferência\",\"PiH3UR\":\"Copiado!\",\"uUPbPg\":\"Copiar link de afiliado\",\"iVm46+\":\"Copiar código\",\"+2ZJ7N\":\"Copiar detalhes para o primeiro participante\",\"ZN1WLO\":\"Copiar Email\",\"tUGbi8\":\"Copiar meus dados para:\",\"y22tv0\":\"Copie este link para compartilhá-lo em qualquer lugar\",\"/4gGIX\":\"Copiar para a área de transferência\",\"P0rbCt\":\"Imagem de capa\",\"60u+dQ\":\"A imagem de capa será exibida no topo da sua página de evento\",\"2NLjA6\":\"A imagem de capa será exibida no topo da página do organizador\",\"zg4oSu\":[\"Criar Modelo \",[\"0\"]],\"xfKgwv\":\"Criar afiliado\",\"dyrgS4\":\"Crie e personalize sua página de evento instantaneamente\",\"BTne9e\":\"Criar modelos de e-mail personalizados para este evento que substituem os padrões do organizador\",\"YIDzi/\":\"Criar Modelo Personalizado\",\"8AiKIu\":\"Criar ingresso ou produto\",\"agZ87r\":\"Crie ingressos para seu evento, defina preços e gerencie a quantidade disponível.\",\"dkAPxi\":\"Criar Webhook\",\"5slqwZ\":\"Crie seu evento\",\"JQNMrj\":\"Crie o seu primeiro evento\",\"CCjxOC\":\"Crie seu primeiro evento para começar a vender ingressos e gerenciar participantes.\",\"ZCSSd+\":\"Crie seu próprio evento\",\"67NsZP\":\"A criar evento...\",\"H34qcM\":\"A criar organizador...\",\"1YMS+X\":\"A criar o seu evento, por favor aguarde\",\"yiy8Jt\":\"A criar o seu perfil de organizador, por favor aguarde\",\"lfLHNz\":\"Rótulo do CTA é obrigatório\",\"BMtue0\":\"Processador de pagamentos atual\",\"iTvh6I\":\"Atualmente disponível para compra\",\"mimF6c\":\"Mensagem personalizada após o checkout\",\"axv/Mi\":\"Modelo personalizado\",\"QMHSMS\":\"O cliente receberá um email confirmando o reembolso\",\"L/Qc+w\":\"Endereço de e-mail do cliente\",\"wpfWhJ\":\"Primeiro nome do cliente\",\"GIoqtA\":\"Sobrenome do cliente\",\"NihQNk\":\"Clientes\",\"7gsjkI\":\"Personalize os e-mails enviados aos seus clientes usando modelos Liquid. Estes modelos serão usados como padrão para todos os eventos em sua organização.\",\"iX6SLo\":\"Personalize o texto exibido no botão continuar\",\"pxNIxa\":\"Personalize seu modelo de e-mail usando modelos Liquid\",\"q9Jg0H\":\"Personalize sua página do evento e o design do widget para combinar perfeitamente com sua marca\",\"mkLlne\":\"Personalize a aparência da sua página de evento\",\"3trPKm\":\"Personalize a aparência da sua página de organizador\",\"4df0iX\":\"Personalize a aparência do seu ingresso\",\"/gWrVZ\":\"Receita diária, impostos, taxas e reembolsos em todos os eventos\",\"zgCHnE\":\"Relatório de vendas diárias\",\"nHm0AI\":\"Detalhamento das vendas diárias, impostos e taxas\",\"pvnfJD\":\"Escuro\",\"lnYE59\":\"Data do evento\",\"gnBreG\":\"Data em que o pedido foi feito\",\"JtI4vj\":\"Coleta padrão de informações do participante\",\"1bZAZA\":\"Modelo padrão será usado\",\"vu7gDm\":\"Eliminar afiliado\",\"+jw/c1\":\"Excluir imagem\",\"dPyJ15\":\"Excluir Modelo\",\"snMaH4\":\"Excluir webhook\",\"vYgeDk\":\"Desselecionar tudo\",\"NvuEhl\":\"Elementos de Design\",\"H8kMHT\":\"Não recebeu o código?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Fechar esta mensagem\",\"BREO0S\":\"Exibe uma caixa de seleção permitindo que os clientes optem por receber comunicações de marketing deste organizador de eventos.\",\"TvY/XA\":\"Documentação\",\"Kdpf90\":\"Não esqueça!\",\"V6Jjbr\":\"Não tem uma conta? <0>Cadastre-se\",\"AXXqG+\":\"Doação\",\"DPfwMq\":\"Concluído\",\"eneWvv\":\"Rascunho\",\"TnzbL+\":\"Devido ao alto risco de spam, você deve conectar uma conta Stripe antes de poder enviar mensagens aos participantes.\\nIsso é para garantir que todos os organizadores de eventos sejam verificados e responsáveis.\",\"euc6Ns\":\"Duplicar\",\"KRmTkx\":\"Duplicar produto\",\"KIjvtr\":\"Holandês\",\"SPKbfM\":\"ex.: Comprar ingressos, Registrar-se agora\",\"LTzmgK\":[\"Editar Modelo \",[\"0\"]],\"v4+lcZ\":\"Editar afiliado\",\"2iZEz7\":\"Editar resposta\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Educação\",\"zPiC+q\":\"Listas de Check-In Elegíveis\",\"V2sk3H\":\"E-mail e Modelos\",\"hbwCKE\":\"Endereço de email copiado para a área de transferência\",\"dSyJj6\":\"Os endereços de e-mail não coincidem\",\"elW7Tn\":\"Corpo do E-mail\",\"ZsZeV2\":\"O email é obrigatório\",\"Be4gD+\":\"Visualização do E-mail\",\"6IwNUc\":\"Modelos de E-mail\",\"H/UMUG\":\"Verificação de e-mail necessária\",\"L86zy2\":\"Email verificado com sucesso!\",\"Upeg/u\":\"Habilitar este modelo para envio de e-mails\",\"RxzN1M\":\"Ativado\",\"sGjBEq\":\"Data e hora de término (opcional)\",\"PKXt9R\":\"A data de término deve ser posterior à data de início\",\"48Y16Q\":\"Hora de fim (opcional)\",\"7YZofi\":\"Digite um assunto e corpo para ver a visualização\",\"3bR1r4\":\"Introduza o email do afiliado (opcional)\",\"ARkzso\":\"Introduza o nome do afiliado\",\"INDKM9\":\"Digite o assunto do e-mail...\",\"kWg31j\":\"Introduza um código de afiliado único\",\"C3nD/1\":\"Digite seu e-mail\",\"n9V+ps\":\"Digite seu nome\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Erro ao carregar os registros\",\"AKbElk\":\"Empresas registradas para IVA na UE: Aplica-se o mecanismo de autoliquidação (0% - Artigo 196 da Diretiva IVA 2006/112/CE)\",\"WgD6rb\":\"Categoria do evento\",\"b46pt5\":\"Imagem de capa do evento\",\"1Hzev4\":\"Modelo personalizado do evento\",\"imgKgl\":\"Descrição do evento\",\"kJDmsI\":\"Detalhes do evento\",\"m/N7Zq\":\"Endereço Completo do Evento\",\"Nl1ZtM\":\"Local do Evento\",\"PYs3rP\":\"Nome do evento\",\"HhwcTQ\":\"Nome do evento\",\"WZZzB6\":\"O nome do evento é obrigatório\",\"Wd5CDM\":\"O nome do evento deve ter menos de 150 caracteres\",\"4JzCvP\":\"Evento não disponível\",\"Gh9Oqb\":\"Nome do organizador do evento\",\"mImacG\":\"Página do Evento\",\"cOePZk\":\"Horário do Evento\",\"e8WNln\":\"Fuso horário do evento\",\"GeqWgj\":\"Fuso Horário do Evento\",\"XVLu2v\":\"Título do evento\",\"YDVUVl\":\"Tipos de eventos\",\"4K2OjV\":\"Local do Evento\",\"19j6uh\":\"Desempenho de Eventos\",\"PC3/fk\":\"Eventos Começando nas Próximas 24 Horas\",\"fTFfOK\":\"Todo modelo de e-mail deve incluir um botão de chamada para ação que leva à página apropriada\",\"VlvpJ0\":\"Exportar respostas\",\"JKfSAv\":\"Falha na exportação. Por favor, tente novamente.\",\"SVOEsu\":\"Exportação iniciada. Preparando arquivo...\",\"9bpUSo\":\"A exportar afiliados\",\"jtrqH9\":\"Exportando participantes\",\"R4Oqr8\":\"Exportação concluída. Baixando arquivo...\",\"UlAK8E\":\"Exportando pedidos\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Falha ao abandonar o pedido. Por favor, tente novamente.\",\"cEFg3R\":\"Falha ao criar afiliado\",\"U66oUa\":\"Falha ao criar modelo\",\"xFj7Yj\":\"Falha ao excluir modelo\",\"jo3Gm6\":\"Falha ao exportar afiliados\",\"Jjw03p\":\"Falha ao exportar participantes\",\"ZPwFnN\":\"Falha ao exportar pedidos\",\"X4o0MX\":\"Falha ao carregar o Webhook\",\"YQ3QSS\":\"Falha ao reenviar código de verificação\",\"zTkTF3\":\"Falha ao salvar modelo\",\"l6acRV\":\"Falha ao salvar as configurações de IVA. Por favor, tente novamente.\",\"T6B2gk\":\"Falha ao enviar mensagem. Por favor, tente novamente.\",\"lKh069\":\"Falha ao iniciar a exportação\",\"t/KVOk\":\"Falha ao iniciar a personificação. Por favor, tente novamente.\",\"QXgjH0\":\"Falha ao parar a personificação. Por favor, tente novamente.\",\"i0QKrm\":\"Falha ao atualizar afiliado\",\"NNc33d\":\"Falha ao atualizar a resposta.\",\"7/9RFs\":\"Falha ao carregar imagem.\",\"nkNfWu\":\"Falha ao enviar imagem. Por favor, tente novamente.\",\"rxy0tG\":\"Falha ao verificar email\",\"T4BMxU\":\"As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Preencha seus dados acima primeiro\",\"8OvVZZ\":\"Filtrar Participantes\",\"8BwQeU\":\"Finalizar configuração\",\"hg80P7\":\"Finalizar configuração do Stripe\",\"1vBhpG\":\"Primeiro participante\",\"YXhom6\":\"Taxa fixa:\",\"KgxI80\":\"Bilhetagem flexível\",\"lWxAUo\":\"Comida e bebida\",\"nFm+5u\":\"Texto do Rodapé\",\"MY2SVM\":\"Reembolso total\",\"vAVBBv\":\"Totalmente integrado\",\"T02gNN\":\"Admissão Geral\",\"3ep0Gx\":\"Informações gerais sobre seu organizador\",\"ziAjHi\":\"Gerar\",\"exy8uo\":\"Gerar código\",\"4CETZY\":\"Como chegar\",\"kfVY6V\":\"Comece gratuitamente, sem taxas de assinatura\",\"u6FPxT\":\"Obter Ingressos\",\"8KDgYV\":\"Prepare seu evento\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Ir para a página do evento\",\"gHSuV/\":\"Ir para a página inicial\",\"6nDzTl\":\"Boa legibilidade\",\"n8IUs7\":\"Receita Bruta\",\"kTSQej\":[\"Olá \",[\"0\"],\", gerencie sua plataforma daqui.\"],\"dORAcs\":\"Aqui estão todos os ingressos associados ao seu endereço de e-mail.\",\"g+2103\":\"Aqui está o seu link de afiliado\",\"QlwJ9d\":\"Aqui está o que esperar:\",\"D+zLDD\":\"Oculto\",\"Rj6sIY\":\"Ocultar Opções Adicionais\",\"P+5Pbo\":\"Ocultar respostas\",\"gtEbeW\":\"Destacar\",\"NF8sdv\":\"Mensagem de destaque\",\"MXSqmS\":\"Destacar este produto\",\"7ER2sc\":\"Destacado\",\"sq7vjE\":\"Os produtos em destaque terão uma cor de fundo diferente para se destacarem na página do evento.\",\"i0qMbr\":\"Início\",\"AVpmAa\":\"Como pagar offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Húngaro\",\"4/kP5a\":\"Se uma nova aba não abriu automaticamente, clique no botão abaixo para continuar para o checkout.\",\"PYVWEI\":\"Se registrado, forneça seu número de IVA para validação\",\"wOU3Tr\":\"Se você tiver uma conta conosco, receberá um e-mail com instruções para redefinir sua senha.\",\"an5hVd\":\"Imagens\",\"tSVr6t\":\"Personificar\",\"TWXU0c\":\"Personificar usuário\",\"5LAZwq\":\"Personificação iniciada\",\"IMwcdR\":\"Personificação parada\",\"M8M6fs\":\"Importante: Reconexão do Stripe necessária\",\"jT142F\":[\"Em \",[\"diffHours\"],\" horas\"],\"OoSyqO\":[\"Em \",[\"diffMinutes\"],\" minutos\"],\"UJLg8x\":\"Análises detalhadas\",\"cljs3a\":\"Indique se você está registrado para IVA na UE\",\"F1Xp97\":\"Participantes individuais\",\"85e6zs\":\"Inserir Token Liquid\",\"38KFY0\":\"Inserir Variável\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Email inválido\",\"5tT0+u\":\"Formato de email inválido\",\"tnL+GP\":\"Sintaxe Liquid inválida. Por favor, corrija e tente novamente.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Convidar um membro da equipe\",\"1z26sk\":\"Convidar membro da equipe\",\"KR0679\":\"Convidar membros da equipe\",\"aH6ZIb\":\"Convide sua equipe\",\"IuMGvq\":\"Fatura\",\"y0meFR\":\"O IVA irlandês de 23% será aplicado às taxas da plataforma (fornecimento doméstico).\",\"Lj7sBL\":\"Italiano\",\"F5/CBH\":\"item(ns)\",\"BzfzPK\":\"Itens\",\"nCywLA\":\"Participe de qualquer lugar\",\"hTJ4fB\":\"Basta clicar no botão abaixo para reconectar sua conta Stripe.\",\"MxjCqk\":\"Apenas procurando seus ingressos?\",\"lB2hSG\":[\"Manter-me atualizado sobre novidades e eventos de \",[\"0\"]],\"h0Q9Iw\":\"Última resposta\",\"gw3Ur5\":\"Última ativação\",\"1njn7W\":\"Claro\",\"1qY5Ue\":\"Link expirado ou inválido\",\"psosdY\":\"Link para detalhes do pedido\",\"6JzK4N\":\"Link para ingresso\",\"shkJ3U\":\"Conecte sua conta Stripe para receber fundos das vendas de ingressos.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Ao vivo\",\"fpMs2Z\":\"AO VIVO\",\"D9zTjx\":\"Eventos ao Vivo\",\"WdmJIX\":\"Carregando visualização...\",\"IoDI2o\":\"Carregando tokens...\",\"NFxlHW\":\"Carregando webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo e Capa\",\"gddQe0\":\"Logo e imagem de capa para seu organizador\",\"TBEnp1\":\"O logo será exibido no cabeçalho\",\"Jzu30R\":\"O logo será exibido no ingresso\",\"4wUIjX\":\"Torne seu evento ao vivo\",\"0A7TvI\":\"Gerenciar evento\",\"2FzaR1\":\"Gerencie seu processamento de pagamentos e visualize as taxas da plataforma\",\"/x0FyM\":\"Combine com sua marca\",\"xDAtGP\":\"Mensagem\",\"1jRD0v\":\"Enviar mensagens aos participantes com ingressos específicos\",\"97QrnA\":\"Envie mensagens aos participantes, gerencie pedidos e processe reembolsos em um só lugar\",\"48rf3i\":\"Mensagem não pode exceder 5000 caracteres\",\"Vjat/X\":\"A mensagem é obrigatória\",\"0/yJtP\":\"Enviar mensagem para proprietários de pedidos com produtos específicos\",\"tccUcA\":\"Check-in móvel\",\"GfaxEk\":\"Música\",\"oVGCGh\":\"Meus Ingressos\",\"8/brI5\":\"O nome é obrigatório\",\"sCV5Yc\":\"Nome do evento\",\"xxU3NX\":\"Receita Líquida\",\"eWRECP\":\"Vida noturna\",\"HSw5l3\":\"Não - Sou um indivíduo ou empresa não registrada para IVA\",\"VHfLAW\":\"Sem contas\",\"+jIeoh\":\"Nenhuma conta encontrada\",\"074+X8\":\"Nenhum webhook ativo\",\"zxnup4\":\"Sem afiliados para mostrar\",\"99ntUF\":\"Nenhuma lista de check-in disponível para este evento.\",\"6r9SGl\":\"Nenhum cartão de crédito necessário\",\"eb47T5\":\"Nenhum dado encontrado para os filtros selecionados. Tente ajustar o período ou a moeda.\",\"pZNOT9\":\"Sem data de término\",\"dW40Uz\":\"Nenhum evento encontrado\",\"8pQ3NJ\":\"Nenhum evento começando nas próximas 24 horas\",\"8zCZQf\":\"Nenhum evento ainda\",\"54GxeB\":\"Sem impacto nas suas transações atuais ou passadas\",\"EpvBAp\":\"Sem fatura\",\"XZkeaI\":\"Nenhum registro encontrado\",\"NEmyqy\":\"Nenhum pedido ainda\",\"B7w4KY\":\"Nenhum outro organizador disponível\",\"6jYQGG\":\"Nenhum evento passado\",\"zK/+ef\":\"Nenhum produto disponível para seleção\",\"QoAi8D\":\"Sem resposta\",\"EK/G11\":\"Ainda sem respostas\",\"3sRuiW\":\"Nenhum ingresso encontrado\",\"yM5c0q\":\"Nenhum evento futuro\",\"qpC74J\":\"Nenhum usuário encontrado\",\"n5vdm2\":\"Nenhum evento de webhook foi registrado para este endpoint ainda. Os eventos aparecerão aqui assim que forem acionados.\",\"4GhX3c\":\"Nenhum Webhook\",\"4+am6b\":\"Não, manter-me aqui\",\"HVwIsd\":\"Empresas não registradas para IVA ou indivíduos: Aplica-se o IVA irlandês de 23%\",\"x5+Lcz\":\"Não Registrado\",\"8n10sz\":\"Não Elegível\",\"lQgMLn\":\"Nome do escritório ou local\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Pagamento Offline\",\"nO3VbP\":[\"À venda \",[\"0\"]],\"2r6bAy\":\"Depois de completar a atualização, sua conta antiga será usada apenas para reembolsos.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Evento online\",\"bU7oUm\":\"Enviar apenas para pedidos com esses status\",\"M2w1ni\":\"Visível apenas com código promocional\",\"N141o/\":\"Abrir painel do Stripe\",\"HXMJxH\":\"Texto opcional para avisos legais, informações de contato ou notas de agradecimento (apenas uma linha)\",\"c/TIyD\":\"Pedido e Ingresso\",\"H5qWhm\":\"Pedido cancelado\",\"b6+Y+n\":\"Pedido concluído\",\"x4MLWE\":\"Confirmação do Pedido\",\"ppuQR4\":\"Pedido criado\",\"0UZTSq\":\"Moeda do Pedido\",\"HdmwrI\":\"E-mail do Pedido\",\"bwBlJv\":\"Primeiro Nome do Pedido\",\"vrSW9M\":\"O pedido foi cancelado e reembolsado. O proprietário do pedido foi notificado.\",\"+spgqH\":[\"ID do pedido: \",[\"0\"]],\"Pc729f\":\"Pedido Aguardando Pagamento Offline\",\"F4NXOl\":\"Sobrenome do Pedido\",\"RQCXz6\":\"Limites de Pedido\",\"5RDEEn\":\"Idioma do Pedido\",\"vu6Arl\":\"Pedido marcado como pago\",\"sLbJQz\":\"Pedido não encontrado\",\"i8VBuv\":\"Número do Pedido\",\"FaPYw+\":\"Proprietário do pedido\",\"eB5vce\":\"Proprietários de pedidos com um produto específico\",\"CxLoxM\":\"Proprietários de pedidos com produtos\",\"DoH3fD\":\"Pagamento do Pedido Pendente\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Status dos pedidos\",\"oW5877\":\"Total do Pedido\",\"e7eZuA\":\"Pedido atualizado\",\"KndP6g\":\"URL do Pedido\",\"3NT0Ck\":\"O pedido foi cancelado\",\"5It1cQ\":\"Pedidos exportados\",\"B/EBQv\":\"Pedidos:\",\"ucgZ0o\":\"Organização\",\"S3CZ5M\":\"Painel do organizador\",\"Uu0hZq\":\"Email do organizador\",\"Gy7BA3\":\"Endereço de email do organizador\",\"SQqJd8\":\"Organizador não encontrado\",\"wpj63n\":\"Configurações do organizador\",\"coIKFu\":\"As estatísticas do organizador não estão disponíveis para a moeda selecionada ou ocorreu um erro.\",\"o1my93\":\"Falha ao atualizar o status do organizador. Por favor, tente novamente mais tarde.\",\"rLHma1\":\"Status do organizador atualizado\",\"LqBITi\":\"Modelo do organizador/padrão será usado\",\"/IX/7x\":\"Outro\",\"RsiDDQ\":\"Outras Listas (Ingresso Não Incluído)\",\"6/dCYd\":\"Visão geral\",\"8uqsE5\":\"Página não disponível mais\",\"QkLf4H\":\"URL da página\",\"sF+Xp9\":\"Visualizações de página\",\"5F7SYw\":\"Reembolso parcial\",\"fFYotW\":[\"Reembolsado parcialmente: \",[\"0\"]],\"Ff0Dor\":\"Passado\",\"xTPjSy\":\"Eventos passados\",\"/l/ckQ\":\"Cole a URL\",\"URAE3q\":\"Pausado\",\"4fL/V7\":\"Pagar\",\"OZK07J\":\"Pague para desbloquear\",\"TskrJ8\":\"Pagamento e plano\",\"ENEPLY\":\"Método de pagamento\",\"EyE8E6\":\"Processamento de pagamento\",\"8Lx2X7\":\"Pagamento recebido\",\"vcyz2L\":\"Configurações de pagamento\",\"fx8BTd\":\"Pagamentos não disponíveis\",\"51U9mG\":\"Os pagamentos continuarão fluindo sem interrupção\",\"VlXNyK\":\"Por pedido\",\"hauDFf\":\"Por ingresso\",\"/Bh+7r\":\"Desempenho\",\"zmwvG2\":\"Telefone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planejando um evento?\",\"br3Y/y\":\"Taxas da plataforma\",\"jEw0Mr\":\"Por favor, insira uma URL válida\",\"n8+Ng/\":\"Por favor, introduza o código de 5 dígitos\",\"r+lQXT\":\"Por favor, digite seu número de IVA\",\"Dvq0wf\":\"Por favor, forneça uma imagem.\",\"2cUopP\":\"Por favor, reinicie o processo de compra.\",\"8KmsFa\":\"Por favor, selecione um intervalo de datas\",\"EFq6EG\":\"Por favor, selecione uma imagem.\",\"fuwKpE\":\"Por favor, tente novamente.\",\"klWBeI\":\"Por favor, aguarde antes de solicitar outro código\",\"hfHhaa\":\"Por favor, aguarde enquanto preparamos os seus afiliados para exportação...\",\"o+tJN/\":\"Por favor, aguarde enquanto preparamos seus participantes para exportação...\",\"+5Mlle\":\"Por favor, aguarde enquanto preparamos seus pedidos para exportação...\",\"TjX7xL\":\"Mensagem Pós-Checkout\",\"cs5muu\":\"Pré-visualizar página do evento\",\"+4yRWM\":\"Preço do ingresso\",\"a5jvSX\":\"Faixas de Preço\",\"ReihZ7\":\"Visualizar Impressão\",\"JnuPvH\":\"Imprimir Ingresso\",\"tYF4Zq\":\"Imprimir para PDF\",\"LcET2C\":\"Política de Privacidade\",\"8z6Y5D\":\"Processar reembolso\",\"JcejNJ\":\"Processando pedido\",\"EWCLpZ\":\"Produto criado\",\"XkFYVB\":\"Produto excluído\",\"YMwcbR\":\"Detalhamento das vendas de produtos, receitas e impostos\",\"ldVIlB\":\"Produto atualizado\",\"mIqT3T\":\"Produtos, mercadorias e opções de preços flexíveis\",\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionais e detalhamento de descontos\",\"uEhdRh\":\"Apenas Promocional\",\"EEYbdt\":\"Publicar\",\"evDBV8\":\"Publicar Evento\",\"dsFmM+\":\"Comprado\",\"YwNJAq\":\"Leitura de QR code com feedback instantâneo e compartilhamento seguro para acesso da equipe\",\"fqDzSu\":\"Taxa\",\"spsZys\":\"Pronto para atualizar? Isso leva apenas alguns minutos.\",\"Fi3b48\":\"Pedidos recentes\",\"Edm6av\":\"Reconectar Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecionando para o Stripe...\",\"ACKu03\":\"Atualizar Visualização\",\"fKn/k6\":\"Valor do reembolso\",\"qY4rpA\":\"Reembolso falhou\",\"FaK/8G\":[\"Reembolsar pedido \",[\"0\"]],\"MGbi9P\":\"Reembolso pendente\",\"BDSRuX\":[\"Reembolsado: \",[\"0\"]],\"bU4bS1\":\"Reembolsos\",\"CQeZT8\":\"Relatório não encontrado\",\"JEPMXN\":\"Solicitar novo link\",\"mdeIOH\":\"Reenviar código\",\"bxoWpz\":\"Reenviar e-mail de confirmação\",\"G42SNI\":\"Reenviar e-mail\",\"TTpXL3\":[\"Reenviar em \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reservado\",\"8wUjGl\":\"Reservado até\",\"slOprG\":\"Redefina sua senha\",\"CbnrWb\":\"Voltar ao evento\",\"Oo/PLb\":\"Resumo de Receita\",\"dFFW9L\":[\"Venda encerrada \",[\"0\"]],\"loCKGB\":[\"Venda termina \",[\"0\"]],\"wlfBad\":\"Período de Venda\",\"zpekWp\":[\"Venda começa \",[\"0\"]],\"mUv9U4\":\"Vendas\",\"9KnRdL\":\"As vendas estão pausadas\",\"3VnlS9\":\"Vendas, pedidos e métricas de desempenho para todos os eventos\",\"3Q1AWe\":\"Vendas:\",\"8BRPoH\":\"Local Exemplo\",\"KZrfYJ\":\"Salvar links sociais\",\"9Y3hAT\":\"Salvar Modelo\",\"C8ne4X\":\"Salvar Design do Ingresso\",\"6/TNCd\":\"Salvar Configurações de IVA\",\"I+FvbD\":\"Escanear\",\"4ba0NE\":\"Agendado\",\"ftNXma\":\"Pesquisar afiliados...\",\"VY+Bdn\":\"Pesquisar por nome da conta ou e-mail...\",\"VX+B3I\":\"Pesquisar por título do evento ou organizador...\",\"GHdjuo\":\"Pesquisar por nome, e-mail ou conta...\",\"Mck5ht\":\"Checkout Seguro\",\"p7xUrt\":\"Selecione uma categoria\",\"BFRSTT\":\"Selecionar Conta\",\"mCB6Je\":\"Selecionar tudo\",\"kYZSFD\":\"Selecione um organizador para ver seu painel e eventos.\",\"tVW/yo\":\"Selecionar moeda\",\"n9ZhRa\":\"Selecione data e hora de término\",\"gTN6Ws\":\"Selecionar hora de fim\",\"0U6E9W\":\"Selecionar categoria do evento\",\"j9cPeF\":\"Selecionar tipos de eventos\",\"1nhy8G\":\"Selecionar tipo de scanner\",\"KizCK7\":\"Selecione data e hora de início\",\"dJZTv2\":\"Selecionar hora de início\",\"aT3jZX\":\"Selecionar fuso horário\",\"Ropvj0\":\"Selecione quais eventos acionarão este webhook\",\"BG3f7v\":\"Venda qualquer coisa\",\"VtX8nW\":\"Venda produtos junto com ingressos com suporte integrado para impostos e códigos promocionais\",\"Cye3uV\":\"Venda mais do que ingressos\",\"j9b/iy\":\"Vendendo rápido 🔥\",\"1lNPhX\":\"Enviar email de notificação de reembolso\",\"SPdzrs\":\"Enviado aos clientes quando fazem um pedido\",\"LxSN5F\":\"Enviado a cada participante com detalhes do ingresso\",\"eXssj5\":\"Definir configurações padrão para novos eventos criados sob este organizador.\",\"xMO+Ao\":\"Configure a sua organização\",\"HbUQWA\":\"Configuração em minutos\",\"GG7qDw\":\"Partilhar link de afiliado\",\"hL7sDJ\":\"Compartilhar página do organizador\",\"WHY75u\":\"Mostrar Opções Adicionais\",\"cMW+gm\":[\"Mostrar todas as plataformas (\",[\"0\"],\" com valores)\"],\"UVPI5D\":\"Mostrar menos plataformas\",\"Eu/N/d\":\"Mostrar caixa de seleção de opt-in de marketing\",\"SXzpzO\":\"Mostrar caixa de seleção de opt-in de marketing por padrão\",\"b33PL9\":\"Mostrar mais plataformas\",\"v6IwHE\":\"Check-in inteligente\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Links sociais\",\"j/TOB3\":\"Links sociais e site\",\"2pxNFK\":\"vendido\",\"s9KGXU\":\"Vendido\",\"KTxc6k\":\"Algo deu errado, tente novamente ou entre em contato com o suporte se o problema persistir\",\"H6Gslz\":\"Desculpe o inconveniente.\",\"7JFNej\":\"Desporto\",\"JcQp9p\":\"Data e hora de início\",\"0m/ekX\":\"Data e hora de início\",\"izRfYP\":\"A data de início é obrigatória\",\"2R1+Rv\":\"Horário de início do evento\",\"2NbyY/\":\"Estatísticas\",\"DRykfS\":\"Ainda processando reembolsos para suas transações mais antigas.\",\"wuV0bK\":\"Parar Personificação\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Configuração do Stripe já está completa.\",\"ii0qn/\":\"Assunto é obrigatório\",\"M7Uapz\":\"Assunto aparecerá aqui\",\"6aXq+t\":\"Assunto:\",\"JwTmB6\":\"Produto duplicado com sucesso\",\"RuaKfn\":\"Endereço atualizado com sucesso\",\"kzx0uD\":\"Padrões de Evento Atualizados com Sucesso\",\"5n+Wwp\":\"Organizador atualizado com sucesso\",\"0Dk/l8\":\"Configurações de SEO atualizadas com sucesso\",\"MhOoLQ\":\"Links sociais atualizados com sucesso\",\"kj7zYe\":\"Webhook atualizado com sucesso\",\"dXoieq\":\"Resumo\",\"/RfJXt\":[\"Festival de Música de Verão \",[\"0\"]],\"CWOPIK\":\"Festival de Música de Verão 2025\",\"5gIl+x\":\"Suporte para vendas escalonadas, baseadas em doações e de produtos com preços e capacidades personalizáveis\",\"JZTQI0\":\"Trocar organizador\",\"XX32BM\":\"Leva apenas alguns minutos\",\"yT6dQ8\":\"Impostos coletados agrupados por tipo de imposto e evento\",\"Ye321X\":\"Nome do Imposto\",\"WyCBRt\":\"Resumo de Impostos\",\"GkH0Pq\":\"Impostos e taxas aplicados\",\"SmvJCM\":\"Impostos, taxas, período de venda, limites de pedido e configurações de visibilidade\",\"vlf/In\":\"Tecnologia\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Conte às pessoas o que esperar do seu evento\",\"NiIUyb\":\"Conte-nos sobre seu evento\",\"DovcfC\":\"Fale-nos sobre a sua organização. Esta informação será exibida nas páginas dos seus eventos.\",\"7wtpH5\":\"Modelo Ativo\",\"QHhZeE\":\"Modelo criado com sucesso\",\"xrWdPR\":\"Modelo excluído com sucesso\",\"G04Zjt\":\"Modelo salvo com sucesso\",\"xowcRf\":\"Termos de serviço\",\"6K0GjX\":\"O texto pode ser difícil de ler\",\"nm3Iz/\":\"Obrigado por participar!\",\"lhAWqI\":\"Obrigado pelo seu apoio enquanto continuamos a crescer e melhorar o Hi.Events!\",\"KfmPRW\":\"A cor de fundo da página. Ao usar imagem de capa, isso é aplicado como uma sobreposição.\",\"MDNyJz\":\"O código irá expirar em 10 minutos. Verifique a sua pasta de spam se não vir o email.\",\"MJm4Tq\":\"A moeda do pedido\",\"I/NNtI\":\"O local do evento\",\"tXadb0\":\"O evento que você está procurando não está disponível no momento. Ele pode ter sido removido, expirado ou a URL pode estar incorreta.\",\"EBzPwC\":\"O endereço completo do evento\",\"sxKqBm\":\"O valor total do pedido será reembolsado para o método de pagamento original do cliente.\",\"5OmEal\":\"O idioma do cliente\",\"sYLeDq\":\"O organizador que você está procurando não foi encontrado. A página pode ter sido movida, excluída ou o URL está incorreto.\",\"HxxXZO\":\"A cor primária da marca usada para botões e destaques\",\"DEcpfp\":\"O corpo do template contém sintaxe Liquid inválida. Por favor, corrija e tente novamente.\",\"A4UmDy\":\"Teatro\",\"tDwYhx\":\"Tema e cores\",\"HirZe8\":\"Estes modelos serão usados como padrão para todos os eventos em sua organização. Eventos individuais podem substituir estes modelos por suas próprias versões personalizadas.\",\"lzAaG5\":\"Estes modelos substituirão os padrões do organizador apenas para este evento. Se nenhum modelo personalizado for definido aqui, o modelo do organizador será usado.\",\"XBNC3E\":\"Este código será usado para rastrear vendas. Apenas são permitidas letras, números, hífenes e underscores.\",\"AaP0M+\":\"Esta combinação de cores pode ser difícil de ler para alguns usuários\",\"YClrdK\":\"Este evento ainda não foi publicado\",\"dFJnia\":\"Este é o nome do seu organizador que será exibido aos seus usuários.\",\"L7dIM7\":\"Este link é inválido ou expirou.\",\"j5FdeA\":\"Este pedido está sendo processado.\",\"sjNPMw\":\"Este pedido foi abandonado. Você pode iniciar um novo pedido a qualquer momento.\",\"OhCesD\":\"Este pedido foi cancelado. Você pode iniciar um novo pedido a qualquer momento.\",\"lyD7rQ\":\"Este perfil de organizador ainda não foi publicado\",\"9b5956\":\"Esta visualização mostra como seu e-mail ficará com dados de amostra. E-mails reais usarão valores reais.\",\"uM9Alj\":\"Este produto está destacado na página do evento\",\"RqSKdX\":\"Este produto está esgotado\",\"0Ew0uk\":\"Este ingresso acabou de ser escaneado. Aguarde antes de escanear novamente.\",\"kvpxIU\":\"Isso será usado para notificações e comunicação com seus usuários.\",\"rhsath\":\"Isto não será visível para os clientes, mas ajuda-o a identificar o afiliado.\",\"Mr5UUd\":\"Ingresso Cancelado\",\"0GSPnc\":\"Design do Ingresso\",\"EZC/Cu\":\"Design do ingresso salvo com sucesso\",\"1BPctx\":\"Ingresso para\",\"bgqf+K\":\"E-mail do portador do ingresso\",\"oR7zL3\":\"Nome do portador do ingresso\",\"HGuXjF\":\"Portadores de ingressos\",\"awHmAT\":\"ID do ingresso\",\"6czJik\":\"Logotipo do Ingresso\",\"OkRZ4Z\":\"Nome do Ingresso\",\"6tmWch\":\"Ingresso ou produto\",\"1tfWrD\":\"Visualização do ingresso para\",\"tGCY6d\":\"Preço do Ingresso\",\"8jLPgH\":\"Tipo de Ingresso\",\"X26cQf\":\"URL do Ingresso\",\"zNECqg\":\"ingressos\",\"6GQNLE\":\"Ingressos\",\"NRhrIB\":\"Ingressos e produtos\",\"EUnesn\":\"Ingressos disponíveis\",\"AGRilS\":\"Ingressos Vendidos\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Para receber pagamentos com cartão de crédito, você precisa conectar sua conta do Stripe. O Stripe é nosso parceiro de processamento de pagamentos que garante transações seguras e pagamentos pontuais.\",\"W428WC\":\"Alternar colunas\",\"3sZ0xx\":\"Total de Contas\",\"EaAPbv\":\"Valor total pago\",\"SMDzqJ\":\"Total de Participantes\",\"orBECM\":\"Total Coletado\",\"KSDwd5\":\"Total de pedidos\",\"vb0Q0/\":\"Total de Usuários\",\"/b6Z1R\":\"Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis\",\"OpKMSn\":\"Taxa de transação:\",\"uKOFO5\":\"Verdadeiro se pagamento offline\",\"9GsDR2\":\"Verdadeiro se pagamento pendente\",\"ouM5IM\":\"Tentar outro e-mail\",\"3DZvE7\":\"Experimente Hi.Events Grátis\",\"Kz91g/\":\"Turco\",\"GdOhw6\":\"Desativar som\",\"KUOhTy\":\"Ativar som\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Tipo de ingresso\",\"IrVSu+\":\"Não foi possível duplicar o produto. Por favor, verifique seus dados\",\"Vx2J6x\":\"Não foi possível buscar participante\",\"b9SN9q\":\"Referência única do pedido\",\"Ef7StM\":\"Desconhecido\",\"ZBAScj\":\"Participante desconhecido\",\"ZkS2p3\":\"Despublicar Evento\",\"Pp1sWX\":\"Atualizar afiliado\",\"KMMOAy\":\"Atualização disponível\",\"gJQsLv\":\"Envie uma imagem de capa para seu organizador\",\"4kEGqW\":\"Envie um logo para seu organizador\",\"lnCMdg\":\"Carregar imagem\",\"29w7p6\":\"Enviando imagem...\",\"HtrFfw\":\"A URL é obrigatória\",\"WBq1/R\":\"Scanner USB já ativo\",\"EV30TR\":\"Modo scanner USB ativado. Comece a escanear os ingressos agora.\",\"fovJi3\":\"Modo scanner USB desativado\",\"hli+ga\":\"Scanner USB/HID\",\"OHJXlK\":\"Use <0>templates Liquid para personalizar seus emails\",\"0k4cdb\":\"Usar detalhes do pedido para todos os participantes. Os nomes e e-mails dos participantes corresponderão às informações do comprador.\",\"rnoQsz\":\"Usado para bordas, destaques e estilo do código QR\",\"Fild5r\":\"Número de IVA válido\",\"sqdl5s\":\"Informações de IVA\",\"UjNWsF\":\"O IVA pode ser aplicado às taxas da plataforma dependendo do seu status de registro de IVA. Por favor, preencha a seção de informações de IVA abaixo.\",\"pnVh83\":\"Número de IVA\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"A validação do número de IVA falhou. Por favor, verifique seu número e tente novamente.\",\"PCRCCN\":\"Informações de Registro de IVA\",\"vbKW6Z\":\"Configurações de IVA salvas e validadas com sucesso\",\"fb96a1\":\"Configurações de IVA salvas, mas a validação falhou. Por favor, verifique seu número de IVA.\",\"Nfbg76\":\"Configurações de IVA salvas com sucesso\",\"tJylUv\":\"Tratamento de IVA para Taxas da Plataforma\",\"FlGprQ\":\"Tratamento de IVA para taxas da plataforma: Empresas registradas para IVA na UE podem usar o mecanismo de autoliquidação (0% - Artigo 196 da Diretiva IVA 2006/112/CE). Empresas não registradas para IVA são cobradas com IVA irlandês de 23%.\",\"AdWhjZ\":\"Código de verificação\",\"wCKkSr\":\"Verificar email\",\"/IBv6X\":\"Verifique seu e-mail\",\"e/cvV1\":\"A verificar...\",\"fROFIL\":\"Vietnamita\",\"+WFMis\":\"Visualize e baixe relatórios de todos os seus eventos. Apenas pedidos concluídos são incluídos.\",\"gj5YGm\":\"Visualize e baixe relatórios do seu evento. Observe que apenas pedidos concluídos estão incluídos nesses relatórios.\",\"c7VN/A\":\"Ver respostas\",\"FCVmuU\":\"Ver evento\",\"n6EaWL\":\"Ver logs\",\"OaKTzt\":\"Ver mapa\",\"67OJ7t\":\"Ver Pedido\",\"tKKZn0\":\"Ver detalhes do pedido\",\"9jnAcN\":\"Ver página inicial do organizador\",\"1J/AWD\":\"Ver Ingresso\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visível apenas para a equipe de check-in. Ajuda a identificar esta lista durante o check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Aguardando pagamento\",\"RRZDED\":\"Não encontramos pedidos associados a este endereço de e-mail.\",\"miysJh\":\"Não foi possível encontrar este pedido. Ele pode ter sido removido.\",\"HJKdzP\":\"Ocorreu um problema ao carregar esta página. Por favor, tente novamente.\",\"IfN2Qo\":\"Recomendamos um logo quadrado com dimensões mínimas de 200x200px\",\"wJzo/w\":\"Recomendamos dimensões de 400px por 400px e tamanho máximo de 5MB\",\"q1BizZ\":\"Enviaremos seus ingressos para este e-mail\",\"zCdObC\":\"Mudamos oficialmente nossa sede para a Irlanda 🇮🇪. Como parte desta transição, agora usamos o Stripe Irlanda em vez do Stripe Canadá. Para manter seus pagamentos funcionando sem problemas, você precisará reconectar sua conta Stripe.\",\"jh2orE\":\"Mudamos nossa sede para a Irlanda. Como resultado, precisamos que você reconecte sua conta Stripe. Este processo rápido leva apenas alguns minutos. Suas vendas e dados existentes permanecem completamente inalterados.\",\"Fq/Nx7\":\"Enviámos um código de verificação de 5 dígitos para:\",\"GdWB+V\":\"Webhook criado com sucesso\",\"2X4ecw\":\"Webhook excluído com sucesso\",\"CThMKa\":\"Logs do Webhook\",\"nuh/Wq\":\"URL do Webhook\",\"8BMPMe\":\"O webhook não enviará notificações\",\"FSaY52\":\"O webhook enviará notificações\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Site\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bem-vindo de volta 👋\",\"kSYpfa\":[\"Bem-vindo ao \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Bem-vindo ao \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Bem-vindo ao \",[\"0\"],\", aqui está uma lista de todos os seus eventos\"],\"FaSXqR\":\"Que tipo de evento?\",\"f30uVZ\":\"O que você precisa fazer:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Quando um check-in é excluído\",\"Gmd0hv\":\"Quando um novo participante é criado\",\"Lc18qn\":\"Quando um novo pedido é criado\",\"dfkQIO\":\"Quando um novo produto é criado\",\"8OhzyY\":\"Quando um produto é excluído\",\"tRXdQ9\":\"Quando um produto é atualizado\",\"Q7CWxp\":\"Quando um participante é cancelado\",\"IuUoyV\":\"Quando um participante faz check-in\",\"nBVOd7\":\"Quando um participante é atualizado\",\"ny2r8d\":\"Quando um pedido é cancelado\",\"c9RYbv\":\"Quando um pedido é marcado como pago\",\"ejMDw1\":\"Quando um pedido é reembolsado\",\"fVPt0F\":\"Quando um pedido é atualizado\",\"bcYlvb\":\"Quando fecha o check-in\",\"XIG669\":\"Quando abre o check-in\",\"de6HLN\":\"Quando os clientes comprarem ingressos, os pedidos aparecerão aqui.\",\"blXLKj\":\"Quando ativado, novos eventos exibirão uma caixa de seleção de opt-in de marketing durante o checkout. Isso pode ser substituído por evento.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Escreva sua mensagem aqui...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Sim - Tenho um número de registro de IVA da UE válido\",\"Tz5oXG\":\"Sim, cancelar meu pedido\",\"QlSZU0\":[\"Você está personificando <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Você está emitindo um reembolso parcial. O cliente será reembolsado em \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Você adicionou taxas e impostos a um produto gratuito. Deseja removê-los?\",\"FVTVBy\":\"Você precisa verificar seu e-mail antes de atualizar o status do organizador.\",\"FRl8Jv\":\"Você precisa verificar o e-mail da sua conta antes de poder enviar mensagens.\",\"U3wiCB\":\"Está tudo pronto! Seus pagamentos estão sendo processados sem problemas.\",\"MNFIxz\":[\"Você vai participar de \",[\"0\"],\"!\"],\"x/xjzn\":\"Os seus afiliados foram exportados com sucesso.\",\"TF37u6\":\"Seus participantes foram exportados com sucesso.\",\"79lXGw\":\"Sua lista de check-in foi criada com sucesso. Compartilhe o link abaixo com sua equipe de check-in.\",\"BnlG9U\":\"Seu pedido atual será perdido.\",\"nBqgQb\":\"Seu e-mail\",\"R02pnV\":\"Seu evento deve estar ativo antes que você possa vender ingressos para os participantes.\",\"ifRqmm\":\"A sua mensagem foi enviada com sucesso!\",\"/Rj5P4\":\"Seu nome\",\"naQW82\":\"Seu pedido foi cancelado.\",\"bhlHm/\":\"Seu pedido aguarda pagamento\",\"XeNum6\":\"Seus pedidos foram exportados com sucesso.\",\"Xd1R1a\":\"Endereço do seu organizador\",\"WWYHKD\":\"Seu pagamento está protegido com criptografia de nível bancário\",\"6heFYY\":\"Sua conta Stripe está conectada e processando pagamentos.\",\"vvO1I2\":\"Sua conta Stripe está conectada e pronta para processar pagamentos.\",\"CnZ3Ou\":\"Seus ingressos foram confirmados.\",\"d/CiU9\":\"Seu número de IVA será validado automaticamente quando você salvar\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/pt-br.po b/frontend/src/locales/pt-br.po index f06d4bfd0b..75ccd4c48f 100644 --- a/frontend/src/locales/pt-br.po +++ b/frontend/src/locales/pt-br.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -62,7 +62,7 @@ msgstr "{0} criado com sucesso" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "{0} restante" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Impostos/Taxas" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -259,15 +259,15 @@ msgstr "Um imposto padrão, como IVA ou GST" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Abandonado" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "Sobre" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "Sobre o Stripe Connect" @@ -288,8 +288,8 @@ msgstr "Aceitar pagamentos com cartão de crédito através do Stripe" msgid "Accept Invitation" msgstr "Aceitar convite" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Acesso negado" @@ -298,7 +298,7 @@ msgstr "Acesso negado" msgid "Account" msgstr "Conta" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Conta já conectada!" @@ -321,10 +321,14 @@ msgstr "Conta atualizada com sucesso" msgid "Accounts" msgstr "Contas" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Ação necessária: Reconecte sua conta Stripe" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Ação Necessária: Informações de IVA Necessárias" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "Adicionar nível" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Adicionar ao calendário" @@ -549,7 +553,7 @@ msgstr "Todos os participantes deste evento" msgid "All Currencies" msgstr "Todas as moedas" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "Tudo pronto! Agora você está usando nosso sistema de pagamentos atualizado." @@ -579,8 +583,8 @@ msgstr "Permitir a indexação do mecanismo de pesquisa" msgid "Allow search engines to index this event" msgstr "Permitir que os mecanismos de pesquisa indexem esse evento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Quase lá! Termine de conectar sua conta Stripe para começar a aceitar pagamentos." @@ -602,7 +606,7 @@ msgstr "Também reembolsar este pedido" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Sempre disponível" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "Ocorreu um erro ao classificar as perguntas. Tente novamente ou atualize #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Uma mensagem opcional para exibir no produto destacado, por exemplo \"Vendendo rápido 🔥\" ou \"Melhor valor\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -727,7 +731,7 @@ msgstr "Tem certeza de que deseja excluir este modelo? Esta ação não pode ser msgid "Are you sure you want to delete this webhook?" msgstr "Tem certeza de que deseja excluir este webhook?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Tem certeza de que deseja sair?" @@ -777,10 +781,23 @@ msgstr "Tem certeza de que deseja excluir esta Atribuição de Capacidade?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Tem certeza de que deseja excluir esta lista de registro?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "Você está registrado para IVA na UE?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Arte" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Como sua empresa está sediada na Irlanda, o IVA irlandês de 23% se aplica automaticamente a todas as taxas da plataforma." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Como sua empresa está sediada na UE, precisamos determinar o tratamento correto de IVA para nossas taxas de plataforma:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Pergunte uma vez por pedido" @@ -819,7 +836,7 @@ msgstr "Detalhes do participante" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "Os detalhes do participante serão copiados das informações do pedido." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -827,11 +844,11 @@ msgstr "E-mail do Participante" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Coleta de informações do participante" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "A coleta de informações do participante está configurada para \"Por pedido\". Os detalhes do participante serão copiados das informações do pedido." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -906,7 +923,7 @@ msgstr "Gestão automatizada de entrada com várias listas de check-in e valida #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Detectado automaticamente com base na cor de fundo, mas pode ser substituído" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1029,7 +1046,7 @@ msgstr "Texto do botão" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "Ao continuar, você concorda com os <0>Termos de Serviço de {0}" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1108,7 +1125,7 @@ msgstr "Não é possível fazer check-in" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "Não é Possível Fazer Check-in (Cancelado)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1387,7 +1404,7 @@ msgstr "Recolher este produto quando a página do evento for carregada inicialme #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "Coletar detalhes do participante para cada ingresso comprado." #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "Cor" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "Modo de Cor" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,7 +1425,7 @@ msgstr "Cores" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "Colunas" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1437,7 +1454,7 @@ msgstr "Pagamento completo" msgid "Complete Stripe Setup" msgstr "Concluir configuração do Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Complete a configuração abaixo para continuar" @@ -1530,11 +1547,11 @@ msgstr "Confirmação do endereço de e-mail..." msgid "Congratulations on creating an event!" msgstr "Parabéns por criar um evento!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Conectar e atualizar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Documentação de conexão" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Conecte-se ao CRM e automatize tarefas usando webhooks e integrações" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Conecte-se com o Stripe" @@ -1571,15 +1588,15 @@ msgstr "Conecte-se com o Stripe" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Conecte sua conta Stripe para aceitar pagamentos de ingressos e produtos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Conecte sua conta Stripe para aceitar pagamentos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Conecte sua conta Stripe para começar a aceitar pagamentos para seus eventos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Conecte sua conta Stripe para começar a aceitar pagamentos." @@ -1587,8 +1604,8 @@ msgstr "Conecte sua conta Stripe para começar a aceitar pagamentos." msgid "Connect your Stripe account to start receiving payments." msgstr "Conecte sua conta Stripe para começar a receber pagamentos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Conectado ao Stripe" @@ -1596,7 +1613,7 @@ msgstr "Conectado ao Stripe" msgid "Connection Details" msgstr "Detalhes da conexão" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Contato" @@ -1926,13 +1943,13 @@ msgstr "Moeda" msgid "Current Password" msgstr "Senha atual" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Processador de pagamentos atual" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "Atualmente disponível para compra" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2057,7 +2074,7 @@ msgstr "Zona de Perigo" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "Escuro" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2091,7 +2108,7 @@ msgstr "Capacidade do primeiro dia" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "Coleta padrão de informações do participante" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2205,7 +2222,7 @@ msgstr "Exibe uma caixa de seleção permitindo que os clientes optem por recebe msgid "Document Label" msgstr "Etiqueta do documento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Documentação" @@ -2219,7 +2236,7 @@ msgstr "Não tem uma conta? <0>Cadastre-se" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "Doação" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2273,7 +2290,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "Duplicar" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2608,6 +2625,10 @@ msgstr "Digite seu e-mail" msgid "Enter your name" msgstr "Digite seu nome" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "Erro ao confirmar a alteração do e-mail" msgid "Error loading logs" msgstr "Erro ao carregar os registros" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "Empresas registradas para IVA na UE: Aplica-se o mecanismo de autoliquidação (0% - Artigo 196 da Diretiva IVA 2006/112/CE)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2808,7 +2834,7 @@ msgstr "Desempenho de Eventos" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "Eventos Começando nas Próximas 24 Horas" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2934,6 +2960,10 @@ msgstr "Falha ao reenviar código de verificação" msgid "Failed to save template" msgstr "Falha ao salvar modelo" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Falha ao salvar as configurações de IVA. Por favor, tente novamente." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Falha ao enviar mensagem. Por favor, tente novamente." @@ -2993,7 +3023,7 @@ msgstr "Tarifa" msgid "Fees" msgstr "Tarifas" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas." @@ -3023,12 +3053,12 @@ msgstr "Filtros" msgid "Filters ({activeFilterCount})" msgstr "Filtros ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Finalizar configuração" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Finalizar configuração do Stripe" @@ -3080,7 +3110,7 @@ msgstr "Fixo" msgid "Fixed amount" msgstr "Valor fixo" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Taxa fixa:" @@ -3164,7 +3194,7 @@ msgstr "Gerar código" msgid "German" msgstr "Alemão" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Como chegar" @@ -3172,9 +3202,9 @@ msgstr "Como chegar" msgid "Get started for free, no subscription fees" msgstr "Comece gratuitamente, sem taxas de assinatura" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "Obter Ingressos" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3203,7 +3233,7 @@ msgstr "Ir para a página inicial" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "Boa legibilidade" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3256,7 +3286,7 @@ msgstr "Aqui está o componente React que você pode usar para incorporar o widg msgid "Here is your affiliate link" msgstr "Aqui está o seu link de afiliado" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Aqui está o que esperar:" @@ -3267,7 +3297,7 @@ msgstr "Oi {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "Oculto" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3293,7 +3323,7 @@ msgstr "Esconder" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "Ocultar Opções Adicionais" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3357,7 +3387,7 @@ msgstr "Destacar este produto" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "Destacado" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3440,6 +3470,10 @@ msgstr "Se ativado, a equipe de check-in pode marcar os participantes como regis msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Se ativado, o organizador receberá uma notificação por e-mail quando um novo pedido for feito" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Se registrado, forneça seu número de IVA para validação" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Se você não solicitou essa alteração, altere imediatamente sua senha." @@ -3493,11 +3527,11 @@ msgstr "Importante: Reconexão do Stripe necessária" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "Em {diffHours} horas" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "Em {diffMinutes} minutos" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3532,6 +3566,10 @@ msgstr "Inclui {0} produtos" msgid "Includes 1 product" msgstr "Inclui 1 produto" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Indique se você está registrado para IVA na UE" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Participantes individuais" @@ -3570,6 +3608,10 @@ msgstr "Formato de email inválido" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Sintaxe Liquid inválida. Por favor, corrija e tente novamente." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Convite reenviado!" @@ -3600,7 +3642,7 @@ msgstr "Convide sua equipe" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "Fatura" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3619,6 +3661,10 @@ msgstr "Numeração da fatura" msgid "Invoice Settings" msgstr "Configurações da fatura" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "O IVA irlandês de 23% será aplicado às taxas da plataforma (fornecimento doméstico)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Italiano" @@ -3629,11 +3675,11 @@ msgstr "Item" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "item(ns)" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "Itens" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3643,11 +3689,11 @@ msgstr "João" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Participe de qualquer lugar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Basta clicar no botão abaixo para reconectar sua conta Stripe." @@ -3657,7 +3703,7 @@ msgstr "Apenas procurando seus ingressos?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "Manter-me atualizado sobre novidades e eventos de {0}" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3751,7 +3797,7 @@ msgstr "Deixe em branco para usar a palavra padrão \"Fatura\"" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "Claro" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "Carregando..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "Gerenciar tíquetes" msgid "Manage your account details and default settings" msgstr "Gerenciar os detalhes de sua conta e as configurações padrão" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Gerencie seu processamento de pagamentos e visualize as taxas da plataforma" @@ -4107,6 +4153,10 @@ msgstr "Nova senha" msgid "Nightlife" msgstr "Vida noturna" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "Não - Sou um indivíduo ou empresa não registrada para IVA" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "Sem contas" @@ -4173,7 +4223,7 @@ msgstr "Sem desconto" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "Sem data de término" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4185,7 +4235,7 @@ msgstr "Nenhum evento encontrado" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "Nenhum evento começando nas próximas 24 horas" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4199,13 +4249,13 @@ msgstr "Nenhum evento ainda" msgid "No filters available" msgstr "Nenhum filtro disponível" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Sem impacto nas suas transações atuais ou passadas" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "Sem fatura" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4311,10 +4361,15 @@ msgstr "Nenhum evento de webhook foi registrado para este endpoint ainda. Os eve msgid "No Webhooks" msgstr "Nenhum Webhook" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "Não, manter-me aqui" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Empresas não registradas para IVA ou indivíduos: Aplica-se o IVA irlandês de 23%" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,9 +4462,9 @@ msgstr "À venda" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "À venda {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Depois de completar a atualização, sua conta antiga será usada apenas para reembolsos." @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "Evento on-line" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Evento online" @@ -4462,7 +4517,7 @@ msgstr "Enviar apenas para pedidos com esses status" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "Visível apenas com código promocional" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4473,9 +4528,9 @@ msgstr "Abrir Página de Check-In" msgid "Open sidebar" msgstr "Abrir barra lateral" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Abrir painel do Stripe" @@ -4523,7 +4578,7 @@ msgstr "Pedido" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "Pedido e Ingresso" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4594,7 +4649,7 @@ msgstr "Sobrenome do Pedido" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "Limites de Pedido" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4723,7 +4778,7 @@ msgstr "Nome da organização" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4850,7 +4905,7 @@ msgstr "Parcialmente reembolsado" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "Reembolsado parcialmente: {0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4911,7 +4966,7 @@ msgstr "Pagar" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "Pague para desbloquear" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4952,9 +5007,9 @@ msgstr "Método de pagamento" msgid "Payment Methods" msgstr "Métodos de pagamento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Processamento de pagamento" @@ -4970,7 +5025,7 @@ msgstr "Pagamento recebido" msgid "Payment Received" msgstr "Pagamento recebido" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Configurações de pagamento" @@ -4990,19 +5045,19 @@ msgstr "Termos de pagamento" msgid "Payments not available" msgstr "Pagamentos não disponíveis" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Os pagamentos continuarão fluindo sem interrupção" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "Por pedido" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "Por ingresso" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5033,7 +5088,7 @@ msgstr "Coloque isso no de seu site." msgid "Planning an event?" msgstr "Planejando um evento?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Taxas da plataforma" @@ -5090,6 +5145,10 @@ msgstr "Por favor, introduza o código de 5 dígitos" msgid "Please enter your new password" msgstr "Digite sua nova senha" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Por favor, digite seu número de IVA" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Observação" @@ -5112,7 +5171,7 @@ msgstr "Selecione" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "Por favor, selecione um intervalo de datas" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5205,7 +5264,7 @@ msgstr "Preço do ingresso" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "Faixas de Preço" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5229,7 +5288,7 @@ msgstr "Visualizar Impressão" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "Imprimir Ingresso" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5240,7 +5299,7 @@ msgstr "Imprimir ingressos" msgid "Print to PDF" msgstr "Imprimir para PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Política de Privacidade" @@ -5386,7 +5445,7 @@ msgstr "Relatório de códigos promocionais" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "Apenas Promocional" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5404,7 +5463,7 @@ msgstr "Publicar Evento" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Comprado" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5458,7 +5517,7 @@ msgstr "Taxa" msgid "Read less" msgstr "Leia menos" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Pronto para atualizar? Isso leva apenas alguns minutos." @@ -5480,10 +5539,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Redirecionando para o Stripe..." @@ -5497,7 +5556,7 @@ msgstr "Valor do reembolso" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "Reembolso falhou" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5513,7 +5572,7 @@ msgstr "Reembolsar pedido {0}" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "Reembolso pendente" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5533,7 +5592,7 @@ msgstr "Reembolsado" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "Reembolsado: {0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5614,7 +5673,7 @@ msgstr "Reenvio..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "Reservado" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5646,7 +5705,7 @@ msgstr "Restaurar evento" msgid "Return to Event" msgstr "Voltar ao evento" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Voltar para a página do evento" @@ -5677,16 +5736,16 @@ msgstr "Data de término da venda" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "Venda encerrada {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "Venda termina {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "Período de Venda" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5695,7 +5754,7 @@ msgstr "Data de início da venda" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "Venda começa {0}" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5703,7 +5762,7 @@ msgstr "Vendas" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "As vendas estão pausadas" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5775,6 +5834,10 @@ msgstr "Salvar Modelo" msgid "Save Ticket Design" msgstr "Salvar Design do Ingresso" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "Salvar Configurações de IVA" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5782,7 +5845,7 @@ msgstr "Escanear" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "Agendado" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5851,7 +5914,7 @@ msgstr "Cor do texto secundário" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "Checkout Seguro" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6056,7 +6119,7 @@ msgstr "Defina um preço mínimo e permita que os usuários paguem mais se quise #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "Definir configurações padrão para novos eventos criados sob este organizador." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6092,7 +6155,7 @@ msgid "Setup in Minutes" msgstr "Configuração em minutos" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6117,7 +6180,7 @@ msgstr "Compartilhar página do organizador" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "Mostrar Opções Adicionais" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6211,7 +6274,7 @@ msgstr "vendido" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "Vendido" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6219,7 +6282,7 @@ msgid "Sold out" msgstr "Esgotado" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Esgotado" @@ -6327,7 +6390,7 @@ msgstr "Estatísticas" msgid "Status" msgstr "Status" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Ainda processando reembolsos para suas transações mais antigas." @@ -6340,7 +6403,7 @@ msgstr "Parar Personificação" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6443,7 +6506,7 @@ msgstr "Evento atualizado com sucesso" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "Padrões de Evento Atualizados com Sucesso" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6537,7 +6600,7 @@ msgstr "Trocar organizador" msgid "T-shirt" msgstr "Camiseta" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Leva apenas alguns minutos" @@ -6590,7 +6653,7 @@ msgstr "Impostos" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "Impostos e taxas aplicados" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6600,7 +6663,7 @@ msgstr "Impostos e taxas" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "Impostos, taxas, período de venda, limites de pedido e configurações de visibilidade" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6638,20 +6701,20 @@ msgstr "Modelo excluído com sucesso" msgid "Template saved successfully" msgstr "Modelo salvo com sucesso" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Termos de serviço" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "O texto pode ser difícil de ler" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "Obrigado por participar!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Obrigado pelo seu apoio enquanto continuamos a crescer e melhorar o Hi.Events!" @@ -6662,7 +6725,7 @@ msgstr "Esse código promocional é inválido" #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "A cor de fundo da página. Ao usar imagem de capa, isso é aplicado como uma sobreposição." #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6740,7 +6803,7 @@ msgstr "O preço exibido para o cliente não inclui impostos e taxas. Eles serã #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "A cor primária da marca usada para botões e destaques" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6843,7 +6906,7 @@ msgstr "Este código será usado para rastrear vendas. Apenas são permitidas le #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "Esta combinação de cores pode ser difícil de ler para alguns usuários" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6911,7 +6974,7 @@ msgstr "Essa página de pedidos não está mais disponível." #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "Este pedido foi abandonado. Você pode iniciar um novo pedido a qualquer momento." #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6939,11 +7002,11 @@ msgstr "Este produto é um ingresso. Os compradores receberão um ingresso ao co #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "Este produto está destacado na página do evento" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "Este produto está esgotado" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6986,7 +7049,7 @@ msgstr "Bilhete" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "Ingresso Cancelado" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7052,19 +7115,19 @@ msgstr "URL do Ingresso" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "ingressos" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "Ingressos" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "Ingressos e produtos" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Ingressos disponíveis" @@ -7118,13 +7181,13 @@ msgstr "Fuso horário" msgid "TIP" msgstr "DICA" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Para receber pagamentos com cartão de crédito, você precisa conectar sua conta do Stripe. O Stripe é nosso parceiro de processamento de pagamentos que garante transações seguras e pagamentos pontuais." #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "Alternar colunas" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7200,7 +7263,7 @@ msgstr "Total de Usuários" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Taxa de transação:" @@ -7355,7 +7418,7 @@ msgstr "Atualizar o nome, a descrição e as datas do evento" msgid "Update profile" msgstr "Atualizar perfil" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Atualização disponível" @@ -7429,7 +7492,7 @@ msgstr "Usar imagem de capa" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:48 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:38 msgid "Use order details for all attendees. Attendee names and emails will match the buyer's information." -msgstr "" +msgstr "Usar detalhes do pedido para todos os participantes. Os nomes e e-mails dos participantes corresponderão às informações do comprador." #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" @@ -7464,10 +7527,63 @@ msgstr "Os usuários podem alterar seu e-mail em <0>Configurações de perfilregistrado com sucesso\"],\"yxhYRZ\":[[\"0\"],\" <0>desmarcado com sucesso\"],\"KMgp2+\":[[\"0\"],\" disponível\"],\"Pmr5xp\":[[\"0\"],\" criado com sucesso\"],\"FImCSc\":[[\"0\"],\" atualizado com sucesso\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" dias, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"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>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://seu-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"ZjMs6e\":\"<0>O número de produtos disponíveis para este produto<1>Esse valor pode ser substituído se houver <2>Limites de Capacidade associados a este produto.\",\"E15xs8\":\"⚡️ Configure seu evento\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Personalize a página do seu evento\",\"3VPPdS\":\"💳 Conecte-se com Stripe\",\"cjdktw\":\"🚀 Defina seu evento ao vivo\",\"rmelwV\":\"0 minutos e 0 segundos\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"Rua Principal 123\",\"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.\",\"6euFZ/\":[\"Um \",[\"type\"],\" padrão é automaticamente aplicado a todos os novos produtos. Você pode substituir isso para cada produto.\"],\"SMUbbQ\":\"Uma entrada suspensa permite apenas uma seleção\",\"qv4bfj\":\"Uma taxa, como uma taxa de reserva ou uma taxa de serviço\",\"POT0K/\":\"Um valor fixo por produto. Ex: $0,50 por produto\",\"f4vJgj\":\"Uma entrada de texto multilinha\",\"OIPtI5\":\"Uma porcentagem do preço do produto. Ex: 3,5% do preço do produto\",\"ZthcdI\":\"Um código promocional sem desconto pode ser usado para revelar produtos ocultos.\",\"AG/qmQ\":\"Uma opção Rádio tem múltiplas opções, mas apenas uma pode ser selecionada.\",\"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\",\"BHZbFy\":\"Uma única pergunta por pedido. Ex: Qual é o seu endereço de entrega?\",\"Fuh+dI\":\"Uma única pergunta por produto. Ex: Qual é o seu tamanho de camiseta?\",\"RlJmQg\":\"Um imposto padrão, como IVA ou GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Aceitar transferências bancárias, cheques ou outros métodos de pagamento offline\",\"hrvLf4\":\"Aceitar pagamentos com cartão de crédito através do Stripe\",\"bfXQ+N\":\"Aceitar convite\",\"AeXO77\":\"Conta\",\"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\",\"/PN1DA\":\"Adicione uma descrição para esta lista de registro\",\"0/vPdA\":\"Adicione quaisquer notas sobre o participante. Estas não serão visíveis para o participante.\",\"Or1CPR\":\"Adicione quaisquer notas sobre o participante...\",\"l3sZO1\":\"Adicione quaisquer notas sobre o pedido. Estas não serão visíveis para o cliente.\",\"xMekgu\":\"Adicione quaisquer notas sobre o pedido...\",\"PGPGsL\":\"Adicionar descrição\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Adicione instruções para pagamentos offline (por exemplo, detalhes de transferência bancária, onde enviar cheques, prazos de pagamento)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"24l4x6\":\"Adicionar Produto\",\"8q0EdE\":\"Adicionar Produto à Categoria\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"goOKRY\":\"Adicionar nível\",\"oZW/gT\":\"Adicionar ao calendário\",\"pn5qSs\":\"Informações adicionais\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Todos os participantes deste evento\",\"cde2hc\":\"Todos os Produtos\",\"5CQ+r0\":\"Permitir que participantes associados a pedidos não pagos façam check-in\",\"ipYKgM\":\"Permitir indexação do mecanismo de pesquisa\",\"LRbt6D\":\"Permitir que mecanismos de pesquisa indexem este evento\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Incrível, evento, palavras-chave...\",\"hehnjM\":\"Quantia\",\"R2O9Rg\":[\"Valor pago (\",[\"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\",\"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\":\"Um erro inesperado ocorreu.\",\"byKna+\":\"Um erro inesperado ocorreu. Por favor, tente novamente.\",\"ubdMGz\":\"Quaisquer perguntas dos portadores de produtos serão enviadas para este endereço de e-mail. Este também será usado como o endereço de \\\"responder para\\\" em todos os e-mails enviados deste evento\",\"aAIQg2\":\"Aparência\",\"Ym1gnK\":\"aplicado\",\"sy6fss\":[\"Aplica-se a \",[\"0\"],\" produtos\"],\"kadJKg\":\"Aplica-se a 1 produto\",\"DB8zMK\":\"Aplicar\",\"GctSSm\":\"Aplicar código promocional\",\"ARBThj\":[\"Aplicar este \",[\"type\"],\" a todos os novos produtos\"],\"S0ctOE\":\"Arquivar evento\",\"TdfEV7\":\"Arquivado\",\"A6AtLP\":\"Archived Events\",\"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?\",\"LBLOqH\":\"Pergunte uma vez por pedido\",\"wu98dY\":\"Perguntar uma vez por produto\",\"ss9PbX\":\"Participante\",\"m0CFV2\":\"Detalhes do participante\",\"QKim6l\":\"Participante não encontrado\",\"R5IT/I\":\"Notas do participante\",\"lXcSD2\":\"Perguntas dos participantes\",\"HT/08n\":\"Bilhete do Participante\",\"9SZT4E\":\"Participantes\",\"iPBfZP\":\"Participantes Registrados\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"Aguardando pagamento offline\",\"2rHwhl\":\"Aguardando pagamento offline\",\"3wF4Q/\":\"Aguardando pagamento\",\"ioG+xt\":\"Aguardando Pagamento\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Impressionante Organizador Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Voltar à página do evento\",\"VCoEm+\":\"Volte ao login\",\"k1bLf+\":\"Cor de fundo\",\"I7xjqg\":\"Tipo de plano de fundo\",\"1mwMl+\":\"Antes de enviar!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Endereço de cobrança\",\"/xC/im\":\"Configurações de cobrança\",\"rp/zaT\":\"Português brasileiro\",\"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.\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar alteração de e-mail\",\"tVJk4q\":\"Cancelar pedido\",\"Os6n2a\":\"Cancelar pedido\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"Não é possível fazer check-in\",\"QyjCeq\":\"Capacidade\",\"V6Q5RZ\":\"Atribuição de Capacidade criada com sucesso\",\"k5p8dz\":\"Atribuição de Capacidade excluída com sucesso\",\"nDBs04\":\"Gestão de Capacidade\",\"ddha3c\":\"As categorias permitem agrupar produtos. Por exemplo, você pode ter uma categoria para \\\"Ingressos\\\" e outra para \\\"Mercadorias\\\".\",\"iS0wAT\":\"As categorias ajudam a organizar seus produtos. Este título será exibido na página pública do evento.\",\"eorM7z\":\"Categorias reordenadas com sucesso.\",\"3EXqwa\":\"Categoria Criada com Sucesso\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Alterar a senha\",\"xMDm+I\":\"Fazer check-in\",\"p2WLr3\":[\"Fazer check-in de \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Fazer check-in e marcar pedido como pago\",\"QYLpB4\":\"Apenas fazer check-in\",\"/Ta1d4\":\"Fazer check-out\",\"5LDT6f\":\"Confira este evento!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+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\":\"Registado\",\"znIg+z\":\"Finalizar compra\",\"1WnhCL\":\"Configurações de check-out\",\"6imsQS\":\"Chinês simplificado\",\"JjkX4+\":\"Escolha uma cor para o seu plano de fundo\",\"/Jizh9\":\"Escolha uma conta\",\"3wV73y\":\"Cidade\",\"FG98gC\":\"Limpar texto de pesquisa\",\"EYeuMv\":\"click here\",\"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\",\"oqr9HB\":\"Recolher este produto quando a página do evento for carregada inicialmente\",\"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\":\"Complete payment\",\"C8HNV2\":\"Concluir pagamento\",\"qqWcBV\":\"Concluído\",\"6HK5Ct\":\"Pedidos concluídos\",\"NWVRtl\":\"Pedidos concluídos\",\"DwF9eH\":\"Código do Componente\",\"Tf55h7\":\"Desconto configurado\",\"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...\",\"pbAk7a\":\"Conectar faixa\",\"UMGQOh\":\"Conecte-se com Stripe\",\"QKLP1W\":\"Conecte sua conta Stripe para começar a receber pagamentos.\",\"5lcVkL\":\"Detalhes da conexão\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"Copiado para a área de transferência\",\"he3ygx\":\"cópia de\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Link de cópia\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cobrir\",\"hYgDIe\":\"Criar\",\"b9XOHo\":[\"Criar \",[\"0\"]],\"k9RiLi\":\"Criar um Produto\",\"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\",\"EwoMtl\":\"Criar categoria\",\"XletzW\":\"Criar Categoria\",\"WVbTwK\":\"Criar Lista de Registro\",\"uN355O\":\"Criar Evento\",\"BOqY23\":\"Crie um novo\",\"kpJAeS\":\"Criar organizador\",\"a0EjD+\":\"Criar Produto\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Criar código promocional\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Moeda\",\"DCKkhU\":\"Senha atual\",\"uIElGP\":\"URL de mapas personalizados\",\"UEqXyt\":\"Intervalo personalizado\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalize as configurações de e-mail e notificação deste evento\",\"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\":\"Dashboard\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data e hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"VskHIx\":\"Excluir categoria\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Excluir pergunta\",\"Nu4oKW\":\"Descrição\",\"YC3oXa\":\"Descrição para a equipe de registro\",\"URmyfc\":\"Detalhes\",\"1lRT3t\":\"Desativar esta capacidade rastreará as vendas, mas não as interromperá quando o limite for atingido\",\"H6Ma8Z\":\"Desconto\",\"ypJ62C\":\"% de desconto\",\"3LtiBI\":[\"Desconto em \",[\"0\"]],\"C8JLas\":\"Tipo de desconto\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Etiqueta do documento\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Doação / Produto com valor voluntário\",\"OvNbls\":\"Baixar .ics\",\"kodV18\":\"Baixar CSV\",\"CELKku\":\"Baixar fatura\",\"LQrXcu\":\"Baixar fatura\",\"QIodqd\":\"Baixar código QR\",\"yhjU+j\":\"A baixar fatura\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicar Opções\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kBkYSa\":\"Editar Capacidade\",\"oHE9JT\":\"Editar Atribuição de Capacidade\",\"j1Jl7s\":\"Editar categoria\",\"FU1gvP\":\"Editar Lista de Registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"tdD/QN\":\"Editar Produto\",\"n143Tq\":\"Editar Categoria de Produto\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pergunta\",\"EzwCw7\":\"Editar pergunta\",\"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\",\"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\",\"NTZ/NX\":\"Código embutido\",\"4rnJq4\":\"Incorporar script\",\"8oPbg1\":\"Habilitar faturamento\",\"j6w7d/\":\"Ative esta capacidade para interromper as vendas de produtos quando o limite for atingido\",\"VFv2ZC\":\"Data de término\",\"237hSL\":\"Terminou\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Inglês\",\"MhVoma\":\"Insira um valor sem impostos e taxas.\",\"SlfejT\":\"Erro\",\"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\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Data do Evento\",\"0Zptey\":\"Padrões de eventos\",\"QcCPs8\":\"Detalhes do evento\",\"6fuA9p\":\"Evento duplicado com sucesso\",\"AEuj2m\":\"Página inicial do evento\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Event page\",\"4/If97\":\"Falha na atualização do status do evento. Por favor, tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Falha ao baixar a fatura. Por favor, tente novamente.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar e-mail do ticket\",\"ejXy+D\":\"Falha ao ordenar os produtos\",\"PLUB/s\":\"Taxa\",\"/mfICu\":\"Tarifas\",\"LyFC7X\":\"Filtrar pedidos\",\"cSev+j\":\"Filtros\",\"CVw2MU\":[\"Filtros (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Primeiro número da fatura\",\"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.\",\"Rs/IcB\":\"Usado pela primeira vez\",\"TpqW74\":\"Fixo\",\"irpUxR\":\"Quantia fixa\",\"TF9opW\":\"Flash não está disponível neste dispositivo\",\"UNMVei\":\"Esqueceu sua senha?\",\"2POOFK\":\"Livre\",\"P/OAYJ\":\"Produto Gratuito\",\"vAbVy9\":\"Produto gratuito, sem necessidade de informações de pagamento\",\"nLC6tu\":\"francês\",\"Weq9zb\":\"Geral\",\"DDcvSo\":\"alemão\",\"4GLxhy\":\"Começando\",\"4D3rRj\":\"Voltar ao perfil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Vendas brutas\",\"yRg26W\":\"Vendas brutas\",\"R4r4XO\":\"Convidados\",\"26pGvx\":\"Tem um código promocional?\",\"V7yhws\":\"olá@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Oi \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"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.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar página de primeiros passos\",\"mFn5Xz\":\"Ocultar perguntas ocultas\",\"YHsF9c\":\"Ocultar produto após a data de término da venda\",\"06s3w3\":\"Ocultar produto antes da data de início da venda\",\"axVMjA\":\"Ocultar produto, a menos que o usuário tenha um código promocional aplicável\",\"ySQGHV\":\"Ocultar produto quando esgotado\",\"SCimta\":\"Oculte a página de primeiros passos da barra lateral\",\"5xR17G\":\"Ocultar este produto dos clientes\",\"Da29Y6\":\"Ocultar esta pergunta\",\"fvDQhr\":\"Ocultar esta camada dos usuários\",\"lNipG+\":\"Ocultar um produto impedirá que os usuários o vejam na página do evento.\",\"ZOBwQn\":\"Design da página inicial\",\"PRuBTd\":\"Designer da página inicial\",\"YjVNGZ\":\"Visualização da página inicial\",\"c3E/kw\":\"Homero\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Se estiver em branco, o endereço será usado para gerar um link do Google Maps\",\"UYT+c8\":\"Se ativado, a equipe de check-in pode marcar os participantes como registrados ou marcar o pedido como pago e registrar os participantes. Se desativado, os participantes associados a pedidos não pagos não poderão ser registrados.\",\"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\",\"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\":\"Imagem enviada com sucesso\",\"VyUuZb\":\"URL da imagem\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"kO44sp\":\"Inclua detalhes de conexão para o seu evento online. Estes detalhes serão mostrados na página de resumo do pedido e no bilhete do participante.\",\"FlQKnG\":\"Incluir impostos e taxas no preço\",\"Vi+BiW\":[\"Inclui \",[\"0\"],\" produtos\"],\"lpm0+y\":\"Inclui 1 produto\",\"UiAk5P\":\"Inserir imagem\",\"OyLdaz\":\"Convite reenviado!\",\"HE6KcK\":\"Convite revogado!\",\"SQKPvQ\":\"Convidar Usuário\",\"bKOYkd\":\"Fatura baixada com sucesso\",\"alD1+n\":\"Notas da fatura\",\"kOtCs2\":\"Numeração da fatura\",\"UZ2GSZ\":\"Configurações da fatura\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Rótulo\",\"vXIe7J\":\"Língua\",\"2LMsOq\":\"Últimos 12 meses\",\"vfe90m\":\"Últimos 14 dias\",\"aK4uBd\":\"Últimas 24 horas\",\"uq2BmQ\":\"Últimos 30 dias\",\"bB6Ram\":\"Últimas 48 horas\",\"VlnB7s\":\"Últimos 6 meses\",\"ct2SYD\":\"Últimos 7 dias\",\"XgOuA7\":\"Últimos 90 dias\",\"I3yitW\":\"Último Login\",\"1ZaQUH\":\"Sobrenome\",\"UXBCwc\":\"Sobrenome\",\"tKCBU0\":\"Última vez usado\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Deixe em branco para usar a palavra padrão \\\"Fatura\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Carregando...\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Conecte-se\",\"zUDyah\":\"Fazendo login\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nome placerat elementum...\",\"NJahlc\":\"Tornar o endereço de cobrança obrigatório durante o checkout\",\"MU3ijv\":\"Torne esta pergunta obrigatória\",\"wckWOP\":\"Gerenciar\",\"onpJrA\":\"Gerenciar participante\",\"n4SpU5\":\"Gerenciar evento\",\"WVgSTy\":\"Gerenciar pedido\",\"1MAvUY\":\"Gerenciar as configurações de pagamento e faturamento para este evento.\",\"cQrNR3\":\"Gerenciar perfil\",\"AtXtSw\":\"Gerencie impostos e taxas que podem ser aplicados aos seus produtos\",\"ophZVW\":\"Gerenciar ingressos\",\"DdHfeW\":\"Gerencie os detalhes da sua conta e configurações padrão\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Marcar como pago\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Diversos\",\"mYLhkl\":\"Configurações Diversas\",\"KYveV8\":\"Caixa de texto com várias linhas\",\"VD0iA7\":\"Múltiplas opções de preço. Perfeito para produtos antecipados, etc.\",\"/bhMdO\":\"Minha incrível descrição do evento...\",\"vX8/tc\":\"Meu incrível título de evento...\",\"hKtWk2\":\"Meu perfil\",\"fj5byd\":\"N/D\",\"pRjx4L\":\"Nome placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navegue até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova Senha\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Não há eventos arquivados para mostrar.\",\"q2LEDV\":\"Nenhum participante encontrado para este pedido.\",\"zlHa5R\":\"Nenhum participante foi adicionado a este pedido.\",\"Wjz5KP\":\"Nenhum participante para mostrar\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Sem Atribuições de Capacidade\",\"a/gMx2\":\"Nenhuma Lista de Registro\",\"tMFDem\":\"Nenhum dado disponível\",\"6Z/F61\":\"Nenhum dado para mostrar. Por favor, selecione um intervalo de datas\",\"fFeCKc\":\"Sem desconto\",\"HFucK5\":\"Não há eventos encerrados para mostrar.\",\"yAlJXG\":\"Nenhum evento para mostrar\",\"GqvPcv\":\"Nenhum filtro disponível\",\"KPWxKD\":\"Nenhuma mensagem para mostrar\",\"J2LkP8\":\"Não há pedidos para mostrar\",\"RBXXtB\":\"Nenhum método de pagamento está disponível no momento. Entre em contato com o organizador do evento para obter assistência.\",\"ZWEfBE\":\"Pagamento não necessário\",\"ZPoHOn\":\"Nenhum produto associado a este participante.\",\"Ya1JhR\":\"Nenhum produto disponível nesta categoria.\",\"FTfObB\":\"Nenhum Produto Ainda\",\"+Y976X\":\"Nenhum código promocional para mostrar\",\"MAavyl\":\"Nenhuma pergunta foi respondida por este participante.\",\"SnlQeq\":\"Nenhuma pergunta foi feita para este pedido.\",\"Ev2r9A\":\"Nenhum resultado\",\"gk5uwN\":\"Nenhum Resultado de Pesquisa\",\"RHyZUL\":\"Nenhum resultado de pesquisa.\",\"RY2eP1\":\"Nenhum imposto ou taxa foi adicionado.\",\"EdQY6l\":\"Nenhum\",\"OJx3wK\":\"Não disponível\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notas\",\"jtrY3S\":\"Nada para mostrar ainda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Número de dias permitidos para pagamento (deixe em branco para omitir os termos de pagamento nas faturas)\",\"n86jmj\":\"Prefixo numérico\",\"mwe+2z\":\"Pedidos offline não são refletidos nas estatísticas do evento até que sejam marcados como pagos.\",\"dWBrJX\":\"O pagamento offline falhou. Por favor, tente novamente ou entre em contato com o organizador do evento.\",\"fcnqjw\":\"Instruções de Pagamento Offline\",\"+eZ7dp\":\"Pagamentos offline\",\"ojDQlR\":\"Informações sobre pagamentos offline\",\"u5oO/W\":\"Configurações de pagamentos offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"À venda\",\"Ug4SfW\":\"Depois de criar um evento, você o verá aqui.\",\"ZxnK5C\":\"Assim que você começar a coletar dados, eles aparecerão aqui.\",\"PnSzEc\":\"Quando estiver pronto, coloque seu evento ao vivo e comece a vender produtos.\",\"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\"]],\"oPknTP\":\"Informações adicionais opcionais a serem exibidas em todas as faturas (ex.: condições de pagamento, taxas por atraso, política de devolução)\",\"OrXJBY\":\"Prefixo opcional para os números das faturas (ex.: INV-)\",\"0zpgxV\":\"Opções\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Ordem\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Data do pedido\",\"Tol4BF\":\"detalhes do pedido\",\"WbImlQ\":\"O pedido foi cancelado e o proprietário do pedido foi notificado.\",\"nAn4Oe\":\"Pedido marcado como pago\",\"uzEfRz\":\"Notas do pedido\",\"VCOi7U\":\"Perguntas sobre pedidos\",\"TPoYsF\":\"Referência do pedido\",\"acIJ41\":\"Status do pedido\",\"GX6dZv\":\"resumo do pedido\",\"tDTq0D\":\"Tempo limite do pedido\",\"1h+RBg\":\"Pedidos\",\"3y+V4p\":\"Endereço da organização\",\"GVcaW6\":\"Detalhes da organização\",\"nfnm9D\":\"Nome da organização\",\"G5RhpL\":\"Organizador\",\"mYygCM\":\"O organizador é obrigatório\",\"Pa6G7v\":\"Nome do organizador\",\"l894xP\":\"Os organizadores só podem gerenciar eventos e produtos. Eles não podem gerenciar usuários, configurações de conta ou informações de faturamento.\",\"fdjq4c\":\"Preenchimento\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"página não encontrada\",\"QbrUIo\":\"visualizações de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pago\",\"HVW65c\":\"Produto Pago\",\"ZfxaB4\":\"Parcialmente reembolsado\",\"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\",\"621rYf\":\"Pagamento\",\"Lg+ewC\":\"Pagamento e faturamento\",\"DZjk8u\":\"Configurações de pagamento e faturamento\",\"lflimf\":\"Prazo para pagamento\",\"JhtZAK\":\"Pagamento falhou\",\"JEdsvQ\":\"Instruções de pagamento\",\"bLB3MJ\":\"Métodos de pagamento\",\"QzmQBG\":\"Provedor de pagamento\",\"lsxOPC\":\"Pagamento recebido\",\"wJTzyi\":\"Status do pagamento\",\"xgav5v\":\"Pagamento realizado com sucesso!\",\"R29lO5\":\"Termos de pagamento\",\"/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\",\"hcX103\":\"Por favor, crie um produto\",\"cdR8d6\":\"Por favor, crie um ingresso\",\"x2mjl4\":\"Por favor, insira um URL de imagem válido que aponte para uma imagem.\",\"HnNept\":\"Por favor digite sua nova senha\",\"5FSIzj\":\"Observe\",\"C63rRe\":\"Por favor, volte para a página do evento para recomeçar.\",\"pJLvdS\":\"Por favor selecione\",\"Ewir4O\":\"Por favor, selecione pelo menos um produto\",\"igBrCH\":\"Verifique seu endereço de e-mail para acessar todos os recursos\",\"/IzmnP\":\"Por favor, aguarde enquanto preparamos a sua fatura...\",\"MOERNx\":\"Português\",\"qCJyMx\":\"Mensagem pós-check-out\",\"g2UNkE\":\"Distribuído por\",\"Rs7IQv\":\"Mensagem pré-checkout\",\"rdUucN\":\"Pré-visualização\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"BI7D9d\":\"Preço não definido\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Tipo de Preço\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Cor do texto principal\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Imprimir todos os ingressos\",\"DKwDdj\":\"Imprimir ingressos\",\"K47k8R\":\"Produto\",\"1JwlHk\":\"Categoria de Produto\",\"U61sAj\":\"Categoria de produto atualizada com sucesso.\",\"1USFWA\":\"Produto excluído com sucesso\",\"4Y2FZT\":\"Tipo de Preço do Produto\",\"mFwX0d\":\"Perguntas sobre o produto\",\"Lu+kBU\":\"Vendas de Produtos\",\"U/R4Ng\":\"Nível do Produto\",\"sJsr1h\":\"Tipo de Produto\",\"o1zPwM\":\"Pré-visualização do Widget de Produto\",\"ktyvbu\":\"Produto(s)\",\"N0qXpE\":\"Produtos\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Produtos vendidos\",\"/u4DIx\":\"Produtos Vendidos\",\"DJQEZc\":\"Produtos ordenados com sucesso\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"Perfil atualizado com sucesso\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"P5sgAk\":\"Código promocional\",\"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.\",\"OP094m\":\"Relatório de códigos promocionais\",\"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.\",\"toutGW\":\"Código QR\",\"LkMOWF\":\"Quantidade Disponível\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Pergunta excluída\",\"avf0gk\":\"Descrição da pergunta\",\"oQvMPn\":\"título da questão\",\"enzGAL\":\"Questões\",\"ROv2ZT\":\"Perguntas e Respostas\",\"K885Eq\":\"Perguntas classificadas com sucesso\",\"OMJ035\":\"Opção de rádio\",\"C4TjpG\":\"Leia menos\",\"I3QpvQ\":\"Destinatário\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso falhou\",\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Reembolso pendente\",\"xHpVRl\":\"Status do reembolso\",\"/BI0y9\":\"Devolveu\",\"fgLNSM\":\"Registro\",\"9+8Vez\":\"Usos restantes\",\"tasfos\":\"remover\",\"t/YqKh\":\"Remover\",\"t9yxlZ\":\"Relatórios\",\"prZGMe\":\"Exigir endereço de cobrança\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Redefinir\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Voltar para a página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Papel\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Data de início da venda\",\"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\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Pesquise por nome do participante, e-mail ou número do pedido...\",\"+pr/FY\":\"Pesquisar por nome do evento...\",\"3zRbWw\":\"Pesquise por nome, e-mail ou número do pedido...\",\"L22Tdf\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"BiYOdA\":\"Procura por nome...\",\"YEjitp\":\"Pesquise por assunto ou conteúdo...\",\"Pjsch9\":\"Pesquisar atribuições de capacidade...\",\"r9M1hc\":\"Pesquisar listas de registro...\",\"+0Yy2U\":\"Buscar produtos\",\"YIix5Y\":\"Procurar...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Cor Secundária\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Cor do texto secundário\",\"02ePaq\":[\"Selecionar \",[\"0\"]],\"QuNKRX\":\"Selecione Câmera\",\"9FQEn8\":\"Selecione a categoria...\",\"kWI/37\":\"Selecione o organizador\",\"ixIx1f\":\"Selecione o Produto\",\"3oSV95\":\"Selecione o Nível do Produto\",\"C4Y1hA\":\"Selecione os produtos\",\"hAjDQy\":\"Selecione o status\",\"QYARw/\":\"Selecione o ingresso\",\"OMX4tH\":\"Selecionar ingressos\",\"DrwwNd\":\"Selecione o período de tempo\",\"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.\",\"M/WIer\":\"Enviar Mensagem\",\"D7ZemV\":\"Enviar confirmação do pedido e e-mail do ticket\",\"v1rRtW\":\"Enviar teste\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descrição SEO\",\"/SIY6o\":\"Palavras-chave SEO\",\"GfWoKv\":\"Configurações de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Taxa de serviço\",\"Bj/QGQ\":\"Fixar um preço mínimo e permitir que os utilizadores paguem mais se assim o desejarem\",\"L0pJmz\":\"Defina o número inicial para a numeração das faturas. Isso não poderá ser alterado depois que as faturas forem geradas.\",\"nYNT+5\":\"Configure seu evento\",\"A8iqfq\":\"Defina seu evento ao vivo\",\"Tz0i8g\":\"Configurações\",\"Z8lGw6\":\"Compartilhar\",\"B2V3cA\":\"Compartilhar evento\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mostrar quantidade disponível do produto\",\"qDsmzu\":\"Mostrar perguntas ocultas\",\"fMPkxb\":\"Mostre mais\",\"izwOOD\":\"Mostrar impostos e taxas separadamente\",\"1SbbH8\":\"Mostrado ao cliente após o checkout, 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 correu mal\",\"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\":\"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.\",\"6a/UJE\":\"Desculpe, este código promocional não é reconhecido\",\"65A04M\":\"espanhol\",\"mFuBqb\":\"Produto padrão com preço fixo\",\"D3iCkb\":\"Data de início\",\"/2by1f\":\"Estado ou Região\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Os pagamentos via Stripe não estão ativados para este evento.\",\"UJmAAK\":\"Assunto\",\"X2rrlw\":\"Subtotal\",\"zzDlyQ\":\"Sucesso\",\"b0HJ45\":[\"Sucesso! \",[\"0\"],\" receberá um e-mail em breve.\"],\"BJIEiF\":[[\"0\"],\" participante com sucesso\"],\"OtgNFx\":\"Endereço de e-mail confirmado com sucesso\",\"IKwyaF\":\"Alteração de e-mail confirmada com sucesso\",\"zLmvhE\":\"Participante criado com sucesso\",\"gP22tw\":\"Produto Criado com Sucesso\",\"9mZEgt\":\"Código promocional criado com sucesso\",\"aIA9C4\":\"Pergunta criada com sucesso\",\"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\",\"4H80qv\":\"Pedido atualizado com sucesso\",\"6xCBVN\":\"Configurações de pagamento e faturamento atualizadas com sucesso\",\"1Ycaad\":\"Produto atualizado com sucesso\",\"70dYC8\":\"Código promocional atualizado com sucesso\",\"F+pJnL\":\"Configurações de SEO atualizadas com sucesso\",\"DXZRk5\":\"Suíte 100\",\"GNcfRk\":\"E-mail de suporte\",\"uRfugr\":\"Camiseta\",\"JpohL9\":\"Imposto\",\"geUFpZ\":\"Impostos e taxas\",\"dFHcIn\":\"Detalhes fiscais\",\"wQzCPX\":\"Informações fiscais que aparecerão na parte inferior de todas as faturas (ex.: número de IVA, registro fiscal)\",\"0RXCDo\":\"Imposto ou taxa excluídos com sucesso\",\"ZowkxF\":\"Impostos\",\"qu6/03\":\"Impostos e Taxas\",\"gypigA\":\"Esse código promocional é inválido\",\"5ShqeM\":\"A lista de check-in que você está procurando não existe.\",\"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.\",\"HsFnrk\":[\"O número máximo de produtos para \",[\"0\"],\" é \",[\"1\"]],\"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.\",\"vQkyB3\":\"Os impostos e taxas a serem aplicados a este produto. Você pode criar novos impostos e taxas no\",\"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\",\"wDx3FF\":\"Não há produtos disponíveis para este evento\",\"pNgdBv\":\"Não há produtos disponíveis nesta categoria\",\"rMcHYt\":\"Há um reembolso pendente. Aguarde a conclusão antes de solicitar outro reembolso.\",\"F89D36\":\"Ocorreu um erro ao marcar o pedido como pago\",\"68Axnm\":\"Houve um erro ao processar seu pedido. Por favor, tente novamente.\",\"mVKOW6\":\"Houve um erro ao enviar a sua mensagem\",\"AhBPHd\":\"Estes detalhes só serão mostrados se o pedido for concluído com sucesso. Pedidos aguardando pagamento não mostrarão esta mensagem.\",\"Pc/Wtj\":\"Este participante tem um pedido não pago.\",\"mf3FrP\":\"Esta categoria ainda não possui produtos.\",\"8QH2Il\":\"Esta categoria está oculta da visualização pública\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Este e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Essas informações serão exibidas na página de pagamento, no resumo do pedido e no e-mail de confirmação do pedido.\",\"XAHqAg\":\"Este é um produto geral, como uma camiseta ou uma caneca. Nenhum ingresso será emitido\",\"CNk/ro\":\"Este é um evento on-line\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Esta mensagem será incluída no rodapé de todos os e-mails enviados deste evento\",\"55i7Fa\":\"Esta mensagem só será mostrada se o pedido for concluído com sucesso. Pedidos aguardando pagamento não mostrarão esta mensagem.\",\"RjwlZt\":\"Este pedido já foi pago.\",\"5K8REg\":\"Este pedido já foi reembolsado.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"Q0zd4P\":\"Este pedido expirou. Por favor, recomece.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Esta página de pedido não está mais disponível.\",\"i0TtkR\":\"Isso substitui todas as configurações de visibilidade e ocultará o produto de todos os clientes.\",\"cRRc+F\":\"Este produto não pode ser excluído porque está associado a um pedido. Você pode ocultá-lo em vez disso.\",\"3Kzsk7\":\"Este produto é um ingresso. Os compradores receberão um ingresso ao comprar\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Esta pergunta só é visível para o organizador do evento\",\"os29v1\":\"Este link de redefinição de senha é inválido ou expirou.\",\"IV9xTT\":\"Este usuário não está ativo porque não aceitou o convite.\",\"5AnPaO\":\"bilhete\",\"kjAL4v\":\"Bilhete\",\"dtGC3q\":\"O e-mail do ticket foi reenviado ao participante\",\"54q0zp\":\"Ingressos para\",\"xN9AhL\":[\"Nível \",[\"0\"]],\"jZj9y9\":\"Produto em Camadas\",\"8wITQA\":\"Os produtos escalonados permitem que você ofereça múltiplas opções de preço para o mesmo produto. Isso é perfeito para produtos antecipados ou para oferecer diferentes opções de preço para diferentes grupos de pessoas.\\\" # pt\",\"nn3mSR\":\"Tempo restante:\",\"s/0RpH\":\"Tempos usados\",\"y55eMd\":\"Vezes usado\",\"40Gx0U\":\"Fuso horário\",\"oDGm7V\":\"DICA\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Ferramentas\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total antes de descontos\",\"NRWNfv\":\"Montante total do desconto\",\"BxsfMK\":\"Taxas totais\",\"2bR+8v\":\"Total de vendas brutas\",\"mpB/d9\":\"Valor total do pedido\",\"m3FM1g\":\"Total reembolsado\",\"jEbkcB\":\"Total Reembolsado\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Taxa total\",\"+zy2Nq\":\"Tipo\",\"FMdMfZ\":\"Não foi possível registrar o participante\",\"bPWBLL\":\"Não foi possível retirar o participante\",\"9+P7zk\":\"Não foi possível criar o produto. Por favor, verifique seus detalhes\",\"WLxtFC\":\"Não foi possível criar o produto. Por favor, verifique seus detalhes\",\"/cSMqv\":\"Não foi possível criar a pergunta. Por favor verifique os seus dados\",\"MH/lj8\":\"Não foi possível atualizar a pergunta. Por favor verifique os seus dados\",\"nnfSdK\":\"Clientes únicos\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitado disponível\",\"E0q9qH\":\"Usos ilimitados permitidos\",\"h10Wm5\":\"Pedido não pago\",\"ia8YsC\":\"Por vir\",\"TlEeFv\":\"Próximos eventos\",\"L/gNNk\":[\"Atualizar \",[\"0\"]],\"+qqX74\":\"Atualizar nome, descrição e datas do evento\",\"vXPSuB\":\"Atualizar perfil\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copiado para a área de transferência\",\"e5lF64\":\"Exemplo de uso\",\"fiV0xj\":\"Limite 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\",\"jpctdh\":\"Visualizar\",\"Pte1Hv\":\"Ver Detalhes do Participante\",\"/5PEQz\":\"Ver página do evento\",\"fFornT\":\"Ver mensagem completa\",\"YIsEhQ\":\"Ver mapa\",\"Ep3VfY\":\"Ver no Google Maps\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"Não conseguimos excluir a categoria. Por favor, tente novamente.\",\"/DNy62\":[\"Não encontramos nenhum ingresso correspondente a \",[\"0\"]],\"1E0vyy\":\"Não foi possível carregar os dados. Por favor, tente novamente.\",\"NmpGKr\":\"Não conseguimos reordenar as categorias. Por favor, tente novamente.\",\"BJtMTd\":\"Recomendamos dimensões de 2160px por 1080px e tamanho máximo de arquivo de 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"O que são Produtos em Camadas?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"O que é uma Categoria?\",\"gxeWAU\":\"A quais produtos este código se aplica?\",\"hFHnxR\":\"A quais produtos este código se aplica? (Aplica-se a todos por padrão)\",\"AeejQi\":\"A quais produtos essa capacidade deve se aplicar?\",\"Rb0XUE\":\"A que horas você chegará?\",\"5N4wLD\":\"Que tipo de pergunta é essa?\",\"gyLUYU\":\"Quando ativado, as faturas serão geradas para os pedidos de ingressos. As faturas serão enviadas junto com o e-mail de confirmação do pedido. Os participantes também podem baixar suas faturas na página de confirmação do pedido.\",\"D3opg4\":\"Quando os pagamentos offline estão ativados, os usuários poderão concluir seus pedidos e receber seus ingressos. Seus ingressos indicarão claramente que o pedido não foi pago, e a ferramenta de check-in notificará a equipe se um pedido exigir pagamento.\",\"D7C6XV\":\"When should this check-in list expire?\",\"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?\",\"VxFvXQ\":\"Incorporação de widget\",\"v1P7Gm\":\"Configurações de widget\",\"b4itZn\":\"Trabalhando\",\"hqmXmc\":\"Trabalhando...\",\"+G/XiQ\":\"Ano até agora\",\"l75CjT\":\"Yes\",\"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\",\"sdB7+6\":\"Você pode criar um código promocional que direcione este produto no\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Você não pode mudar o tipo de produto, pois há participantes associados a este produto.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Você não pode registrar participantes com pedidos não pagos. Essa configuração pode ser alterada nas configurações do evento.\",\"c9Evkd\":\"Você não pode excluir a última categoria.\",\"6uwAvx\":\"Você não pode excluir este nível de preço porque já há produtos vendidos para este nível. Você pode ocultá-lo em vez disso.\",\"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\":\"You do not have permission to access this page\",\"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\":\"You have connected your Stripe account\",\"ofEncr\":\"Você não tem perguntas dos participantes.\",\"CoZHDB\":\"Você não tem perguntas sobre pedidos.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"O tempo para concluir seu pedido acabou.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de produtos específicos.\",\"R6i9o9\":\"Você deve reconhecer que este e-mail não é promocional\",\"3ZI8IL\":\"Você deve concordar com os termos e condições\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Você deve criar um ticket antes de poder adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos uma faixa de preço\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Você terá que marcar um pedido como pago manualmente. Isso pode ser feito na página de gerenciamento de pedidos.\",\"L/+xOk\":\"Você precisará de um ingresso antes de poder criar uma lista de registro.\",\"Djl45M\":\"Você precisará de um produto antes de poder criar uma atribuição de capacidade.\",\"y3qNri\":\"Você precisará de pelo menos um produto para começar. Grátis, pago ou deixe o usuário decidir o que pagar.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Seu pedido\",\"Jwiilf\":\"Seu pedido foi cancelado\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Seu reembolso está sendo processado.\",\"IFHV2p\":\"Seu ingresso para\",\"x1PPdr\":\"CEP / Código Postal\",\"BM/KQm\":\"CEP ou Código postal\",\"+LtVBt\":\"CEP ou Código Postal\",\"25QDJ1\":\"- Clique para publicar\",\"WOyJmc\":\"- Clique para despublicar\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" já fez check-in\"],\"S4PqS9\":[[\"0\"],\" webhooks ativos\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organizadores\"],\"/HkCs4\":[[\"0\"],\" bilhetes\"],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>As listas de check-in ajudam-no a gerir a entrada no evento por dia, área ou tipo de bilhete. Pode vincular bilhetes a listas específicas, como zonas VIP ou passes do Dia 1, e partilhar uma ligação de check-in segura com a equipa. Não é necessária conta. O check-in funciona em dispositivos móveis, computador ou tablet, usando a câmara do dispositivo ou um scanner USB HID. \",\"ZnVt5v\":\"<0>Os webhooks notificam instantaneamente serviços externos quando eventos ocorrem, como adicionar um novo participante ao seu CRM ou lista de e-mails no momento do registro, garantindo uma automação perfeita.<1>Use serviços de terceiros como <2>Zapier, <3>IFTTT ou <4>Make para criar fluxos de trabalho personalizados e automatizar tarefas.\",\"fAv9QG\":\"🎟️ Adicionar ingressos\",\"M2DyLc\":\"1 webhook ativo\",\"yTsaLw\":\"1 bilhete\",\"HR/cvw\":\"Rua Exemplo 123\",\"kMU5aM\":\"Um aviso de cancelamento foi enviado para\",\"V53XzQ\":\"Um novo código de verificação foi enviado para o seu email\",\"/z/bH1\":\"Uma breve descrição do seu organizador que será exibida aos seus usuários.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"Sobre\",\"WTk/ke\":\"Sobre o Stripe Connect\",\"1uJlG9\":\"Cor de Destaque\",\"VTfZPy\":\"Acesso negado\",\"iN5Cz3\":\"Conta já conectada!\",\"bPwFdf\":\"Contas\",\"nMtNd+\":\"Ação necessária: Reconecte sua conta Stripe\",\"a5KFZU\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"6PNlRV\":\"Adicione este evento ao seu calendário\",\"BGD9Yt\":\"Adicionar ingressos\",\"QN2F+7\":\"Adicionar Webhook\",\"NsWqSP\":\"Adicione seus perfis de redes sociais e o URL do site. Eles serão exibidos na sua página pública de organizador.\",\"0Zypnp\":\"Painel de Administração\",\"YAV57v\":\"Afiliado\",\"I+utEq\":\"O código de afiliado não pode ser alterado\",\"/jHBj5\":\"Afiliado criado com sucesso\",\"uCFbG2\":\"Afiliado eliminado com sucesso\",\"a41PKA\":\"As vendas do afiliado serão rastreadas\",\"mJJh2s\":\"As vendas do afiliado não serão rastreadas. Isto irá desativar o afiliado.\",\"jabmnm\":\"Afiliado atualizado com sucesso\",\"CPXP5Z\":\"Afiliados\",\"9Wh+ug\":\"Afiliados exportados\",\"3cqmut\":\"Os afiliados ajudam-no a rastrear vendas geradas por parceiros e influenciadores. Crie códigos de afiliado e partilhe-os para monitorizar o desempenho.\",\"7rLTkE\":\"Todos os eventos arquivados\",\"gKq1fa\":\"Todos os participantes\",\"pMLul+\":\"Todas as moedas\",\"qlaZuT\":\"Tudo pronto! Agora está a usar o nosso sistema de pagamentos melhorado.\",\"ZS/D7f\":\"Todos os eventos encerrados\",\"dr7CWq\":\"Todos os próximos eventos\",\"QUg5y1\":\"Quase lá! Termine de conectar sua conta Stripe para começar a aceitar pagamentos.\",\"c4uJfc\":\"Quase lá! Estamos apenas a aguardar que o seu pagamento seja processado. Isto deve demorar apenas alguns segundos.\",\"/H326L\":\"Já reembolsado\",\"RtxQTF\":\"Também cancelar este pedido\",\"jkNgQR\":\"Também reembolsar este pedido\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"Um email para associar a este afiliado. O afiliado não será notificado.\",\"vRznIT\":\"Ocorreu um erro ao verificar o status da exportação.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Resposta atualizada com sucesso.\",\"LchiNd\":\"Tem a certeza de que deseja eliminar este afiliado? Esta ação não pode ser anulada.\",\"JmVITJ\":\"Tem certeza de que deseja excluir este modelo? Esta ação não pode ser desfeita e os e-mails voltarão ao modelo padrão.\",\"aLS+A6\":\"Tem certeza de que deseja excluir este modelo? Esta ação não pode ser desfeita e os e-mails voltarão ao modelo do organizador ou padrão.\",\"5H3Z78\":\"Tem certeza de que deseja excluir este webhook?\",\"147G4h\":\"Tem a certeza de que quer sair?\",\"VDWChT\":\"Tem certeza de que deseja definir este organizador como rascunho? Isso tornará a página do organizador invisível ao público.\",\"pWtQJM\":\"Tem certeza de que deseja tornar este organizador público? Isso tornará a página do organizador visível ao público.\",\"WFHOlF\":\"Tem a certeza de que deseja publicar este evento? Uma vez publicado, será visível ao público.\",\"4TNVdy\":\"Tem a certeza de que deseja publicar este perfil de organizador? Uma vez publicado, será visível ao público.\",\"ExDt3P\":\"Tem a certeza de que deseja despublicar este evento? Já não será visível ao público.\",\"5Qmxo/\":\"Tem a certeza de que deseja despublicar este perfil de organizador? Já não será visível ao público.\",\"+QARA4\":\"Arte\",\"F2rX0R\":\"Pelo menos um tipo de evento deve ser selecionado\",\"6PecK3\":\"Presença e taxas de registo em todos os eventos\",\"AJ4rvK\":\"Participante cancelado\",\"qvylEK\":\"Participante criado\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"E-mail do participante\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Gestão de participantes\",\"av+gjP\":\"Nome do participante\",\"cosfD8\":\"Status do Participante\",\"D2qlBU\":\"Participante atualizado\",\"x8Vnvf\":\"O bilhete do participante não está incluído nesta lista\",\"k3Tngl\":\"Participantes exportados\",\"5UbY+B\":\"Participantes com um ingresso específico\",\"4HVzhV\":\"Participantes:\",\"VPoeAx\":\"Gestão automatizada de entrada com várias listas de check-in e validação em tempo real\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Disponível para reembolso\",\"NB5+UG\":\"Tokens disponíveis\",\"EmYMHc\":\"Aguardando pagamento offline\",\"kNmmvE\":\"Awesome Events Lda.\",\"kYqM1A\":\"Voltar ao evento\",\"td/bh+\":\"Voltar aos Relatórios\",\"jIPNJG\":\"Informações básicas\",\"iMdwTb\":\"Antes que seu evento possa ser publicado, há algumas coisas que você precisa fazer. Conclua todas as etapas abaixo para começar.\",\"UabgBd\":\"O corpo é obrigatório\",\"9N+p+g\":\"Negócios\",\"bv6RXK\":\"Rótulo do botão\",\"ChDLlO\":\"Texto do botão\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Botão de chamada para ação\",\"PUpvQe\":\"Scanner de câmera\",\"H4nE+E\":\"Cancelar todos os produtos e devolvê-los ao conjunto disponível\",\"tOXAdc\":\"Cancelar irá cancelar todos os participantes associados a este pedido e devolver os bilhetes ao conjunto disponível.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Atribuições de capacidade\",\"K7tIrx\":\"Categoria\",\"2tbLdK\":\"Caridade\",\"v4fiSg\":\"Verifique o seu email\",\"51AsAN\":\"Verifique sua caixa de entrada! Se houver ingressos associados a este e-mail, você receberá um link para visualizá-los.\",\"udRwQs\":\"Check-in criado\",\"F4SRy3\":\"Check-in excluído\",\"9gPPUY\":\"Lista de Check-In Criada!\",\"f2vU9t\":\"Listas de Registo\",\"tMNBEF\":\"As listas de check-in permitem controlar a entrada por dias, áreas ou tipos de bilhete. Pode partilhar uma ligação segura com a equipa — não é necessária conta.\",\"SHJwyq\":\"Taxa de registo\",\"qCqdg6\":\"Estado do Check-In\",\"cKj6OE\":\"Resumo de Registo\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinês (Tradicional)\",\"pkk46Q\":\"Escolha um organizador\",\"Crr3pG\":\"Escolher calendário\",\"CySr+W\":\"Clique para ver as notas\",\"RG3szS\":\"fechar\",\"RWw9Lg\":\"Fechar modal\",\"XwdMMg\":\"O código só pode conter letras, números, hífenes e underscores\",\"+yMJb7\":\"O código é obrigatório\",\"m9SD3V\":\"O código deve ter pelo menos 3 caracteres\",\"V1krgP\":\"O código não deve ter mais de 20 caracteres\",\"psqIm5\":\"Colabore com sua equipe para criar eventos incríveis juntos.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comédia\",\"7D9MJz\":\"Concluir configuração do Stripe\",\"OqEV/G\":\"Complete a configuração abaixo para continuar\",\"nqx+6h\":\"Complete estas etapas para começar a vender ingressos para o seu evento.\",\"5YrKW7\":\"Conclua o pagamento para garantir os seus bilhetes.\",\"ih35UP\":\"Centro de conferências\",\"NGXKG/\":\"Confirmar endereço de e-mail\",\"Auz0Mz\":\"Confirme seu e-mail para acessar todos os recursos.\",\"7+grte\":\"E-mail de confirmação enviado! Verifique sua caixa de entrada.\",\"n/7+7Q\":\"Confirmação enviada para\",\"o5A0Go\":\"Parabéns por criar um evento!\",\"WNnP3w\":\"Conectar e atualizar\",\"Xe2tSS\":\"Documentação de conexão\",\"1Xxb9f\":\"Conectar processamento de pagamento\",\"LmvZ+E\":\"Conecte o Stripe para ativar mensagens\",\"EWnXR+\":\"Conectar ao Stripe\",\"MOUF31\":\"Conecte-se ao CRM e automatize tarefas usando webhooks e integrações\",\"VioGG1\":\"Conecte sua conta Stripe para aceitar pagamentos de ingressos e produtos.\",\"4qmnU8\":\"Conecte sua conta Stripe para aceitar pagamentos.\",\"E1eze1\":\"Conecte sua conta Stripe para começar a aceitar pagamentos para os seus eventos.\",\"ulV1ju\":\"Conecte sua conta Stripe para começar a aceitar pagamentos.\",\"/3017M\":\"Conectado ao Stripe\",\"jfC/xh\":\"Contato\",\"LOFgda\":[\"Contato \",[\"0\"]],\"41BQ3k\":\"Email de contacto\",\"KcXRN+\":\"E-mail de contato para suporte\",\"m8WD6t\":\"Continuar configuração\",\"0GwUT4\":\"Continuar para o pagamento\",\"sBV87H\":\"Continuar para a criação do evento\",\"nKtyYu\":\"Continuar para o próximo passo\",\"F3/nus\":\"Continuar para pagamento\",\"1JnTgU\":\"Copiado de cima\",\"FxVG/l\":\"Copiado para a área de transferência\",\"PiH3UR\":\"Copiado!\",\"uUPbPg\":\"Copiar link de afiliado\",\"iVm46+\":\"Copiar código\",\"+2ZJ7N\":\"Copiar detalhes para o primeiro participante\",\"ZN1WLO\":\"Copiar Email\",\"tUGbi8\":\"Copiar meus dados para:\",\"y22tv0\":\"Copie este link para compartilhá-lo em qualquer lugar\",\"/4gGIX\":\"Copiar para a área de transferência\",\"P0rbCt\":\"Imagem de capa\",\"60u+dQ\":\"A imagem de capa será exibida no topo da sua página de evento\",\"2NLjA6\":\"A imagem de capa será exibida no topo da página do organizador\",\"zg4oSu\":[\"Criar modelo \",[\"0\"]],\"xfKgwv\":\"Criar afiliado\",\"dyrgS4\":\"Crie e personalize sua página de evento instantaneamente\",\"BTne9e\":\"Criar modelos de e-mail personalizados para este evento que substituem os padrões do organizador\",\"YIDzi/\":\"Criar modelo personalizado\",\"8AiKIu\":\"Criar ingresso ou produto\",\"agZ87r\":\"Crie ingressos para o seu evento, defina preços e gerencie a quantidade disponível.\",\"dkAPxi\":\"Criar Webhook\",\"5slqwZ\":\"Crie seu evento\",\"JQNMrj\":\"Crie o seu primeiro evento\",\"CCjxOC\":\"Crie seu primeiro evento para começar a vender ingressos e gerenciar participantes.\",\"ZCSSd+\":\"Crie seu próprio evento\",\"67NsZP\":\"A criar evento...\",\"H34qcM\":\"A criar organizador...\",\"1YMS+X\":\"A criar o seu evento, por favor aguarde\",\"yiy8Jt\":\"A criar o seu perfil de organizador, por favor aguarde\",\"lfLHNz\":\"O rótulo CTA é obrigatório\",\"BMtue0\":\"Processador de pagamentos atual\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Mensagem personalizada após o checkout\",\"axv/Mi\":\"Modelo personalizado\",\"QMHSMS\":\"O cliente receberá um email confirmando o reembolso\",\"L/Qc+w\":\"Endereço de e-mail do cliente\",\"wpfWhJ\":\"Primeiro nome do cliente\",\"GIoqtA\":\"Sobrenome do cliente\",\"NihQNk\":\"Clientes\",\"7gsjkI\":\"Personalize os e-mails enviados aos seus clientes usando modelos Liquid. Estes modelos serão usados como padrões para todos os eventos em sua organização.\",\"iX6SLo\":\"Personalize o texto exibido no botão continuar\",\"pxNIxa\":\"Personalize seu modelo de e-mail usando modelos Liquid\",\"q9Jg0H\":\"Personalize sua página do evento e o design do widget para combinar perfeitamente com sua marca\",\"mkLlne\":\"Personalize a aparência da sua página de evento\",\"3trPKm\":\"Personalize a aparência da sua página de organizador\",\"4df0iX\":\"Personalize a aparência do seu bilhete\",\"/gWrVZ\":\"Receita diária, impostos, taxas e reembolsos em todos os eventos\",\"zgCHnE\":\"Relatório de vendas diárias\",\"nHm0AI\":\"Detalhamento das vendas diárias, impostos e taxas\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Data do evento\",\"gnBreG\":\"Data em que o pedido foi feito\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"O modelo padrão será usado\",\"vu7gDm\":\"Eliminar afiliado\",\"+jw/c1\":\"Excluir imagem\",\"dPyJ15\":\"Excluir modelo\",\"snMaH4\":\"Excluir webhook\",\"vYgeDk\":\"Desselecionar tudo\",\"NvuEhl\":\"Elementos de Design\",\"H8kMHT\":\"Não recebeu o código?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dispensar esta mensagem\",\"BREO0S\":\"Exibe uma caixa de seleção permitindo que os clientes optem por receber comunicações de marketing deste organizador de eventos.\",\"TvY/XA\":\"Documentação\",\"Kdpf90\":\"Não se esqueça!\",\"V6Jjbr\":\"Não tem uma conta? <0>Cadastre-se\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Concluído\",\"eneWvv\":\"Rascunho\",\"TnzbL+\":\"Devido ao alto risco de spam, você deve conectar uma conta Stripe antes de poder enviar mensagens aos participantes.\\nIsso é para garantir que todos os organizadores de eventos sejam verificados e responsáveis.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplicar produto\",\"KIjvtr\":\"Holandês\",\"SPKbfM\":\"ex.: Comprar ingressos, Registrar-se agora\",\"LTzmgK\":[\"Editar modelo \",[\"0\"]],\"v4+lcZ\":\"Editar afiliado\",\"2iZEz7\":\"Editar resposta\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Educação\",\"zPiC+q\":\"Listas de Check-In Elegíveis\",\"V2sk3H\":\"E-mail e Modelos\",\"hbwCKE\":\"Endereço de email copiado para a área de transferência\",\"dSyJj6\":\"Os endereços de e-mail não coincidem\",\"elW7Tn\":\"Corpo do e-mail\",\"ZsZeV2\":\"O email é obrigatório\",\"Be4gD+\":\"Visualização do e-mail\",\"6IwNUc\":\"Modelos de e-mail\",\"H/UMUG\":\"Verificação de e-mail necessária\",\"L86zy2\":\"Email verificado com sucesso!\",\"Upeg/u\":\"Habilitar este modelo para enviar e-mails\",\"RxzN1M\":\"Ativado\",\"sGjBEq\":\"Data e hora de término (opcional)\",\"PKXt9R\":\"A data de término deve ser posterior à data de início\",\"48Y16Q\":\"Hora de fim (opcional)\",\"7YZofi\":\"Digite um assunto e corpo para ver a visualização\",\"3bR1r4\":\"Introduza o email do afiliado (opcional)\",\"ARkzso\":\"Introduza o nome do afiliado\",\"INDKM9\":\"Digite o assunto do e-mail...\",\"kWg31j\":\"Introduza um código de afiliado único\",\"C3nD/1\":\"Digite seu e-mail\",\"n9V+ps\":\"Digite seu nome\",\"LslKhj\":\"Erro ao carregar os registros\",\"WgD6rb\":\"Categoria do evento\",\"b46pt5\":\"Imagem de capa do evento\",\"1Hzev4\":\"Modelo personalizado do evento\",\"imgKgl\":\"Descrição do evento\",\"kJDmsI\":\"Detalhes do evento\",\"m/N7Zq\":\"Endereço Completo do Evento\",\"Nl1ZtM\":\"Local do evento\",\"PYs3rP\":\"Nome do evento\",\"HhwcTQ\":\"Nome do evento\",\"WZZzB6\":\"O nome do evento é obrigatório\",\"Wd5CDM\":\"O nome do evento deve ter menos de 150 caracteres\",\"4JzCvP\":\"Evento não disponível\",\"Gh9Oqb\":\"Nome do organizador do evento\",\"mImacG\":\"Página do Evento\",\"cOePZk\":\"Hora do evento\",\"e8WNln\":\"Fuso horário do evento\",\"GeqWgj\":\"Fuso Horário do Evento\",\"XVLu2v\":\"Título do evento\",\"YDVUVl\":\"Tipos de eventos\",\"4K2OjV\":\"Local do Evento\",\"19j6uh\":\"Desempenho de Eventos\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Todo modelo de e-mail deve incluir um botão de chamada para ação que leva à página apropriada\",\"VlvpJ0\":\"Exportar respostas\",\"JKfSAv\":\"Falha na exportação. Por favor, tente novamente.\",\"SVOEsu\":\"Exportação iniciada. Preparando arquivo...\",\"9bpUSo\":\"A exportar afiliados\",\"jtrqH9\":\"Exportando participantes\",\"R4Oqr8\":\"Exportação concluída. Baixando arquivo...\",\"UlAK8E\":\"Exportando pedidos\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Falha ao abandonar o pedido. Por favor, tente novamente.\",\"cEFg3R\":\"Falha ao criar afiliado\",\"U66oUa\":\"Falha ao criar modelo\",\"xFj7Yj\":\"Falha ao excluir modelo\",\"jo3Gm6\":\"Falha ao exportar afiliados\",\"Jjw03p\":\"Falha ao exportar participantes\",\"ZPwFnN\":\"Falha ao exportar pedidos\",\"X4o0MX\":\"Falha ao carregar o Webhook\",\"YQ3QSS\":\"Falha ao reenviar código de verificação\",\"zTkTF3\":\"Falha ao salvar modelo\",\"T6B2gk\":\"Falha ao enviar mensagem. Por favor, tente novamente.\",\"lKh069\":\"Falha ao iniciar a exportação\",\"t/KVOk\":\"Falha ao iniciar a personificação. Por favor, tente novamente.\",\"QXgjH0\":\"Falha ao parar a personificação. Por favor, tente novamente.\",\"i0QKrm\":\"Falha ao atualizar afiliado\",\"NNc33d\":\"Falha ao atualizar a resposta.\",\"7/9RFs\":\"Falha ao carregar imagem.\",\"nkNfWu\":\"Falha ao enviar imagem. Por favor, tente novamente.\",\"rxy0tG\":\"Falha ao verificar email\",\"T4BMxU\":\"As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Preencha primeiro os seus dados acima\",\"8OvVZZ\":\"Filtrar Participantes\",\"8BwQeU\":\"Terminar configuração\",\"hg80P7\":\"Terminar configuração do Stripe\",\"1vBhpG\":\"Primeiro participante\",\"YXhom6\":\"Taxa fixa:\",\"KgxI80\":\"Bilhetagem flexível\",\"lWxAUo\":\"Comida e bebida\",\"nFm+5u\":\"Texto do Rodapé\",\"MY2SVM\":\"Reembolso total\",\"vAVBBv\":\"Totalmente integrado\",\"T02gNN\":\"Admissão Geral\",\"3ep0Gx\":\"Informações gerais sobre seu organizador\",\"ziAjHi\":\"Gerar\",\"exy8uo\":\"Gerar código\",\"4CETZY\":\"Obter direções\",\"kfVY6V\":\"Comece gratuitamente, sem taxas de assinatura\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Prepare seu evento\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Ir para a página do evento\",\"gHSuV/\":\"Ir para a página inicial\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Receita Bruta\",\"kTSQej\":[\"Olá \",[\"0\"],\", gerencie sua plataforma daqui.\"],\"dORAcs\":\"Aqui estão todos os ingressos associados ao seu endereço de e-mail.\",\"g+2103\":\"Aqui está o seu link de afiliado\",\"QlwJ9d\":\"Aqui está o que esperar:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Ocultar respostas\",\"gtEbeW\":\"Destacar\",\"NF8sdv\":\"Mensagem de destaque\",\"MXSqmS\":\"Destacar este produto\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Os produtos destacados terão uma cor de fundo diferente para se destacarem na página do evento.\",\"i0qMbr\":\"Início\",\"AVpmAa\":\"Como pagar offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Húngaro\",\"4/kP5a\":\"Se uma nova aba não abriu automaticamente, clique no botão abaixo para continuar para o pagamento.\",\"wOU3Tr\":\"Se você tem uma conta conosco, receberá um e-mail com instruções para redefinir sua senha.\",\"an5hVd\":\"Imagens\",\"tSVr6t\":\"Personificar\",\"TWXU0c\":\"Personificar utilizador\",\"5LAZwq\":\"Personificação iniciada\",\"IMwcdR\":\"Personificação parada\",\"M8M6fs\":\"Importante: Reconexão Stripe necessária\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Análises detalhadas\",\"F1Xp97\":\"Participantes individuais\",\"85e6zs\":\"Inserir token Liquid\",\"38KFY0\":\"Inserir variável\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Email inválido\",\"5tT0+u\":\"Formato de email inválido\",\"tnL+GP\":\"Sintaxe Liquid inválida. Por favor, corrija-a e tente novamente.\",\"g+lLS9\":\"Convidar um membro da equipe\",\"1z26sk\":\"Convidar membro da equipe\",\"KR0679\":\"Convidar membros da equipe\",\"aH6ZIb\":\"Convide sua equipe\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italiano\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Participe de qualquer lugar\",\"hTJ4fB\":\"Basta clicar no botão abaixo para reconectar sua conta Stripe.\",\"MxjCqk\":\"Apenas procurando seus ingressos?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Última resposta\",\"gw3Ur5\":\"Última ativação\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link expirado ou inválido\",\"psosdY\":\"Link para detalhes do pedido\",\"6JzK4N\":\"Link para o ingresso\",\"shkJ3U\":\"Conecte sua conta Stripe para receber fundos das vendas de ingressos.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Ao vivo\",\"fpMs2Z\":\"AO VIVO\",\"D9zTjx\":\"Eventos ao Vivo\",\"WdmJIX\":\"Carregando pré-visualização...\",\"IoDI2o\":\"Carregando tokens...\",\"NFxlHW\":\"Carregando webhooks\",\"iG7KNr\":\"Logotipo\",\"vu7ZGG\":\"Logo e Capa\",\"gddQe0\":\"Logo e imagem de capa para seu organizador\",\"TBEnp1\":\"O logo será exibido no cabeçalho\",\"Jzu30R\":\"O logotipo será exibido no bilhete\",\"4wUIjX\":\"Torne seu evento ao vivo\",\"0A7TvI\":\"Gerenciar evento\",\"2FzaR1\":\"Gerencie seu processamento de pagamentos e visualize as taxas da plataforma\",\"/x0FyM\":\"Corresponde à sua marca\",\"xDAtGP\":\"Mensagem\",\"1jRD0v\":\"Enviar mensagens aos participantes com tickets específicos\",\"97QrnA\":\"Envie mensagens aos participantes, gerencie pedidos e processe reembolsos em um só lugar\",\"48rf3i\":\"A mensagem não pode exceder 5000 caracteres\",\"Vjat/X\":\"A mensagem é obrigatória\",\"0/yJtP\":\"Enviar mensagem para proprietários de pedidos com produtos específicos\",\"tccUcA\":\"Check-in móvel\",\"GfaxEk\":\"Música\",\"oVGCGh\":\"Meus Ingressos\",\"8/brI5\":\"O nome é obrigatório\",\"sCV5Yc\":\"Nome do evento\",\"xxU3NX\":\"Receita Líquida\",\"eWRECP\":\"Vida noturna\",\"VHfLAW\":\"Sem contas\",\"+jIeoh\":\"Nenhuma conta encontrada\",\"074+X8\":\"Nenhum webhook ativo\",\"zxnup4\":\"Sem afiliados para mostrar\",\"99ntUF\":\"Nenhuma lista de check-in disponível para este evento.\",\"6r9SGl\":\"Nenhum cartão de crédito necessário\",\"eb47T5\":\"Nenhum dado encontrado para os filtros selecionados. Tente ajustar o período ou a moeda.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"Nenhum evento encontrado\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Nenhum evento ainda\",\"54GxeB\":\"Sem impacto nas suas transações atuais ou passadas\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"Nenhum registro encontrado\",\"NEmyqy\":\"Nenhum pedido ainda\",\"B7w4KY\":\"Nenhum outro organizador disponível\",\"6jYQGG\":\"Nenhum evento passado\",\"zK/+ef\":\"Nenhum produto disponível para seleção\",\"QoAi8D\":\"Sem resposta\",\"EK/G11\":\"Ainda sem respostas\",\"3sRuiW\":\"Nenhum ingresso encontrado\",\"yM5c0q\":\"Nenhum evento futuro\",\"qpC74J\":\"Nenhum utilizador encontrado\",\"n5vdm2\":\"Nenhum evento de webhook foi registrado para este endpoint ainda. Os eventos aparecerão aqui assim que forem acionados.\",\"4GhX3c\":\"Nenhum Webhook\",\"4+am6b\":\"Não, manter-me aqui\",\"x5+Lcz\":\"Não Registado\",\"8n10sz\":\"Não Elegível\",\"lQgMLn\":\"Nome do escritório ou local\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Pagamento offline\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Depois de completar a atualização, sua conta antiga será usada apenas para reembolsos.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Evento online\",\"bU7oUm\":\"Enviar apenas para pedidos com esses status\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Abrir painel do Stripe\",\"HXMJxH\":\"Texto opcional para avisos legais, informações de contacto ou notas de agradecimento (apenas uma linha)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Pedido cancelado\",\"b6+Y+n\":\"Pedido concluído\",\"x4MLWE\":\"Confirmação do pedido\",\"ppuQR4\":\"Pedido criado\",\"0UZTSq\":\"Moeda do Pedido\",\"HdmwrI\":\"E-mail do pedido\",\"bwBlJv\":\"Primeiro nome do pedido\",\"vrSW9M\":\"O pedido foi cancelado e reembolsado. O proprietário do pedido foi notificado.\",\"+spgqH\":[\"ID do pedido: \",[\"0\"]],\"Pc729f\":\"Pedido Aguardando Pagamento Offline\",\"F4NXOl\":\"Sobrenome do pedido\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Idioma do Pedido\",\"vu6Arl\":\"Pedido marcado como pago\",\"sLbJQz\":\"Pedido não encontrado\",\"i8VBuv\":\"Número do pedido\",\"FaPYw+\":\"Proprietário do pedido\",\"eB5vce\":\"Proprietários de pedidos com um produto específico\",\"CxLoxM\":\"Proprietários de pedidos com produtos\",\"DoH3fD\":\"Pagamento do Pedido Pendente\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Status dos pedidos\",\"oW5877\":\"Total do pedido\",\"e7eZuA\":\"Pedido atualizado\",\"KndP6g\":\"URL do pedido\",\"3NT0Ck\":\"O pedido foi cancelado\",\"5It1cQ\":\"Pedidos exportados\",\"B/EBQv\":\"Encomendas:\",\"ucgZ0o\":\"Organização\",\"S3CZ5M\":\"Painel do organizador\",\"Uu0hZq\":\"Email do organizador\",\"Gy7BA3\":\"Endereço de email do organizador\",\"SQqJd8\":\"Organizador não encontrado\",\"wpj63n\":\"Configurações do organizador\",\"coIKFu\":\"As estatísticas do organizador não estão disponíveis para a moeda selecionada ou ocorreu um erro.\",\"o1my93\":\"Falha ao atualizar o status do organizador. Por favor, tente novamente mais tarde.\",\"rLHma1\":\"Status do organizador atualizado\",\"LqBITi\":\"O modelo do organizador/padrão será usado\",\"/IX/7x\":\"Outro\",\"RsiDDQ\":\"Outras Listas (Bilhete Não Incluído)\",\"6/dCYd\":\"Visão geral\",\"8uqsE5\":\"Página já não disponível\",\"QkLf4H\":\"URL da página\",\"sF+Xp9\":\"Visualizações de página\",\"5F7SYw\":\"Reembolso parcial\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Passado\",\"xTPjSy\":\"Eventos passados\",\"/l/ckQ\":\"Cole a URL\",\"URAE3q\":\"Pausado\",\"4fL/V7\":\"Pagar\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Pagamento e plano\",\"ENEPLY\":\"Método de pagamento\",\"EyE8E6\":\"Processamento de pagamento\",\"8Lx2X7\":\"Pagamento recebido\",\"vcyz2L\":\"Configurações de pagamento\",\"fx8BTd\":\"Pagamentos não disponíveis\",\"51U9mG\":\"Os pagamentos continuarão a fluir sem interrupção\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Desempenho\",\"zmwvG2\":\"Telefone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planejando um evento?\",\"br3Y/y\":\"Taxas da plataforma\",\"jEw0Mr\":\"Por favor, insira uma URL válida\",\"n8+Ng/\":\"Por favor, introduza o código de 5 dígitos\",\"Dvq0wf\":\"Por favor, forneça uma imagem.\",\"2cUopP\":\"Por favor, reinicie o processo de compra.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Por favor, selecione uma imagem.\",\"fuwKpE\":\"Por favor, tente novamente.\",\"klWBeI\":\"Por favor, aguarde antes de solicitar outro código\",\"hfHhaa\":\"Por favor, aguarde enquanto preparamos os seus afiliados para exportação...\",\"o+tJN/\":\"Por favor, aguarde enquanto preparamos seus participantes para exportação...\",\"+5Mlle\":\"Por favor, aguarde enquanto preparamos seus pedidos para exportação...\",\"TjX7xL\":\"Mensagem Pós-Checkout\",\"cs5muu\":\"Pré-visualizar página do evento\",\"+4yRWM\":\"Preço do ingresso\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Pré-visualização de Impressão\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Imprimir para PDF\",\"LcET2C\":\"Política de Privacidade\",\"8z6Y5D\":\"Processar reembolso\",\"JcejNJ\":\"A processar pedido\",\"EWCLpZ\":\"Produto criado\",\"XkFYVB\":\"Produto excluído\",\"YMwcbR\":\"Detalhamento das vendas de produtos, receitas e impostos\",\"ldVIlB\":\"Produto atualizado\",\"mIqT3T\":\"Produtos, mercadorias e opções de preços flexíveis\",\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionais e detalhamento de descontos\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publicar\",\"evDBV8\":\"Publicar Evento\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"Leitura de QR code com feedback instantâneo e compartilhamento seguro para acesso da equipe\",\"fqDzSu\":\"Taxa\",\"spsZys\":\"Pronto para atualizar? Isto demora apenas alguns minutos.\",\"Fi3b48\":\"Pedidos recentes\",\"Edm6av\":\"Reconectar Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecionando para o Stripe...\",\"ACKu03\":\"Atualizar visualização\",\"fKn/k6\":\"Valor do reembolso\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Reembolsar pedido \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Reembolsos\",\"CQeZT8\":\"Relatório não encontrado\",\"JEPMXN\":\"Solicitar novo link\",\"mdeIOH\":\"Reenviar código\",\"bxoWpz\":\"Reenviar e-mail de confirmação\",\"G42SNI\":\"Reenviar e-mail\",\"TTpXL3\":[\"Reenviar em \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reservado até\",\"slOprG\":\"Redefina sua senha\",\"CbnrWb\":\"Voltar ao evento\",\"Oo/PLb\":\"Resumo de Receita\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Vendas\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Vendas, pedidos e métricas de desempenho para todos os eventos\",\"3Q1AWe\":\"Vendas:\",\"8BRPoH\":\"Local Exemplo\",\"KZrfYJ\":\"Salvar links sociais\",\"9Y3hAT\":\"Salvar modelo\",\"C8ne4X\":\"Guardar Design do Bilhete\",\"I+FvbD\":\"Digitalizar\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Pesquisar afiliados...\",\"VY+Bdn\":\"Pesquisar por nome da conta ou e-mail...\",\"VX+B3I\":\"Pesquisar por título do evento ou organizador...\",\"GHdjuo\":\"Pesquisar por nome, e-mail ou conta...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Selecione uma categoria\",\"BFRSTT\":\"Selecionar Conta\",\"mCB6Je\":\"Selecionar tudo\",\"kYZSFD\":\"Selecione um organizador para ver seu painel e eventos.\",\"tVW/yo\":\"Selecionar moeda\",\"n9ZhRa\":\"Selecione data e hora de término\",\"gTN6Ws\":\"Selecionar hora de fim\",\"0U6E9W\":\"Selecionar categoria do evento\",\"j9cPeF\":\"Selecionar tipos de eventos\",\"1nhy8G\":\"Selecionar tipo de scanner\",\"KizCK7\":\"Selecione data e hora de início\",\"dJZTv2\":\"Selecionar hora de início\",\"aT3jZX\":\"Selecionar fuso horário\",\"Ropvj0\":\"Selecione quais eventos acionarão este webhook\",\"BG3f7v\":\"Venda qualquer coisa\",\"VtX8nW\":\"Venda produtos junto com ingressos com suporte integrado para impostos e códigos promocionais\",\"Cye3uV\":\"Venda mais do que ingressos\",\"j9b/iy\":\"Vendendo rápido 🔥\",\"1lNPhX\":\"Enviar email de notificação de reembolso\",\"SPdzrs\":\"Enviado aos clientes quando fazem um pedido\",\"LxSN5F\":\"Enviado a cada participante com os detalhes do seu ingresso\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Configure a sua organização\",\"HbUQWA\":\"Configuração em minutos\",\"GG7qDw\":\"Partilhar link de afiliado\",\"hL7sDJ\":\"Compartilhar página do organizador\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Mostrar todas as plataformas (\",[\"0\"],\" com valores)\"],\"UVPI5D\":\"Mostrar menos plataformas\",\"Eu/N/d\":\"Mostrar caixa de seleção de opt-in de marketing\",\"SXzpzO\":\"Mostrar caixa de seleção de opt-in de marketing por padrão\",\"b33PL9\":\"Mostrar mais plataformas\",\"v6IwHE\":\"Check-in inteligente\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Links sociais\",\"j/TOB3\":\"Links sociais e site\",\"2pxNFK\":\"vendido\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Algo deu errado, tente novamente ou entre em contato com o suporte se o problema persistir\",\"H6Gslz\":\"Desculpe o inconveniente.\",\"7JFNej\":\"Desporto\",\"JcQp9p\":\"Data e hora de início\",\"0m/ekX\":\"Data e hora de início\",\"izRfYP\":\"A data de início é obrigatória\",\"2R1+Rv\":\"Hora de início do evento\",\"2NbyY/\":\"Estatísticas\",\"DRykfS\":\"Ainda a processar reembolsos para as suas transações mais antigas.\",\"wuV0bK\":\"Parar Personificação\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"A configuração do Stripe já está completa.\",\"ii0qn/\":\"O assunto é obrigatório\",\"M7Uapz\":\"O assunto aparecerá aqui\",\"6aXq+t\":\"Assunto:\",\"JwTmB6\":\"Produto duplicado com sucesso\",\"RuaKfn\":\"Endereço atualizado com sucesso\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Organizador atualizado com sucesso\",\"0Dk/l8\":\"Configurações de SEO atualizadas com sucesso\",\"MhOoLQ\":\"Links sociais atualizados com sucesso\",\"kj7zYe\":\"Webhook atualizado com sucesso\",\"dXoieq\":\"Resumo\",\"/RfJXt\":[\"Festival de Música de Verão \",[\"0\"]],\"CWOPIK\":\"Festival de Música de Verão 2025\",\"5gIl+x\":\"Suporte para vendas escalonadas, baseadas em doações e de produtos com preços e capacidades personalizáveis\",\"JZTQI0\":\"Trocar organizador\",\"XX32BM\":\"Demora apenas alguns minutos\",\"yT6dQ8\":\"Impostos cobrados agrupados por tipo de imposto e evento\",\"Ye321X\":\"Nome do Imposto\",\"WyCBRt\":\"Resumo de Impostos\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tecnologia\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Conte às pessoas o que esperar do seu evento\",\"NiIUyb\":\"Conte-nos sobre seu evento\",\"DovcfC\":\"Fale-nos sobre a sua organização. Esta informação será exibida nas páginas dos seus eventos.\",\"7wtpH5\":\"Modelo ativo\",\"QHhZeE\":\"Modelo criado com sucesso\",\"xrWdPR\":\"Modelo excluído com sucesso\",\"G04Zjt\":\"Modelo salvo com sucesso\",\"xowcRf\":\"Termos de serviço\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Obrigado por participar!\",\"lhAWqI\":\"Obrigado pelo seu apoio enquanto continuamos a crescer e melhorar o Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"O código irá expirar em 10 minutos. Verifique a sua pasta de spam se não vir o email.\",\"MJm4Tq\":\"A moeda do pedido\",\"I/NNtI\":\"O local do evento\",\"tXadb0\":\"O evento que você está procurando não está disponível no momento. Ele pode ter sido removido, expirado ou a URL pode estar incorreta.\",\"EBzPwC\":\"O endereço completo do evento\",\"sxKqBm\":\"O valor total do pedido será reembolsado para o método de pagamento original do cliente.\",\"5OmEal\":\"O idioma do cliente\",\"sYLeDq\":\"O organizador que você está procurando não foi encontrado. A página pode ter sido movida, excluída ou o URL está incorreto.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"O corpo do modelo contém sintaxe Liquid inválida. Por favor, corrija-a e tente novamente.\",\"A4UmDy\":\"Teatro\",\"tDwYhx\":\"Tema e cores\",\"HirZe8\":\"Estes modelos serão usados como padrões para todos os eventos em sua organização. Eventos individuais podem substituir estes modelos por suas próprias versões personalizadas.\",\"lzAaG5\":\"Estes modelos substituirão os padrões do organizador apenas para este evento. Se nenhum modelo personalizado for definido aqui, o modelo do organizador será usado em vez disso.\",\"XBNC3E\":\"Este código será usado para rastrear vendas. Apenas são permitidas letras, números, hífenes e underscores.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Este evento ainda não foi publicado\",\"dFJnia\":\"Este é o nome do seu organizador que será exibido aos seus usuários.\",\"L7dIM7\":\"Este link é inválido ou expirou.\",\"j5FdeA\":\"Este pedido está a ser processado.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"Este pedido foi cancelado. Pode iniciar um novo pedido a qualquer momento.\",\"lyD7rQ\":\"Este perfil de organizador ainda não foi publicado\",\"9b5956\":\"Esta visualização mostra como seu e-mail ficará com dados de exemplo. E-mails reais usarão valores reais.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Este bilhete acabou de ser digitalizado. Aguarde antes de digitalizar novamente.\",\"kvpxIU\":\"Isso será usado para notificações e comunicação com seus usuários.\",\"rhsath\":\"Isto não será visível para os clientes, mas ajuda-o a identificar o afiliado.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Design do Bilhete\",\"EZC/Cu\":\"Design do bilhete guardado com sucesso\",\"1BPctx\":\"Bilhete para\",\"bgqf+K\":\"E-mail do portador do ingresso\",\"oR7zL3\":\"Nome do portador do ingresso\",\"HGuXjF\":\"Portadores de ingressos\",\"awHmAT\":\"ID do bilhete\",\"6czJik\":\"Logotipo do Bilhete\",\"OkRZ4Z\":\"Nome do ingresso\",\"6tmWch\":\"Ingresso ou produto\",\"1tfWrD\":\"Pré-visualização do bilhete para\",\"tGCY6d\":\"Preço do ingresso\",\"8jLPgH\":\"Tipo de Bilhete\",\"X26cQf\":\"URL do ingresso\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Ingressos e produtos\",\"EUnesn\":\"Bilhetes disponíveis\",\"AGRilS\":\"Ingressos Vendidos\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Para receber pagamentos com cartão de crédito, você precisa conectar sua conta do Stripe. O Stripe é nosso parceiro de processamento de pagamentos que garante transações seguras e pagamentos pontuais.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total de Contas\",\"EaAPbv\":\"Valor total pago\",\"SMDzqJ\":\"Total de Participantes\",\"orBECM\":\"Total Cobrado\",\"KSDwd5\":\"Total de pedidos\",\"vb0Q0/\":\"Total de Usuários\",\"/b6Z1R\":\"Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis\",\"OpKMSn\":\"Taxa de transação:\",\"uKOFO5\":\"Verdadeiro se pagamento offline\",\"9GsDR2\":\"Verdadeiro se pagamento pendente\",\"ouM5IM\":\"Tentar outro e-mail\",\"3DZvE7\":\"Experimente o Hi.Events gratuitamente\",\"Kz91g/\":\"Turco\",\"GdOhw6\":\"Desativar som\",\"KUOhTy\":\"Ativar som\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Tipo de ingresso\",\"IrVSu+\":\"Não foi possível duplicar o produto. Por favor, verifique seus dados\",\"Vx2J6x\":\"Não foi possível buscar participante\",\"b9SN9q\":\"Referência única do pedido\",\"Ef7StM\":\"Desconhecido\",\"ZBAScj\":\"Participante desconhecido\",\"ZkS2p3\":\"Despublicar Evento\",\"Pp1sWX\":\"Atualizar afiliado\",\"KMMOAy\":\"Atualização disponível\",\"gJQsLv\":\"Envie uma imagem de capa para seu organizador\",\"4kEGqW\":\"Envie um logo para seu organizador\",\"lnCMdg\":\"Carregar imagem\",\"29w7p6\":\"Enviando imagem...\",\"HtrFfw\":\"A URL é obrigatória\",\"WBq1/R\":\"Scanner USB já ativo\",\"EV30TR\":\"Modo scanner USB ativado. Comece a digitalizar os bilhetes agora.\",\"fovJi3\":\"Modo scanner USB desativado\",\"hli+ga\":\"Scanner USB/HID\",\"OHJXlK\":\"Use <0>modelos Liquid para personalizar os seus emails\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Usado para bordas, destaques e estilo do código QR\",\"AdWhjZ\":\"Código de verificação\",\"wCKkSr\":\"Verificar email\",\"/IBv6X\":\"Verifique seu e-mail\",\"e/cvV1\":\"A verificar...\",\"fROFIL\":\"Vietnamita\",\"+WFMis\":\"Visualize e descarregue relatórios de todos os seus eventos. Apenas pedidos concluídos são incluídos.\",\"gj5YGm\":\"Visualize e baixe relatórios do seu evento. Observe que apenas pedidos concluídos estão incluídos nesses relatórios.\",\"c7VN/A\":\"Ver respostas\",\"FCVmuU\":\"Ver evento\",\"n6EaWL\":\"Ver logs\",\"OaKTzt\":\"Ver mapa\",\"67OJ7t\":\"Ver pedido\",\"tKKZn0\":\"Ver detalhes do pedido\",\"9jnAcN\":\"Ver página inicial do organizador\",\"1J/AWD\":\"Ver ingresso\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visível apenas para a equipa de check-in. Ajuda a identificar esta lista durante o check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"A aguardar pagamento\",\"RRZDED\":\"Não encontramos pedidos associados a este endereço de e-mail.\",\"miysJh\":\"Não foi possível encontrar este pedido. Pode ter sido removido.\",\"HJKdzP\":\"Ocorreu um problema ao carregar esta página. Por favor, tente novamente.\",\"IfN2Qo\":\"Recomendamos um logotipo quadrado com dimensões mínimas de 200x200px\",\"wJzo/w\":\"Recomendamos dimensões de 400px por 400px e tamanho máximo de 5MB\",\"q1BizZ\":\"Enviaremos os seus bilhetes para este e-mail\",\"zCdObC\":\"Mudámos oficialmente a nossa sede para a Irlanda 🇮🇪. Como parte desta transição, agora usamos o Stripe Irlanda em vez do Stripe Canadá. Para manter os seus pagamentos funcionando sem problemas, precisará reconectar sua conta Stripe.\",\"jh2orE\":\"Mudámos a nossa sede para a Irlanda. Como resultado, precisamos que reconecte a sua conta Stripe. Este processo rápido demora apenas alguns minutos. As suas vendas e dados existentes permanecem completamente inalterados.\",\"Fq/Nx7\":\"Enviámos um código de verificação de 5 dígitos para:\",\"GdWB+V\":\"Webhook criado com sucesso\",\"2X4ecw\":\"Webhook excluído com sucesso\",\"CThMKa\":\"Logs do Webhook\",\"nuh/Wq\":\"URL do Webhook\",\"8BMPMe\":\"O webhook não enviará notificações\",\"FSaY52\":\"O webhook enviará notificações\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Site\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bem-vindo de volta 👋\",\"kSYpfa\":[\"Bem-vindo ao \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Bem-vindo ao \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Bem-vindo ao \",[\"0\"],\", aqui está uma lista de todos os seus eventos\"],\"FaSXqR\":\"Que tipo de evento?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Quando um check-in é excluído\",\"Gmd0hv\":\"Quando um novo participante é criado\",\"Lc18qn\":\"Quando um novo pedido é criado\",\"dfkQIO\":\"Quando um novo produto é criado\",\"8OhzyY\":\"Quando um produto é excluído\",\"tRXdQ9\":\"Quando um produto é atualizado\",\"Q7CWxp\":\"Quando um participante é cancelado\",\"IuUoyV\":\"Quando um participante faz check-in\",\"nBVOd7\":\"Quando um participante é atualizado\",\"ny2r8d\":\"Quando um pedido é cancelado\",\"c9RYbv\":\"Quando um pedido é marcado como pago\",\"ejMDw1\":\"Quando um pedido é reembolsado\",\"fVPt0F\":\"Quando um pedido é atualizado\",\"bcYlvb\":\"Quando fecha o check-in\",\"XIG669\":\"Quando abre o check-in\",\"de6HLN\":\"Quando os clientes comprarem ingressos, os pedidos aparecerão aqui.\",\"blXLKj\":\"Quando ativado, novos eventos exibirão uma caixa de seleção de opt-in de marketing durante o checkout. Isso pode ser substituído por evento.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Escreva sua mensagem aqui...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Sim, cancelar o meu pedido\",\"QlSZU0\":[\"Está a personificar <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Está a emitir um reembolso parcial. O cliente será reembolsado em \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Você adicionou taxas e impostos a um produto gratuito. Deseja removê-los?\",\"FVTVBy\":\"Você precisa verificar seu e-mail antes de atualizar o status do organizador.\",\"FRl8Jv\":\"Você precisa verificar o e-mail da sua conta antes de poder enviar mensagens.\",\"U3wiCB\":\"Está tudo pronto! Os seus pagamentos estão a ser processados sem problemas.\",\"MNFIxz\":[\"Vai participar em \",[\"0\"],\"!\"],\"x/xjzn\":\"Os seus afiliados foram exportados com sucesso.\",\"TF37u6\":\"Seus participantes foram exportados com sucesso.\",\"79lXGw\":\"A sua lista de check-in foi criada com sucesso. Partilhe a ligação abaixo com a sua equipa de check-in.\",\"BnlG9U\":\"O seu pedido atual será perdido.\",\"nBqgQb\":\"Seu e-mail\",\"R02pnV\":\"Seu evento deve estar ativo antes que você possa vender ingressos para os participantes.\",\"ifRqmm\":\"A sua mensagem foi enviada com sucesso!\",\"/Rj5P4\":\"Seu nome\",\"naQW82\":\"O seu pedido foi cancelado.\",\"bhlHm/\":\"O seu pedido aguarda pagamento\",\"XeNum6\":\"Seus pedidos foram exportados com sucesso.\",\"Xd1R1a\":\"Endereço do seu organizador\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Sua conta Stripe está conectada e processando pagamentos.\",\"vvO1I2\":\"Sua conta Stripe está conectada e pronta para processar pagamentos.\",\"CnZ3Ou\":\"Os seus bilhetes foram confirmados.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'Não há nada para mostrar ainda'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>registrado com sucesso\"],\"yxhYRZ\":[[\"0\"],\" <0>desmarcado com sucesso\"],\"KMgp2+\":[[\"0\"],\" disponível\"],\"Pmr5xp\":[[\"0\"],\" criado com sucesso\"],\"FImCSc\":[[\"0\"],\" atualizado com sucesso\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" registrado\"],\"Vjij1k\":[[\"days\"],\" dias, \",[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"f3RdEk\":[[\"hours\"],\" horas, \",[\"minutes\"],\" minutos e \",[\"seconds\"],\" segundos\"],\"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>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://seu-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"ZjMs6e\":\"<0>O número de produtos disponíveis para este produto<1>Esse valor pode ser substituído se houver <2>Limites de Capacidade associados a este produto.\",\"E15xs8\":\"⚡️ Configure seu evento\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Personalize a página do seu evento\",\"3VPPdS\":\"💳 Conecte-se com Stripe\",\"cjdktw\":\"🚀 Defina seu evento ao vivo\",\"rmelwV\":\"0 minutos e 0 segundos\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"Rua Principal 123\",\"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.\",\"6euFZ/\":[\"Um \",[\"type\"],\" padrão é automaticamente aplicado a todos os novos produtos. Você pode substituir isso para cada produto.\"],\"SMUbbQ\":\"Uma entrada suspensa permite apenas uma seleção\",\"qv4bfj\":\"Uma taxa, como uma taxa de reserva ou uma taxa de serviço\",\"POT0K/\":\"Um valor fixo por produto. Ex: $0,50 por produto\",\"f4vJgj\":\"Uma entrada de texto multilinha\",\"OIPtI5\":\"Uma porcentagem do preço do produto. Ex: 3,5% do preço do produto\",\"ZthcdI\":\"Um código promocional sem desconto pode ser usado para revelar produtos ocultos.\",\"AG/qmQ\":\"Uma opção Rádio tem múltiplas opções, mas apenas uma pode ser selecionada.\",\"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\",\"BHZbFy\":\"Uma única pergunta por pedido. Ex: Qual é o seu endereço de entrega?\",\"Fuh+dI\":\"Uma única pergunta por produto. Ex: Qual é o seu tamanho de camiseta?\",\"RlJmQg\":\"Um imposto padrão, como IVA ou GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Aceitar transferências bancárias, cheques ou outros métodos de pagamento offline\",\"hrvLf4\":\"Aceitar pagamentos com cartão de crédito através do Stripe\",\"bfXQ+N\":\"Aceitar convite\",\"AeXO77\":\"Conta\",\"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\",\"/PN1DA\":\"Adicione uma descrição para esta lista de registro\",\"0/vPdA\":\"Adicione quaisquer notas sobre o participante. Estas não serão visíveis para o participante.\",\"Or1CPR\":\"Adicione quaisquer notas sobre o participante...\",\"l3sZO1\":\"Adicione quaisquer notas sobre o pedido. Estas não serão visíveis para o cliente.\",\"xMekgu\":\"Adicione quaisquer notas sobre o pedido...\",\"PGPGsL\":\"Adicionar descrição\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Adicione instruções para pagamentos offline (por exemplo, detalhes de transferência bancária, onde enviar cheques, prazos de pagamento)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"24l4x6\":\"Adicionar Produto\",\"8q0EdE\":\"Adicionar Produto à Categoria\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"goOKRY\":\"Adicionar nível\",\"oZW/gT\":\"Adicionar ao calendário\",\"pn5qSs\":\"Informações adicionais\",\"Y8DIQy\":\"Additional Options\",\"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.\",\"W7AfhC\":\"Todos os participantes deste evento\",\"cde2hc\":\"Todos os Produtos\",\"5CQ+r0\":\"Permitir que participantes associados a pedidos não pagos façam check-in\",\"ipYKgM\":\"Permitir indexação do mecanismo de pesquisa\",\"LRbt6D\":\"Permitir que mecanismos de pesquisa indexem este evento\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Incrível, evento, palavras-chave...\",\"hehnjM\":\"Quantia\",\"R2O9Rg\":[\"Valor pago (\",[\"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\",\"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\":\"Um erro inesperado ocorreu.\",\"byKna+\":\"Um erro inesperado ocorreu. Por favor, tente novamente.\",\"ubdMGz\":\"Quaisquer perguntas dos portadores de produtos serão enviadas para este endereço de e-mail. Este também será usado como o endereço de \\\"responder para\\\" em todos os e-mails enviados deste evento\",\"aAIQg2\":\"Aparência\",\"Ym1gnK\":\"aplicado\",\"sy6fss\":[\"Aplica-se a \",[\"0\"],\" produtos\"],\"kadJKg\":\"Aplica-se a 1 produto\",\"DB8zMK\":\"Aplicar\",\"GctSSm\":\"Aplicar código promocional\",\"ARBThj\":[\"Aplicar este \",[\"type\"],\" a todos os novos produtos\"],\"S0ctOE\":\"Arquivar evento\",\"TdfEV7\":\"Arquivado\",\"A6AtLP\":\"Archived Events\",\"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?\",\"LBLOqH\":\"Pergunte uma vez por pedido\",\"wu98dY\":\"Perguntar uma vez por produto\",\"ss9PbX\":\"Participante\",\"m0CFV2\":\"Detalhes do participante\",\"QKim6l\":\"Participante não encontrado\",\"R5IT/I\":\"Notas do participante\",\"lXcSD2\":\"Perguntas dos participantes\",\"HT/08n\":\"Bilhete do Participante\",\"9SZT4E\":\"Participantes\",\"iPBfZP\":\"Participantes Registrados\",\"7KxcHR\":\"Attendees with a specific product\",\"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.\",\"4lVaWA\":\"Aguardando pagamento offline\",\"2rHwhl\":\"Aguardando pagamento offline\",\"3wF4Q/\":\"Aguardando pagamento\",\"ioG+xt\":\"Aguardando Pagamento\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Impressionante Organizador Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Voltar à página do evento\",\"VCoEm+\":\"Volte ao login\",\"k1bLf+\":\"Cor de fundo\",\"I7xjqg\":\"Tipo de plano de fundo\",\"1mwMl+\":\"Antes de enviar!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Endereço de cobrança\",\"/xC/im\":\"Configurações de cobrança\",\"rp/zaT\":\"Português brasileiro\",\"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.\",\"dEgA5A\":\"Cancelar\",\"Gjt/py\":\"Cancelar alteração de e-mail\",\"tVJk4q\":\"Cancelar pedido\",\"Os6n2a\":\"Cancelar pedido\",\"Mz7Ygx\":[\"Cancelar pedido \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"Não é possível fazer check-in\",\"QyjCeq\":\"Capacidade\",\"V6Q5RZ\":\"Atribuição de Capacidade criada com sucesso\",\"k5p8dz\":\"Atribuição de Capacidade excluída com sucesso\",\"nDBs04\":\"Gestão de Capacidade\",\"ddha3c\":\"As categorias permitem agrupar produtos. Por exemplo, você pode ter uma categoria para \\\"Ingressos\\\" e outra para \\\"Mercadorias\\\".\",\"iS0wAT\":\"As categorias ajudam a organizar seus produtos. Este título será exibido na página pública do evento.\",\"eorM7z\":\"Categorias reordenadas com sucesso.\",\"3EXqwa\":\"Categoria Criada com Sucesso\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Alterar a senha\",\"xMDm+I\":\"Fazer check-in\",\"p2WLr3\":[\"Fazer check-in de \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Fazer check-in e marcar pedido como pago\",\"QYLpB4\":\"Apenas fazer check-in\",\"/Ta1d4\":\"Fazer check-out\",\"5LDT6f\":\"Confira este evento!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+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\":\"Registado\",\"znIg+z\":\"Finalizar compra\",\"1WnhCL\":\"Configurações de check-out\",\"6imsQS\":\"Chinês simplificado\",\"JjkX4+\":\"Escolha uma cor para o seu plano de fundo\",\"/Jizh9\":\"Escolha uma conta\",\"3wV73y\":\"Cidade\",\"FG98gC\":\"Limpar texto de pesquisa\",\"EYeuMv\":\"click here\",\"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\",\"oqr9HB\":\"Recolher este produto quando a página do evento for carregada inicialmente\",\"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\":\"Complete payment\",\"C8HNV2\":\"Concluir pagamento\",\"qqWcBV\":\"Concluído\",\"6HK5Ct\":\"Pedidos concluídos\",\"NWVRtl\":\"Pedidos concluídos\",\"DwF9eH\":\"Código do Componente\",\"Tf55h7\":\"Desconto configurado\",\"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...\",\"pbAk7a\":\"Conectar faixa\",\"UMGQOh\":\"Conecte-se com Stripe\",\"QKLP1W\":\"Conecte sua conta Stripe para começar a receber pagamentos.\",\"5lcVkL\":\"Detalhes da conexão\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"Copiado para a área de transferência\",\"he3ygx\":\"cópia de\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Link de cópia\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cobrir\",\"hYgDIe\":\"Criar\",\"b9XOHo\":[\"Criar \",[\"0\"]],\"k9RiLi\":\"Criar um Produto\",\"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\",\"EwoMtl\":\"Criar categoria\",\"XletzW\":\"Criar Categoria\",\"WVbTwK\":\"Criar Lista de Registro\",\"uN355O\":\"Criar Evento\",\"BOqY23\":\"Crie um novo\",\"kpJAeS\":\"Criar organizador\",\"a0EjD+\":\"Criar Produto\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Criar código promocional\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Moeda\",\"DCKkhU\":\"Senha atual\",\"uIElGP\":\"URL de mapas personalizados\",\"UEqXyt\":\"Intervalo personalizado\",\"876pfE\":\"Cliente\",\"QOg2Sf\":\"Personalize as configurações de e-mail e notificação deste evento\",\"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\":\"Dashboard\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data e hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"VskHIx\":\"Excluir categoria\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Excluir pergunta\",\"Nu4oKW\":\"Descrição\",\"YC3oXa\":\"Descrição para a equipe de registro\",\"URmyfc\":\"Detalhes\",\"1lRT3t\":\"Desativar esta capacidade rastreará as vendas, mas não as interromperá quando o limite for atingido\",\"H6Ma8Z\":\"Desconto\",\"ypJ62C\":\"% de desconto\",\"3LtiBI\":[\"Desconto em \",[\"0\"]],\"C8JLas\":\"Tipo de desconto\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Etiqueta do documento\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Doação / Produto com valor voluntário\",\"OvNbls\":\"Baixar .ics\",\"kodV18\":\"Baixar CSV\",\"CELKku\":\"Baixar fatura\",\"LQrXcu\":\"Baixar fatura\",\"QIodqd\":\"Baixar código QR\",\"yhjU+j\":\"A baixar fatura\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Duplicar Opções\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Madrugador\",\"ePK91l\":\"Editar\",\"N6j2JH\":[\"Editar \",[\"0\"]],\"kBkYSa\":\"Editar Capacidade\",\"oHE9JT\":\"Editar Atribuição de Capacidade\",\"j1Jl7s\":\"Editar categoria\",\"FU1gvP\":\"Editar Lista de Registro\",\"iFgaVN\":\"Editar código\",\"jrBSO1\":\"Editar organizador\",\"tdD/QN\":\"Editar Produto\",\"n143Tq\":\"Editar Categoria de Produto\",\"9BdS63\":\"Editar código promocional\",\"O0CE67\":\"Editar pergunta\",\"EzwCw7\":\"Editar pergunta\",\"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\",\"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\",\"NTZ/NX\":\"Código embutido\",\"4rnJq4\":\"Incorporar script\",\"8oPbg1\":\"Habilitar faturamento\",\"j6w7d/\":\"Ative esta capacidade para interromper as vendas de produtos quando o limite for atingido\",\"VFv2ZC\":\"Data de término\",\"237hSL\":\"Terminou\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Inglês\",\"MhVoma\":\"Insira um valor sem impostos e taxas.\",\"SlfejT\":\"Erro\",\"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\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Data do Evento\",\"0Zptey\":\"Padrões de eventos\",\"QcCPs8\":\"Detalhes do evento\",\"6fuA9p\":\"Evento duplicado com sucesso\",\"AEuj2m\":\"Página inicial do evento\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Event page\",\"4/If97\":\"Falha na atualização do status do evento. Por favor, tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Falha ao baixar a fatura. Por favor, tente novamente.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar e-mail do ticket\",\"ejXy+D\":\"Falha ao ordenar os produtos\",\"PLUB/s\":\"Taxa\",\"/mfICu\":\"Tarifas\",\"LyFC7X\":\"Filtrar pedidos\",\"cSev+j\":\"Filtros\",\"CVw2MU\":[\"Filtros (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Primeiro número da fatura\",\"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.\",\"Rs/IcB\":\"Usado pela primeira vez\",\"TpqW74\":\"Fixo\",\"irpUxR\":\"Quantia fixa\",\"TF9opW\":\"Flash não está disponível neste dispositivo\",\"UNMVei\":\"Esqueceu sua senha?\",\"2POOFK\":\"Livre\",\"P/OAYJ\":\"Produto Gratuito\",\"vAbVy9\":\"Produto gratuito, sem necessidade de informações de pagamento\",\"nLC6tu\":\"francês\",\"Weq9zb\":\"Geral\",\"DDcvSo\":\"alemão\",\"4GLxhy\":\"Começando\",\"4D3rRj\":\"Voltar ao perfil\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Vendas brutas\",\"yRg26W\":\"Vendas brutas\",\"R4r4XO\":\"Convidados\",\"26pGvx\":\"Tem um código promocional?\",\"V7yhws\":\"olá@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Oi \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"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.\",\"vLyv1R\":\"Esconder\",\"Mkkvfd\":\"Ocultar página de primeiros passos\",\"mFn5Xz\":\"Ocultar perguntas ocultas\",\"YHsF9c\":\"Ocultar produto após a data de término da venda\",\"06s3w3\":\"Ocultar produto antes da data de início da venda\",\"axVMjA\":\"Ocultar produto, a menos que o usuário tenha um código promocional aplicável\",\"ySQGHV\":\"Ocultar produto quando esgotado\",\"SCimta\":\"Oculte a página de primeiros passos da barra lateral\",\"5xR17G\":\"Ocultar este produto dos clientes\",\"Da29Y6\":\"Ocultar esta pergunta\",\"fvDQhr\":\"Ocultar esta camada dos usuários\",\"lNipG+\":\"Ocultar um produto impedirá que os usuários o vejam na página do evento.\",\"ZOBwQn\":\"Design da página inicial\",\"PRuBTd\":\"Designer da página inicial\",\"YjVNGZ\":\"Visualização da página inicial\",\"c3E/kw\":\"Homero\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Se estiver em branco, o endereço será usado para gerar um link do Google Maps\",\"UYT+c8\":\"Se ativado, a equipe de check-in pode marcar os participantes como registrados ou marcar o pedido como pago e registrar os participantes. Se desativado, os participantes associados a pedidos não pagos não poderão ser registrados.\",\"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\",\"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\":\"Imagem enviada com sucesso\",\"VyUuZb\":\"URL da imagem\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"kO44sp\":\"Inclua detalhes de conexão para o seu evento online. Estes detalhes serão mostrados na página de resumo do pedido e no bilhete do participante.\",\"FlQKnG\":\"Incluir impostos e taxas no preço\",\"Vi+BiW\":[\"Inclui \",[\"0\"],\" produtos\"],\"lpm0+y\":\"Inclui 1 produto\",\"UiAk5P\":\"Inserir imagem\",\"OyLdaz\":\"Convite reenviado!\",\"HE6KcK\":\"Convite revogado!\",\"SQKPvQ\":\"Convidar Usuário\",\"bKOYkd\":\"Fatura baixada com sucesso\",\"alD1+n\":\"Notas da fatura\",\"kOtCs2\":\"Numeração da fatura\",\"UZ2GSZ\":\"Configurações da fatura\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Rótulo\",\"vXIe7J\":\"Língua\",\"2LMsOq\":\"Últimos 12 meses\",\"vfe90m\":\"Últimos 14 dias\",\"aK4uBd\":\"Últimas 24 horas\",\"uq2BmQ\":\"Últimos 30 dias\",\"bB6Ram\":\"Últimas 48 horas\",\"VlnB7s\":\"Últimos 6 meses\",\"ct2SYD\":\"Últimos 7 dias\",\"XgOuA7\":\"Últimos 90 dias\",\"I3yitW\":\"Último Login\",\"1ZaQUH\":\"Sobrenome\",\"UXBCwc\":\"Sobrenome\",\"tKCBU0\":\"Última vez usado\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Deixe em branco para usar a palavra padrão \\\"Fatura\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Carregando...\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Conecte-se\",\"zUDyah\":\"Fazendo login\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nome placerat elementum...\",\"NJahlc\":\"Tornar o endereço de cobrança obrigatório durante o checkout\",\"MU3ijv\":\"Torne esta pergunta obrigatória\",\"wckWOP\":\"Gerenciar\",\"onpJrA\":\"Gerenciar participante\",\"n4SpU5\":\"Gerenciar evento\",\"WVgSTy\":\"Gerenciar pedido\",\"1MAvUY\":\"Gerenciar as configurações de pagamento e faturamento para este evento.\",\"cQrNR3\":\"Gerenciar perfil\",\"AtXtSw\":\"Gerencie impostos e taxas que podem ser aplicados aos seus produtos\",\"ophZVW\":\"Gerenciar ingressos\",\"DdHfeW\":\"Gerencie os detalhes da sua conta e configurações padrão\",\"S+UjNL\":\"Manage your Stripe payment details\",\"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\",\"vFjEnF\":\"Marcar como pago\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"oUCR3c\":\"Message attendees with specific products\",\"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\",\"RDie0n\":\"Diversos\",\"mYLhkl\":\"Configurações Diversas\",\"KYveV8\":\"Caixa de texto com várias linhas\",\"VD0iA7\":\"Múltiplas opções de preço. Perfeito para produtos antecipados, etc.\",\"/bhMdO\":\"Minha incrível descrição do evento...\",\"vX8/tc\":\"Meu incrível título de evento...\",\"hKtWk2\":\"Meu perfil\",\"fj5byd\":\"N/D\",\"pRjx4L\":\"Nome placerat elementum...\",\"6YtxFj\":\"Nome\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navegue até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova Senha\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Não há eventos arquivados para mostrar.\",\"q2LEDV\":\"Nenhum participante encontrado para este pedido.\",\"zlHa5R\":\"Nenhum participante foi adicionado a este pedido.\",\"Wjz5KP\":\"Nenhum participante para mostrar\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Sem Atribuições de Capacidade\",\"a/gMx2\":\"Nenhuma Lista de Registro\",\"tMFDem\":\"Nenhum dado disponível\",\"6Z/F61\":\"Nenhum dado para mostrar. Por favor, selecione um intervalo de datas\",\"fFeCKc\":\"Sem desconto\",\"HFucK5\":\"Não há eventos encerrados para mostrar.\",\"yAlJXG\":\"Nenhum evento para mostrar\",\"GqvPcv\":\"Nenhum filtro disponível\",\"KPWxKD\":\"Nenhuma mensagem para mostrar\",\"J2LkP8\":\"Não há pedidos para mostrar\",\"RBXXtB\":\"Nenhum método de pagamento está disponível no momento. Entre em contato com o organizador do evento para obter assistência.\",\"ZWEfBE\":\"Pagamento não necessário\",\"ZPoHOn\":\"Nenhum produto associado a este participante.\",\"Ya1JhR\":\"Nenhum produto disponível nesta categoria.\",\"FTfObB\":\"Nenhum Produto Ainda\",\"+Y976X\":\"Nenhum código promocional para mostrar\",\"MAavyl\":\"Nenhuma pergunta foi respondida por este participante.\",\"SnlQeq\":\"Nenhuma pergunta foi feita para este pedido.\",\"Ev2r9A\":\"Nenhum resultado\",\"gk5uwN\":\"Nenhum Resultado de Pesquisa\",\"RHyZUL\":\"Nenhum resultado de pesquisa.\",\"RY2eP1\":\"Nenhum imposto ou taxa foi adicionado.\",\"EdQY6l\":\"Nenhum\",\"OJx3wK\":\"Não disponível\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notas\",\"jtrY3S\":\"Nada para mostrar ainda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Número de dias permitidos para pagamento (deixe em branco para omitir os termos de pagamento nas faturas)\",\"n86jmj\":\"Prefixo numérico\",\"mwe+2z\":\"Pedidos offline não são refletidos nas estatísticas do evento até que sejam marcados como pagos.\",\"dWBrJX\":\"O pagamento offline falhou. Por favor, tente novamente ou entre em contato com o organizador do evento.\",\"fcnqjw\":\"Instruções de Pagamento Offline\",\"+eZ7dp\":\"Pagamentos offline\",\"ojDQlR\":\"Informações sobre pagamentos offline\",\"u5oO/W\":\"Configurações de pagamentos offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"À venda\",\"Ug4SfW\":\"Depois de criar um evento, você o verá aqui.\",\"ZxnK5C\":\"Assim que você começar a coletar dados, eles aparecerão aqui.\",\"PnSzEc\":\"Quando estiver pronto, coloque seu evento ao vivo e comece a vender produtos.\",\"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\"]],\"oPknTP\":\"Informações adicionais opcionais a serem exibidas em todas as faturas (ex.: condições de pagamento, taxas por atraso, política de devolução)\",\"OrXJBY\":\"Prefixo opcional para os números das faturas (ex.: INV-)\",\"0zpgxV\":\"Opções\",\"BzEFor\":\"ou\",\"UYUgdb\":\"Ordem\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Data do pedido\",\"Tol4BF\":\"detalhes do pedido\",\"WbImlQ\":\"O pedido foi cancelado e o proprietário do pedido foi notificado.\",\"nAn4Oe\":\"Pedido marcado como pago\",\"uzEfRz\":\"Notas do pedido\",\"VCOi7U\":\"Perguntas sobre pedidos\",\"TPoYsF\":\"Referência do pedido\",\"acIJ41\":\"Status do pedido\",\"GX6dZv\":\"resumo do pedido\",\"tDTq0D\":\"Tempo limite do pedido\",\"1h+RBg\":\"Pedidos\",\"3y+V4p\":\"Endereço da organização\",\"GVcaW6\":\"Detalhes da organização\",\"nfnm9D\":\"Nome da organização\",\"G5RhpL\":\"Organizador\",\"mYygCM\":\"O organizador é obrigatório\",\"Pa6G7v\":\"Nome do organizador\",\"l894xP\":\"Os organizadores só podem gerenciar eventos e produtos. Eles não podem gerenciar usuários, configurações de conta ou informações de faturamento.\",\"fdjq4c\":\"Preenchimento\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"página não encontrada\",\"QbrUIo\":\"visualizações de página\",\"6D8ePg\":\"página.\",\"IkGIz8\":\"pago\",\"HVW65c\":\"Produto Pago\",\"ZfxaB4\":\"Parcialmente reembolsado\",\"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\",\"621rYf\":\"Pagamento\",\"Lg+ewC\":\"Pagamento e faturamento\",\"DZjk8u\":\"Configurações de pagamento e faturamento\",\"lflimf\":\"Prazo para pagamento\",\"JhtZAK\":\"Pagamento falhou\",\"JEdsvQ\":\"Instruções de pagamento\",\"bLB3MJ\":\"Métodos de pagamento\",\"QzmQBG\":\"Provedor de pagamento\",\"lsxOPC\":\"Pagamento recebido\",\"wJTzyi\":\"Status do pagamento\",\"xgav5v\":\"Pagamento realizado com sucesso!\",\"R29lO5\":\"Termos de pagamento\",\"/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\",\"hcX103\":\"Por favor, crie um produto\",\"cdR8d6\":\"Por favor, crie um ingresso\",\"x2mjl4\":\"Por favor, insira um URL de imagem válido que aponte para uma imagem.\",\"HnNept\":\"Por favor digite sua nova senha\",\"5FSIzj\":\"Observe\",\"C63rRe\":\"Por favor, volte para a página do evento para recomeçar.\",\"pJLvdS\":\"Por favor selecione\",\"Ewir4O\":\"Por favor, selecione pelo menos um produto\",\"igBrCH\":\"Verifique seu endereço de e-mail para acessar todos os recursos\",\"/IzmnP\":\"Por favor, aguarde enquanto preparamos a sua fatura...\",\"MOERNx\":\"Português\",\"qCJyMx\":\"Mensagem pós-check-out\",\"g2UNkE\":\"Distribuído por\",\"Rs7IQv\":\"Mensagem pré-checkout\",\"rdUucN\":\"Pré-visualização\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"BI7D9d\":\"Preço não definido\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Tipo de Preço\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Cor do texto principal\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Imprimir todos os ingressos\",\"DKwDdj\":\"Imprimir ingressos\",\"K47k8R\":\"Produto\",\"1JwlHk\":\"Categoria de Produto\",\"U61sAj\":\"Categoria de produto atualizada com sucesso.\",\"1USFWA\":\"Produto excluído com sucesso\",\"4Y2FZT\":\"Tipo de Preço do Produto\",\"mFwX0d\":\"Perguntas sobre o produto\",\"Lu+kBU\":\"Vendas de Produtos\",\"U/R4Ng\":\"Nível do Produto\",\"sJsr1h\":\"Tipo de Produto\",\"o1zPwM\":\"Pré-visualização do Widget de Produto\",\"ktyvbu\":\"Produto(s)\",\"N0qXpE\":\"Produtos\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Produtos vendidos\",\"/u4DIx\":\"Produtos Vendidos\",\"DJQEZc\":\"Produtos ordenados com sucesso\",\"vERlcd\":\"Perfil\",\"kUlL8W\":\"Perfil atualizado com sucesso\",\"cl5WYc\":[\"Código promocional \",[\"promo_code\"],\" aplicado\"],\"P5sgAk\":\"Código promocional\",\"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.\",\"OP094m\":\"Relatório de códigos promocionais\",\"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.\",\"toutGW\":\"Código QR\",\"LkMOWF\":\"Quantidade Disponível\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Pergunta excluída\",\"avf0gk\":\"Descrição da pergunta\",\"oQvMPn\":\"título da questão\",\"enzGAL\":\"Questões\",\"ROv2ZT\":\"Perguntas e Respostas\",\"K885Eq\":\"Perguntas classificadas com sucesso\",\"OMJ035\":\"Opção de rádio\",\"C4TjpG\":\"Leia menos\",\"I3QpvQ\":\"Destinatário\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso falhou\",\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Reembolso pendente\",\"xHpVRl\":\"Status do reembolso\",\"/BI0y9\":\"Devolveu\",\"fgLNSM\":\"Registro\",\"9+8Vez\":\"Usos restantes\",\"tasfos\":\"remover\",\"t/YqKh\":\"Remover\",\"t9yxlZ\":\"Relatórios\",\"prZGMe\":\"Exigir endereço de cobrança\",\"EGm34e\":\"Resend confirmation email\",\"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...\",\"OfhWJH\":\"Redefinir\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Voltar para a página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Papel\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Data de início da venda\",\"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\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Pesquise por nome do participante, e-mail ou número do pedido...\",\"+pr/FY\":\"Pesquisar por nome do evento...\",\"3zRbWw\":\"Pesquise por nome, e-mail ou número do pedido...\",\"L22Tdf\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"BiYOdA\":\"Procura por nome...\",\"YEjitp\":\"Pesquise por assunto ou conteúdo...\",\"Pjsch9\":\"Pesquisar atribuições de capacidade...\",\"r9M1hc\":\"Pesquisar listas de registro...\",\"+0Yy2U\":\"Buscar produtos\",\"YIix5Y\":\"Procurar...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Cor Secundária\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Cor do texto secundário\",\"02ePaq\":[\"Selecionar \",[\"0\"]],\"QuNKRX\":\"Selecione Câmera\",\"9FQEn8\":\"Selecione a categoria...\",\"kWI/37\":\"Selecione o organizador\",\"ixIx1f\":\"Selecione o Produto\",\"3oSV95\":\"Selecione o Nível do Produto\",\"C4Y1hA\":\"Selecione os produtos\",\"hAjDQy\":\"Selecione o status\",\"QYARw/\":\"Selecione o ingresso\",\"OMX4tH\":\"Selecionar ingressos\",\"DrwwNd\":\"Selecione o período de tempo\",\"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.\",\"M/WIer\":\"Enviar Mensagem\",\"D7ZemV\":\"Enviar confirmação do pedido e e-mail do ticket\",\"v1rRtW\":\"Enviar teste\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Descrição SEO\",\"/SIY6o\":\"Palavras-chave SEO\",\"GfWoKv\":\"Configurações de SEO\",\"rXngLf\":\"Título SEO\",\"/jZOZa\":\"Taxa de serviço\",\"Bj/QGQ\":\"Fixar um preço mínimo e permitir que os utilizadores paguem mais se assim o desejarem\",\"L0pJmz\":\"Defina o número inicial para a numeração das faturas. Isso não poderá ser alterado depois que as faturas forem geradas.\",\"nYNT+5\":\"Configure seu evento\",\"A8iqfq\":\"Defina seu evento ao vivo\",\"Tz0i8g\":\"Configurações\",\"Z8lGw6\":\"Compartilhar\",\"B2V3cA\":\"Compartilhar evento\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mostrar quantidade disponível do produto\",\"qDsmzu\":\"Mostrar perguntas ocultas\",\"fMPkxb\":\"Mostre mais\",\"izwOOD\":\"Mostrar impostos e taxas separadamente\",\"1SbbH8\":\"Mostrado ao cliente após o checkout, 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 correu mal\",\"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\":\"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.\",\"6a/UJE\":\"Desculpe, este código promocional não é reconhecido\",\"65A04M\":\"espanhol\",\"mFuBqb\":\"Produto padrão com preço fixo\",\"D3iCkb\":\"Data de início\",\"/2by1f\":\"Estado ou Região\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Os pagamentos via Stripe não estão ativados para este evento.\",\"UJmAAK\":\"Assunto\",\"X2rrlw\":\"Subtotal\",\"zzDlyQ\":\"Sucesso\",\"b0HJ45\":[\"Sucesso! \",[\"0\"],\" receberá um e-mail em breve.\"],\"BJIEiF\":[[\"0\"],\" participante com sucesso\"],\"OtgNFx\":\"Endereço de e-mail confirmado com sucesso\",\"IKwyaF\":\"Alteração de e-mail confirmada com sucesso\",\"zLmvhE\":\"Participante criado com sucesso\",\"gP22tw\":\"Produto Criado com Sucesso\",\"9mZEgt\":\"Código promocional criado com sucesso\",\"aIA9C4\":\"Pergunta criada com sucesso\",\"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\",\"4H80qv\":\"Pedido atualizado com sucesso\",\"6xCBVN\":\"Configurações de pagamento e faturamento atualizadas com sucesso\",\"1Ycaad\":\"Produto atualizado com sucesso\",\"70dYC8\":\"Código promocional atualizado com sucesso\",\"F+pJnL\":\"Configurações de SEO atualizadas com sucesso\",\"DXZRk5\":\"Suíte 100\",\"GNcfRk\":\"E-mail de suporte\",\"uRfugr\":\"Camiseta\",\"JpohL9\":\"Imposto\",\"geUFpZ\":\"Impostos e taxas\",\"dFHcIn\":\"Detalhes fiscais\",\"wQzCPX\":\"Informações fiscais que aparecerão na parte inferior de todas as faturas (ex.: número de IVA, registro fiscal)\",\"0RXCDo\":\"Imposto ou taxa excluídos com sucesso\",\"ZowkxF\":\"Impostos\",\"qu6/03\":\"Impostos e Taxas\",\"gypigA\":\"Esse código promocional é inválido\",\"5ShqeM\":\"A lista de check-in que você está procurando não existe.\",\"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.\",\"HsFnrk\":[\"O número máximo de produtos para \",[\"0\"],\" é \",[\"1\"]],\"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.\",\"vQkyB3\":\"Os impostos e taxas a serem aplicados a este produto. Você pode criar novos impostos e taxas no\",\"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\",\"wDx3FF\":\"Não há produtos disponíveis para este evento\",\"pNgdBv\":\"Não há produtos disponíveis nesta categoria\",\"rMcHYt\":\"Há um reembolso pendente. Aguarde a conclusão antes de solicitar outro reembolso.\",\"F89D36\":\"Ocorreu um erro ao marcar o pedido como pago\",\"68Axnm\":\"Houve um erro ao processar seu pedido. Por favor, tente novamente.\",\"mVKOW6\":\"Houve um erro ao enviar a sua mensagem\",\"AhBPHd\":\"Estes detalhes só serão mostrados se o pedido for concluído com sucesso. Pedidos aguardando pagamento não mostrarão esta mensagem.\",\"Pc/Wtj\":\"Este participante tem um pedido não pago.\",\"mf3FrP\":\"Esta categoria ainda não possui produtos.\",\"8QH2Il\":\"Esta categoria está oculta da visualização pública\",\"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\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Este e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Essas informações serão exibidas na página de pagamento, no resumo do pedido e no e-mail de confirmação do pedido.\",\"XAHqAg\":\"Este é um produto geral, como uma camiseta ou uma caneca. Nenhum ingresso será emitido\",\"CNk/ro\":\"Este é um evento on-line\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Esta mensagem será incluída no rodapé de todos os e-mails enviados deste evento\",\"55i7Fa\":\"Esta mensagem só será mostrada se o pedido for concluído com sucesso. Pedidos aguardando pagamento não mostrarão esta mensagem.\",\"RjwlZt\":\"Este pedido já foi pago.\",\"5K8REg\":\"Este pedido já foi reembolsado.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"Q0zd4P\":\"Este pedido expirou. Por favor, recomece.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Esta página de pedido não está mais disponível.\",\"i0TtkR\":\"Isso substitui todas as configurações de visibilidade e ocultará o produto de todos os clientes.\",\"cRRc+F\":\"Este produto não pode ser excluído porque está associado a um pedido. Você pode ocultá-lo em vez disso.\",\"3Kzsk7\":\"Este produto é um ingresso. Os compradores receberão um ingresso ao comprar\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Esta pergunta só é visível para o organizador do evento\",\"os29v1\":\"Este link de redefinição de senha é inválido ou expirou.\",\"IV9xTT\":\"Este usuário não está ativo porque não aceitou o convite.\",\"5AnPaO\":\"bilhete\",\"kjAL4v\":\"Bilhete\",\"dtGC3q\":\"O e-mail do ticket foi reenviado ao participante\",\"54q0zp\":\"Ingressos para\",\"xN9AhL\":[\"Nível \",[\"0\"]],\"jZj9y9\":\"Produto em Camadas\",\"8wITQA\":\"Os produtos escalonados permitem que você ofereça múltiplas opções de preço para o mesmo produto. Isso é perfeito para produtos antecipados ou para oferecer diferentes opções de preço para diferentes grupos de pessoas.\\\" # pt\",\"nn3mSR\":\"Tempo restante:\",\"s/0RpH\":\"Tempos usados\",\"y55eMd\":\"Vezes usado\",\"40Gx0U\":\"Fuso horário\",\"oDGm7V\":\"DICA\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Ferramentas\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total antes de descontos\",\"NRWNfv\":\"Montante total do desconto\",\"BxsfMK\":\"Taxas totais\",\"2bR+8v\":\"Total de vendas brutas\",\"mpB/d9\":\"Valor total do pedido\",\"m3FM1g\":\"Total reembolsado\",\"jEbkcB\":\"Total Reembolsado\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Taxa total\",\"+zy2Nq\":\"Tipo\",\"FMdMfZ\":\"Não foi possível registrar o participante\",\"bPWBLL\":\"Não foi possível retirar o participante\",\"9+P7zk\":\"Não foi possível criar o produto. Por favor, verifique seus detalhes\",\"WLxtFC\":\"Não foi possível criar o produto. Por favor, verifique seus detalhes\",\"/cSMqv\":\"Não foi possível criar a pergunta. Por favor verifique os seus dados\",\"MH/lj8\":\"Não foi possível atualizar a pergunta. Por favor verifique os seus dados\",\"nnfSdK\":\"Clientes únicos\",\"Mqy/Zy\":\"Estados Unidos\",\"NIuIk1\":\"Ilimitado\",\"/p9Fhq\":\"Ilimitado disponível\",\"E0q9qH\":\"Usos ilimitados permitidos\",\"h10Wm5\":\"Pedido não pago\",\"ia8YsC\":\"Por vir\",\"TlEeFv\":\"Próximos eventos\",\"L/gNNk\":[\"Atualizar \",[\"0\"]],\"+qqX74\":\"Atualizar nome, descrição e datas do evento\",\"vXPSuB\":\"Atualizar perfil\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copiado para a área de transferência\",\"e5lF64\":\"Exemplo de uso\",\"fiV0xj\":\"Limite 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\",\"jpctdh\":\"Visualizar\",\"Pte1Hv\":\"Ver Detalhes do Participante\",\"/5PEQz\":\"Ver página do evento\",\"fFornT\":\"Ver mensagem completa\",\"YIsEhQ\":\"Ver mapa\",\"Ep3VfY\":\"Ver no Google Maps\",\"Y8s4f6\":\"View order details\",\"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.\",\"45Srzt\":\"Não conseguimos excluir a categoria. Por favor, tente novamente.\",\"/DNy62\":[\"Não encontramos nenhum ingresso correspondente a \",[\"0\"]],\"1E0vyy\":\"Não foi possível carregar os dados. Por favor, tente novamente.\",\"NmpGKr\":\"Não conseguimos reordenar as categorias. Por favor, tente novamente.\",\"BJtMTd\":\"Recomendamos dimensões de 2160px por 1080px e tamanho máximo de arquivo de 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"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\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"O que são Produtos em Camadas?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"O que é uma Categoria?\",\"gxeWAU\":\"A quais produtos este código se aplica?\",\"hFHnxR\":\"A quais produtos este código se aplica? (Aplica-se a todos por padrão)\",\"AeejQi\":\"A quais produtos essa capacidade deve se aplicar?\",\"Rb0XUE\":\"A que horas você chegará?\",\"5N4wLD\":\"Que tipo de pergunta é essa?\",\"gyLUYU\":\"Quando ativado, as faturas serão geradas para os pedidos de ingressos. As faturas serão enviadas junto com o e-mail de confirmação do pedido. Os participantes também podem baixar suas faturas na página de confirmação do pedido.\",\"D3opg4\":\"Quando os pagamentos offline estão ativados, os usuários poderão concluir seus pedidos e receber seus ingressos. Seus ingressos indicarão claramente que o pedido não foi pago, e a ferramenta de check-in notificará a equipe se um pedido exigir pagamento.\",\"D7C6XV\":\"When should this check-in list expire?\",\"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?\",\"VxFvXQ\":\"Incorporação de widget\",\"v1P7Gm\":\"Configurações de widget\",\"b4itZn\":\"Trabalhando\",\"hqmXmc\":\"Trabalhando...\",\"+G/XiQ\":\"Ano até agora\",\"l75CjT\":\"Yes\",\"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\",\"sdB7+6\":\"Você pode criar um código promocional que direcione este produto no\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Você não pode mudar o tipo de produto, pois há participantes associados a este produto.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Você não pode registrar participantes com pedidos não pagos. Essa configuração pode ser alterada nas configurações do evento.\",\"c9Evkd\":\"Você não pode excluir a última categoria.\",\"6uwAvx\":\"Você não pode excluir este nível de preço porque já há produtos vendidos para este nível. Você pode ocultá-lo em vez disso.\",\"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\":\"You do not have permission to access this page\",\"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\":\"You have connected your Stripe account\",\"ofEncr\":\"Você não tem perguntas dos participantes.\",\"CoZHDB\":\"Você não tem perguntas sobre pedidos.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"O tempo para concluir seu pedido acabou.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de produtos específicos.\",\"R6i9o9\":\"Você deve reconhecer que este e-mail não é promocional\",\"3ZI8IL\":\"Você deve concordar com os termos e condições\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Você deve criar um ticket antes de poder adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos uma faixa de preço\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Você terá que marcar um pedido como pago manualmente. Isso pode ser feito na página de gerenciamento de pedidos.\",\"L/+xOk\":\"Você precisará de um ingresso antes de poder criar uma lista de registro.\",\"Djl45M\":\"Você precisará de um produto antes de poder criar uma atribuição de capacidade.\",\"y3qNri\":\"Você precisará de pelo menos um produto para começar. Grátis, pago ou deixe o usuário decidir o que pagar.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Seu pedido\",\"Jwiilf\":\"Seu pedido foi cancelado\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Seu reembolso está sendo processado.\",\"IFHV2p\":\"Seu ingresso para\",\"x1PPdr\":\"CEP / Código Postal\",\"BM/KQm\":\"CEP ou Código postal\",\"+LtVBt\":\"CEP ou Código Postal\",\"25QDJ1\":\"- Clique para publicar\",\"WOyJmc\":\"- Clique para despublicar\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" já fez check-in\"],\"S4PqS9\":[[\"0\"],\" webhooks ativos\"],\"6MIiOI\":[[\"0\"],\" restante\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" organizadores\"],\"/HkCs4\":[[\"0\"],\" bilhetes\"],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Taxas/Impostos\",\"B1St2O\":\"<0>As listas de check-in ajudam-no a gerir a entrada no evento por dia, área ou tipo de bilhete. Pode vincular bilhetes a listas específicas, como zonas VIP ou passes do Dia 1, e partilhar uma ligação de check-in segura com a equipa. Não é necessária conta. O check-in funciona em dispositivos móveis, computador ou tablet, usando a câmara do dispositivo ou um scanner USB HID. \",\"ZnVt5v\":\"<0>Os webhooks notificam instantaneamente serviços externos quando eventos ocorrem, como adicionar um novo participante ao seu CRM ou lista de e-mails no momento do registro, garantindo uma automação perfeita.<1>Use serviços de terceiros como <2>Zapier, <3>IFTTT ou <4>Make para criar fluxos de trabalho personalizados e automatizar tarefas.\",\"fAv9QG\":\"🎟️ Adicionar ingressos\",\"M2DyLc\":\"1 webhook ativo\",\"yTsaLw\":\"1 bilhete\",\"HR/cvw\":\"Rua Exemplo 123\",\"kMU5aM\":\"Um aviso de cancelamento foi enviado para\",\"V53XzQ\":\"Um novo código de verificação foi enviado para o seu email\",\"/z/bH1\":\"Uma breve descrição do seu organizador que será exibida aos seus usuários.\",\"aS0jtz\":\"Abandonado\",\"uyJsf6\":\"Sobre\",\"WTk/ke\":\"Sobre o Stripe Connect\",\"1uJlG9\":\"Cor de Destaque\",\"VTfZPy\":\"Acesso negado\",\"iN5Cz3\":\"Conta já conectada!\",\"bPwFdf\":\"Contas\",\"nMtNd+\":\"Ação necessária: Reconecte sua conta Stripe\",\"AhwTa1\":\"Ação Necessária: Informações de IVA Necessárias\",\"a5KFZU\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"6PNlRV\":\"Adicione este evento ao seu calendário\",\"BGD9Yt\":\"Adicionar ingressos\",\"QN2F+7\":\"Adicionar Webhook\",\"NsWqSP\":\"Adicione seus perfis de redes sociais e o URL do site. Eles serão exibidos na sua página pública de organizador.\",\"0Zypnp\":\"Painel de Administração\",\"YAV57v\":\"Afiliado\",\"I+utEq\":\"O código de afiliado não pode ser alterado\",\"/jHBj5\":\"Afiliado criado com sucesso\",\"uCFbG2\":\"Afiliado eliminado com sucesso\",\"a41PKA\":\"As vendas do afiliado serão rastreadas\",\"mJJh2s\":\"As vendas do afiliado não serão rastreadas. Isto irá desativar o afiliado.\",\"jabmnm\":\"Afiliado atualizado com sucesso\",\"CPXP5Z\":\"Afiliados\",\"9Wh+ug\":\"Afiliados exportados\",\"3cqmut\":\"Os afiliados ajudam-no a rastrear vendas geradas por parceiros e influenciadores. Crie códigos de afiliado e partilhe-os para monitorizar o desempenho.\",\"7rLTkE\":\"Todos os eventos arquivados\",\"gKq1fa\":\"Todos os participantes\",\"pMLul+\":\"Todas as moedas\",\"qlaZuT\":\"Tudo pronto! Agora está a usar o nosso sistema de pagamentos melhorado.\",\"ZS/D7f\":\"Todos os eventos encerrados\",\"dr7CWq\":\"Todos os próximos eventos\",\"QUg5y1\":\"Quase lá! Termine de conectar sua conta Stripe para começar a aceitar pagamentos.\",\"c4uJfc\":\"Quase lá! Estamos apenas a aguardar que o seu pagamento seja processado. Isto deve demorar apenas alguns segundos.\",\"/H326L\":\"Já reembolsado\",\"RtxQTF\":\"Também cancelar este pedido\",\"jkNgQR\":\"Também reembolsar este pedido\",\"xYqsHg\":\"Sempre disponível\",\"Zkymb9\":\"Um email para associar a este afiliado. O afiliado não será notificado.\",\"vRznIT\":\"Ocorreu um erro ao verificar o status da exportação.\",\"eusccx\":\"Uma mensagem opcional para exibir no produto destacado, por exemplo \\\"A vender rapidamente 🔥\\\" ou \\\"Melhor valor\\\"\",\"QNrkms\":\"Resposta atualizada com sucesso.\",\"LchiNd\":\"Tem a certeza de que deseja eliminar este afiliado? Esta ação não pode ser anulada.\",\"JmVITJ\":\"Tem certeza de que deseja excluir este modelo? Esta ação não pode ser desfeita e os e-mails voltarão ao modelo padrão.\",\"aLS+A6\":\"Tem certeza de que deseja excluir este modelo? Esta ação não pode ser desfeita e os e-mails voltarão ao modelo do organizador ou padrão.\",\"5H3Z78\":\"Tem certeza de que deseja excluir este webhook?\",\"147G4h\":\"Tem a certeza de que quer sair?\",\"VDWChT\":\"Tem certeza de que deseja definir este organizador como rascunho? Isso tornará a página do organizador invisível ao público.\",\"pWtQJM\":\"Tem certeza de que deseja tornar este organizador público? Isso tornará a página do organizador visível ao público.\",\"WFHOlF\":\"Tem a certeza de que deseja publicar este evento? Uma vez publicado, será visível ao público.\",\"4TNVdy\":\"Tem a certeza de que deseja publicar este perfil de organizador? Uma vez publicado, será visível ao público.\",\"ExDt3P\":\"Tem a certeza de que deseja despublicar este evento? Já não será visível ao público.\",\"5Qmxo/\":\"Tem a certeza de que deseja despublicar este perfil de organizador? Já não será visível ao público.\",\"Uqefyd\":\"Está registado para IVA na UE?\",\"+QARA4\":\"Arte\",\"tLf3yJ\":\"Como a sua empresa está sediada na Irlanda, o IVA irlandês de 23% aplica-se automaticamente a todas as taxas da plataforma.\",\"QGoXh3\":\"Como a sua empresa está sediada na UE, precisamos determinar o tratamento correto de IVA para as nossas taxas de plataforma:\",\"F2rX0R\":\"Pelo menos um tipo de evento deve ser selecionado\",\"6PecK3\":\"Presença e taxas de registo em todos os eventos\",\"AJ4rvK\":\"Participante cancelado\",\"qvylEK\":\"Participante criado\",\"DVQSxl\":\"Os detalhes do participante serão copiados das informações do pedido.\",\"0R3Y+9\":\"E-mail do participante\",\"KkrBiR\":\"Recolha de informações do participante\",\"XBLgX1\":\"A recolha de informações do participante está definida como \\\"Por pedido\\\". Os detalhes do participante serão copiados das informações do pedido.\",\"Xc2I+v\":\"Gestão de participantes\",\"av+gjP\":\"Nome do participante\",\"cosfD8\":\"Status do Participante\",\"D2qlBU\":\"Participante atualizado\",\"x8Vnvf\":\"O bilhete do participante não está incluído nesta lista\",\"k3Tngl\":\"Participantes exportados\",\"5UbY+B\":\"Participantes com um ingresso específico\",\"4HVzhV\":\"Participantes:\",\"VPoeAx\":\"Gestão automatizada de entrada com várias listas de check-in e validação em tempo real\",\"PZ7FTW\":\"Detetado automaticamente com base na cor de fundo, mas pode ser substituído\",\"clF06r\":\"Disponível para reembolso\",\"NB5+UG\":\"Tokens disponíveis\",\"EmYMHc\":\"Aguardando pagamento offline\",\"kNmmvE\":\"Awesome Events Lda.\",\"kYqM1A\":\"Voltar ao evento\",\"td/bh+\":\"Voltar aos Relatórios\",\"jIPNJG\":\"Informações básicas\",\"iMdwTb\":\"Antes que seu evento possa ser publicado, há algumas coisas que você precisa fazer. Conclua todas as etapas abaixo para começar.\",\"UabgBd\":\"O corpo é obrigatório\",\"9N+p+g\":\"Negócios\",\"bv6RXK\":\"Rótulo do botão\",\"ChDLlO\":\"Texto do botão\",\"DFqasq\":[\"Ao continuar, concorda com os <0>Termos de Serviço de \",[\"0\"],\"\"],\"2VLZwd\":\"Botão de chamada para ação\",\"PUpvQe\":\"Scanner de câmera\",\"H4nE+E\":\"Cancelar todos os produtos e devolvê-los ao conjunto disponível\",\"tOXAdc\":\"Cancelar irá cancelar todos os participantes associados a este pedido e devolver os bilhetes ao conjunto disponível.\",\"IrUqjC\":\"Não é Possível Fazer Check-In (Cancelado)\",\"VsM1HH\":\"Atribuições de capacidade\",\"K7tIrx\":\"Categoria\",\"2tbLdK\":\"Caridade\",\"v4fiSg\":\"Verifique o seu email\",\"51AsAN\":\"Verifique sua caixa de entrada! Se houver ingressos associados a este e-mail, você receberá um link para visualizá-los.\",\"udRwQs\":\"Check-in criado\",\"F4SRy3\":\"Check-in excluído\",\"9gPPUY\":\"Lista de Check-In Criada!\",\"f2vU9t\":\"Listas de Registo\",\"tMNBEF\":\"As listas de check-in permitem controlar a entrada por dias, áreas ou tipos de bilhete. Pode partilhar uma ligação segura com a equipa — não é necessária conta.\",\"SHJwyq\":\"Taxa de registo\",\"qCqdg6\":\"Estado do Check-In\",\"cKj6OE\":\"Resumo de Registo\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinês (Tradicional)\",\"pkk46Q\":\"Escolha um organizador\",\"Crr3pG\":\"Escolher calendário\",\"CySr+W\":\"Clique para ver as notas\",\"RG3szS\":\"fechar\",\"RWw9Lg\":\"Fechar modal\",\"XwdMMg\":\"O código só pode conter letras, números, hífenes e underscores\",\"+yMJb7\":\"O código é obrigatório\",\"m9SD3V\":\"O código deve ter pelo menos 3 caracteres\",\"V1krgP\":\"O código não deve ter mais de 20 caracteres\",\"psqIm5\":\"Colabore com sua equipe para criar eventos incríveis juntos.\",\"4bUH9i\":\"Recolher detalhes do participante para cada bilhete adquirido.\",\"FpsvqB\":\"Modo de Cor\",\"jEu4bB\":\"Colunas\",\"CWk59I\":\"Comédia\",\"7D9MJz\":\"Concluir configuração do Stripe\",\"OqEV/G\":\"Complete a configuração abaixo para continuar\",\"nqx+6h\":\"Complete estas etapas para começar a vender ingressos para o seu evento.\",\"5YrKW7\":\"Conclua o pagamento para garantir os seus bilhetes.\",\"ih35UP\":\"Centro de conferências\",\"NGXKG/\":\"Confirmar endereço de e-mail\",\"Auz0Mz\":\"Confirme seu e-mail para acessar todos os recursos.\",\"7+grte\":\"E-mail de confirmação enviado! Verifique sua caixa de entrada.\",\"n/7+7Q\":\"Confirmação enviada para\",\"o5A0Go\":\"Parabéns por criar um evento!\",\"WNnP3w\":\"Conectar e atualizar\",\"Xe2tSS\":\"Documentação de conexão\",\"1Xxb9f\":\"Conectar processamento de pagamento\",\"LmvZ+E\":\"Conecte o Stripe para ativar mensagens\",\"EWnXR+\":\"Conectar ao Stripe\",\"MOUF31\":\"Conecte-se ao CRM e automatize tarefas usando webhooks e integrações\",\"VioGG1\":\"Conecte sua conta Stripe para aceitar pagamentos de ingressos e produtos.\",\"4qmnU8\":\"Conecte sua conta Stripe para aceitar pagamentos.\",\"E1eze1\":\"Conecte sua conta Stripe para começar a aceitar pagamentos para os seus eventos.\",\"ulV1ju\":\"Conecte sua conta Stripe para começar a aceitar pagamentos.\",\"/3017M\":\"Conectado ao Stripe\",\"jfC/xh\":\"Contato\",\"LOFgda\":[\"Contato \",[\"0\"]],\"41BQ3k\":\"Email de contacto\",\"KcXRN+\":\"E-mail de contato para suporte\",\"m8WD6t\":\"Continuar configuração\",\"0GwUT4\":\"Continuar para o pagamento\",\"sBV87H\":\"Continuar para a criação do evento\",\"nKtyYu\":\"Continuar para o próximo passo\",\"F3/nus\":\"Continuar para pagamento\",\"1JnTgU\":\"Copiado de cima\",\"FxVG/l\":\"Copiado para a área de transferência\",\"PiH3UR\":\"Copiado!\",\"uUPbPg\":\"Copiar link de afiliado\",\"iVm46+\":\"Copiar código\",\"+2ZJ7N\":\"Copiar detalhes para o primeiro participante\",\"ZN1WLO\":\"Copiar Email\",\"tUGbi8\":\"Copiar meus dados para:\",\"y22tv0\":\"Copie este link para compartilhá-lo em qualquer lugar\",\"/4gGIX\":\"Copiar para a área de transferência\",\"P0rbCt\":\"Imagem de capa\",\"60u+dQ\":\"A imagem de capa será exibida no topo da sua página de evento\",\"2NLjA6\":\"A imagem de capa será exibida no topo da página do organizador\",\"zg4oSu\":[\"Criar modelo \",[\"0\"]],\"xfKgwv\":\"Criar afiliado\",\"dyrgS4\":\"Crie e personalize sua página de evento instantaneamente\",\"BTne9e\":\"Criar modelos de e-mail personalizados para este evento que substituem os padrões do organizador\",\"YIDzi/\":\"Criar modelo personalizado\",\"8AiKIu\":\"Criar ingresso ou produto\",\"agZ87r\":\"Crie ingressos para o seu evento, defina preços e gerencie a quantidade disponível.\",\"dkAPxi\":\"Criar Webhook\",\"5slqwZ\":\"Crie seu evento\",\"JQNMrj\":\"Crie o seu primeiro evento\",\"CCjxOC\":\"Crie seu primeiro evento para começar a vender ingressos e gerenciar participantes.\",\"ZCSSd+\":\"Crie seu próprio evento\",\"67NsZP\":\"A criar evento...\",\"H34qcM\":\"A criar organizador...\",\"1YMS+X\":\"A criar o seu evento, por favor aguarde\",\"yiy8Jt\":\"A criar o seu perfil de organizador, por favor aguarde\",\"lfLHNz\":\"O rótulo CTA é obrigatório\",\"BMtue0\":\"Processador de pagamentos atual\",\"iTvh6I\":\"Atualmente disponível para compra\",\"mimF6c\":\"Mensagem personalizada após o checkout\",\"axv/Mi\":\"Modelo personalizado\",\"QMHSMS\":\"O cliente receberá um email confirmando o reembolso\",\"L/Qc+w\":\"Endereço de e-mail do cliente\",\"wpfWhJ\":\"Primeiro nome do cliente\",\"GIoqtA\":\"Sobrenome do cliente\",\"NihQNk\":\"Clientes\",\"7gsjkI\":\"Personalize os e-mails enviados aos seus clientes usando modelos Liquid. Estes modelos serão usados como padrões para todos os eventos em sua organização.\",\"iX6SLo\":\"Personalize o texto exibido no botão continuar\",\"pxNIxa\":\"Personalize seu modelo de e-mail usando modelos Liquid\",\"q9Jg0H\":\"Personalize sua página do evento e o design do widget para combinar perfeitamente com sua marca\",\"mkLlne\":\"Personalize a aparência da sua página de evento\",\"3trPKm\":\"Personalize a aparência da sua página de organizador\",\"4df0iX\":\"Personalize a aparência do seu bilhete\",\"/gWrVZ\":\"Receita diária, impostos, taxas e reembolsos em todos os eventos\",\"zgCHnE\":\"Relatório de vendas diárias\",\"nHm0AI\":\"Detalhamento das vendas diárias, impostos e taxas\",\"pvnfJD\":\"Escuro\",\"lnYE59\":\"Data do evento\",\"gnBreG\":\"Data em que o pedido foi feito\",\"JtI4vj\":\"Recolha predefinida de informações do participante\",\"1bZAZA\":\"O modelo padrão será usado\",\"vu7gDm\":\"Eliminar afiliado\",\"+jw/c1\":\"Excluir imagem\",\"dPyJ15\":\"Excluir modelo\",\"snMaH4\":\"Excluir webhook\",\"vYgeDk\":\"Desselecionar tudo\",\"NvuEhl\":\"Elementos de Design\",\"H8kMHT\":\"Não recebeu o código?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dispensar esta mensagem\",\"BREO0S\":\"Exibe uma caixa de seleção permitindo que os clientes optem por receber comunicações de marketing deste organizador de eventos.\",\"TvY/XA\":\"Documentação\",\"Kdpf90\":\"Não se esqueça!\",\"V6Jjbr\":\"Não tem uma conta? <0>Cadastre-se\",\"AXXqG+\":\"Donativo\",\"DPfwMq\":\"Concluído\",\"eneWvv\":\"Rascunho\",\"TnzbL+\":\"Devido ao alto risco de spam, você deve conectar uma conta Stripe antes de poder enviar mensagens aos participantes.\\nIsso é para garantir que todos os organizadores de eventos sejam verificados e responsáveis.\",\"euc6Ns\":\"Duplicar\",\"KRmTkx\":\"Duplicar produto\",\"KIjvtr\":\"Holandês\",\"SPKbfM\":\"ex.: Comprar ingressos, Registrar-se agora\",\"LTzmgK\":[\"Editar modelo \",[\"0\"]],\"v4+lcZ\":\"Editar afiliado\",\"2iZEz7\":\"Editar resposta\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Educação\",\"zPiC+q\":\"Listas de Check-In Elegíveis\",\"V2sk3H\":\"E-mail e Modelos\",\"hbwCKE\":\"Endereço de email copiado para a área de transferência\",\"dSyJj6\":\"Os endereços de e-mail não coincidem\",\"elW7Tn\":\"Corpo do e-mail\",\"ZsZeV2\":\"O email é obrigatório\",\"Be4gD+\":\"Visualização do e-mail\",\"6IwNUc\":\"Modelos de e-mail\",\"H/UMUG\":\"Verificação de e-mail necessária\",\"L86zy2\":\"Email verificado com sucesso!\",\"Upeg/u\":\"Habilitar este modelo para enviar e-mails\",\"RxzN1M\":\"Ativado\",\"sGjBEq\":\"Data e hora de término (opcional)\",\"PKXt9R\":\"A data de término deve ser posterior à data de início\",\"48Y16Q\":\"Hora de fim (opcional)\",\"7YZofi\":\"Digite um assunto e corpo para ver a visualização\",\"3bR1r4\":\"Introduza o email do afiliado (opcional)\",\"ARkzso\":\"Introduza o nome do afiliado\",\"INDKM9\":\"Digite o assunto do e-mail...\",\"kWg31j\":\"Introduza um código de afiliado único\",\"C3nD/1\":\"Digite seu e-mail\",\"n9V+ps\":\"Digite seu nome\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Erro ao carregar os registros\",\"AKbElk\":\"Empresas registadas para IVA na UE: Aplica-se o mecanismo de autoliquidação (0% - Artigo 196 da Diretiva IVA 2006/112/CE)\",\"WgD6rb\":\"Categoria do evento\",\"b46pt5\":\"Imagem de capa do evento\",\"1Hzev4\":\"Modelo personalizado do evento\",\"imgKgl\":\"Descrição do evento\",\"kJDmsI\":\"Detalhes do evento\",\"m/N7Zq\":\"Endereço Completo do Evento\",\"Nl1ZtM\":\"Local do evento\",\"PYs3rP\":\"Nome do evento\",\"HhwcTQ\":\"Nome do evento\",\"WZZzB6\":\"O nome do evento é obrigatório\",\"Wd5CDM\":\"O nome do evento deve ter menos de 150 caracteres\",\"4JzCvP\":\"Evento não disponível\",\"Gh9Oqb\":\"Nome do organizador do evento\",\"mImacG\":\"Página do Evento\",\"cOePZk\":\"Hora do evento\",\"e8WNln\":\"Fuso horário do evento\",\"GeqWgj\":\"Fuso Horário do Evento\",\"XVLu2v\":\"Título do evento\",\"YDVUVl\":\"Tipos de eventos\",\"4K2OjV\":\"Local do Evento\",\"19j6uh\":\"Desempenho de Eventos\",\"PC3/fk\":\"Eventos a Iniciar nas Próximas 24 Horas\",\"fTFfOK\":\"Todo modelo de e-mail deve incluir um botão de chamada para ação que leva à página apropriada\",\"VlvpJ0\":\"Exportar respostas\",\"JKfSAv\":\"Falha na exportação. Por favor, tente novamente.\",\"SVOEsu\":\"Exportação iniciada. Preparando arquivo...\",\"9bpUSo\":\"A exportar afiliados\",\"jtrqH9\":\"Exportando participantes\",\"R4Oqr8\":\"Exportação concluída. Baixando arquivo...\",\"UlAK8E\":\"Exportando pedidos\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Falha ao abandonar o pedido. Por favor, tente novamente.\",\"cEFg3R\":\"Falha ao criar afiliado\",\"U66oUa\":\"Falha ao criar modelo\",\"xFj7Yj\":\"Falha ao excluir modelo\",\"jo3Gm6\":\"Falha ao exportar afiliados\",\"Jjw03p\":\"Falha ao exportar participantes\",\"ZPwFnN\":\"Falha ao exportar pedidos\",\"X4o0MX\":\"Falha ao carregar o Webhook\",\"YQ3QSS\":\"Falha ao reenviar código de verificação\",\"zTkTF3\":\"Falha ao salvar modelo\",\"l6acRV\":\"Falha ao guardar as definições de IVA. Por favor, tente novamente.\",\"T6B2gk\":\"Falha ao enviar mensagem. Por favor, tente novamente.\",\"lKh069\":\"Falha ao iniciar a exportação\",\"t/KVOk\":\"Falha ao iniciar a personificação. Por favor, tente novamente.\",\"QXgjH0\":\"Falha ao parar a personificação. Por favor, tente novamente.\",\"i0QKrm\":\"Falha ao atualizar afiliado\",\"NNc33d\":\"Falha ao atualizar a resposta.\",\"7/9RFs\":\"Falha ao carregar imagem.\",\"nkNfWu\":\"Falha ao enviar imagem. Por favor, tente novamente.\",\"rxy0tG\":\"Falha ao verificar email\",\"T4BMxU\":\"As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Preencha primeiro os seus dados acima\",\"8OvVZZ\":\"Filtrar Participantes\",\"8BwQeU\":\"Terminar configuração\",\"hg80P7\":\"Terminar configuração do Stripe\",\"1vBhpG\":\"Primeiro participante\",\"YXhom6\":\"Taxa fixa:\",\"KgxI80\":\"Bilhetagem flexível\",\"lWxAUo\":\"Comida e bebida\",\"nFm+5u\":\"Texto do Rodapé\",\"MY2SVM\":\"Reembolso total\",\"vAVBBv\":\"Totalmente integrado\",\"T02gNN\":\"Admissão Geral\",\"3ep0Gx\":\"Informações gerais sobre seu organizador\",\"ziAjHi\":\"Gerar\",\"exy8uo\":\"Gerar código\",\"4CETZY\":\"Obter direções\",\"kfVY6V\":\"Comece gratuitamente, sem taxas de assinatura\",\"u6FPxT\":\"Obter Bilhetes\",\"8KDgYV\":\"Prepare seu evento\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Ir para a página do evento\",\"gHSuV/\":\"Ir para a página inicial\",\"6nDzTl\":\"Boa legibilidade\",\"n8IUs7\":\"Receita Bruta\",\"kTSQej\":[\"Olá \",[\"0\"],\", gerencie sua plataforma daqui.\"],\"dORAcs\":\"Aqui estão todos os ingressos associados ao seu endereço de e-mail.\",\"g+2103\":\"Aqui está o seu link de afiliado\",\"QlwJ9d\":\"Aqui está o que esperar:\",\"D+zLDD\":\"Oculto\",\"Rj6sIY\":\"Ocultar Opções Adicionais\",\"P+5Pbo\":\"Ocultar respostas\",\"gtEbeW\":\"Destacar\",\"NF8sdv\":\"Mensagem de destaque\",\"MXSqmS\":\"Destacar este produto\",\"7ER2sc\":\"Destacado\",\"sq7vjE\":\"Os produtos destacados terão uma cor de fundo diferente para se destacarem na página do evento.\",\"i0qMbr\":\"Início\",\"AVpmAa\":\"Como pagar offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Húngaro\",\"4/kP5a\":\"Se uma nova aba não abriu automaticamente, clique no botão abaixo para continuar para o pagamento.\",\"PYVWEI\":\"Se registado, forneça o seu número de IVA para validação\",\"wOU3Tr\":\"Se você tem uma conta conosco, receberá um e-mail com instruções para redefinir sua senha.\",\"an5hVd\":\"Imagens\",\"tSVr6t\":\"Personificar\",\"TWXU0c\":\"Personificar utilizador\",\"5LAZwq\":\"Personificação iniciada\",\"IMwcdR\":\"Personificação parada\",\"M8M6fs\":\"Importante: Reconexão Stripe necessária\",\"jT142F\":[\"Em \",[\"diffHours\"],\" horas\"],\"OoSyqO\":[\"Em \",[\"diffMinutes\"],\" minutos\"],\"UJLg8x\":\"Análises detalhadas\",\"cljs3a\":\"Indique se está registado para IVA na UE\",\"F1Xp97\":\"Participantes individuais\",\"85e6zs\":\"Inserir token Liquid\",\"38KFY0\":\"Inserir variável\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Email inválido\",\"5tT0+u\":\"Formato de email inválido\",\"tnL+GP\":\"Sintaxe Liquid inválida. Por favor, corrija-a e tente novamente.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Convidar um membro da equipe\",\"1z26sk\":\"Convidar membro da equipe\",\"KR0679\":\"Convidar membros da equipe\",\"aH6ZIb\":\"Convide sua equipe\",\"IuMGvq\":\"Fatura\",\"y0meFR\":\"O IVA irlandês de 23% será aplicado às taxas da plataforma (fornecimento doméstico).\",\"Lj7sBL\":\"Italiano\",\"F5/CBH\":\"item(ns)\",\"BzfzPK\":\"Itens\",\"nCywLA\":\"Participe de qualquer lugar\",\"hTJ4fB\":\"Basta clicar no botão abaixo para reconectar sua conta Stripe.\",\"MxjCqk\":\"Apenas procurando seus ingressos?\",\"lB2hSG\":[\"Mantenha-me atualizado sobre notícias e eventos de \",[\"0\"]],\"h0Q9Iw\":\"Última resposta\",\"gw3Ur5\":\"Última ativação\",\"1njn7W\":\"Claro\",\"1qY5Ue\":\"Link expirado ou inválido\",\"psosdY\":\"Link para detalhes do pedido\",\"6JzK4N\":\"Link para o ingresso\",\"shkJ3U\":\"Conecte sua conta Stripe para receber fundos das vendas de ingressos.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Ao vivo\",\"fpMs2Z\":\"AO VIVO\",\"D9zTjx\":\"Eventos ao Vivo\",\"WdmJIX\":\"Carregando pré-visualização...\",\"IoDI2o\":\"Carregando tokens...\",\"NFxlHW\":\"Carregando webhooks\",\"iG7KNr\":\"Logotipo\",\"vu7ZGG\":\"Logo e Capa\",\"gddQe0\":\"Logo e imagem de capa para seu organizador\",\"TBEnp1\":\"O logo será exibido no cabeçalho\",\"Jzu30R\":\"O logotipo será exibido no bilhete\",\"4wUIjX\":\"Torne seu evento ao vivo\",\"0A7TvI\":\"Gerenciar evento\",\"2FzaR1\":\"Gerencie seu processamento de pagamentos e visualize as taxas da plataforma\",\"/x0FyM\":\"Corresponde à sua marca\",\"xDAtGP\":\"Mensagem\",\"1jRD0v\":\"Enviar mensagens aos participantes com tickets específicos\",\"97QrnA\":\"Envie mensagens aos participantes, gerencie pedidos e processe reembolsos em um só lugar\",\"48rf3i\":\"A mensagem não pode exceder 5000 caracteres\",\"Vjat/X\":\"A mensagem é obrigatória\",\"0/yJtP\":\"Enviar mensagem para proprietários de pedidos com produtos específicos\",\"tccUcA\":\"Check-in móvel\",\"GfaxEk\":\"Música\",\"oVGCGh\":\"Meus Ingressos\",\"8/brI5\":\"O nome é obrigatório\",\"sCV5Yc\":\"Nome do evento\",\"xxU3NX\":\"Receita Líquida\",\"eWRECP\":\"Vida noturna\",\"HSw5l3\":\"Não - Sou um particular ou empresa não registada para IVA\",\"VHfLAW\":\"Sem contas\",\"+jIeoh\":\"Nenhuma conta encontrada\",\"074+X8\":\"Nenhum webhook ativo\",\"zxnup4\":\"Sem afiliados para mostrar\",\"99ntUF\":\"Nenhuma lista de check-in disponível para este evento.\",\"6r9SGl\":\"Nenhum cartão de crédito necessário\",\"eb47T5\":\"Nenhum dado encontrado para os filtros selecionados. Tente ajustar o período ou a moeda.\",\"pZNOT9\":\"Sem data de fim\",\"dW40Uz\":\"Nenhum evento encontrado\",\"8pQ3NJ\":\"Nenhum evento a iniciar nas próximas 24 horas\",\"8zCZQf\":\"Nenhum evento ainda\",\"54GxeB\":\"Sem impacto nas suas transações atuais ou passadas\",\"EpvBAp\":\"Sem fatura\",\"XZkeaI\":\"Nenhum registro encontrado\",\"NEmyqy\":\"Nenhum pedido ainda\",\"B7w4KY\":\"Nenhum outro organizador disponível\",\"6jYQGG\":\"Nenhum evento passado\",\"zK/+ef\":\"Nenhum produto disponível para seleção\",\"QoAi8D\":\"Sem resposta\",\"EK/G11\":\"Ainda sem respostas\",\"3sRuiW\":\"Nenhum ingresso encontrado\",\"yM5c0q\":\"Nenhum evento futuro\",\"qpC74J\":\"Nenhum utilizador encontrado\",\"n5vdm2\":\"Nenhum evento de webhook foi registrado para este endpoint ainda. Os eventos aparecerão aqui assim que forem acionados.\",\"4GhX3c\":\"Nenhum Webhook\",\"4+am6b\":\"Não, manter-me aqui\",\"HVwIsd\":\"Empresas ou particulares não registados para IVA: Aplica-se IVA irlandês de 23%\",\"x5+Lcz\":\"Não Registado\",\"8n10sz\":\"Não Elegível\",\"lQgMLn\":\"Nome do escritório ou local\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Pagamento offline\",\"nO3VbP\":[\"Em promoção \",[\"0\"]],\"2r6bAy\":\"Depois de completar a atualização, sua conta antiga será usada apenas para reembolsos.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Evento online\",\"bU7oUm\":\"Enviar apenas para pedidos com esses status\",\"M2w1ni\":\"Apenas visível com código promocional\",\"N141o/\":\"Abrir painel do Stripe\",\"HXMJxH\":\"Texto opcional para avisos legais, informações de contacto ou notas de agradecimento (apenas uma linha)\",\"c/TIyD\":\"Pedido e Bilhete\",\"H5qWhm\":\"Pedido cancelado\",\"b6+Y+n\":\"Pedido concluído\",\"x4MLWE\":\"Confirmação do pedido\",\"ppuQR4\":\"Pedido criado\",\"0UZTSq\":\"Moeda do Pedido\",\"HdmwrI\":\"E-mail do pedido\",\"bwBlJv\":\"Primeiro nome do pedido\",\"vrSW9M\":\"O pedido foi cancelado e reembolsado. O proprietário do pedido foi notificado.\",\"+spgqH\":[\"ID do pedido: \",[\"0\"]],\"Pc729f\":\"Pedido Aguardando Pagamento Offline\",\"F4NXOl\":\"Sobrenome do pedido\",\"RQCXz6\":\"Limites de Pedido\",\"5RDEEn\":\"Idioma do Pedido\",\"vu6Arl\":\"Pedido marcado como pago\",\"sLbJQz\":\"Pedido não encontrado\",\"i8VBuv\":\"Número do pedido\",\"FaPYw+\":\"Proprietário do pedido\",\"eB5vce\":\"Proprietários de pedidos com um produto específico\",\"CxLoxM\":\"Proprietários de pedidos com produtos\",\"DoH3fD\":\"Pagamento do Pedido Pendente\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Status dos pedidos\",\"oW5877\":\"Total do pedido\",\"e7eZuA\":\"Pedido atualizado\",\"KndP6g\":\"URL do pedido\",\"3NT0Ck\":\"O pedido foi cancelado\",\"5It1cQ\":\"Pedidos exportados\",\"B/EBQv\":\"Encomendas:\",\"ucgZ0o\":\"Organização\",\"S3CZ5M\":\"Painel do organizador\",\"Uu0hZq\":\"Email do organizador\",\"Gy7BA3\":\"Endereço de email do organizador\",\"SQqJd8\":\"Organizador não encontrado\",\"wpj63n\":\"Configurações do organizador\",\"coIKFu\":\"As estatísticas do organizador não estão disponíveis para a moeda selecionada ou ocorreu um erro.\",\"o1my93\":\"Falha ao atualizar o status do organizador. Por favor, tente novamente mais tarde.\",\"rLHma1\":\"Status do organizador atualizado\",\"LqBITi\":\"O modelo do organizador/padrão será usado\",\"/IX/7x\":\"Outro\",\"RsiDDQ\":\"Outras Listas (Bilhete Não Incluído)\",\"6/dCYd\":\"Visão geral\",\"8uqsE5\":\"Página já não disponível\",\"QkLf4H\":\"URL da página\",\"sF+Xp9\":\"Visualizações de página\",\"5F7SYw\":\"Reembolso parcial\",\"fFYotW\":[\"Parcialmente reembolsado: \",[\"0\"]],\"Ff0Dor\":\"Passado\",\"xTPjSy\":\"Eventos passados\",\"/l/ckQ\":\"Cole a URL\",\"URAE3q\":\"Pausado\",\"4fL/V7\":\"Pagar\",\"OZK07J\":\"Pagar para desbloquear\",\"TskrJ8\":\"Pagamento e plano\",\"ENEPLY\":\"Método de pagamento\",\"EyE8E6\":\"Processamento de pagamento\",\"8Lx2X7\":\"Pagamento recebido\",\"vcyz2L\":\"Configurações de pagamento\",\"fx8BTd\":\"Pagamentos não disponíveis\",\"51U9mG\":\"Os pagamentos continuarão a fluir sem interrupção\",\"VlXNyK\":\"Por pedido\",\"hauDFf\":\"Por bilhete\",\"/Bh+7r\":\"Desempenho\",\"zmwvG2\":\"Telefone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planejando um evento?\",\"br3Y/y\":\"Taxas da plataforma\",\"jEw0Mr\":\"Por favor, insira uma URL válida\",\"n8+Ng/\":\"Por favor, introduza o código de 5 dígitos\",\"r+lQXT\":\"Por favor, insira o seu número de IVA\",\"Dvq0wf\":\"Por favor, forneça uma imagem.\",\"2cUopP\":\"Por favor, reinicie o processo de compra.\",\"8KmsFa\":\"Por favor, selecione um intervalo de datas\",\"EFq6EG\":\"Por favor, selecione uma imagem.\",\"fuwKpE\":\"Por favor, tente novamente.\",\"klWBeI\":\"Por favor, aguarde antes de solicitar outro código\",\"hfHhaa\":\"Por favor, aguarde enquanto preparamos os seus afiliados para exportação...\",\"o+tJN/\":\"Por favor, aguarde enquanto preparamos seus participantes para exportação...\",\"+5Mlle\":\"Por favor, aguarde enquanto preparamos seus pedidos para exportação...\",\"TjX7xL\":\"Mensagem Pós-Checkout\",\"cs5muu\":\"Pré-visualizar página do evento\",\"+4yRWM\":\"Preço do ingresso\",\"a5jvSX\":\"Níveis de Preço\",\"ReihZ7\":\"Pré-visualização de Impressão\",\"JnuPvH\":\"Imprimir Bilhete\",\"tYF4Zq\":\"Imprimir para PDF\",\"LcET2C\":\"Política de Privacidade\",\"8z6Y5D\":\"Processar reembolso\",\"JcejNJ\":\"A processar pedido\",\"EWCLpZ\":\"Produto criado\",\"XkFYVB\":\"Produto excluído\",\"YMwcbR\":\"Detalhamento das vendas de produtos, receitas e impostos\",\"ldVIlB\":\"Produto atualizado\",\"mIqT3T\":\"Produtos, mercadorias e opções de preços flexíveis\",\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionais e detalhamento de descontos\",\"uEhdRh\":\"Apenas Promoção\",\"EEYbdt\":\"Publicar\",\"evDBV8\":\"Publicar Evento\",\"dsFmM+\":\"Adquirido\",\"YwNJAq\":\"Leitura de QR code com feedback instantâneo e compartilhamento seguro para acesso da equipe\",\"fqDzSu\":\"Taxa\",\"spsZys\":\"Pronto para atualizar? Isto demora apenas alguns minutos.\",\"Fi3b48\":\"Pedidos recentes\",\"Edm6av\":\"Reconectar Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecionando para o Stripe...\",\"ACKu03\":\"Atualizar visualização\",\"fKn/k6\":\"Valor do reembolso\",\"qY4rpA\":\"Reembolso falhou\",\"FaK/8G\":[\"Reembolsar pedido \",[\"0\"]],\"MGbi9P\":\"Reembolso pendente\",\"BDSRuX\":[\"Reembolsado: \",[\"0\"]],\"bU4bS1\":\"Reembolsos\",\"CQeZT8\":\"Relatório não encontrado\",\"JEPMXN\":\"Solicitar novo link\",\"mdeIOH\":\"Reenviar código\",\"bxoWpz\":\"Reenviar e-mail de confirmação\",\"G42SNI\":\"Reenviar e-mail\",\"TTpXL3\":[\"Reenviar em \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reservado\",\"8wUjGl\":\"Reservado até\",\"slOprG\":\"Redefina sua senha\",\"CbnrWb\":\"Voltar ao evento\",\"Oo/PLb\":\"Resumo de Receita\",\"dFFW9L\":[\"Promoção terminou \",[\"0\"]],\"loCKGB\":[\"Promoção termina \",[\"0\"]],\"wlfBad\":\"Período de Promoção\",\"zpekWp\":[\"Promoção começa \",[\"0\"]],\"mUv9U4\":\"Vendas\",\"9KnRdL\":\"As vendas estão pausadas\",\"3VnlS9\":\"Vendas, pedidos e métricas de desempenho para todos os eventos\",\"3Q1AWe\":\"Vendas:\",\"8BRPoH\":\"Local Exemplo\",\"KZrfYJ\":\"Salvar links sociais\",\"9Y3hAT\":\"Salvar modelo\",\"C8ne4X\":\"Guardar Design do Bilhete\",\"6/TNCd\":\"Guardar Definições de IVA\",\"I+FvbD\":\"Digitalizar\",\"4ba0NE\":\"Agendado\",\"ftNXma\":\"Pesquisar afiliados...\",\"VY+Bdn\":\"Pesquisar por nome da conta ou e-mail...\",\"VX+B3I\":\"Pesquisar por título do evento ou organizador...\",\"GHdjuo\":\"Pesquisar por nome, e-mail ou conta...\",\"Mck5ht\":\"Checkout Seguro\",\"p7xUrt\":\"Selecione uma categoria\",\"BFRSTT\":\"Selecionar Conta\",\"mCB6Je\":\"Selecionar tudo\",\"kYZSFD\":\"Selecione um organizador para ver seu painel e eventos.\",\"tVW/yo\":\"Selecionar moeda\",\"n9ZhRa\":\"Selecione data e hora de término\",\"gTN6Ws\":\"Selecionar hora de fim\",\"0U6E9W\":\"Selecionar categoria do evento\",\"j9cPeF\":\"Selecionar tipos de eventos\",\"1nhy8G\":\"Selecionar tipo de scanner\",\"KizCK7\":\"Selecione data e hora de início\",\"dJZTv2\":\"Selecionar hora de início\",\"aT3jZX\":\"Selecionar fuso horário\",\"Ropvj0\":\"Selecione quais eventos acionarão este webhook\",\"BG3f7v\":\"Venda qualquer coisa\",\"VtX8nW\":\"Venda produtos junto com ingressos com suporte integrado para impostos e códigos promocionais\",\"Cye3uV\":\"Venda mais do que ingressos\",\"j9b/iy\":\"Vendendo rápido 🔥\",\"1lNPhX\":\"Enviar email de notificação de reembolso\",\"SPdzrs\":\"Enviado aos clientes quando fazem um pedido\",\"LxSN5F\":\"Enviado a cada participante com os detalhes do seu ingresso\",\"eXssj5\":\"Definir configurações predefinidas para novos eventos criados sob este organizador.\",\"xMO+Ao\":\"Configure a sua organização\",\"HbUQWA\":\"Configuração em minutos\",\"GG7qDw\":\"Partilhar link de afiliado\",\"hL7sDJ\":\"Compartilhar página do organizador\",\"WHY75u\":\"Mostrar Opções Adicionais\",\"cMW+gm\":[\"Mostrar todas as plataformas (\",[\"0\"],\" com valores)\"],\"UVPI5D\":\"Mostrar menos plataformas\",\"Eu/N/d\":\"Mostrar caixa de seleção de opt-in de marketing\",\"SXzpzO\":\"Mostrar caixa de seleção de opt-in de marketing por padrão\",\"b33PL9\":\"Mostrar mais plataformas\",\"v6IwHE\":\"Check-in inteligente\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Links sociais\",\"j/TOB3\":\"Links sociais e site\",\"2pxNFK\":\"vendido\",\"s9KGXU\":\"Vendido\",\"KTxc6k\":\"Algo deu errado, tente novamente ou entre em contato com o suporte se o problema persistir\",\"H6Gslz\":\"Desculpe o inconveniente.\",\"7JFNej\":\"Desporto\",\"JcQp9p\":\"Data e hora de início\",\"0m/ekX\":\"Data e hora de início\",\"izRfYP\":\"A data de início é obrigatória\",\"2R1+Rv\":\"Hora de início do evento\",\"2NbyY/\":\"Estatísticas\",\"DRykfS\":\"Ainda a processar reembolsos para as suas transações mais antigas.\",\"wuV0bK\":\"Parar Personificação\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"A configuração do Stripe já está completa.\",\"ii0qn/\":\"O assunto é obrigatório\",\"M7Uapz\":\"O assunto aparecerá aqui\",\"6aXq+t\":\"Assunto:\",\"JwTmB6\":\"Produto duplicado com sucesso\",\"RuaKfn\":\"Endereço atualizado com sucesso\",\"kzx0uD\":\"Predefinições de Evento Atualizadas com Sucesso\",\"5n+Wwp\":\"Organizador atualizado com sucesso\",\"0Dk/l8\":\"Configurações de SEO atualizadas com sucesso\",\"MhOoLQ\":\"Links sociais atualizados com sucesso\",\"kj7zYe\":\"Webhook atualizado com sucesso\",\"dXoieq\":\"Resumo\",\"/RfJXt\":[\"Festival de Música de Verão \",[\"0\"]],\"CWOPIK\":\"Festival de Música de Verão 2025\",\"5gIl+x\":\"Suporte para vendas escalonadas, baseadas em doações e de produtos com preços e capacidades personalizáveis\",\"JZTQI0\":\"Trocar organizador\",\"XX32BM\":\"Demora apenas alguns minutos\",\"yT6dQ8\":\"Impostos cobrados agrupados por tipo de imposto e evento\",\"Ye321X\":\"Nome do Imposto\",\"WyCBRt\":\"Resumo de Impostos\",\"GkH0Pq\":\"Taxas e impostos aplicados\",\"SmvJCM\":\"Impostos, taxas, período de promoção, limites de pedido e configurações de visibilidade\",\"vlf/In\":\"Tecnologia\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Conte às pessoas o que esperar do seu evento\",\"NiIUyb\":\"Conte-nos sobre seu evento\",\"DovcfC\":\"Fale-nos sobre a sua organização. Esta informação será exibida nas páginas dos seus eventos.\",\"7wtpH5\":\"Modelo ativo\",\"QHhZeE\":\"Modelo criado com sucesso\",\"xrWdPR\":\"Modelo excluído com sucesso\",\"G04Zjt\":\"Modelo salvo com sucesso\",\"xowcRf\":\"Termos de serviço\",\"6K0GjX\":\"O texto pode ser difícil de ler\",\"nm3Iz/\":\"Obrigado por participar!\",\"lhAWqI\":\"Obrigado pelo seu apoio enquanto continuamos a crescer e melhorar o Hi.Events!\",\"KfmPRW\":\"A cor de fundo da página. Ao usar imagem de capa, esta é aplicada como uma sobreposição.\",\"MDNyJz\":\"O código irá expirar em 10 minutos. Verifique a sua pasta de spam se não vir o email.\",\"MJm4Tq\":\"A moeda do pedido\",\"I/NNtI\":\"O local do evento\",\"tXadb0\":\"O evento que você está procurando não está disponível no momento. Ele pode ter sido removido, expirado ou a URL pode estar incorreta.\",\"EBzPwC\":\"O endereço completo do evento\",\"sxKqBm\":\"O valor total do pedido será reembolsado para o método de pagamento original do cliente.\",\"5OmEal\":\"O idioma do cliente\",\"sYLeDq\":\"O organizador que você está procurando não foi encontrado. A página pode ter sido movida, excluída ou o URL está incorreto.\",\"HxxXZO\":\"A cor principal da marca usada para botões e destaques\",\"DEcpfp\":\"O corpo do modelo contém sintaxe Liquid inválida. Por favor, corrija-a e tente novamente.\",\"A4UmDy\":\"Teatro\",\"tDwYhx\":\"Tema e cores\",\"HirZe8\":\"Estes modelos serão usados como padrões para todos os eventos em sua organização. Eventos individuais podem substituir estes modelos por suas próprias versões personalizadas.\",\"lzAaG5\":\"Estes modelos substituirão os padrões do organizador apenas para este evento. Se nenhum modelo personalizado for definido aqui, o modelo do organizador será usado em vez disso.\",\"XBNC3E\":\"Este código será usado para rastrear vendas. Apenas são permitidas letras, números, hífenes e underscores.\",\"AaP0M+\":\"Esta combinação de cores pode ser difícil de ler para alguns utilizadores\",\"YClrdK\":\"Este evento ainda não foi publicado\",\"dFJnia\":\"Este é o nome do seu organizador que será exibido aos seus usuários.\",\"L7dIM7\":\"Este link é inválido ou expirou.\",\"j5FdeA\":\"Este pedido está a ser processado.\",\"sjNPMw\":\"Este pedido foi abandonado. Pode iniciar um novo pedido a qualquer momento.\",\"OhCesD\":\"Este pedido foi cancelado. Pode iniciar um novo pedido a qualquer momento.\",\"lyD7rQ\":\"Este perfil de organizador ainda não foi publicado\",\"9b5956\":\"Esta visualização mostra como seu e-mail ficará com dados de exemplo. E-mails reais usarão valores reais.\",\"uM9Alj\":\"Este produto está destacado na página do evento\",\"RqSKdX\":\"Este produto está esgotado\",\"0Ew0uk\":\"Este bilhete acabou de ser digitalizado. Aguarde antes de digitalizar novamente.\",\"kvpxIU\":\"Isso será usado para notificações e comunicação com seus usuários.\",\"rhsath\":\"Isto não será visível para os clientes, mas ajuda-o a identificar o afiliado.\",\"Mr5UUd\":\"Bilhete Cancelado\",\"0GSPnc\":\"Design do Bilhete\",\"EZC/Cu\":\"Design do bilhete guardado com sucesso\",\"1BPctx\":\"Bilhete para\",\"bgqf+K\":\"E-mail do portador do ingresso\",\"oR7zL3\":\"Nome do portador do ingresso\",\"HGuXjF\":\"Portadores de ingressos\",\"awHmAT\":\"ID do bilhete\",\"6czJik\":\"Logotipo do Bilhete\",\"OkRZ4Z\":\"Nome do ingresso\",\"6tmWch\":\"Ingresso ou produto\",\"1tfWrD\":\"Pré-visualização do bilhete para\",\"tGCY6d\":\"Preço do ingresso\",\"8jLPgH\":\"Tipo de Bilhete\",\"X26cQf\":\"URL do ingresso\",\"zNECqg\":\"bilhetes\",\"6GQNLE\":\"Bilhetes\",\"NRhrIB\":\"Ingressos e produtos\",\"EUnesn\":\"Bilhetes disponíveis\",\"AGRilS\":\"Ingressos Vendidos\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Para receber pagamentos com cartão de crédito, você precisa conectar sua conta do Stripe. O Stripe é nosso parceiro de processamento de pagamentos que garante transações seguras e pagamentos pontuais.\",\"W428WC\":\"Alternar colunas\",\"3sZ0xx\":\"Total de Contas\",\"EaAPbv\":\"Valor total pago\",\"SMDzqJ\":\"Total de Participantes\",\"orBECM\":\"Total Cobrado\",\"KSDwd5\":\"Total de pedidos\",\"vb0Q0/\":\"Total de Usuários\",\"/b6Z1R\":\"Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis\",\"OpKMSn\":\"Taxa de transação:\",\"uKOFO5\":\"Verdadeiro se pagamento offline\",\"9GsDR2\":\"Verdadeiro se pagamento pendente\",\"ouM5IM\":\"Tentar outro e-mail\",\"3DZvE7\":\"Experimente o Hi.Events gratuitamente\",\"Kz91g/\":\"Turco\",\"GdOhw6\":\"Desativar som\",\"KUOhTy\":\"Ativar som\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Tipo de ingresso\",\"IrVSu+\":\"Não foi possível duplicar o produto. Por favor, verifique seus dados\",\"Vx2J6x\":\"Não foi possível buscar participante\",\"b9SN9q\":\"Referência única do pedido\",\"Ef7StM\":\"Desconhecido\",\"ZBAScj\":\"Participante desconhecido\",\"ZkS2p3\":\"Despublicar Evento\",\"Pp1sWX\":\"Atualizar afiliado\",\"KMMOAy\":\"Atualização disponível\",\"gJQsLv\":\"Envie uma imagem de capa para seu organizador\",\"4kEGqW\":\"Envie um logo para seu organizador\",\"lnCMdg\":\"Carregar imagem\",\"29w7p6\":\"Enviando imagem...\",\"HtrFfw\":\"A URL é obrigatória\",\"WBq1/R\":\"Scanner USB já ativo\",\"EV30TR\":\"Modo scanner USB ativado. Comece a digitalizar os bilhetes agora.\",\"fovJi3\":\"Modo scanner USB desativado\",\"hli+ga\":\"Scanner USB/HID\",\"OHJXlK\":\"Use <0>modelos Liquid para personalizar os seus emails\",\"0k4cdb\":\"Usar detalhes do pedido para todos os participantes. Os nomes e e-mails dos participantes corresponderão às informações do comprador.\",\"rnoQsz\":\"Usado para bordas, destaques e estilo do código QR\",\"Fild5r\":\"Número de IVA válido\",\"sqdl5s\":\"Informações de IVA\",\"UjNWsF\":\"O IVA pode ser aplicado às taxas da plataforma dependendo do seu estado de registo de IVA. Por favor, complete a secção de informações de IVA abaixo.\",\"pnVh83\":\"Número de IVA\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"A validação do número de IVA falhou. Por favor, verifique o seu número e tente novamente.\",\"PCRCCN\":\"Informações de Registo de IVA\",\"vbKW6Z\":\"Definições de IVA guardadas e validadas com sucesso\",\"fb96a1\":\"Definições de IVA guardadas mas a validação falhou. Por favor, verifique o seu número de IVA.\",\"Nfbg76\":\"Definições de IVA guardadas com sucesso\",\"tJylUv\":\"Tratamento de IVA para Taxas da Plataforma\",\"FlGprQ\":\"Tratamento de IVA para taxas da plataforma: Empresas registadas para IVA na UE podem usar o mecanismo de autoliquidação (0% - Artigo 196 da Diretiva IVA 2006/112/CE). Empresas não registadas para IVA são cobradas com IVA irlandês de 23%.\",\"AdWhjZ\":\"Código de verificação\",\"wCKkSr\":\"Verificar email\",\"/IBv6X\":\"Verifique seu e-mail\",\"e/cvV1\":\"A verificar...\",\"fROFIL\":\"Vietnamita\",\"+WFMis\":\"Visualize e descarregue relatórios de todos os seus eventos. Apenas pedidos concluídos são incluídos.\",\"gj5YGm\":\"Visualize e baixe relatórios do seu evento. Observe que apenas pedidos concluídos estão incluídos nesses relatórios.\",\"c7VN/A\":\"Ver respostas\",\"FCVmuU\":\"Ver evento\",\"n6EaWL\":\"Ver logs\",\"OaKTzt\":\"Ver mapa\",\"67OJ7t\":\"Ver pedido\",\"tKKZn0\":\"Ver detalhes do pedido\",\"9jnAcN\":\"Ver página inicial do organizador\",\"1J/AWD\":\"Ver ingresso\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visível apenas para a equipa de check-in. Ajuda a identificar esta lista durante o check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"A aguardar pagamento\",\"RRZDED\":\"Não encontramos pedidos associados a este endereço de e-mail.\",\"miysJh\":\"Não foi possível encontrar este pedido. Pode ter sido removido.\",\"HJKdzP\":\"Ocorreu um problema ao carregar esta página. Por favor, tente novamente.\",\"IfN2Qo\":\"Recomendamos um logotipo quadrado com dimensões mínimas de 200x200px\",\"wJzo/w\":\"Recomendamos dimensões de 400px por 400px e tamanho máximo de 5MB\",\"q1BizZ\":\"Enviaremos os seus bilhetes para este e-mail\",\"zCdObC\":\"Mudámos oficialmente a nossa sede para a Irlanda 🇮🇪. Como parte desta transição, agora usamos o Stripe Irlanda em vez do Stripe Canadá. Para manter os seus pagamentos funcionando sem problemas, precisará reconectar sua conta Stripe.\",\"jh2orE\":\"Mudámos a nossa sede para a Irlanda. Como resultado, precisamos que reconecte a sua conta Stripe. Este processo rápido demora apenas alguns minutos. As suas vendas e dados existentes permanecem completamente inalterados.\",\"Fq/Nx7\":\"Enviámos um código de verificação de 5 dígitos para:\",\"GdWB+V\":\"Webhook criado com sucesso\",\"2X4ecw\":\"Webhook excluído com sucesso\",\"CThMKa\":\"Logs do Webhook\",\"nuh/Wq\":\"URL do Webhook\",\"8BMPMe\":\"O webhook não enviará notificações\",\"FSaY52\":\"O webhook enviará notificações\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Site\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Bem-vindo de volta 👋\",\"kSYpfa\":[\"Bem-vindo ao \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Bem-vindo ao \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Bem-vindo ao \",[\"0\"],\", aqui está uma lista de todos os seus eventos\"],\"FaSXqR\":\"Que tipo de evento?\",\"f30uVZ\":\"O que precisa fazer:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Quando um check-in é excluído\",\"Gmd0hv\":\"Quando um novo participante é criado\",\"Lc18qn\":\"Quando um novo pedido é criado\",\"dfkQIO\":\"Quando um novo produto é criado\",\"8OhzyY\":\"Quando um produto é excluído\",\"tRXdQ9\":\"Quando um produto é atualizado\",\"Q7CWxp\":\"Quando um participante é cancelado\",\"IuUoyV\":\"Quando um participante faz check-in\",\"nBVOd7\":\"Quando um participante é atualizado\",\"ny2r8d\":\"Quando um pedido é cancelado\",\"c9RYbv\":\"Quando um pedido é marcado como pago\",\"ejMDw1\":\"Quando um pedido é reembolsado\",\"fVPt0F\":\"Quando um pedido é atualizado\",\"bcYlvb\":\"Quando fecha o check-in\",\"XIG669\":\"Quando abre o check-in\",\"de6HLN\":\"Quando os clientes comprarem ingressos, os pedidos aparecerão aqui.\",\"blXLKj\":\"Quando ativado, novos eventos exibirão uma caixa de seleção de opt-in de marketing durante o checkout. Isso pode ser substituído por evento.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Escreva sua mensagem aqui...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Sim - Tenho um número de registo de IVA da UE válido\",\"Tz5oXG\":\"Sim, cancelar o meu pedido\",\"QlSZU0\":[\"Está a personificar <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Está a emitir um reembolso parcial. O cliente será reembolsado em \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Você adicionou taxas e impostos a um produto gratuito. Deseja removê-los?\",\"FVTVBy\":\"Você precisa verificar seu e-mail antes de atualizar o status do organizador.\",\"FRl8Jv\":\"Você precisa verificar o e-mail da sua conta antes de poder enviar mensagens.\",\"U3wiCB\":\"Está tudo pronto! Os seus pagamentos estão a ser processados sem problemas.\",\"MNFIxz\":[\"Vai participar em \",[\"0\"],\"!\"],\"x/xjzn\":\"Os seus afiliados foram exportados com sucesso.\",\"TF37u6\":\"Seus participantes foram exportados com sucesso.\",\"79lXGw\":\"A sua lista de check-in foi criada com sucesso. Partilhe a ligação abaixo com a sua equipa de check-in.\",\"BnlG9U\":\"O seu pedido atual será perdido.\",\"nBqgQb\":\"Seu e-mail\",\"R02pnV\":\"Seu evento deve estar ativo antes que você possa vender ingressos para os participantes.\",\"ifRqmm\":\"A sua mensagem foi enviada com sucesso!\",\"/Rj5P4\":\"Seu nome\",\"naQW82\":\"O seu pedido foi cancelado.\",\"bhlHm/\":\"O seu pedido aguarda pagamento\",\"XeNum6\":\"Seus pedidos foram exportados com sucesso.\",\"Xd1R1a\":\"Endereço do seu organizador\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Sua conta Stripe está conectada e processando pagamentos.\",\"vvO1I2\":\"Sua conta Stripe está conectada e pronta para processar pagamentos.\",\"CnZ3Ou\":\"Os seus bilhetes foram confirmados.\",\"d/CiU9\":\"Your VAT number will be validated automatically when you save\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/pt.po b/frontend/src/locales/pt.po index 3d0a7659f2..96fd2b582a 100644 --- a/frontend/src/locales/pt.po +++ b/frontend/src/locales/pt.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -62,7 +62,7 @@ msgstr "{0} criado com sucesso" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "{0} restante" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Taxas/Impostos" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -259,15 +259,15 @@ msgstr "Um imposto padrão, como IVA ou GST" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Abandonado" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "Sobre" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "Sobre o Stripe Connect" @@ -288,8 +288,8 @@ msgstr "Aceitar pagamentos com cartão de crédito através do Stripe" msgid "Accept Invitation" msgstr "Aceitar convite" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Acesso negado" @@ -298,7 +298,7 @@ msgstr "Acesso negado" msgid "Account" msgstr "Conta" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Conta já conectada!" @@ -321,10 +321,14 @@ msgstr "Conta atualizada com sucesso" msgid "Accounts" msgstr "Contas" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Ação necessária: Reconecte sua conta Stripe" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Ação Necessária: Informações de IVA Necessárias" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "Adicionar nível" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Adicionar ao calendário" @@ -549,7 +553,7 @@ msgstr "Todos os participantes deste evento" msgid "All Currencies" msgstr "Todas as moedas" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "Tudo pronto! Agora está a usar o nosso sistema de pagamentos melhorado." @@ -579,8 +583,8 @@ msgstr "Permitir indexação do mecanismo de pesquisa" msgid "Allow search engines to index this event" msgstr "Permitir que mecanismos de pesquisa indexem este evento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Quase lá! Termine de conectar sua conta Stripe para começar a aceitar pagamentos." @@ -602,7 +606,7 @@ msgstr "Também reembolsar este pedido" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Sempre disponível" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "Ocorreu um erro ao classificar as perguntas. Tente novamente ou atualize #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Uma mensagem opcional para exibir no produto destacado, por exemplo \"A vender rapidamente 🔥\" ou \"Melhor valor\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -727,7 +731,7 @@ msgstr "Tem certeza de que deseja excluir este modelo? Esta ação não pode ser msgid "Are you sure you want to delete this webhook?" msgstr "Tem certeza de que deseja excluir este webhook?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Tem a certeza de que quer sair?" @@ -777,10 +781,23 @@ msgstr "Tem certeza de que deseja excluir esta Atribuição de Capacidade?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Tem certeza de que deseja excluir esta lista de registro?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "Está registado para IVA na UE?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Arte" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Como a sua empresa está sediada na Irlanda, o IVA irlandês de 23% aplica-se automaticamente a todas as taxas da plataforma." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Como a sua empresa está sediada na UE, precisamos determinar o tratamento correto de IVA para as nossas taxas de plataforma:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Pergunte uma vez por pedido" @@ -819,7 +836,7 @@ msgstr "Detalhes do participante" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "Os detalhes do participante serão copiados das informações do pedido." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -827,11 +844,11 @@ msgstr "E-mail do participante" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Recolha de informações do participante" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "A recolha de informações do participante está definida como \"Por pedido\". Os detalhes do participante serão copiados das informações do pedido." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -906,7 +923,7 @@ msgstr "Gestão automatizada de entrada com várias listas de check-in e valida #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Detetado automaticamente com base na cor de fundo, mas pode ser substituído" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1029,7 +1046,7 @@ msgstr "Texto do botão" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "Ao continuar, concorda com os <0>Termos de Serviço de {0}" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1108,7 +1125,7 @@ msgstr "Não é possível fazer check-in" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "Não é Possível Fazer Check-In (Cancelado)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1387,7 +1404,7 @@ msgstr "Recolher este produto quando a página do evento for carregada inicialme #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "Recolher detalhes do participante para cada bilhete adquirido." #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "Cor" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "Modo de Cor" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,7 +1425,7 @@ msgstr "Cores" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "Colunas" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1437,7 +1454,7 @@ msgstr "Concluir pagamento" msgid "Complete Stripe Setup" msgstr "Concluir configuração do Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Complete a configuração abaixo para continuar" @@ -1530,11 +1547,11 @@ msgstr "Confirmando endereço de e-mail..." msgid "Congratulations on creating an event!" msgstr "Parabéns por criar um evento!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Conectar e atualizar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Documentação de conexão" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Conecte-se ao CRM e automatize tarefas usando webhooks e integrações" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Conecte-se com Stripe" @@ -1571,15 +1588,15 @@ msgstr "Conecte-se com Stripe" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Conecte sua conta Stripe para aceitar pagamentos de ingressos e produtos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Conecte sua conta Stripe para aceitar pagamentos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Conecte sua conta Stripe para começar a aceitar pagamentos para os seus eventos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Conecte sua conta Stripe para começar a aceitar pagamentos." @@ -1587,8 +1604,8 @@ msgstr "Conecte sua conta Stripe para começar a aceitar pagamentos." msgid "Connect your Stripe account to start receiving payments." msgstr "Conecte sua conta Stripe para começar a receber pagamentos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Conectado ao Stripe" @@ -1596,7 +1613,7 @@ msgstr "Conectado ao Stripe" msgid "Connection Details" msgstr "Detalhes da conexão" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Contato" @@ -1926,13 +1943,13 @@ msgstr "Moeda" msgid "Current Password" msgstr "Senha atual" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Processador de pagamentos atual" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "Atualmente disponível para compra" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2057,7 +2074,7 @@ msgstr "Zona de Perigo" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "Escuro" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2091,7 +2108,7 @@ msgstr "Capacidade do primeiro dia" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "Recolha predefinida de informações do participante" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2205,7 +2222,7 @@ msgstr "Exibe uma caixa de seleção permitindo que os clientes optem por recebe msgid "Document Label" msgstr "Etiqueta do documento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Documentação" @@ -2219,7 +2236,7 @@ msgstr "Não tem uma conta? <0>Cadastre-se" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "Donativo" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2273,7 +2290,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "Duplicar" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2608,6 +2625,10 @@ msgstr "Digite seu e-mail" msgid "Enter your name" msgstr "Digite seu nome" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "Erro ao confirmar a alteração do e-mail" msgid "Error loading logs" msgstr "Erro ao carregar os registros" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "Empresas registadas para IVA na UE: Aplica-se o mecanismo de autoliquidação (0% - Artigo 196 da Diretiva IVA 2006/112/CE)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2808,7 +2834,7 @@ msgstr "Desempenho de Eventos" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "Eventos a Iniciar nas Próximas 24 Horas" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2934,6 +2960,10 @@ msgstr "Falha ao reenviar código de verificação" msgid "Failed to save template" msgstr "Falha ao salvar modelo" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Falha ao guardar as definições de IVA. Por favor, tente novamente." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Falha ao enviar mensagem. Por favor, tente novamente." @@ -2993,7 +3023,7 @@ msgstr "Taxa" msgid "Fees" msgstr "Tarifas" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas." @@ -3023,12 +3053,12 @@ msgstr "Filtros" msgid "Filters ({activeFilterCount})" msgstr "Filtros ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Terminar configuração" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Terminar configuração do Stripe" @@ -3080,7 +3110,7 @@ msgstr "Fixo" msgid "Fixed amount" msgstr "Quantia fixa" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Taxa fixa:" @@ -3164,7 +3194,7 @@ msgstr "Gerar código" msgid "German" msgstr "alemão" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Obter direções" @@ -3172,9 +3202,9 @@ msgstr "Obter direções" msgid "Get started for free, no subscription fees" msgstr "Comece gratuitamente, sem taxas de assinatura" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "Obter Bilhetes" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3203,7 +3233,7 @@ msgstr "Ir para a página inicial" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "Boa legibilidade" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3256,7 +3286,7 @@ msgstr "Aqui está o componente React que você pode usar para incorporar o widg msgid "Here is your affiliate link" msgstr "Aqui está o seu link de afiliado" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Aqui está o que esperar:" @@ -3267,7 +3297,7 @@ msgstr "Oi {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "Oculto" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3293,7 +3323,7 @@ msgstr "Esconder" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "Ocultar Opções Adicionais" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3357,7 +3387,7 @@ msgstr "Destacar este produto" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "Destacado" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3440,6 +3470,10 @@ msgstr "Se ativado, a equipe de check-in pode marcar os participantes como regis msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Se ativado, o organizador receberá uma notificação por e-mail quando um novo pedido for feito" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Se registado, forneça o seu número de IVA para validação" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Se você não solicitou essa alteração, altere imediatamente sua senha." @@ -3493,11 +3527,11 @@ msgstr "Importante: Reconexão Stripe necessária" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "Em {diffHours} horas" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "Em {diffMinutes} minutos" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3532,6 +3566,10 @@ msgstr "Inclui {0} produtos" msgid "Includes 1 product" msgstr "Inclui 1 produto" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Indique se está registado para IVA na UE" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Participantes individuais" @@ -3570,6 +3608,10 @@ msgstr "Formato de email inválido" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Sintaxe Liquid inválida. Por favor, corrija-a e tente novamente." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Convite reenviado!" @@ -3600,7 +3642,7 @@ msgstr "Convide sua equipe" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "Fatura" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3619,6 +3661,10 @@ msgstr "Numeração da fatura" msgid "Invoice Settings" msgstr "Configurações da fatura" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "O IVA irlandês de 23% será aplicado às taxas da plataforma (fornecimento doméstico)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Italiano" @@ -3629,11 +3675,11 @@ msgstr "Item" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "item(ns)" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "Itens" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3643,11 +3689,11 @@ msgstr "John" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Participe de qualquer lugar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Basta clicar no botão abaixo para reconectar sua conta Stripe." @@ -3657,7 +3703,7 @@ msgstr "Apenas procurando seus ingressos?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "Mantenha-me atualizado sobre notícias e eventos de {0}" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3751,7 +3797,7 @@ msgstr "Deixe em branco para usar a palavra padrão \"Fatura\"" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "Claro" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "Carregando..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "Gerenciar ingressos" msgid "Manage your account details and default settings" msgstr "Gerencie os detalhes da sua conta e configurações padrão" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Gerencie seu processamento de pagamentos e visualize as taxas da plataforma" @@ -4107,6 +4153,10 @@ msgstr "Nova Senha" msgid "Nightlife" msgstr "Vida noturna" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "Não - Sou um particular ou empresa não registada para IVA" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "Sem contas" @@ -4173,7 +4223,7 @@ msgstr "Sem desconto" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "Sem data de fim" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4185,7 +4235,7 @@ msgstr "Nenhum evento encontrado" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "Nenhum evento a iniciar nas próximas 24 horas" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4199,13 +4249,13 @@ msgstr "Nenhum evento ainda" msgid "No filters available" msgstr "Nenhum filtro disponível" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Sem impacto nas suas transações atuais ou passadas" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "Sem fatura" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4311,10 +4361,15 @@ msgstr "Nenhum evento de webhook foi registrado para este endpoint ainda. Os eve msgid "No Webhooks" msgstr "Nenhum Webhook" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "Não, manter-me aqui" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Empresas ou particulares não registados para IVA: Aplica-se IVA irlandês de 23%" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,9 +4462,9 @@ msgstr "À venda" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "Em promoção {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Depois de completar a atualização, sua conta antiga será usada apenas para reembolsos." @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "Evento on-line" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Evento online" @@ -4462,7 +4517,7 @@ msgstr "Enviar apenas para pedidos com esses status" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "Apenas visível com código promocional" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4473,9 +4528,9 @@ msgstr "Abrir Página de Check-In" msgid "Open sidebar" msgstr "Abrir barra lateral" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Abrir painel do Stripe" @@ -4523,7 +4578,7 @@ msgstr "Ordem" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "Pedido e Bilhete" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4594,7 +4649,7 @@ msgstr "Sobrenome do pedido" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "Limites de Pedido" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4723,7 +4778,7 @@ msgstr "Nome da organização" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4850,7 +4905,7 @@ msgstr "Parcialmente reembolsado" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "Parcialmente reembolsado: {0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4911,7 +4966,7 @@ msgstr "Pagar" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "Pagar para desbloquear" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4952,9 +5007,9 @@ msgstr "Método de pagamento" msgid "Payment Methods" msgstr "Métodos de pagamento" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Processamento de pagamento" @@ -4970,7 +5025,7 @@ msgstr "Pagamento recebido" msgid "Payment Received" msgstr "Pagamento recebido" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Configurações de pagamento" @@ -4990,19 +5045,19 @@ msgstr "Termos de pagamento" msgid "Payments not available" msgstr "Pagamentos não disponíveis" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Os pagamentos continuarão a fluir sem interrupção" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "Por pedido" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "Por bilhete" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5033,7 +5088,7 @@ msgstr "Coloque isso no do seu site." msgid "Planning an event?" msgstr "Planejando um evento?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Taxas da plataforma" @@ -5090,6 +5145,10 @@ msgstr "Por favor, introduza o código de 5 dígitos" msgid "Please enter your new password" msgstr "Por favor digite sua nova senha" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Por favor, insira o seu número de IVA" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Observe" @@ -5112,7 +5171,7 @@ msgstr "Por favor selecione" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "Por favor, selecione um intervalo de datas" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5205,7 +5264,7 @@ msgstr "Preço do ingresso" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "Níveis de Preço" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5229,7 +5288,7 @@ msgstr "Pré-visualização de Impressão" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "Imprimir Bilhete" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5240,7 +5299,7 @@ msgstr "Imprimir ingressos" msgid "Print to PDF" msgstr "Imprimir para PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Política de Privacidade" @@ -5386,7 +5445,7 @@ msgstr "Relatório de códigos promocionais" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "Apenas Promoção" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5404,7 +5463,7 @@ msgstr "Publicar Evento" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Adquirido" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5458,7 +5517,7 @@ msgstr "Taxa" msgid "Read less" msgstr "Leia menos" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Pronto para atualizar? Isto demora apenas alguns minutos." @@ -5480,10 +5539,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Redirecionando para o Stripe..." @@ -5497,7 +5556,7 @@ msgstr "Valor do reembolso" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "Reembolso falhou" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5513,7 +5572,7 @@ msgstr "Reembolsar pedido {0}" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "Reembolso pendente" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5533,7 +5592,7 @@ msgstr "Devolveu" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "Reembolsado: {0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5614,7 +5673,7 @@ msgstr "Reenviando..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "Reservado" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5646,7 +5705,7 @@ msgstr "Restaurar evento" msgid "Return to Event" msgstr "Voltar ao evento" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Voltar para a página do evento" @@ -5677,16 +5736,16 @@ msgstr "Data de término da venda" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "Promoção terminou {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "Promoção termina {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "Período de Promoção" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5695,7 +5754,7 @@ msgstr "Data de início da venda" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "Promoção começa {0}" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5703,7 +5762,7 @@ msgstr "Vendas" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "As vendas estão pausadas" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5775,6 +5834,10 @@ msgstr "Salvar modelo" msgid "Save Ticket Design" msgstr "Guardar Design do Bilhete" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "Guardar Definições de IVA" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5782,7 +5845,7 @@ msgstr "Digitalizar" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "Agendado" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5851,7 +5914,7 @@ msgstr "Cor do texto secundário" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "Checkout Seguro" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6056,7 +6119,7 @@ msgstr "Fixar um preço mínimo e permitir que os utilizadores paguem mais se as #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "Definir configurações predefinidas para novos eventos criados sob este organizador." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6092,7 +6155,7 @@ msgid "Setup in Minutes" msgstr "Configuração em minutos" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6117,7 +6180,7 @@ msgstr "Compartilhar página do organizador" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "Mostrar Opções Adicionais" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6211,7 +6274,7 @@ msgstr "vendido" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "Vendido" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6219,7 +6282,7 @@ msgid "Sold out" msgstr "Vendido" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Vendido" @@ -6327,7 +6390,7 @@ msgstr "Estatísticas" msgid "Status" msgstr "Status" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Ainda a processar reembolsos para as suas transações mais antigas." @@ -6340,7 +6403,7 @@ msgstr "Parar Personificação" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6443,7 +6506,7 @@ msgstr "Evento atualizado com sucesso" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "Predefinições de Evento Atualizadas com Sucesso" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6537,7 +6600,7 @@ msgstr "Trocar organizador" msgid "T-shirt" msgstr "Camiseta" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Demora apenas alguns minutos" @@ -6590,7 +6653,7 @@ msgstr "Impostos" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "Taxas e impostos aplicados" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6600,7 +6663,7 @@ msgstr "Impostos e Taxas" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "Impostos, taxas, período de promoção, limites de pedido e configurações de visibilidade" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6638,20 +6701,20 @@ msgstr "Modelo excluído com sucesso" msgid "Template saved successfully" msgstr "Modelo salvo com sucesso" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Termos de serviço" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "O texto pode ser difícil de ler" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "Obrigado por participar!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Obrigado pelo seu apoio enquanto continuamos a crescer e melhorar o Hi.Events!" @@ -6662,7 +6725,7 @@ msgstr "Esse código promocional é inválido" #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "A cor de fundo da página. Ao usar imagem de capa, esta é aplicada como uma sobreposição." #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6740,7 +6803,7 @@ msgstr "O preço apresentado ao cliente não incluirá impostos e taxas. Eles se #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "A cor principal da marca usada para botões e destaques" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6843,7 +6906,7 @@ msgstr "Este código será usado para rastrear vendas. Apenas são permitidas le #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "Esta combinação de cores pode ser difícil de ler para alguns utilizadores" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6911,7 +6974,7 @@ msgstr "Esta página de pedido não está mais disponível." #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "Este pedido foi abandonado. Pode iniciar um novo pedido a qualquer momento." #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6939,11 +7002,11 @@ msgstr "Este produto é um ingresso. Os compradores receberão um ingresso ao co #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "Este produto está destacado na página do evento" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "Este produto está esgotado" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6986,7 +7049,7 @@ msgstr "Bilhete" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "Bilhete Cancelado" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7052,19 +7115,19 @@ msgstr "URL do ingresso" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "bilhetes" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "Bilhetes" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "Ingressos e produtos" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Bilhetes disponíveis" @@ -7118,13 +7181,13 @@ msgstr "Fuso horário" msgid "TIP" msgstr "DICA" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Para receber pagamentos com cartão de crédito, você precisa conectar sua conta do Stripe. O Stripe é nosso parceiro de processamento de pagamentos que garante transações seguras e pagamentos pontuais." #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "Alternar colunas" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7200,7 +7263,7 @@ msgstr "Total de Usuários" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Taxa de transação:" @@ -7355,7 +7418,7 @@ msgstr "Atualizar nome, descrição e datas do evento" msgid "Update profile" msgstr "Atualizar perfil" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Atualização disponível" @@ -7429,7 +7492,7 @@ msgstr "Usar imagem de capa" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:48 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:38 msgid "Use order details for all attendees. Attendee names and emails will match the buyer's information." -msgstr "" +msgstr "Usar detalhes do pedido para todos os participantes. Os nomes e e-mails dos participantes corresponderão às informações do comprador." #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" @@ -7464,10 +7527,63 @@ msgstr "Os usuários podem alterar o e-mail em <0>Configurações do perfil" msgid "UTC" msgstr "UTC" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "Número de IVA válido" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "CUBA" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "Informações de IVA" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "O IVA pode ser aplicado às taxas da plataforma dependendo do seu estado de registo de IVA. Por favor, complete a secção de informações de IVA abaixo." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "Número de IVA" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "A validação do número de IVA falhou. Por favor, verifique o seu número e tente novamente." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "Informações de Registo de IVA" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "Definições de IVA guardadas e validadas com sucesso" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "Definições de IVA guardadas mas a validação falhou. Por favor, verifique o seu número de IVA." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "Definições de IVA guardadas com sucesso" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "Tratamento de IVA para Taxas da Plataforma" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "Tratamento de IVA para taxas da plataforma: Empresas registadas para IVA na UE podem usar o mecanismo de autoliquidação (0% - Artigo 196 da Diretiva IVA 2006/112/CE). Empresas não registadas para IVA são cobradas com IVA irlandês de 23%." + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "Nome do local" @@ -7535,12 +7651,12 @@ msgstr "Ver logs" msgid "View map" msgstr "Ver mapa" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "Ver mapa" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "Ver no Google Maps" @@ -7652,7 +7768,7 @@ msgstr "Enviaremos os seus bilhetes para este e-mail" msgid "We're processing your order. Please wait..." msgstr "Estamos processando seu pedido. Por favor, aguarde..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "Mudámos oficialmente a nossa sede para a Irlanda 🇮🇪. Como parte desta transição, agora usamos o Stripe Irlanda em vez do Stripe Canadá. Para manter os seus pagamentos funcionando sem problemas, precisará reconectar sua conta Stripe." @@ -7758,6 +7874,10 @@ msgstr "Que tipo de evento?" msgid "What type of question is this?" msgstr "Que tipo de pergunta é essa?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "O que precisa fazer:" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7901,7 +8021,11 @@ msgstr "X (Twitter)" msgid "Year to date" msgstr "Ano até agora" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "Sim - Tenho um número de registo de IVA da UE válido" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "Sim, cancelar o meu pedido" @@ -8035,7 +8159,7 @@ msgstr "Você precisará de um produto antes de poder criar uma atribuição de msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "Você precisará de pelo menos um produto para começar. Grátis, pago ou deixe o usuário decidir o que pagar." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "Está tudo pronto! Os seus pagamentos estão a ser processados sem problemas." @@ -8067,7 +8191,7 @@ msgstr "Seu site incrível 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "A sua lista de check-in foi criada com sucesso. Partilhe a ligação abaixo com a sua equipa de check-in." -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "O seu pedido atual será perdido." @@ -8153,12 +8277,12 @@ msgstr "Seu pagamento não foi bem-sucedido. Por favor, tente novamente." msgid "Your refund is processing." msgstr "Seu reembolso está sendo processado." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "Sua conta Stripe está conectada e processando pagamentos." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "Sua conta Stripe está conectada e pronta para processar pagamentos." @@ -8170,6 +8294,10 @@ msgstr "Seu ingresso para" msgid "Your tickets have been confirmed." msgstr "Os seus bilhetes foram confirmados." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/ru.js b/frontend/src/locales/ru.js index ae282ff68d..7b984e8583 100644 --- a/frontend/src/locales/ru.js +++ b/frontend/src/locales/ru.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'There\\\\'s nothing to show yet'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in successfully\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out successfully\"],\"KMgp2+\":[[\"0\"],\" available\"],\"Pmr5xp\":[[\"0\"],\" created successfully\"],\"FImCSc\":[[\"0\"],\" updated successfully\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" checked in\"],\"Vjij1k\":[[\"days\"],\" days, \",[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"f3RdEk\":[[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"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.\",\"ZjMs6e\":\"<0>The number of products available for this product<1>This value can be overridden if there are <2>Capacity Limits associated with this product.\",\"E15xs8\":\"⚡️ Set up your event\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Customize your event page\",\"3VPPdS\":\"💳 Connect with Stripe\",\"cjdktw\":\"🚀 Set your event live\",\"rmelwV\":\"0 minutes and 0 seconds\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"A default \",[\"type\"],\" is automaticaly applied to all new products. You can override this on a per product basis.\"],\"SMUbbQ\":\"A Dropdown input allows only one selection\",\"qv4bfj\":\"A fee, like a booking fee or a service fee\",\"POT0K/\":\"A fixed amount per product. E.g, $0.50 per product\",\"f4vJgj\":\"A multi line text input\",\"OIPtI5\":\"A percentage of the product price. E.g., 3.5% of the product price\",\"ZthcdI\":\"A promo code with no discount can be used to reveal hidden products.\",\"AG/qmQ\":\"A Radio option has multiple options but only one can be selected.\",\"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\",\"BHZbFy\":\"A single question per order. E.g, What is your shipping address?\",\"Fuh+dI\":\"A single question per product. E.g, What is your t-shirt size?\",\"RlJmQg\":\"A standard tax, like VAT or GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accept bank transfers, checks, or other offline payment methods\",\"hrvLf4\":\"Accept credit card payments with Stripe\",\"bfXQ+N\":\"Accept Invitation\",\"AeXO77\":\"Account\",\"lkNdiH\":\"Account Name\",\"Puv7+X\":\"Account Settings\",\"OmylXO\":\"Account updated successfully\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activate\",\"5T2HxQ\":\"Activation date\",\"F6pfE9\":\"Active\",\"/PN1DA\":\"Add a description for this check-in list\",\"0/vPdA\":\"Add any notes about the attendee. These will not be visible to the attendee.\",\"Or1CPR\":\"Add any notes about the attendee...\",\"l3sZO1\":\"Add any notes about the order. These will not be visible to the customer.\",\"xMekgu\":\"Add any notes about the order...\",\"PGPGsL\":\"Add description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Add instructions for offline payments (e.g., bank transfer details, where to send checks, payment deadlines)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Add New\",\"TZxnm8\":\"Add Option\",\"24l4x6\":\"Add Product\",\"8q0EdE\":\"Add Product to Category\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Add question\",\"yWiPh+\":\"Add Tax or Fee\",\"goOKRY\":\"Add tier\",\"oZW/gT\":\"Add to Calendar\",\"pn5qSs\":\"Additional Information\",\"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.\",\"W7AfhC\":\"All attendees of this event\",\"cde2hc\":\"All Products\",\"5CQ+r0\":\"Allow attendees associated with unpaid orders to check in\",\"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..\",\"ApOYO8\":\"Amazing, Event, Keywords...\",\"hehnjM\":\"Amount\",\"R2O9Rg\":[\"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\",\"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.\",\"ubdMGz\":\"Any queries from product 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\",\"sy6fss\":[\"Applies to \",[\"0\"],\" products\"],\"kadJKg\":\"Applies to 1 product\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Apply Promo Code\",\"ARBThj\":[\"Apply this \",[\"type\"],\" to all new products\"],\"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?\",\"LBLOqH\":\"Ask once per order\",\"wu98dY\":\"Ask once per product\",\"ss9PbX\":\"Attendee\",\"m0CFV2\":\"Attendee Details\",\"QKim6l\":\"Attendee not found\",\"R5IT/I\":\"Attendee Notes\",\"lXcSD2\":\"Attendee questions\",\"HT/08n\":\"Attendee Ticket\",\"9SZT4E\":\"Attendees\",\"iPBfZP\":\"Attendees Registered\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Auto Resize\",\"vZ5qKF\":\"Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container.\",\"4lVaWA\":\"Awaiting offline payment\",\"2rHwhl\":\"Awaiting Offline Payment\",\"3wF4Q/\":\"Awaiting payment\",\"ioG+xt\":\"Awaiting Payment\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Back to event page\",\"VCoEm+\":\"Back to login\",\"k1bLf+\":\"Background Color\",\"I7xjqg\":\"Background Type\",\"1mwMl+\":\"Before you send!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Billing Address\",\"/xC/im\":\"Billing Settings\",\"rp/zaT\":\"Brazilian Portuguese\",\"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.\",\"dEgA5A\":\"Cancel\",\"Gjt/py\":\"Cancel email change\",\"tVJk4q\":\"Cancel order\",\"Os6n2a\":\"Cancel Order\",\"Mz7Ygx\":[\"Cancel Order \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelled\",\"U7nGvl\":\"Cannot Check In\",\"QyjCeq\":\"Capacity\",\"V6Q5RZ\":\"Capacity Assignment created successfully\",\"k5p8dz\":\"Capacity Assignment deleted successfully\",\"nDBs04\":\"Capacity Management\",\"ddha3c\":\"Categories allow you to group products together. For example, you might have a category for \\\"Tickets\\\" and another for \\\"Merchandise\\\".\",\"iS0wAT\":\"Categories help you organize your products. This title will be displayed on the public event page.\",\"eorM7z\":\"Categories reordered successfully.\",\"3EXqwa\":\"Category Created Successfully\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Change password\",\"xMDm+I\":\"Check In\",\"p2WLr3\":[\"Check in \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Check in and mark order as paid\",\"QYLpB4\":\"Check in only\",\"/Ta1d4\":\"Check Out\",\"5LDT6f\":\"Check out this event!\",\"gXcPxc\":\"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\",\"znIg+z\":\"Checkout\",\"1WnhCL\":\"Checkout Settings\",\"6imsQS\":\"Chinese (Simplified)\",\"JjkX4+\":\"Choose a color for your background\",\"/Jizh9\":\"Choose an account\",\"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\",\"oqr9HB\":\"Collapse this product when the event page is initially loaded\",\"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\",\"6HK5Ct\":\"Completed orders\",\"NWVRtl\":\"Completed Orders\",\"DwF9eH\":\"Component Code\",\"Tf55h7\":\"Configured Discount\",\"7VpPHA\":\"Confirm\",\"ZaEJZM\":\"Confirm Email Change\",\"yjkELF\":\"Confirm New Password\",\"xnWESi\":\"Confirm password\",\"p2/GCq\":\"Confirm Password\",\"wnDgGj\":\"Confirming email address...\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connect with Stripe\",\"QKLP1W\":\"Connect your Stripe account to start receiving payments.\",\"5lcVkL\":\"Connection Details\",\"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\",\"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\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Create \",[\"0\"]],\"k9RiLi\":\"Create a Product\",\"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\",\"EwoMtl\":\"Create category\",\"XletzW\":\"Create Category\",\"WVbTwK\":\"Create Check-In List\",\"uN355O\":\"Create Event\",\"BOqY23\":\"Create new\",\"kpJAeS\":\"Create Organizer\",\"a0EjD+\":\"Create Product\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Create Promo Code\",\"B3Mkdt\":\"Create Question\",\"UKfi21\":\"Create Tax or Fee\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Currency\",\"DCKkhU\":\"Current Password\",\"uIElGP\":\"Custom Maps URL\",\"UEqXyt\":\"Custom Range\",\"876pfE\":\"Customer\",\"QOg2Sf\":\"Customize the email and notification settings for this event\",\"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\":\"Дата и время\",\"JJhRbH\":\"Day one capacity\",\"cnGeoo\":\"Delete\",\"jRJZxD\":\"Delete Capacity\",\"VskHIx\":\"Delete category\",\"Qrc8RZ\":\"Delete Check-In List\",\"WHf154\":\"Delete code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Delete question\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description for check-in staff\",\"URmyfc\":\"Details\",\"1lRT3t\":\"Disabling this capacity will track sales but not stop them when the limit is reached\",\"H6Ma8Z\":\"Discount\",\"ypJ62C\":\"Discount %\",\"3LtiBI\":[\"Discount in \",[\"0\"]],\"C8JLas\":\"Discount Type\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Document Label\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donation / Pay what you'd like product\",\"OvNbls\":\"Download .ics\",\"kodV18\":\"Download CSV\",\"CELKku\":\"Download invoice\",\"LQrXcu\":\"Download Invoice\",\"QIodqd\":\"Download QR Code\",\"yhjU+j\":\"Downloading Invoice\",\"uABpqP\":\"Drag and drop or click\",\"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\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Early bird\",\"ePK91l\":\"Edit\",\"N6j2JH\":[\"Edit \",[\"0\"]],\"kBkYSa\":\"Edit Capacity\",\"oHE9JT\":\"Edit Capacity Assignment\",\"j1Jl7s\":\"Edit category\",\"FU1gvP\":\"Edit Check-In List\",\"iFgaVN\":\"Edit Code\",\"jrBSO1\":\"Edit Organizer\",\"tdD/QN\":\"Edit Product\",\"n143Tq\":\"Edit Product Category\",\"9BdS63\":\"Edit Promo Code\",\"O0CE67\":\"Edit question\",\"EzwCw7\":\"Edit Question\",\"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\",\"APuxIE\":\"Email confirmation resent\",\"YaCgdO\":\"Email confirmation resent successfully\",\"jyt+cx\":\"Email footer message\",\"I6F3cp\":\"Email not verified\",\"NTZ/NX\":\"Embed Code\",\"4rnJq4\":\"Embed Script\",\"8oPbg1\":\"Enable Invoicing\",\"j6w7d/\":\"Enable this capacity to stop product sales when the limit is reached\",\"VFv2ZC\":\"End Date\",\"237hSL\":\"Ended\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"English\",\"MhVoma\":\"Enter an amount excluding taxes and fees.\",\"SlfejT\":\"Error\",\"3Z223G\":\"Error confirming email address\",\"a6gga1\":\"Error confirming email change\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Event\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Event Date\",\"0Zptey\":\"Event Defaults\",\"QcCPs8\":\"Event Details\",\"6fuA9p\":\"Event duplicated successfully\",\"AEuj2m\":\"Event Homepage\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Event location & venue details\",\"OopDbA\":\"Event page\",\"4/If97\":\"Event status update failed. Please try again later\",\"btxLWj\":\"Event status updated\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Failed to download invoice. 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\",\"ejXy+D\":\"Failed to sort products\",\"PLUB/s\":\"Fee\",\"/mfICu\":\"Fees\",\"LyFC7X\":\"Filter Orders\",\"cSev+j\":\"Filters\",\"CVw2MU\":[\"Filters (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"First Invoice Number\",\"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.\",\"Rs/IcB\":\"First Used\",\"TpqW74\":\"Fixed\",\"irpUxR\":\"Fixed amount\",\"TF9opW\":\"Flash is not available on this device\",\"UNMVei\":\"Forgot password?\",\"2POOFK\":\"Free\",\"P/OAYJ\":\"Free Product\",\"vAbVy9\":\"Free product, no payment information required\",\"nLC6tu\":\"French\",\"Weq9zb\":\"General\",\"DDcvSo\":\"German\",\"4GLxhy\":\"Getting Started\",\"4D3rRj\":\"Go back to profile\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Gross sales\",\"yRg26W\":\"Gross Sales\",\"R4r4XO\":\"Guests\",\"26pGvx\":\"Have a promo code?\",\"V7yhws\":\"hello@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Hi \",[\"0\"],\" 👋\"],\"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.\",\"vLyv1R\":\"Hide\",\"Mkkvfd\":\"Hide getting started page\",\"mFn5Xz\":\"Hide hidden questions\",\"YHsF9c\":\"Hide product after sale end date\",\"06s3w3\":\"Hide product before sale start date\",\"axVMjA\":\"Hide product unless user has applicable promo code\",\"ySQGHV\":\"Hide product when sold out\",\"SCimta\":\"Hide the getting started page from the sidebar\",\"5xR17G\":\"Hide this product from customers\",\"Da29Y6\":\"Hide this question\",\"fvDQhr\":\"Hide this tier from users\",\"lNipG+\":\"Hiding a product will prevent users from seeing it on the event page.\",\"ZOBwQn\":\"Homepage Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage Preview\",\"c3E/kw\":\"Homer\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"If blank, the address will be used to generate a Google Mapa link\",\"UYT+c8\":\"If enabled, check-in staff can either mark attendees as checked in or mark the order as paid and check in the attendees. If disabled, attendees associated with unpaid orders cannot be checked in.\",\"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\",\"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\",\"VyUuZb\":\"Image URL\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactive\",\"T0K0yl\":\"Inactive users cannot log in.\",\"kO44sp\":\"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\",\"Vi+BiW\":[\"Includes \",[\"0\"],\" products\"],\"lpm0+y\":\"Includes 1 product\",\"UiAk5P\":\"Insert Image\",\"OyLdaz\":\"Invitation resent!\",\"HE6KcK\":\"Invitation revoked!\",\"SQKPvQ\":\"Invite User\",\"bKOYkd\":\"Invoice downloaded successfully\",\"alD1+n\":\"Invoice Notes\",\"kOtCs2\":\"Invoice Numbering\",\"UZ2GSZ\":\"Invoice Settings\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Language\",\"2LMsOq\":\"Last 12 months\",\"vfe90m\":\"Last 14 days\",\"aK4uBd\":\"Last 24 hours\",\"uq2BmQ\":\"Last 30 days\",\"bB6Ram\":\"Last 48 hours\",\"VlnB7s\":\"Last 6 months\",\"ct2SYD\":\"Last 7 days\",\"XgOuA7\":\"Last 90 days\",\"I3yitW\":\"Last login\",\"1ZaQUH\":\"Last name\",\"UXBCwc\":\"Last Name\",\"tKCBU0\":\"Last Used\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Leave blank to use the default word \\\"Invoice\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Loading...\",\"wJijgU\":\"Location\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Logging in\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Logout\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Make billing address mandatory during checkout\",\"MU3ijv\":\"Make this question mandatory\",\"wckWOP\":\"Manage\",\"onpJrA\":\"Manage attendee\",\"n4SpU5\":\"Manage event\",\"WVgSTy\":\"Manage order\",\"1MAvUY\":\"Manage payment and invoicing settings for this event.\",\"cQrNR3\":\"Manage Profile\",\"AtXtSw\":\"Manage taxes and fees which can be applied to your products\",\"ophZVW\":\"Manage tickets\",\"DdHfeW\":\"Manage your account details and default settings\",\"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\",\"vFjEnF\":\"Mark as paid\",\"g9dPPQ\":\"Maximum Per Order\",\"l5OcwO\":\"Message attendee\",\"Gv5AMu\":\"Message Attendees\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Message buyer\",\"tNZzFb\":\"Message Content\",\"lYDV/s\":\"Message individual attendees\",\"V7DYWd\":\"Message Sent\",\"t7TeQU\":\"Messages\",\"xFRMlO\":\"Minimum Per Order\",\"QYcUEf\":\"Minimum Price\",\"RDie0n\":\"Miscellaneous\",\"mYLhkl\":\"Miscellaneous Settings\",\"KYveV8\":\"Multi line text box\",\"VD0iA7\":\"Multiple price options. Perfect for early bird products etc.\",\"/bhMdO\":\"My amazing event description...\",\"vX8/tc\":\"My amazing event title...\",\"hKtWk2\":\"My Profile\",\"fj5byd\":\"N/A\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigate to Attendee\",\"qqeAJM\":\"Never\",\"7vhWI8\":\"New Password\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"No archived events to show.\",\"q2LEDV\":\"No attendees found for this order.\",\"zlHa5R\":\"No attendees have been added to this order.\",\"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\",\"tMFDem\":\"No data available\",\"6Z/F61\":\"No data to show. Please select a date range\",\"fFeCKc\":\"No Discount\",\"HFucK5\":\"No ended events to show.\",\"yAlJXG\":\"No events to show\",\"GqvPcv\":\"No filters available\",\"KPWxKD\":\"No messages to show\",\"J2LkP8\":\"No orders to show\",\"RBXXtB\":\"No payment methods are currently available. Please contact the event organizer for assistance.\",\"ZWEfBE\":\"No Payment Required\",\"ZPoHOn\":\"No product associated with this attendee.\",\"Ya1JhR\":\"No products available in this category.\",\"FTfObB\":\"No Products Yet\",\"+Y976X\":\"No Promo Codes to show\",\"MAavyl\":\"No questions answered by this attendee.\",\"SnlQeq\":\"No questions have been asked for this order.\",\"Ev2r9A\":\"No results\",\"gk5uwN\":\"No Search Results\",\"RHyZUL\":\"No search results.\",\"RY2eP1\":\"No Taxes or Fees have been added.\",\"EdQY6l\":\"None\",\"OJx3wK\":\"Not available\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notes\",\"jtrY3S\":\"Nothing to show yet\",\"hFwWnI\":\"Notification Settings\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notify organizer of new orders\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Number of days allowed for payment (leave blank to omit payment terms from invoices)\",\"n86jmj\":\"Number Prefix\",\"mwe+2z\":\"Offline orders are not reflected in event statistics until the order is marked as paid.\",\"dWBrJX\":\"Offline payment failed. Please try again or contact the event organizer.\",\"fcnqjw\":\"Offline Payment Instructions\",\"+eZ7dp\":\"Offline Payments\",\"ojDQlR\":\"Offline Payments Information\",\"u5oO/W\":\"Offline Payments Settings\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"On Sale\",\"Ug4SfW\":\"Once you create an event, you'll see it here.\",\"ZxnK5C\":\"Once you start collecting data, you'll see it here.\",\"PnSzEc\":\"Once you're ready, set your event live and start selling products.\",\"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\"]],\"oPknTP\":\"Optional additional information to appear on all invoices (e.g., payment terms, late payment fees, return policy)\",\"OrXJBY\":\"Optional prefix for invoice numbers (e.g., INV-)\",\"0zpgxV\":\"Options\",\"BzEFor\":\"or\",\"UYUgdb\":\"Order\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Order Cancelled\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Order Date\",\"Tol4BF\":\"Order Details\",\"WbImlQ\":\"Order has been canceled and the order owner has been notified.\",\"nAn4Oe\":\"Order marked as paid\",\"uzEfRz\":\"Order Notes\",\"VCOi7U\":\"Order questions\",\"TPoYsF\":\"Order Reference\",\"acIJ41\":\"Order Status\",\"GX6dZv\":\"Order Summary\",\"tDTq0D\":\"Order timeout\",\"1h+RBg\":\"Orders\",\"3y+V4p\":\"Organization Address\",\"GVcaW6\":\"Organization Details\",\"nfnm9D\":\"Organization Name\",\"G5RhpL\":\"Organizer\",\"mYygCM\":\"Organizer is required\",\"Pa6G7v\":\"Organizer Name\",\"l894xP\":\"Organizers can only manage events and products. 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\",\"HVW65c\":\"Paid Product\",\"ZfxaB4\":\"Partially Refunded\",\"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\",\"621rYf\":\"Payment\",\"Lg+ewC\":\"Payment & Invoicing\",\"DZjk8u\":\"Payment & Invoicing Settings\",\"lflimf\":\"Payment Due Period\",\"JhtZAK\":\"Payment Failed\",\"JEdsvQ\":\"Payment Instructions\",\"bLB3MJ\":\"Payment Methods\",\"QzmQBG\":\"Payment provider\",\"lsxOPC\":\"Payment Received\",\"wJTzyi\":\"Payment Status\",\"xgav5v\":\"Payment succeeded!\",\"R29lO5\":\"Payment Terms\",\"/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\",\"hcX103\":\"Please create a product\",\"cdR8d6\":\"Please create a ticket\",\"x2mjl4\":\"Please enter a valid image URL that points to an image.\",\"HnNept\":\"Please enter your new password\",\"5FSIzj\":\"Please Note\",\"C63rRe\":\"Please return to the event page to start over.\",\"pJLvdS\":\"Please select\",\"Ewir4O\":\"Please select at least one product\",\"igBrCH\":\"Please verify your email address to access all features\",\"/IzmnP\":\"Please wait while we prepare your invoice...\",\"MOERNx\":\"Portuguese\",\"qCJyMx\":\"Post Checkout message\",\"g2UNkE\":\"Powered by\",\"Rs7IQv\":\"Pre Checkout message\",\"rdUucN\":\"Preview\",\"a7u1N9\":\"Price\",\"CmoB9j\":\"Price display mode\",\"BI7D9d\":\"Price not set\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Price Type\",\"6RmHKN\":\"Primary Color\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primary Text Color\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Print All Tickets\",\"DKwDdj\":\"Print Tickets\",\"K47k8R\":\"Product\",\"1JwlHk\":\"Product Category\",\"U61sAj\":\"Product category updated successfully.\",\"1USFWA\":\"Product deleted successfully\",\"4Y2FZT\":\"Product Price Type\",\"mFwX0d\":\"Product questions\",\"Lu+kBU\":\"Product Sales\",\"U/R4Ng\":\"Product Tier\",\"sJsr1h\":\"Product Type\",\"o1zPwM\":\"Product Widget Preview\",\"ktyvbu\":\"Product(s)\",\"N0qXpE\":\"Products\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Products sold\",\"/u4DIx\":\"Products Sold\",\"DJQEZc\":\"Products sorted successfully\",\"vERlcd\":\"Profile\",\"kUlL8W\":\"Profile updated successfully\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code applied\"],\"P5sgAk\":\"Promo Code\",\"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.\",\"OP094m\":\"Promo Codes Report\",\"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.\",\"toutGW\":\"QR Code\",\"LkMOWF\":\"Quantity Available\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Question deleted\",\"avf0gk\":\"Question Description\",\"oQvMPn\":\"Question Title\",\"enzGAL\":\"Questions\",\"ROv2ZT\":\"Questions & Answers\",\"K885Eq\":\"Questions sorted successfully\",\"OMJ035\":\"Radio Option\",\"C4TjpG\":\"Read less\",\"I3QpvQ\":\"Recipient\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Refund Failed\",\"n10yGu\":\"Refund order\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Refund Pending\",\"xHpVRl\":\"Refund Status\",\"/BI0y9\":\"Refunded\",\"fgLNSM\":\"Register\",\"9+8Vez\":\"Remaining Uses\",\"tasfos\":\"remove\",\"t/YqKh\":\"Remove\",\"t9yxlZ\":\"Reports\",\"prZGMe\":\"Require Billing Address\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Resend email confirmation\",\"wIa8Qe\":\"Resend invitation\",\"VeKsnD\":\"Resend order email\",\"dFuEhO\":\"Resend ticket email\",\"o6+Y6d\":\"Resending...\",\"OfhWJH\":\"Reset\",\"RfwZxd\":\"Reset password\",\"KbS2K9\":\"Reset Password\",\"e99fHm\":\"Restore event\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Return to Event Page\",\"8YBH95\":\"Revenue\",\"PO/sOY\":\"Revoke invitation\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Sale End Date\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Sale Start Date\",\"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\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Search by attendee name, email or order #...\",\"+pr/FY\":\"Search by event name...\",\"3zRbWw\":\"Search by name, email, or order #...\",\"L22Tdf\":\"Search by name, order #, attendee # or email...\",\"BiYOdA\":\"Search by name...\",\"YEjitp\":\"Search by subject or content...\",\"Pjsch9\":\"Search capacity assignments...\",\"r9M1hc\":\"Search check-in lists...\",\"+0Yy2U\":\"Search products\",\"YIix5Y\":\"Search...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secondary Color\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secondary Text Color\",\"02ePaq\":[\"Select \",[\"0\"]],\"QuNKRX\":\"Select Camera\",\"9FQEn8\":\"Select category...\",\"kWI/37\":\"Select organizer\",\"ixIx1f\":\"Select Product\",\"3oSV95\":\"Select Product Tier\",\"C4Y1hA\":\"Select products\",\"hAjDQy\":\"Select status\",\"QYARw/\":\"Select Ticket\",\"OMX4tH\":\"Select tickets\",\"DrwwNd\":\"Select time period\",\"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.\",\"M/WIer\":\"Send Message\",\"D7ZemV\":\"Send order confirmation and ticket email\",\"v1rRtW\":\"Send Test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO Description\",\"/SIY6o\":\"SEO Keywords\",\"GfWoKv\":\"SEO Settings\",\"rXngLf\":\"SEO Title\",\"/jZOZa\":\"Service Fee\",\"Bj/QGQ\":\"Set a minimum price and let users pay more if they choose\",\"L0pJmz\":\"Set the starting number for invoice numbering. This cannot be changed once invoices have been generated.\",\"nYNT+5\":\"Set up your event\",\"A8iqfq\":\"Set your event live\",\"Tz0i8g\":\"Settings\",\"Z8lGw6\":\"Share\",\"B2V3cA\":\"Share Event\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Show available product quantity\",\"qDsmzu\":\"Show hidden questions\",\"fMPkxb\":\"Show more\",\"izwOOD\":\"Show tax and fees separately\",\"1SbbH8\":\"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.\",\"6a/UJE\":\"Sorry, this promo code is not recognized\",\"65A04M\":\"Spanish\",\"mFuBqb\":\"Standard product with a fixed price\",\"D3iCkb\":\"Start Date\",\"/2by1f\":\"State or Region\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Stripe payments are not enabled for this event.\",\"UJmAAK\":\"Subject\",\"X2rrlw\":\"Subtotal\",\"zzDlyQ\":\"Success\",\"b0HJ45\":[\"Success! \",[\"0\"],\" will receive an email shortly.\"],\"BJIEiF\":[\"Successfully \",[\"0\"],\" attendee\"],\"OtgNFx\":\"Successfully confirmed email address\",\"IKwyaF\":\"Successfully confirmed email change\",\"zLmvhE\":\"Successfully created attendee\",\"gP22tw\":\"Successfully Created Product\",\"9mZEgt\":\"Successfully Created Promo Code\",\"aIA9C4\":\"Successfully Created Question\",\"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\",\"4H80qv\":\"Successfully updated order\",\"6xCBVN\":\"Successfully Updated Payment & Invoicing Settings\",\"1Ycaad\":\"Successfully updated product\",\"70dYC8\":\"Successfully Updated Promo Code\",\"F+pJnL\":\"Successfully Updated Seo Settings\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support Email\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Tax\",\"geUFpZ\":\"Tax & Fees\",\"dFHcIn\":\"Tax Details\",\"wQzCPX\":\"Tax information to appear at the bottom of all invoices (e.g., VAT number, tax registration)\",\"0RXCDo\":\"Tax or Fee deleted successfully\",\"ZowkxF\":\"Taxes\",\"qu6/03\":\"Taxes and Fees\",\"gypigA\":\"That promo code is invalid\",\"5ShqeM\":\"The check-in list you are looking for does not exist.\",\"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.\",\"HsFnrk\":[\"The maximum number of products for \",[\"0\"],\"is \",[\"1\"]],\"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.\",\"vQkyB3\":\"The taxes and fees to apply to this product. You can create new taxes and fees on the\",\"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\",\"wDx3FF\":\"There are no products available for this event\",\"pNgdBv\":\"There are no products available in this category\",\"rMcHYt\":\"There is a refund pending. Please wait for it to complete before requesting another refund.\",\"F89D36\":\"There was an error marking the order as paid\",\"68Axnm\":\"There was an error processing your request. Please try again.\",\"mVKOW6\":\"There was an error sending your message\",\"AhBPHd\":\"These details will only be shown if order is completed successfully. Orders awaiting payment will not show this message.\",\"Pc/Wtj\":\"This attendee has an unpaid order.\",\"mf3FrP\":\"This category doesn't have any products yet.\",\"8QH2Il\":\"This category is hidden from public view\",\"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.\",\"MMd2TJ\":\"This information will be shown on the payment page, order summary page, and order confirmation email.\",\"XAHqAg\":\"This is a general product, like a t-shirt or a mug. No ticket will be issued\",\"CNk/ro\":\"This is an online event\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"This message will be included in the footer of all emails sent from this event\",\"55i7Fa\":\"This message will only be shown if order is completed successfully. Orders awaiting payment will not show this message\",\"RjwlZt\":\"This order has already been paid.\",\"5K8REg\":\"This order has already been refunded.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"This order has been cancelled.\",\"Q0zd4P\":\"This order has expired. Please start again.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"This order is complete.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"This order page is no longer available.\",\"i0TtkR\":\"This overrides all visibility settings and will hide the product from all customers.\",\"cRRc+F\":\"This product cannot be deleted because it is associated with an order. You can hide it instead.\",\"3Kzsk7\":\"This product is a ticket. Buyers will be issued a ticket upon purchase\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"This question is only visible to the event organizer\",\"os29v1\":\"This reset password link is invalid or expired.\",\"IV9xTT\":\"This user is not active, as they have not accepted their invitation.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"dtGC3q\":\"Ticket email has been resent to attendee\",\"54q0zp\":\"Tickets for\",\"xN9AhL\":[\"Tier \",[\"0\"]],\"jZj9y9\":\"Tiered Product\",\"8wITQA\":\"Tiered products allow you to offer multiple price options for the same product. This is perfect for early bird products, or offering different price options for different groups of people.\",\"nn3mSR\":\"Time left:\",\"s/0RpH\":\"Times used\",\"y55eMd\":\"Times Used\",\"40Gx0U\":\"Timezone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Tools\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total Before Discounts\",\"NRWNfv\":\"Total Discount Amount\",\"BxsfMK\":\"Total Fees\",\"2bR+8v\":\"Total Gross Sales\",\"mpB/d9\":\"Total order amount\",\"m3FM1g\":\"Total refunded\",\"jEbkcB\":\"Total Refunded\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total Tax\",\"+zy2Nq\":\"Type\",\"FMdMfZ\":\"Unable to check in attendee\",\"bPWBLL\":\"Unable to check out attendee\",\"9+P7zk\":\"Unable to create product. Please check the your details\",\"WLxtFC\":\"Unable to create product. Please check your details\",\"/cSMqv\":\"Unable to create question. Please check the your details\",\"MH/lj8\":\"Unable to update question. Please check the your details\",\"nnfSdK\":\"Unique Customers\",\"Mqy/Zy\":\"United States\",\"NIuIk1\":\"Unlimited\",\"/p9Fhq\":\"Unlimited available\",\"E0q9qH\":\"Unlimited usages allowed\",\"h10Wm5\":\"Unpaid Order\",\"ia8YsC\":\"Upcoming\",\"TlEeFv\":\"Upcoming Events\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Update event name, description and dates\",\"vXPSuB\":\"Update profile\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copied to clipboard\",\"e5lF64\":\"Usage Example\",\"fiV0xj\":\"Usage Limit\",\"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\",\"jpctdh\":\"View\",\"Pte1Hv\":\"View Attendee Details\",\"/5PEQz\":\"View event page\",\"fFornT\":\"View full message\",\"YIsEhQ\":\"View map\",\"Ep3VfY\":\"View on Google Maps\",\"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.\",\"45Srzt\":\"We couldn't delete the category. Please try again.\",\"/DNy62\":[\"We couldn't find any tickets matching \",[\"0\"]],\"1E0vyy\":\"We couldn't load the data. Please try again.\",\"NmpGKr\":\"We couldn't reorder the categories. Please try again.\",\"BJtMTd\":\"We recommend dimensions of 1950px by 650px, a ratio of 3:1, 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\"],\" 👋\"],\"xgL50q\":\"What are Tiered Products?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"What is a Category?\",\"gxeWAU\":\"What products does this code apply to?\",\"hFHnxR\":\"What products does this code apply to? (Applies to all by default)\",\"AeejQi\":\"What products should this capacity apply to?\",\"Rb0XUE\":\"What time will you be arriving?\",\"5N4wLD\":\"What type of question is this?\",\"gyLUYU\":\"When enabled, invoices will be generated for ticket orders. Invoices will sent along with the order confirmation email. Attendees can also download their invoices from the order confirmation page.\",\"D3opg4\":\"When offline payments are enabled, users will be able to complete their orders and receive their tickets. Their tickets will clearly indicate the order is not paid, and the check-in tool will notify the check-in staff if an order requires payment.\",\"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?\",\"VxFvXQ\":\"Widget Embed\",\"v1P7Gm\":\"Widget Settings\",\"b4itZn\":\"Working\",\"hqmXmc\":\"Working...\",\"+G/XiQ\":\"Year to date\",\"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\",\"sdB7+6\":\"You can create a promo code which targets this product on the\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"You cannot change the product type as there are attendees associated with this product.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"You cannot check in attendees with unpaid orders. This setting can be changed in the event settings.\",\"c9Evkd\":\"You cannot delete the last category.\",\"6uwAvx\":\"You cannot delete this price tier because there are already products sold for this tier. You can hide it instead.\",\"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.\",\"CoZHDB\":\"You have no order questions.\",\"15qAvl\":\"You have no pending email change.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"You have run out of time to complete your order.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific product 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\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"You will have to mark an order as paid manually. This can be done on the manage order page.\",\"L/+xOk\":\"You'll need a ticket before you can create a check-in list.\",\"Djl45M\":\"You'll need at a product before you can create a capacity assignment.\",\"y3qNri\":\"You'll need at least one product to get started. Free, paid or let the user decide what to pay.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Your Order\",\"Jwiilf\":\"Your order has been cancelled\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Your refund is processing.\",\"IFHV2p\":\"Your ticket for\",\"x1PPdr\":\"ZIP / Postal Code\",\"BM/KQm\":\"Zip or Postal Code\",\"+LtVBt\":\"ZIP or Postal Code\",\"25QDJ1\":\"- Click to Publish\",\"WOyJmc\":\"- Click to Unpublish\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" уже зарегистрирован\"],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" logo\"],\"B7pZfX\":[[\"0\"],\" organizers\"],\"/HkCs4\":[[\"0\"],\" tickets\"],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Check-in lists help you manage event entry by day, area, or ticket type. You can link tickets to specific lists such as VIP zones or Day 1 passes and share a secure check-in link with staff. No account is required. Check-in works on mobile, desktop, or tablet, using a device camera or HID USB scanner. \",\"ZnVt5v\":\"<0>Webhooks instantly notify external services when events happen, like adding a new attendee to your CRM or mailing list upon registration, ensuring seamless automation.<1>Use third-party services like <2>Zapier, <3>IFTTT or <4>Make to create custom workflows and automate tasks.\",\"fAv9QG\":\"🎟️ Add tickets\",\"M2DyLc\":\"1 Active Webhook\",\"yTsaLw\":\"1 ticket\",\"HR/cvw\":\"123 Sample Street\",\"kMU5aM\":\"A cancellation notice has been sent to\",\"V53XzQ\":\"A new verification code has been sent to your email\",\"/z/bH1\":\"A short description of your organizer that will be displayed to your users.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"About\",\"WTk/ke\":\"About Stripe Connect\",\"1uJlG9\":\"Accent Color\",\"VTfZPy\":\"Access Denied\",\"iN5Cz3\":\"Аккаунт уже подключен!\",\"bPwFdf\":\"Accounts\",\"nMtNd+\":\"Требуется действие: Переподключите ваш аккаунт Stripe\",\"a5KFZU\":\"Add event details and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"6PNlRV\":\"Add this event to your calendar\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"NsWqSP\":\"Add your social media handles and website URL. These will be displayed on your public organizer page.\",\"0Zypnp\":\"Admin Dashboard\",\"YAV57v\":\"Affiliate\",\"I+utEq\":\"Affiliate code cannot be changed\",\"/jHBj5\":\"Affiliate created successfully\",\"uCFbG2\":\"Affiliate deleted successfully\",\"a41PKA\":\"Affiliate sales will be tracked\",\"mJJh2s\":\"Affiliate sales will not be tracked. This will deactivate the affiliate.\",\"jabmnm\":\"Affiliate updated successfully\",\"CPXP5Z\":\"Affiliates\",\"9Wh+ug\":\"Affiliates Exported\",\"3cqmut\":\"Affiliates help you track sales generated by partners and influencers. Create affiliate codes and share them to monitor performance.\",\"7rLTkE\":\"All Archived Events\",\"gKq1fa\":\"All attendees\",\"pMLul+\":\"All Currencies\",\"qlaZuT\":\"Готово! Теперь вы используете нашу обновленную платежную систему.\",\"ZS/D7f\":\"All Ended Events\",\"dr7CWq\":\"All Upcoming Events\",\"QUg5y1\":\"Почти готово! Завершите подключение аккаунта Stripe для начала приема платежей.\",\"c4uJfc\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds.\",\"/H326L\":\"Уже возвращено\",\"RtxQTF\":\"Также отменить этот заказ\",\"jkNgQR\":\"Также вернуть деньги за этот заказ\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"An email to associate with this affiliate. The affiliate will not be notified.\",\"vRznIT\":\"An error occurred while checking export status.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Answer updated successfully.\",\"LchiNd\":\"Are you sure you want to delete this affiliate? This action cannot be undone.\",\"JmVITJ\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the default template.\",\"aLS+A6\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the organizer or default template.\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"147G4h\":\"Are you sure you want to leave?\",\"VDWChT\":\"Are you sure you want to make this organizer draft? This will make the organizer page invisible to the public\",\"pWtQJM\":\"Are you sure you want to make this organizer public? This will make the organizer page visible to the public\",\"WFHOlF\":\"Are you sure you want to publish this event? Once published, it will be visible to the public.\",\"4TNVdy\":\"Are you sure you want to publish this organizer profile? Once published, it will be visible to the public.\",\"ExDt3P\":\"Are you sure you want to unpublish this event? It will no longer be visible to the public.\",\"5Qmxo/\":\"Are you sure you want to unpublish this organizer profile? It will no longer be visible to the public.\",\"+QARA4\":\"Art\",\"F2rX0R\":\"At least one event type must be selected\",\"6PecK3\":\"Attendance and check-in rates across all events\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Attendee Email\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Attendee Management\",\"av+gjP\":\"Attendee Name\",\"cosfD8\":\"Attendee Status\",\"D2qlBU\":\"Attendee Updated\",\"x8Vnvf\":\"Attendee's ticket not included in this list\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"4HVzhV\":\"Attendees:\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Доступно для возврата\",\"NB5+UG\":\"Available Tokens\",\"EmYMHc\":\"Awaiting Offline Pmt.\",\"kNmmvE\":\"Awesome Events Ltd.\",\"kYqM1A\":\"Back to Event\",\"td/bh+\":\"Back to Reports\",\"jIPNJG\":\"Basic Information\",\"iMdwTb\":\"Before your event can go live, there are a few things you need to do. Complete all the steps below to get started.\",\"UabgBd\":\"Body is required\",\"9N+p+g\":\"Business\",\"bv6RXK\":\"Button Label\",\"ChDLlO\":\"Button Text\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Call-to-Action Button\",\"PUpvQe\":\"Camera Scanner\",\"H4nE+E\":\"Отменить все продукты и вернуть их в общий пул\",\"tOXAdc\":\"Отмена отменит всех участников, связанных с этим заказом, и вернет билеты в доступный пул.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Capacity Assignments\",\"K7tIrx\":\"Category\",\"2tbLdK\":\"Charity\",\"v4fiSg\":\"Check your email\",\"51AsAN\":\"Check your inbox! If tickets are associated with this email, you'll receive a link to view them.\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"9gPPUY\":\"Check-In List Created\",\"f2vU9t\":\"Check-in Lists\",\"tMNBEF\":\"Check-in lists let you control entry across days, areas, or ticket types. You can share a secure check-in link with staff — no account required.\",\"SHJwyq\":\"Check-in Rate\",\"qCqdg6\":\"Check-In Status\",\"cKj6OE\":\"Check-in Summary\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinese (Traditional)\",\"pkk46Q\":\"Choose an Organizer\",\"Crr3pG\":\"Choose calendar\",\"CySr+W\":\"Click to view notes\",\"RG3szS\":\"close\",\"RWw9Lg\":\"Close modal\",\"XwdMMg\":\"Code can only contain letters, numbers, hyphens, and underscores\",\"+yMJb7\":\"Code is required\",\"m9SD3V\":\"Code must be at least 3 characters\",\"V1krgP\":\"Code must be no more than 20 characters\",\"psqIm5\":\"Collaborate with your team to create amazing events together.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Complete Stripe Setup\",\"OqEV/G\":\"Завершите настройку ниже для продолжения\",\"nqx+6h\":\"Complete these steps to start selling tickets for your event.\",\"5YrKW7\":\"Complete your payment to secure your tickets.\",\"ih35UP\":\"Conference Center\",\"NGXKG/\":\"Confirm Email Address\",\"Auz0Mz\":\"Confirm your email to access all features.\",\"7+grte\":\"Confirmation email sent! Please check your inbox.\",\"n/7+7Q\":\"Confirmation sent to\",\"o5A0Go\":\"Congratulations on creating an event!\",\"WNnP3w\":\"Подключить и обновить\",\"Xe2tSS\":\"Connect Documentation\",\"1Xxb9f\":\"Connect payment processing\",\"LmvZ+E\":\"Подключите Stripe для включения сообщений\",\"EWnXR+\":\"Connect to Stripe\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"VioGG1\":\"Connect your Stripe account to accept payments for tickets and products.\",\"4qmnU8\":\"Подключите ваш аккаунт Stripe для приема платежей.\",\"E1eze1\":\"Подключите ваш аккаунт Stripe для начала приема платежей за ваши мероприятия.\",\"ulV1ju\":\"Подключите ваш аккаунт Stripe для начала приема платежей.\",\"/3017M\":\"Connected to Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contact \",[\"0\"]],\"41BQ3k\":\"Contact Email\",\"KcXRN+\":\"Contact email for support\",\"m8WD6t\":\"Continue Setup\",\"0GwUT4\":\"Continue to Checkout\",\"sBV87H\":\"Continue to event creation\",\"nKtyYu\":\"Continue to next step\",\"F3/nus\":\"Continue to Payment\",\"1JnTgU\":\"Copied from above\",\"FxVG/l\":\"Copied to clipboard\",\"PiH3UR\":\"Copied!\",\"uUPbPg\":\"Copy Affiliate Link\",\"iVm46+\":\"Copy Code\",\"+2ZJ7N\":\"Copy details to first attendee\",\"ZN1WLO\":\"Copy Email\",\"tUGbi8\":\"Copy my details to:\",\"y22tv0\":\"Copy this link to share it anywhere\",\"/4gGIX\":\"Copy to clipboard\",\"P0rbCt\":\"Cover Image\",\"60u+dQ\":\"Cover image will be displayed at the top of your event page\",\"2NLjA6\":\"Cover image will be displayed at the top of your organizer page\",\"zg4oSu\":[\"Create \",[\"0\"],\" Template\"],\"xfKgwv\":\"Create Affiliate\",\"dyrgS4\":\"Create and customize your event page instantly\",\"BTne9e\":\"Create custom email templates for this event that override the organizer defaults\",\"YIDzi/\":\"Create Custom Template\",\"8AiKIu\":\"Create Ticket or Product\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"5slqwZ\":\"Create Your Event\",\"JQNMrj\":\"Create your first event\",\"CCjxOC\":\"Create your first event to start selling tickets and managing attendees.\",\"ZCSSd+\":\"Create your own event\",\"67NsZP\":\"Creating Event...\",\"H34qcM\":\"Creating Organizer...\",\"1YMS+X\":\"Creating your event, please wait\",\"yiy8Jt\":\"Creating your organizer profile, please wait\",\"lfLHNz\":\"CTA label is required\",\"BMtue0\":\"Текущий платежный процессор\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Custom message after checkout\",\"axv/Mi\":\"Custom template\",\"QMHSMS\":\"Клиент получит email с подтверждением возврата\",\"L/Qc+w\":\"Customer's email address\",\"wpfWhJ\":\"Customer's first name\",\"GIoqtA\":\"Customer's last name\",\"NihQNk\":\"Customers\",\"7gsjkI\":\"Customize the emails sent to your customers using Liquid templating. These templates will be used as defaults for all events in your organization.\",\"iX6SLo\":\"Customize the text shown on the continue button\",\"pxNIxa\":\"Customize your email template using Liquid templating\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"mkLlne\":\"Customize your event page appearance\",\"3trPKm\":\"Customize your organizer page appearance\",\"4df0iX\":\"Customize your ticket appearance\",\"/gWrVZ\":\"Daily revenue, taxes, fees, and refunds across all events\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Date of the event\",\"gnBreG\":\"Дата размещения заказа\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Default template will be used\",\"vu7gDm\":\"Delete Affiliate\",\"+jw/c1\":\"Delete image\",\"dPyJ15\":\"Delete Template\",\"snMaH4\":\"Delete webhook\",\"vYgeDk\":\"Deselect All\",\"NvuEhl\":\"Design Elements\",\"H8kMHT\":\"Didn't receive the code?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dismiss this message\",\"BREO0S\":\"Отображать флажок, позволяющий клиентам подписаться на маркетинговые сообщения от этого организатора мероприятий.\",\"TvY/XA\":\"Documentation\",\"Kdpf90\":\"Don't forget!\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Done\",\"eneWvv\":\"Draft\",\"TnzbL+\":\"Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\\nThis is to ensure that all event organizers are verified and accountable.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplicate Product\",\"KIjvtr\":\"Dutch\",\"SPKbfM\":\"e.g., Get Tickets, Register Now\",\"LTzmgK\":[\"Edit \",[\"0\"],\" Template\"],\"v4+lcZ\":\"Edit Affiliate\",\"2iZEz7\":\"Edit Answer\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Education\",\"zPiC+q\":\"Eligible Check-In Lists\",\"V2sk3H\":\"Email & Templates\",\"hbwCKE\":\"Email address copied to clipboard\",\"dSyJj6\":\"Email addresses do not match\",\"elW7Tn\":\"Email Body\",\"ZsZeV2\":\"Email is required\",\"Be4gD+\":\"Email Preview\",\"6IwNUc\":\"Email Templates\",\"H/UMUG\":\"Email Verification Required\",\"L86zy2\":\"Email verified successfully!\",\"Upeg/u\":\"Enable this template for sending emails\",\"RxzN1M\":\"Enabled\",\"sGjBEq\":\"End Date & Time (optional)\",\"PKXt9R\":\"End date must be after start date\",\"48Y16Q\":\"End time (optional)\",\"7YZofi\":\"Enter a subject and body to see the preview\",\"3bR1r4\":\"Enter affiliate email (optional)\",\"ARkzso\":\"Enter affiliate name\",\"INDKM9\":\"Enter email subject...\",\"kWg31j\":\"Enter unique affiliate code\",\"C3nD/1\":\"Enter your email\",\"n9V+ps\":\"Enter your name\",\"LslKhj\":\"Error loading logs\",\"WgD6rb\":\"Event Category\",\"b46pt5\":\"Event Cover Image\",\"1Hzev4\":\"Event custom template\",\"imgKgl\":\"Event Description\",\"kJDmsI\":\"Event details\",\"m/N7Zq\":\"Event Full Address\",\"Nl1ZtM\":\"Event Location\",\"PYs3rP\":\"Event name\",\"HhwcTQ\":\"Event Name\",\"WZZzB6\":\"Event name is required\",\"Wd5CDM\":\"Event name should be less than 150 characters\",\"4JzCvP\":\"Event Not Available\",\"Gh9Oqb\":\"Event organizer name\",\"mImacG\":\"Event Page\",\"cOePZk\":\"Event Time\",\"e8WNln\":\"Event timezone\",\"GeqWgj\":\"Event Timezone\",\"XVLu2v\":\"Event Title\",\"YDVUVl\":\"Event Types\",\"4K2OjV\":\"Event Venue\",\"19j6uh\":\"Events Performance\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Every email template must include a call-to-action button that links to the appropriate page\",\"VlvpJ0\":\"Export answers\",\"JKfSAv\":\"Export failed. Please try again.\",\"SVOEsu\":\"Export started. Preparing file...\",\"9bpUSo\":\"Exporting Affiliates\",\"jtrqH9\":\"Exporting Attendees\",\"R4Oqr8\":\"Exporting complete. Downloading file...\",\"UlAK8E\":\"Exporting Orders\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Failed to abandon order. Please try again.\",\"cEFg3R\":\"Failed to create affiliate\",\"U66oUa\":\"Failed to create template\",\"xFj7Yj\":\"Failed to delete template\",\"jo3Gm6\":\"Failed to export affiliates\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"YQ3QSS\":\"Failed to resend verification code\",\"zTkTF3\":\"Failed to save template\",\"T6B2gk\":\"Failed to send message. Please try again.\",\"lKh069\":\"Failed to start export job\",\"t/KVOk\":\"Failed to start impersonation. Please try again.\",\"QXgjH0\":\"Failed to stop impersonation. Please try again.\",\"i0QKrm\":\"Failed to update affiliate\",\"NNc33d\":\"Failed to update answer.\",\"7/9RFs\":\"Failed to upload image.\",\"nkNfWu\":\"Failed to upload image. Please try again.\",\"rxy0tG\":\"Failed to verify email\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Fill in your details above first\",\"8OvVZZ\":\"Filter Attendees\",\"8BwQeU\":\"Завершить настройку\",\"hg80P7\":\"Завершить настройку Stripe\",\"1vBhpG\":\"First attendee\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"lWxAUo\":\"Food & Drink\",\"nFm+5u\":\"Footer Text\",\"MY2SVM\":\"Полный возврат\",\"vAVBBv\":\"Fully Integrated\",\"T02gNN\":\"General Admission\",\"3ep0Gx\":\"General information about your organizer\",\"ziAjHi\":\"Generate\",\"exy8uo\":\"Generate code\",\"4CETZY\":\"Get Directions\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Get your event ready\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Go to Event Page\",\"gHSuV/\":\"Go to home page\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Gross Revenue\",\"kTSQej\":[\"Hello \",[\"0\"],\", manage your platform from here.\"],\"dORAcs\":\"Here are all the tickets associated with your email address.\",\"g+2103\":\"Here is your affiliate link\",\"QlwJ9d\":\"Вот что ожидать:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Hide Answers\",\"gtEbeW\":\"Highlight\",\"NF8sdv\":\"Highlight Message\",\"MXSqmS\":\"Highlight this product\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Highlighted products will have a different background color to make them stand out on the event page.\",\"i0qMbr\":\"Home\",\"AVpmAa\":\"How to pay offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hungarian\",\"4/kP5a\":\"If a new tab did not open automatically, please click the button below to continue to checkout.\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"an5hVd\":\"Images\",\"tSVr6t\":\"Impersonate\",\"TWXU0c\":\"Impersonate User\",\"5LAZwq\":\"Impersonation started\",\"IMwcdR\":\"Impersonation stopped\",\"M8M6fs\":\"Important: Stripe reconnection required\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"In-depth Analytics\",\"F1Xp97\":\"Individual attendees\",\"85e6zs\":\"Insert Liquid Token\",\"38KFY0\":\"Insert Variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Invalid email\",\"5tT0+u\":\"Invalid email format\",\"tnL+GP\":\"Invalid Liquid syntax. Please correct it and try again.\",\"g+lLS9\":\"Invite a team member\",\"1z26sk\":\"Invite Team Member\",\"KR0679\":\"Invite Team Members\",\"aH6ZIb\":\"Invite Your Team\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italian\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Join from anywhere\",\"hTJ4fB\":\"Просто нажмите кнопку ниже для переподключения вашего аккаунта Stripe.\",\"MxjCqk\":\"Just looking for your tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link Expired or Invalid\",\"psosdY\":\"Link to order details\",\"6JzK4N\":\"Link to ticket\",\"shkJ3U\":\"Link your Stripe account to receive funds from ticket sales.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live Events\",\"WdmJIX\":\"Загрузка предпросмотра...\",\"IoDI2o\":\"Loading tokens...\",\"NFxlHW\":\"Loading Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Cover\",\"gddQe0\":\"Logo and cover image for your organizer\",\"TBEnp1\":\"Logo will be displayed in the header\",\"Jzu30R\":\"Logo will be displayed on the ticket\",\"4wUIjX\":\"Make your event live\",\"0A7TvI\":\"Manage Event\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"/x0FyM\":\"Match Your Brand\",\"xDAtGP\":\"Message\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"48rf3i\":\"Message cannot exceed 5000 characters\",\"Vjat/X\":\"Message is required\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"GfaxEk\":\"Music\",\"oVGCGh\":\"My Tickets\",\"8/brI5\":\"Name is required\",\"sCV5Yc\":\"Name of the event\",\"xxU3NX\":\"Net Revenue\",\"eWRECP\":\"Nightlife\",\"VHfLAW\":\"No accounts\",\"+jIeoh\":\"No accounts found\",\"074+X8\":\"No Active Webhooks\",\"zxnup4\":\"No Affiliates to show\",\"99ntUF\":\"No check-in lists available for this event.\",\"6r9SGl\":\"No Credit Card Required\",\"eb47T5\":\"No data found for the selected filters. Try adjusting the date range or currency.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"No events found\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"No events yet\",\"54GxeB\":\"Никакого влияния на ваши текущие или прошлые транзакции\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"No logs found\",\"NEmyqy\":\"No orders yet\",\"B7w4KY\":\"No other organizers available\",\"6jYQGG\":\"No past events\",\"zK/+ef\":\"No products available for selection\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"3sRuiW\":\"No Tickets Found\",\"yM5c0q\":\"No upcoming events\",\"qpC74J\":\"No users found\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"4+am6b\":\"No, keep me here\",\"x5+Lcz\":\"Not Checked In\",\"8n10sz\":\"Not Eligible\",\"lQgMLn\":\"Office or venue name\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Payment\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"После завершения обновления ваш старый аккаунт будет использоваться только для возвратов.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online Event\",\"bU7oUm\":\"Only send to orders with these statuses\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Открыть панель Stripe\",\"HXMJxH\":\"Дополнительный текст для отказов от ответственности, контактной информации или благодарственных заметок (только одна строка)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Order cancelled\",\"b6+Y+n\":\"Order complete\",\"x4MLWE\":\"Order Confirmation\",\"ppuQR4\":\"Order Created\",\"0UZTSq\":\"Order Currency\",\"HdmwrI\":\"Order Email\",\"bwBlJv\":\"Order First Name\",\"vrSW9M\":\"Заказ отменен и возвращен. Владелец заказа уведомлен.\",\"+spgqH\":[\"Order ID: \",[\"0\"]],\"Pc729f\":\"Order Is Awaiting Offline Payment\",\"F4NXOl\":\"Order Last Name\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Order Locale\",\"vu6Arl\":\"Order Marked as Paid\",\"sLbJQz\":\"Order not found\",\"i8VBuv\":\"Order Number\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"DoH3fD\":\"Order Payment Pending\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"oW5877\":\"Order Total\",\"e7eZuA\":\"Order Updated\",\"KndP6g\":\"Order URL\",\"3NT0Ck\":\"Order was cancelled\",\"5It1cQ\":\"Orders Exported\",\"B/EBQv\":\"Orders:\",\"ucgZ0o\":\"Organization\",\"S3CZ5M\":\"Organizer Dashboard\",\"Uu0hZq\":\"Email организатора\",\"Gy7BA3\":\"Адрес электронной почты организатора\",\"SQqJd8\":\"Organizer Not Found\",\"wpj63n\":\"Organizer Settings\",\"coIKFu\":\"Organizer statistics are not available for the selected currency or an error occurred.\",\"o1my93\":\"Organizer status update failed. Please try again later\",\"rLHma1\":\"Organizer status updated\",\"LqBITi\":\"Organizer/default template will be used\",\"/IX/7x\":\"Other\",\"RsiDDQ\":\"Other Lists (Ticket Not Included)\",\"6/dCYd\":\"Overview\",\"8uqsE5\":\"Page no longer available\",\"QkLf4H\":\"Page URL\",\"sF+Xp9\":\"Page Views\",\"5F7SYw\":\"Частичный возврат\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Past\",\"xTPjSy\":\"Past Events\",\"/l/ckQ\":\"Paste URL\",\"URAE3q\":\"Paused\",\"4fL/V7\":\"Pay\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Payment & Plan\",\"ENEPLY\":\"Payment method\",\"EyE8E6\":\"Payment Processing\",\"8Lx2X7\":\"Payment received\",\"vcyz2L\":\"Payment Settings\",\"fx8BTd\":\"Payments not available\",\"51U9mG\":\"Платежи будут продолжаться без перерыва\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Performance\",\"zmwvG2\":\"Phone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planning an event?\",\"br3Y/y\":\"Platform Fees\",\"jEw0Mr\":\"Please enter a valid URL\",\"n8+Ng/\":\"Please enter the 5-digit code\",\"Dvq0wf\":\"Please provide an image.\",\"2cUopP\":\"Please restart the checkout process.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Please select an image.\",\"fuwKpE\":\"Please try again.\",\"klWBeI\":\"Please wait before requesting another code\",\"hfHhaa\":\"Please wait while we prepare your affiliates for export...\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"TjX7xL\":\"Post Checkout Message\",\"cs5muu\":\"Preview Event page\",\"+4yRWM\":\"Price of the ticket\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Print Preview\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Print to PDF\",\"LcET2C\":\"Privacy Policy\",\"8z6Y5D\":\"Обработать возврат\",\"JcejNJ\":\"Processing order\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publish\",\"evDBV8\":\"Publish Event\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Готовы к обновлению? Это займет всего несколько минут.\",\"Fi3b48\":\"Recent Orders\",\"Edm6av\":\"Reconnect Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecting to Stripe...\",\"ACKu03\":\"Refresh Preview\",\"fKn/k6\":\"Сумма возврата\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Возврат заказа \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Refunds\",\"CQeZT8\":\"Report not found\",\"JEPMXN\":\"Request a new link\",\"mdeIOH\":\"Resend code\",\"bxoWpz\":\"Resend Confirmation Email\",\"G42SNI\":\"Resend email\",\"TTpXL3\":[\"Resend in \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reserved until\",\"slOprG\":\"Reset your password\",\"CbnrWb\":\"Return to Event\",\"Oo/PLb\":\"Revenue Summary\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Sales\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Sales, orders, and performance metrics for all events\",\"3Q1AWe\":\"Sales:\",\"8BRPoH\":\"Sample Venue\",\"KZrfYJ\":\"Save Social Links\",\"9Y3hAT\":\"Save Template\",\"C8ne4X\":\"Save Ticket Design\",\"I+FvbD\":\"Сканировать\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Search affiliates...\",\"VY+Bdn\":\"Search by account name or email...\",\"VX+B3I\":\"Search by event title or organizer...\",\"GHdjuo\":\"Search by name, email, or account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Select a category\",\"BFRSTT\":\"Select Account\",\"mCB6Je\":\"Select All\",\"kYZSFD\":\"Select an organizer to view their dashboard and events.\",\"tVW/yo\":\"Select currency\",\"n9ZhRa\":\"Select end date and time\",\"gTN6Ws\":\"Select end time\",\"0U6E9W\":\"Select event category\",\"j9cPeF\":\"Select event types\",\"1nhy8G\":\"Select Scanner Type\",\"KizCK7\":\"Select start date and time\",\"dJZTv2\":\"Select start time\",\"aT3jZX\":\"Select timezone\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"BG3f7v\":\"Sell Anything\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"j9b/iy\":\"Selling fast 🔥\",\"1lNPhX\":\"Отправить email с уведомлением о возврате\",\"SPdzrs\":\"Sent to customers when they place an order\",\"LxSN5F\":\"Sent to each attendee with their ticket details\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Set up your organization\",\"HbUQWA\":\"Setup in Minutes\",\"GG7qDw\":\"Share Affiliate Link\",\"hL7sDJ\":\"Share Organizer Page\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Show all platforms (\",[\"0\"],\" more with values)\"],\"UVPI5D\":\"Show fewer platforms\",\"Eu/N/d\":\"Показать флажок подписки на маркетинг\",\"SXzpzO\":\"Показывать флажок подписки на маркетинг по умолчанию\",\"b33PL9\":\"Show more platforms\",\"v6IwHE\":\"Smart Check-in\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Social Links\",\"j/TOB3\":\"Social Links & Website\",\"2pxNFK\":\"sold\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"H6Gslz\":\"Sorry for the inconvenience.\",\"7JFNej\":\"Sports\",\"JcQp9p\":\"Start date & time\",\"0m/ekX\":\"Start Date & Time\",\"izRfYP\":\"Start date is required\",\"2R1+Rv\":\"Start time of the event\",\"2NbyY/\":\"Statistics\",\"DRykfS\":\"По-прежнему обрабатываем возвраты для ваших старых транзакций.\",\"wuV0bK\":\"Stop Impersonating\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe setup is already complete.\",\"ii0qn/\":\"Subject is required\",\"M7Uapz\":\"Subject will appear here\",\"6aXq+t\":\"Subject:\",\"JwTmB6\":\"Successfully Duplicated Product\",\"RuaKfn\":\"Successfully Updated Address\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Successfully Updated Organizer\",\"0Dk/l8\":\"Successfully Updated SEO Settings\",\"MhOoLQ\":\"Successfully Updated Social Links\",\"kj7zYe\":\"Successfully updated Webhook\",\"dXoieq\":\"Summary\",\"/RfJXt\":[\"Summer Music Festival \",[\"0\"]],\"CWOPIK\":\"Summer Music Festival 2025\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"JZTQI0\":\"Switch Organizer\",\"XX32BM\":\"Займет всего несколько минут\",\"yT6dQ8\":\"Tax collected grouped by tax type and event\",\"Ye321X\":\"Tax Name\",\"WyCBRt\":\"Tax Summary\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tech\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Tell people what to expect at your event\",\"NiIUyb\":\"Tell us about your event\",\"DovcfC\":\"Tell us about your organization. This information will be displayed on your event pages.\",\"7wtpH5\":\"Template Active\",\"QHhZeE\":\"Template created successfully\",\"xrWdPR\":\"Template deleted successfully\",\"G04Zjt\":\"Template saved successfully\",\"xowcRf\":\"Terms of Service\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Thank you for attending!\",\"lhAWqI\":\"Спасибо за вашу поддержку, пока мы продолжаем расти и улучшать Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"The code will expire in 10 minutes. Check your spam folder if you don't see the email.\",\"MJm4Tq\":\"The currency of the order\",\"I/NNtI\":\"The event venue\",\"tXadb0\":\"The event you're looking for is not available at the moment. It may have been removed, expired, or the URL might be incorrect.\",\"EBzPwC\":\"The full event address\",\"sxKqBm\":\"Полная сумма заказа будет возвращена на первоначальный способ оплаты клиента.\",\"5OmEal\":\"The locale of the customer\",\"sYLeDq\":\"The organizer you're looking for could not be found. The page may have been moved, deleted, or the URL might be incorrect.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"The template body contains invalid Liquid syntax. Please correct it and try again.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Theme & Colors\",\"HirZe8\":\"These templates will be used as defaults for all events in your organization. Individual events can override these templates with their own custom versions.\",\"lzAaG5\":\"These templates will override the organizer defaults for this event only. If no custom template is set here, the organizer template will be used instead.\",\"XBNC3E\":\"This code will be used to track sales. Only letters, numbers, hyphens, and underscores allowed.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"This event is not published yet\",\"dFJnia\":\"This is the name of your organizer that will be displayed to your users.\",\"L7dIM7\":\"This link is invalid or has expired.\",\"j5FdeA\":\"This order is being processed.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"This order was cancelled. You can start a new order anytime.\",\"lyD7rQ\":\"This organizer profile is not published yet\",\"9b5956\":\"This preview shows how your email will look with sample data. Actual emails will use real values.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Этот билет только что был отсканирован. Пожалуйста, подождите перед повторным сканированием.\",\"kvpxIU\":\"This will be used for notifications and communication with your users.\",\"rhsath\":\"This will not be visible to customers, but helps you identify the affiliate.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticket Design\",\"EZC/Cu\":\"Ticket design saved successfully\",\"1BPctx\":\"Ticket for\",\"bgqf+K\":\"Ticket holder's email\",\"oR7zL3\":\"Ticket holder's name\",\"HGuXjF\":\"Ticket holders\",\"awHmAT\":\"ID билета\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Name\",\"6tmWch\":\"Ticket or Product\",\"1tfWrD\":\"Предпросмотр билета для\",\"tGCY6d\":\"Ticket Price\",\"8jLPgH\":\"Ticket Type\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets & Products\",\"EUnesn\":\"Tickets Available\",\"AGRilS\":\"Tickets Sold\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total Accounts\",\"EaAPbv\":\"Total amount paid\",\"SMDzqJ\":\"Total Attendees\",\"orBECM\":\"Total Collected\",\"KSDwd5\":\"Total Orders\",\"vb0Q0/\":\"Total Users\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"uKOFO5\":\"True if offline payment\",\"9GsDR2\":\"True if payment pending\",\"ouM5IM\":\"Try another email\",\"3DZvE7\":\"Try Hi.Events Free\",\"Kz91g/\":\"Turkish\",\"GdOhw6\":\"Turn sound off\",\"KUOhTy\":\"Turn sound on\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type of ticket\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"Vx2J6x\":\"Unable to fetch attendee\",\"b9SN9q\":\"Unique order reference\",\"Ef7StM\":\"Unknown\",\"ZBAScj\":\"Unknown Attendee\",\"ZkS2p3\":\"Unpublish Event\",\"Pp1sWX\":\"Update Affiliate\",\"KMMOAy\":\"Доступно обновление\",\"gJQsLv\":\"Upload a cover image for your organizer\",\"4kEGqW\":\"Upload a logo for your organizer\",\"lnCMdg\":\"Upload Image\",\"29w7p6\":\"Uploading image...\",\"HtrFfw\":\"URL is required\",\"WBq1/R\":\"USB Scanner Already Active\",\"EV30TR\":\"USB Scanner mode activated. Start scanning tickets now.\",\"fovJi3\":\"USB Scanner mode deactivated\",\"hli+ga\":\"USB/HID Scanner\",\"OHJXlK\":\"Используйте <0>шаблоны Liquid для персонализации ваших писем\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Used for borders, highlights, and QR code styling\",\"AdWhjZ\":\"Verification code\",\"wCKkSr\":\"Verify Email\",\"/IBv6X\":\"Verify your email\",\"e/cvV1\":\"Verifying...\",\"fROFIL\":\"Vietnamese\",\"+WFMis\":\"View and download reports across all your events. Only completed orders are included.\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"c7VN/A\":\"View Answers\",\"FCVmuU\":\"View Event\",\"n6EaWL\":\"View logs\",\"OaKTzt\":\"View Map\",\"67OJ7t\":\"View Order\",\"tKKZn0\":\"View Order Details\",\"9jnAcN\":\"View Organizer Homepage\",\"1J/AWD\":\"View Ticket\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible to check-in staff only. Helps identify this list during check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Waiting for payment\",\"RRZDED\":\"We couldn't find any orders associated with this email address.\",\"miysJh\":\"We couldn't find this order. It may have been removed.\",\"HJKdzP\":\"We hit a snag loading this page. Please try again.\",\"IfN2Qo\":\"We recommend a square logo with minimum dimensions of 200x200px\",\"wJzo/w\":\"We recommend dimensions of 400px by 400px, and a maximum file size of 5MB\",\"q1BizZ\":\"We'll send your tickets to this email\",\"zCdObC\":\"Мы официально переместили наш главный офис в Ирландию 🇮🇪. В рамках этого перехода мы теперь используем Stripe Ирландия вместо Stripe Канада. Чтобы ваши выплаты проходили гладко, вам нужно переподключить ваш аккаунт Stripe.\",\"jh2orE\":\"We've relocated our headquarters to Ireland. As a result, we need you to reconnect your Stripe account. This quick process takes just a few minutes. Your sales and existing data remain completely unaffected.\",\"Fq/Nx7\":\"We've sent a 5-digit verification code to:\",\"GdWB+V\":\"Webhook created successfully\",\"2X4ecw\":\"Webhook deleted successfully\",\"CThMKa\":\"Webhook Logs\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook will not send notifications\",\"FSaY52\":\"Webhook will send notifications\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Welcome back 👋\",\"kSYpfa\":[\"Welcome to \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Welcome to \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Welcome to \",[\"0\"],\", here's a listing of all your events\"],\"FaSXqR\":\"What type of event?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"When a check-in is deleted\",\"Gmd0hv\":\"When a new attendee is created\",\"Lc18qn\":\"When a new order is created\",\"dfkQIO\":\"When a new product is created\",\"8OhzyY\":\"When a product is deleted\",\"tRXdQ9\":\"When a product is updated\",\"Q7CWxp\":\"When an attendee is cancelled\",\"IuUoyV\":\"When an attendee is checked in\",\"nBVOd7\":\"When an attendee is updated\",\"ny2r8d\":\"When an order is cancelled\",\"c9RYbv\":\"When an order is marked as paid\",\"ejMDw1\":\"When an order is refunded\",\"fVPt0F\":\"When an order is updated\",\"bcYlvb\":\"When check-in closes\",\"XIG669\":\"When check-in opens\",\"de6HLN\":\"When customers purchase tickets, their orders will appear here.\",\"blXLKj\":\"При включении новые мероприятия будут отображать флажок подписки на маркетинг при оформлении заказа. Это можно переопределить для каждого мероприятия.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Write your message here...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Yes, cancel my order\",\"QlSZU0\":[\"You are impersonating <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Вы оформляете частичный возврат. Клиенту будет возвращено \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"FVTVBy\":\"You must verify your email address before you can update the organizer status.\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"U3wiCB\":\"Все готово! Ваши платежи обрабатываются без проблем.\",\"MNFIxz\":[\"You're going to \",[\"0\"],\"!\"],\"x/xjzn\":\"Your affiliates have been exported successfully.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"79lXGw\":\"Your check-in list has been created successfully. Share the link below with your check-in staff.\",\"BnlG9U\":\"Your current order will be lost.\",\"nBqgQb\":\"Your Email\",\"R02pnV\":\"Your event must be live before you can sell tickets to attendees.\",\"ifRqmm\":\"Your message has been sent successfully!\",\"/Rj5P4\":\"Your Name\",\"naQW82\":\"Your order has been cancelled.\",\"bhlHm/\":\"Your order is awaiting payment\",\"XeNum6\":\"Your orders have been exported successfully.\",\"Xd1R1a\":\"Your organizer address\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Ваш аккаунт Stripe подключен и обрабатывает платежи.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"CnZ3Ou\":\"Your tickets have been confirmed.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'There\\\\'s nothing to show yet'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in successfully\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out successfully\"],\"KMgp2+\":[[\"0\"],\" available\"],\"Pmr5xp\":[[\"0\"],\" created successfully\"],\"FImCSc\":[[\"0\"],\" updated successfully\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" checked in\"],\"Vjij1k\":[[\"days\"],\" days, \",[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"f3RdEk\":[[\"hours\"],\" hours, \",[\"minutes\"],\" minutes, and \",[\"seconds\"],\" seconds\"],\"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.\",\"ZjMs6e\":\"<0>The number of products available for this product<1>This value can be overridden if there are <2>Capacity Limits associated with this product.\",\"E15xs8\":\"⚡️ Set up your event\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Customize your event page\",\"3VPPdS\":\"💳 Connect with Stripe\",\"cjdktw\":\"🚀 Set your event live\",\"rmelwV\":\"0 minutes and 0 seconds\",\"i0puaE\":\"10.00\",\"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.\",\"6euFZ/\":[\"A default \",[\"type\"],\" is automaticaly applied to all new products. You can override this on a per product basis.\"],\"SMUbbQ\":\"A Dropdown input allows only one selection\",\"qv4bfj\":\"A fee, like a booking fee or a service fee\",\"POT0K/\":\"A fixed amount per product. E.g, $0.50 per product\",\"f4vJgj\":\"A multi line text input\",\"OIPtI5\":\"A percentage of the product price. E.g., 3.5% of the product price\",\"ZthcdI\":\"A promo code with no discount can be used to reveal hidden products.\",\"AG/qmQ\":\"A Radio option has multiple options but only one can be selected.\",\"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\",\"BHZbFy\":\"A single question per order. E.g, What is your shipping address?\",\"Fuh+dI\":\"A single question per product. E.g, What is your t-shirt size?\",\"RlJmQg\":\"A standard tax, like VAT or GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Accept bank transfers, checks, or other offline payment methods\",\"hrvLf4\":\"Accept credit card payments with Stripe\",\"bfXQ+N\":\"Accept Invitation\",\"AeXO77\":\"Account\",\"lkNdiH\":\"Account Name\",\"Puv7+X\":\"Account Settings\",\"OmylXO\":\"Account updated successfully\",\"7L01XJ\":\"Actions\",\"FQBaXG\":\"Activate\",\"5T2HxQ\":\"Activation date\",\"F6pfE9\":\"Active\",\"/PN1DA\":\"Add a description for this check-in list\",\"0/vPdA\":\"Add any notes about the attendee. These will not be visible to the attendee.\",\"Or1CPR\":\"Add any notes about the attendee...\",\"l3sZO1\":\"Add any notes about the order. These will not be visible to the customer.\",\"xMekgu\":\"Add any notes about the order...\",\"PGPGsL\":\"Add description\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Add instructions for offline payments (e.g., bank transfer details, where to send checks, payment deadlines)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Add New\",\"TZxnm8\":\"Add Option\",\"24l4x6\":\"Add Product\",\"8q0EdE\":\"Add Product to Category\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Add question\",\"yWiPh+\":\"Add Tax or Fee\",\"goOKRY\":\"Add tier\",\"oZW/gT\":\"Add to Calendar\",\"pn5qSs\":\"Additional Information\",\"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.\",\"W7AfhC\":\"All attendees of this event\",\"cde2hc\":\"All Products\",\"5CQ+r0\":\"Allow attendees associated with unpaid orders to check in\",\"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..\",\"ApOYO8\":\"Amazing, Event, Keywords...\",\"hehnjM\":\"Amount\",\"R2O9Rg\":[\"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\",\"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.\",\"ubdMGz\":\"Any queries from product 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\",\"sy6fss\":[\"Applies to \",[\"0\"],\" products\"],\"kadJKg\":\"Applies to 1 product\",\"DB8zMK\":\"Apply\",\"GctSSm\":\"Apply Promo Code\",\"ARBThj\":[\"Apply this \",[\"type\"],\" to all new products\"],\"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?\",\"LBLOqH\":\"Ask once per order\",\"wu98dY\":\"Ask once per product\",\"ss9PbX\":\"Attendee\",\"m0CFV2\":\"Attendee Details\",\"QKim6l\":\"Attendee not found\",\"R5IT/I\":\"Attendee Notes\",\"lXcSD2\":\"Attendee questions\",\"HT/08n\":\"Attendee Ticket\",\"9SZT4E\":\"Attendees\",\"iPBfZP\":\"Attendees Registered\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Auto Resize\",\"vZ5qKF\":\"Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container.\",\"4lVaWA\":\"Awaiting offline payment\",\"2rHwhl\":\"Awaiting Offline Payment\",\"3wF4Q/\":\"Awaiting payment\",\"ioG+xt\":\"Awaiting Payment\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Back to event page\",\"VCoEm+\":\"Back to login\",\"k1bLf+\":\"Background Color\",\"I7xjqg\":\"Background Type\",\"1mwMl+\":\"Before you send!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Billing Address\",\"/xC/im\":\"Billing Settings\",\"rp/zaT\":\"Brazilian Portuguese\",\"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.\",\"dEgA5A\":\"Cancel\",\"Gjt/py\":\"Cancel email change\",\"tVJk4q\":\"Cancel order\",\"Os6n2a\":\"Cancel Order\",\"Mz7Ygx\":[\"Cancel Order \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Cancelled\",\"U7nGvl\":\"Cannot Check In\",\"QyjCeq\":\"Capacity\",\"V6Q5RZ\":\"Capacity Assignment created successfully\",\"k5p8dz\":\"Capacity Assignment deleted successfully\",\"nDBs04\":\"Capacity Management\",\"ddha3c\":\"Categories allow you to group products together. For example, you might have a category for \\\"Tickets\\\" and another for \\\"Merchandise\\\".\",\"iS0wAT\":\"Categories help you organize your products. This title will be displayed on the public event page.\",\"eorM7z\":\"Categories reordered successfully.\",\"3EXqwa\":\"Category Created Successfully\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Change password\",\"xMDm+I\":\"Check In\",\"p2WLr3\":[\"Check in \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Check in and mark order as paid\",\"QYLpB4\":\"Check in only\",\"/Ta1d4\":\"Check Out\",\"5LDT6f\":\"Check out this event!\",\"gXcPxc\":\"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\",\"znIg+z\":\"Checkout\",\"1WnhCL\":\"Checkout Settings\",\"6imsQS\":\"Chinese (Simplified)\",\"JjkX4+\":\"Choose a color for your background\",\"/Jizh9\":\"Choose an account\",\"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\",\"oqr9HB\":\"Collapse this product when the event page is initially loaded\",\"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\",\"6HK5Ct\":\"Completed orders\",\"NWVRtl\":\"Completed Orders\",\"DwF9eH\":\"Component Code\",\"Tf55h7\":\"Configured Discount\",\"7VpPHA\":\"Confirm\",\"ZaEJZM\":\"Confirm Email Change\",\"yjkELF\":\"Confirm New Password\",\"xnWESi\":\"Confirm password\",\"p2/GCq\":\"Confirm Password\",\"wnDgGj\":\"Confirming email address...\",\"pbAk7a\":\"Connect Stripe\",\"UMGQOh\":\"Connect with Stripe\",\"QKLP1W\":\"Connect your Stripe account to start receiving payments.\",\"5lcVkL\":\"Connection Details\",\"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\",\"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\",\"hYgDIe\":\"Create\",\"b9XOHo\":[\"Create \",[\"0\"]],\"k9RiLi\":\"Create a Product\",\"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\",\"EwoMtl\":\"Create category\",\"XletzW\":\"Create Category\",\"WVbTwK\":\"Create Check-In List\",\"uN355O\":\"Create Event\",\"BOqY23\":\"Create new\",\"kpJAeS\":\"Create Organizer\",\"a0EjD+\":\"Create Product\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Create Promo Code\",\"B3Mkdt\":\"Create Question\",\"UKfi21\":\"Create Tax or Fee\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Currency\",\"DCKkhU\":\"Current Password\",\"uIElGP\":\"Custom Maps URL\",\"UEqXyt\":\"Custom Range\",\"876pfE\":\"Customer\",\"QOg2Sf\":\"Customize the email and notification settings for this event\",\"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\":\"Дата и время\",\"JJhRbH\":\"Day one capacity\",\"cnGeoo\":\"Delete\",\"jRJZxD\":\"Delete Capacity\",\"VskHIx\":\"Delete category\",\"Qrc8RZ\":\"Delete Check-In List\",\"WHf154\":\"Delete code\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Delete question\",\"Nu4oKW\":\"Description\",\"YC3oXa\":\"Description for check-in staff\",\"URmyfc\":\"Details\",\"1lRT3t\":\"Disabling this capacity will track sales but not stop them when the limit is reached\",\"H6Ma8Z\":\"Discount\",\"ypJ62C\":\"Discount %\",\"3LtiBI\":[\"Discount in \",[\"0\"]],\"C8JLas\":\"Discount Type\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Document Label\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Donation / Pay what you'd like product\",\"OvNbls\":\"Download .ics\",\"kodV18\":\"Download CSV\",\"CELKku\":\"Download invoice\",\"LQrXcu\":\"Download Invoice\",\"QIodqd\":\"Download QR Code\",\"yhjU+j\":\"Downloading Invoice\",\"uABpqP\":\"Drag and drop or click\",\"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\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Early bird\",\"ePK91l\":\"Edit\",\"N6j2JH\":[\"Edit \",[\"0\"]],\"kBkYSa\":\"Edit Capacity\",\"oHE9JT\":\"Edit Capacity Assignment\",\"j1Jl7s\":\"Edit category\",\"FU1gvP\":\"Edit Check-In List\",\"iFgaVN\":\"Edit Code\",\"jrBSO1\":\"Edit Organizer\",\"tdD/QN\":\"Edit Product\",\"n143Tq\":\"Edit Product Category\",\"9BdS63\":\"Edit Promo Code\",\"O0CE67\":\"Edit question\",\"EzwCw7\":\"Edit Question\",\"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\",\"APuxIE\":\"Email confirmation resent\",\"YaCgdO\":\"Email confirmation resent successfully\",\"jyt+cx\":\"Email footer message\",\"I6F3cp\":\"Email not verified\",\"NTZ/NX\":\"Embed Code\",\"4rnJq4\":\"Embed Script\",\"8oPbg1\":\"Enable Invoicing\",\"j6w7d/\":\"Enable this capacity to stop product sales when the limit is reached\",\"VFv2ZC\":\"End Date\",\"237hSL\":\"Ended\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"English\",\"MhVoma\":\"Enter an amount excluding taxes and fees.\",\"SlfejT\":\"Error\",\"3Z223G\":\"Error confirming email address\",\"a6gga1\":\"Error confirming email change\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Event\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Event Date\",\"0Zptey\":\"Event Defaults\",\"QcCPs8\":\"Event Details\",\"6fuA9p\":\"Event duplicated successfully\",\"AEuj2m\":\"Event Homepage\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Event location & venue details\",\"OopDbA\":\"Event page\",\"4/If97\":\"Event status update failed. Please try again later\",\"btxLWj\":\"Event status updated\",\"nMU2d3\":\"Event URL\",\"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.\",\"xDzTh7\":\"Failed to download invoice. 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\",\"ejXy+D\":\"Failed to sort products\",\"PLUB/s\":\"Fee\",\"/mfICu\":\"Fees\",\"LyFC7X\":\"Filter Orders\",\"cSev+j\":\"Filters\",\"CVw2MU\":[\"Filters (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"First Invoice Number\",\"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.\",\"Rs/IcB\":\"First Used\",\"TpqW74\":\"Fixed\",\"irpUxR\":\"Fixed amount\",\"TF9opW\":\"Flash is not available on this device\",\"UNMVei\":\"Forgot password?\",\"2POOFK\":\"Free\",\"P/OAYJ\":\"Free Product\",\"vAbVy9\":\"Free product, no payment information required\",\"nLC6tu\":\"French\",\"Weq9zb\":\"General\",\"DDcvSo\":\"German\",\"4GLxhy\":\"Getting Started\",\"4D3rRj\":\"Go back to profile\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Gross sales\",\"yRg26W\":\"Gross Sales\",\"R4r4XO\":\"Guests\",\"26pGvx\":\"Have a promo code?\",\"V7yhws\":\"hello@awesome-events.com\",\"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.\",\"QuhVpV\":[\"Hi \",[\"0\"],\" 👋\"],\"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.\",\"vLyv1R\":\"Hide\",\"Mkkvfd\":\"Hide getting started page\",\"mFn5Xz\":\"Hide hidden questions\",\"YHsF9c\":\"Hide product after sale end date\",\"06s3w3\":\"Hide product before sale start date\",\"axVMjA\":\"Hide product unless user has applicable promo code\",\"ySQGHV\":\"Hide product when sold out\",\"SCimta\":\"Hide the getting started page from the sidebar\",\"5xR17G\":\"Hide this product from customers\",\"Da29Y6\":\"Hide this question\",\"fvDQhr\":\"Hide this tier from users\",\"lNipG+\":\"Hiding a product will prevent users from seeing it on the event page.\",\"ZOBwQn\":\"Homepage Design\",\"PRuBTd\":\"Homepage Designer\",\"YjVNGZ\":\"Homepage Preview\",\"c3E/kw\":\"Homer\",\"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\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"If blank, the address will be used to generate a Google Mapa link\",\"UYT+c8\":\"If enabled, check-in staff can either mark attendees as checked in or mark the order as paid and check in the attendees. If disabled, attendees associated with unpaid orders cannot be checked in.\",\"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\",\"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\",\"VyUuZb\":\"Image URL\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Inactive\",\"T0K0yl\":\"Inactive users cannot log in.\",\"kO44sp\":\"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\",\"Vi+BiW\":[\"Includes \",[\"0\"],\" products\"],\"lpm0+y\":\"Includes 1 product\",\"UiAk5P\":\"Insert Image\",\"OyLdaz\":\"Invitation resent!\",\"HE6KcK\":\"Invitation revoked!\",\"SQKPvQ\":\"Invite User\",\"bKOYkd\":\"Invoice downloaded successfully\",\"alD1+n\":\"Invoice Notes\",\"kOtCs2\":\"Invoice Numbering\",\"UZ2GSZ\":\"Invoice Settings\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Item\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Label\",\"vXIe7J\":\"Language\",\"2LMsOq\":\"Last 12 months\",\"vfe90m\":\"Last 14 days\",\"aK4uBd\":\"Last 24 hours\",\"uq2BmQ\":\"Last 30 days\",\"bB6Ram\":\"Last 48 hours\",\"VlnB7s\":\"Last 6 months\",\"ct2SYD\":\"Last 7 days\",\"XgOuA7\":\"Last 90 days\",\"I3yitW\":\"Last login\",\"1ZaQUH\":\"Last name\",\"UXBCwc\":\"Last Name\",\"tKCBU0\":\"Last Used\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Leave blank to use the default word \\\"Invoice\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Loading...\",\"wJijgU\":\"Location\",\"sQia9P\":\"Log in\",\"zUDyah\":\"Logging in\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Logout\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Make billing address mandatory during checkout\",\"MU3ijv\":\"Make this question mandatory\",\"wckWOP\":\"Manage\",\"onpJrA\":\"Manage attendee\",\"n4SpU5\":\"Manage event\",\"WVgSTy\":\"Manage order\",\"1MAvUY\":\"Manage payment and invoicing settings for this event.\",\"cQrNR3\":\"Manage Profile\",\"AtXtSw\":\"Manage taxes and fees which can be applied to your products\",\"ophZVW\":\"Manage tickets\",\"DdHfeW\":\"Manage your account details and default settings\",\"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\",\"vFjEnF\":\"Mark as paid\",\"g9dPPQ\":\"Maximum Per Order\",\"l5OcwO\":\"Message attendee\",\"Gv5AMu\":\"Message Attendees\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Message buyer\",\"tNZzFb\":\"Message Content\",\"lYDV/s\":\"Message individual attendees\",\"V7DYWd\":\"Message Sent\",\"t7TeQU\":\"Messages\",\"xFRMlO\":\"Minimum Per Order\",\"QYcUEf\":\"Minimum Price\",\"RDie0n\":\"Miscellaneous\",\"mYLhkl\":\"Miscellaneous Settings\",\"KYveV8\":\"Multi line text box\",\"VD0iA7\":\"Multiple price options. Perfect for early bird products etc.\",\"/bhMdO\":\"My amazing event description...\",\"vX8/tc\":\"My amazing event title...\",\"hKtWk2\":\"My Profile\",\"fj5byd\":\"N/A\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Name\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Navigate to Attendee\",\"qqeAJM\":\"Never\",\"7vhWI8\":\"New Password\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"No archived events to show.\",\"q2LEDV\":\"No attendees found for this order.\",\"zlHa5R\":\"No attendees have been added to this order.\",\"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\",\"tMFDem\":\"No data available\",\"6Z/F61\":\"No data to show. Please select a date range\",\"fFeCKc\":\"No Discount\",\"HFucK5\":\"No ended events to show.\",\"yAlJXG\":\"No events to show\",\"GqvPcv\":\"No filters available\",\"KPWxKD\":\"No messages to show\",\"J2LkP8\":\"No orders to show\",\"RBXXtB\":\"No payment methods are currently available. Please contact the event organizer for assistance.\",\"ZWEfBE\":\"No Payment Required\",\"ZPoHOn\":\"No product associated with this attendee.\",\"Ya1JhR\":\"No products available in this category.\",\"FTfObB\":\"No Products Yet\",\"+Y976X\":\"No Promo Codes to show\",\"MAavyl\":\"No questions answered by this attendee.\",\"SnlQeq\":\"No questions have been asked for this order.\",\"Ev2r9A\":\"No results\",\"gk5uwN\":\"No Search Results\",\"RHyZUL\":\"No search results.\",\"RY2eP1\":\"No Taxes or Fees have been added.\",\"EdQY6l\":\"None\",\"OJx3wK\":\"Not available\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notes\",\"jtrY3S\":\"Nothing to show yet\",\"hFwWnI\":\"Notification Settings\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Notify organizer of new orders\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Number of days allowed for payment (leave blank to omit payment terms from invoices)\",\"n86jmj\":\"Number Prefix\",\"mwe+2z\":\"Offline orders are not reflected in event statistics until the order is marked as paid.\",\"dWBrJX\":\"Offline payment failed. Please try again or contact the event organizer.\",\"fcnqjw\":\"Offline Payment Instructions\",\"+eZ7dp\":\"Offline Payments\",\"ojDQlR\":\"Offline Payments Information\",\"u5oO/W\":\"Offline Payments Settings\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"On Sale\",\"Ug4SfW\":\"Once you create an event, you'll see it here.\",\"ZxnK5C\":\"Once you start collecting data, you'll see it here.\",\"PnSzEc\":\"Once you're ready, set your event live and start selling products.\",\"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\"]],\"oPknTP\":\"Optional additional information to appear on all invoices (e.g., payment terms, late payment fees, return policy)\",\"OrXJBY\":\"Optional prefix for invoice numbers (e.g., INV-)\",\"0zpgxV\":\"Options\",\"BzEFor\":\"or\",\"UYUgdb\":\"Order\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Order Cancelled\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Order Date\",\"Tol4BF\":\"Order Details\",\"WbImlQ\":\"Order has been canceled and the order owner has been notified.\",\"nAn4Oe\":\"Order marked as paid\",\"uzEfRz\":\"Order Notes\",\"VCOi7U\":\"Order questions\",\"TPoYsF\":\"Order Reference\",\"acIJ41\":\"Order Status\",\"GX6dZv\":\"Order Summary\",\"tDTq0D\":\"Order timeout\",\"1h+RBg\":\"Orders\",\"3y+V4p\":\"Organization Address\",\"GVcaW6\":\"Organization Details\",\"nfnm9D\":\"Organization Name\",\"G5RhpL\":\"Organizer\",\"mYygCM\":\"Organizer is required\",\"Pa6G7v\":\"Organizer Name\",\"l894xP\":\"Organizers can only manage events and products. 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\",\"HVW65c\":\"Paid Product\",\"ZfxaB4\":\"Partially Refunded\",\"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\",\"621rYf\":\"Payment\",\"Lg+ewC\":\"Payment & Invoicing\",\"DZjk8u\":\"Payment & Invoicing Settings\",\"lflimf\":\"Payment Due Period\",\"JhtZAK\":\"Payment Failed\",\"JEdsvQ\":\"Payment Instructions\",\"bLB3MJ\":\"Payment Methods\",\"QzmQBG\":\"Payment provider\",\"lsxOPC\":\"Payment Received\",\"wJTzyi\":\"Payment Status\",\"xgav5v\":\"Payment succeeded!\",\"R29lO5\":\"Payment Terms\",\"/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\",\"hcX103\":\"Please create a product\",\"cdR8d6\":\"Please create a ticket\",\"x2mjl4\":\"Please enter a valid image URL that points to an image.\",\"HnNept\":\"Please enter your new password\",\"5FSIzj\":\"Please Note\",\"C63rRe\":\"Please return to the event page to start over.\",\"pJLvdS\":\"Please select\",\"Ewir4O\":\"Please select at least one product\",\"igBrCH\":\"Please verify your email address to access all features\",\"/IzmnP\":\"Please wait while we prepare your invoice...\",\"MOERNx\":\"Portuguese\",\"qCJyMx\":\"Post Checkout message\",\"g2UNkE\":\"Powered by\",\"Rs7IQv\":\"Pre Checkout message\",\"rdUucN\":\"Preview\",\"a7u1N9\":\"Price\",\"CmoB9j\":\"Price display mode\",\"BI7D9d\":\"Price not set\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Price Type\",\"6RmHKN\":\"Primary Color\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Primary Text Color\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Print All Tickets\",\"DKwDdj\":\"Print Tickets\",\"K47k8R\":\"Product\",\"1JwlHk\":\"Product Category\",\"U61sAj\":\"Product category updated successfully.\",\"1USFWA\":\"Product deleted successfully\",\"4Y2FZT\":\"Product Price Type\",\"mFwX0d\":\"Product questions\",\"Lu+kBU\":\"Product Sales\",\"U/R4Ng\":\"Product Tier\",\"sJsr1h\":\"Product Type\",\"o1zPwM\":\"Product Widget Preview\",\"ktyvbu\":\"Product(s)\",\"N0qXpE\":\"Products\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Products sold\",\"/u4DIx\":\"Products Sold\",\"DJQEZc\":\"Products sorted successfully\",\"vERlcd\":\"Profile\",\"kUlL8W\":\"Profile updated successfully\",\"cl5WYc\":[\"Promo \",[\"promo_code\"],\" code applied\"],\"P5sgAk\":\"Promo Code\",\"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.\",\"OP094m\":\"Promo Codes Report\",\"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.\",\"toutGW\":\"QR Code\",\"LkMOWF\":\"Quantity Available\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Question deleted\",\"avf0gk\":\"Question Description\",\"oQvMPn\":\"Question Title\",\"enzGAL\":\"Questions\",\"ROv2ZT\":\"Questions & Answers\",\"K885Eq\":\"Questions sorted successfully\",\"OMJ035\":\"Radio Option\",\"C4TjpG\":\"Read less\",\"I3QpvQ\":\"Recipient\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Refund Failed\",\"n10yGu\":\"Refund order\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Refund Pending\",\"xHpVRl\":\"Refund Status\",\"/BI0y9\":\"Refunded\",\"fgLNSM\":\"Register\",\"9+8Vez\":\"Remaining Uses\",\"tasfos\":\"remove\",\"t/YqKh\":\"Remove\",\"t9yxlZ\":\"Reports\",\"prZGMe\":\"Require Billing Address\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Resend email confirmation\",\"wIa8Qe\":\"Resend invitation\",\"VeKsnD\":\"Resend order email\",\"dFuEhO\":\"Resend ticket email\",\"o6+Y6d\":\"Resending...\",\"OfhWJH\":\"Reset\",\"RfwZxd\":\"Reset password\",\"KbS2K9\":\"Reset Password\",\"e99fHm\":\"Restore event\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Return to Event Page\",\"8YBH95\":\"Revenue\",\"PO/sOY\":\"Revoke invitation\",\"GDvlUT\":\"Role\",\"ELa4O9\":\"Sale End Date\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Sale Start Date\",\"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\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Search by attendee name, email or order #...\",\"+pr/FY\":\"Search by event name...\",\"3zRbWw\":\"Search by name, email, or order #...\",\"L22Tdf\":\"Search by name, order #, attendee # or email...\",\"BiYOdA\":\"Search by name...\",\"YEjitp\":\"Search by subject or content...\",\"Pjsch9\":\"Search capacity assignments...\",\"r9M1hc\":\"Search check-in lists...\",\"+0Yy2U\":\"Search products\",\"YIix5Y\":\"Search...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Secondary Color\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Secondary Text Color\",\"02ePaq\":[\"Select \",[\"0\"]],\"QuNKRX\":\"Select Camera\",\"9FQEn8\":\"Select category...\",\"kWI/37\":\"Select organizer\",\"ixIx1f\":\"Select Product\",\"3oSV95\":\"Select Product Tier\",\"C4Y1hA\":\"Select products\",\"hAjDQy\":\"Select status\",\"QYARw/\":\"Select Ticket\",\"OMX4tH\":\"Select tickets\",\"DrwwNd\":\"Select time period\",\"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.\",\"M/WIer\":\"Send Message\",\"D7ZemV\":\"Send order confirmation and ticket email\",\"v1rRtW\":\"Send Test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO Description\",\"/SIY6o\":\"SEO Keywords\",\"GfWoKv\":\"SEO Settings\",\"rXngLf\":\"SEO Title\",\"/jZOZa\":\"Service Fee\",\"Bj/QGQ\":\"Set a minimum price and let users pay more if they choose\",\"L0pJmz\":\"Set the starting number for invoice numbering. This cannot be changed once invoices have been generated.\",\"nYNT+5\":\"Set up your event\",\"A8iqfq\":\"Set your event live\",\"Tz0i8g\":\"Settings\",\"Z8lGw6\":\"Share\",\"B2V3cA\":\"Share Event\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Show available product quantity\",\"qDsmzu\":\"Show hidden questions\",\"fMPkxb\":\"Show more\",\"izwOOD\":\"Show tax and fees separately\",\"1SbbH8\":\"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.\",\"6a/UJE\":\"Sorry, this promo code is not recognized\",\"65A04M\":\"Spanish\",\"mFuBqb\":\"Standard product with a fixed price\",\"D3iCkb\":\"Start Date\",\"/2by1f\":\"State or Region\",\"uAQUqI\":\"Status\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Stripe payments are not enabled for this event.\",\"UJmAAK\":\"Subject\",\"X2rrlw\":\"Subtotal\",\"zzDlyQ\":\"Success\",\"b0HJ45\":[\"Success! \",[\"0\"],\" will receive an email shortly.\"],\"BJIEiF\":[\"Successfully \",[\"0\"],\" attendee\"],\"OtgNFx\":\"Successfully confirmed email address\",\"IKwyaF\":\"Successfully confirmed email change\",\"zLmvhE\":\"Successfully created attendee\",\"gP22tw\":\"Successfully Created Product\",\"9mZEgt\":\"Successfully Created Promo Code\",\"aIA9C4\":\"Successfully Created Question\",\"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\",\"4H80qv\":\"Successfully updated order\",\"6xCBVN\":\"Successfully Updated Payment & Invoicing Settings\",\"1Ycaad\":\"Successfully updated product\",\"70dYC8\":\"Successfully Updated Promo Code\",\"F+pJnL\":\"Successfully Updated Seo Settings\",\"DXZRk5\":\"Suite 100\",\"GNcfRk\":\"Support Email\",\"uRfugr\":\"T-shirt\",\"JpohL9\":\"Tax\",\"geUFpZ\":\"Tax & Fees\",\"dFHcIn\":\"Tax Details\",\"wQzCPX\":\"Tax information to appear at the bottom of all invoices (e.g., VAT number, tax registration)\",\"0RXCDo\":\"Tax or Fee deleted successfully\",\"ZowkxF\":\"Taxes\",\"qu6/03\":\"Taxes and Fees\",\"gypigA\":\"That promo code is invalid\",\"5ShqeM\":\"The check-in list you are looking for does not exist.\",\"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.\",\"HsFnrk\":[\"The maximum number of products for \",[\"0\"],\"is \",[\"1\"]],\"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.\",\"vQkyB3\":\"The taxes and fees to apply to this product. You can create new taxes and fees on the\",\"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\",\"wDx3FF\":\"There are no products available for this event\",\"pNgdBv\":\"There are no products available in this category\",\"rMcHYt\":\"There is a refund pending. Please wait for it to complete before requesting another refund.\",\"F89D36\":\"There was an error marking the order as paid\",\"68Axnm\":\"There was an error processing your request. Please try again.\",\"mVKOW6\":\"There was an error sending your message\",\"AhBPHd\":\"These details will only be shown if order is completed successfully. Orders awaiting payment will not show this message.\",\"Pc/Wtj\":\"This attendee has an unpaid order.\",\"mf3FrP\":\"This category doesn't have any products yet.\",\"8QH2Il\":\"This category is hidden from public view\",\"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.\",\"MMd2TJ\":\"This information will be shown on the payment page, order summary page, and order confirmation email.\",\"XAHqAg\":\"This is a general product, like a t-shirt or a mug. No ticket will be issued\",\"CNk/ro\":\"This is an online event\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"This message will be included in the footer of all emails sent from this event\",\"55i7Fa\":\"This message will only be shown if order is completed successfully. Orders awaiting payment will not show this message\",\"RjwlZt\":\"This order has already been paid.\",\"5K8REg\":\"This order has already been refunded.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"This order has been cancelled.\",\"Q0zd4P\":\"This order has expired. Please start again.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"This order is complete.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"This order page is no longer available.\",\"i0TtkR\":\"This overrides all visibility settings and will hide the product from all customers.\",\"cRRc+F\":\"This product cannot be deleted because it is associated with an order. You can hide it instead.\",\"3Kzsk7\":\"This product is a ticket. Buyers will be issued a ticket upon purchase\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"This question is only visible to the event organizer\",\"os29v1\":\"This reset password link is invalid or expired.\",\"IV9xTT\":\"This user is not active, as they have not accepted their invitation.\",\"5AnPaO\":\"ticket\",\"kjAL4v\":\"Ticket\",\"dtGC3q\":\"Ticket email has been resent to attendee\",\"54q0zp\":\"Tickets for\",\"xN9AhL\":[\"Tier \",[\"0\"]],\"jZj9y9\":\"Tiered Product\",\"8wITQA\":\"Tiered products allow you to offer multiple price options for the same product. This is perfect for early bird products, or offering different price options for different groups of people.\",\"nn3mSR\":\"Time left:\",\"s/0RpH\":\"Times used\",\"y55eMd\":\"Times Used\",\"40Gx0U\":\"Timezone\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Tools\",\"72c5Qo\":\"Total\",\"YXx+fG\":\"Total Before Discounts\",\"NRWNfv\":\"Total Discount Amount\",\"BxsfMK\":\"Total Fees\",\"2bR+8v\":\"Total Gross Sales\",\"mpB/d9\":\"Total order amount\",\"m3FM1g\":\"Total refunded\",\"jEbkcB\":\"Total Refunded\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Total Tax\",\"+zy2Nq\":\"Type\",\"FMdMfZ\":\"Unable to check in attendee\",\"bPWBLL\":\"Unable to check out attendee\",\"9+P7zk\":\"Unable to create product. Please check the your details\",\"WLxtFC\":\"Unable to create product. Please check your details\",\"/cSMqv\":\"Unable to create question. Please check the your details\",\"MH/lj8\":\"Unable to update question. Please check the your details\",\"nnfSdK\":\"Unique Customers\",\"Mqy/Zy\":\"United States\",\"NIuIk1\":\"Unlimited\",\"/p9Fhq\":\"Unlimited available\",\"E0q9qH\":\"Unlimited usages allowed\",\"h10Wm5\":\"Unpaid Order\",\"ia8YsC\":\"Upcoming\",\"TlEeFv\":\"Upcoming Events\",\"L/gNNk\":[\"Update \",[\"0\"]],\"+qqX74\":\"Update event name, description and dates\",\"vXPSuB\":\"Update profile\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL copied to clipboard\",\"e5lF64\":\"Usage Example\",\"fiV0xj\":\"Usage Limit\",\"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\",\"jpctdh\":\"View\",\"Pte1Hv\":\"View Attendee Details\",\"/5PEQz\":\"View event page\",\"fFornT\":\"View full message\",\"YIsEhQ\":\"View map\",\"Ep3VfY\":\"View on Google Maps\",\"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.\",\"45Srzt\":\"We couldn't delete the category. Please try again.\",\"/DNy62\":[\"We couldn't find any tickets matching \",[\"0\"]],\"1E0vyy\":\"We couldn't load the data. Please try again.\",\"NmpGKr\":\"We couldn't reorder the categories. Please try again.\",\"BJtMTd\":\"We recommend dimensions of 1950px by 650px, a ratio of 3:1, 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\"],\" 👋\"],\"xgL50q\":\"What are Tiered Products?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"What is a Category?\",\"gxeWAU\":\"What products does this code apply to?\",\"hFHnxR\":\"What products does this code apply to? (Applies to all by default)\",\"AeejQi\":\"What products should this capacity apply to?\",\"Rb0XUE\":\"What time will you be arriving?\",\"5N4wLD\":\"What type of question is this?\",\"gyLUYU\":\"When enabled, invoices will be generated for ticket orders. Invoices will sent along with the order confirmation email. Attendees can also download their invoices from the order confirmation page.\",\"D3opg4\":\"When offline payments are enabled, users will be able to complete their orders and receive their tickets. Their tickets will clearly indicate the order is not paid, and the check-in tool will notify the check-in staff if an order requires payment.\",\"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?\",\"VxFvXQ\":\"Widget Embed\",\"v1P7Gm\":\"Widget Settings\",\"b4itZn\":\"Working\",\"hqmXmc\":\"Working...\",\"+G/XiQ\":\"Year to date\",\"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\",\"sdB7+6\":\"You can create a promo code which targets this product on the\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"You cannot change the product type as there are attendees associated with this product.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"You cannot check in attendees with unpaid orders. This setting can be changed in the event settings.\",\"c9Evkd\":\"You cannot delete the last category.\",\"6uwAvx\":\"You cannot delete this price tier because there are already products sold for this tier. You can hide it instead.\",\"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.\",\"CoZHDB\":\"You have no order questions.\",\"15qAvl\":\"You have no pending email change.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"You have run out of time to complete your order.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific product 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\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"You will have to mark an order as paid manually. This can be done on the manage order page.\",\"L/+xOk\":\"You'll need a ticket before you can create a check-in list.\",\"Djl45M\":\"You'll need at a product before you can create a capacity assignment.\",\"y3qNri\":\"You'll need at least one product to get started. Free, paid or let the user decide what to pay.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"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\",\"KSQ8An\":\"Your Order\",\"Jwiilf\":\"Your order has been cancelled\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"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.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Your refund is processing.\",\"IFHV2p\":\"Your ticket for\",\"x1PPdr\":\"ZIP / Postal Code\",\"BM/KQm\":\"Zip or Postal Code\",\"+LtVBt\":\"ZIP or Postal Code\",\"25QDJ1\":\"- Нажмите, чтобы опубликовать\",\"WOyJmc\":\"- Нажмите, чтобы снять с публикации\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" уже зарегистрирован\"],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" logo\"],\"B7pZfX\":[[\"0\"],\" organizers\"],\"/HkCs4\":[[\"0\"],\" tickets\"],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Check-in lists help you manage event entry by day, area, or ticket type. You can link tickets to specific lists such as VIP zones or Day 1 passes and share a secure check-in link with staff. No account is required. Check-in works on mobile, desktop, or tablet, using a device camera or HID USB scanner. \",\"ZnVt5v\":\"<0>Webhooks instantly notify external services when events happen, like adding a new attendee to your CRM or mailing list upon registration, ensuring seamless automation.<1>Use third-party services like <2>Zapier, <3>IFTTT or <4>Make to create custom workflows and automate tasks.\",\"fAv9QG\":\"🎟️ Add tickets\",\"M2DyLc\":\"1 Active Webhook\",\"yTsaLw\":\"1 ticket\",\"HR/cvw\":\"123 Sample Street\",\"kMU5aM\":\"A cancellation notice has been sent to\",\"V53XzQ\":\"A new verification code has been sent to your email\",\"/z/bH1\":\"A short description of your organizer that will be displayed to your users.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"About\",\"WTk/ke\":\"About Stripe Connect\",\"1uJlG9\":\"Accent Color\",\"VTfZPy\":\"Access Denied\",\"iN5Cz3\":\"Аккаунт уже подключен!\",\"bPwFdf\":\"Accounts\",\"nMtNd+\":\"Требуется действие: Переподключите ваш аккаунт Stripe\",\"AhwTa1\":\"Action Required: VAT Information Needed\",\"a5KFZU\":\"Add event details and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"6PNlRV\":\"Add this event to your calendar\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"NsWqSP\":\"Add your social media handles and website URL. These will be displayed on your public organizer page.\",\"0Zypnp\":\"Admin Dashboard\",\"YAV57v\":\"Affiliate\",\"I+utEq\":\"Affiliate code cannot be changed\",\"/jHBj5\":\"Affiliate created successfully\",\"uCFbG2\":\"Affiliate deleted successfully\",\"a41PKA\":\"Affiliate sales will be tracked\",\"mJJh2s\":\"Affiliate sales will not be tracked. This will deactivate the affiliate.\",\"jabmnm\":\"Affiliate updated successfully\",\"CPXP5Z\":\"Affiliates\",\"9Wh+ug\":\"Affiliates Exported\",\"3cqmut\":\"Affiliates help you track sales generated by partners and influencers. Create affiliate codes and share them to monitor performance.\",\"7rLTkE\":\"All Archived Events\",\"gKq1fa\":\"All attendees\",\"pMLul+\":\"All Currencies\",\"qlaZuT\":\"Готово! Теперь вы используете нашу обновленную платежную систему.\",\"ZS/D7f\":\"All Ended Events\",\"dr7CWq\":\"All Upcoming Events\",\"QUg5y1\":\"Почти готово! Завершите подключение аккаунта Stripe для начала приема платежей.\",\"c4uJfc\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds.\",\"/H326L\":\"Уже возвращено\",\"RtxQTF\":\"Также отменить этот заказ\",\"jkNgQR\":\"Также вернуть деньги за этот заказ\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"An email to associate with this affiliate. The affiliate will not be notified.\",\"vRznIT\":\"An error occurred while checking export status.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Answer updated successfully.\",\"LchiNd\":\"Are you sure you want to delete this affiliate? This action cannot be undone.\",\"JmVITJ\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the default template.\",\"aLS+A6\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the organizer or default template.\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"147G4h\":\"Are you sure you want to leave?\",\"VDWChT\":\"Are you sure you want to make this organizer draft? This will make the organizer page invisible to the public\",\"pWtQJM\":\"Are you sure you want to make this organizer public? This will make the organizer page visible to the public\",\"WFHOlF\":\"Are you sure you want to publish this event? Once published, it will be visible to the public.\",\"4TNVdy\":\"Are you sure you want to publish this organizer profile? Once published, it will be visible to the public.\",\"ExDt3P\":\"Are you sure you want to unpublish this event? It will no longer be visible to the public.\",\"5Qmxo/\":\"Are you sure you want to unpublish this organizer profile? It will no longer be visible to the public.\",\"Uqefyd\":\"Are you VAT registered in the EU?\",\"+QARA4\":\"Art\",\"tLf3yJ\":\"As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees.\",\"QGoXh3\":\"As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:\",\"F2rX0R\":\"At least one event type must be selected\",\"6PecK3\":\"Attendance and check-in rates across all events\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Attendee Email\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Attendee Management\",\"av+gjP\":\"Attendee Name\",\"cosfD8\":\"Attendee Status\",\"D2qlBU\":\"Attendee Updated\",\"x8Vnvf\":\"Attendee's ticket not included in this list\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"4HVzhV\":\"Attendees:\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Доступно для возврата\",\"NB5+UG\":\"Available Tokens\",\"EmYMHc\":\"Awaiting Offline Pmt.\",\"kNmmvE\":\"Awesome Events Ltd.\",\"kYqM1A\":\"Back to Event\",\"td/bh+\":\"Back to Reports\",\"jIPNJG\":\"Basic Information\",\"iMdwTb\":\"Before your event can go live, there are a few things you need to do. Complete all the steps below to get started.\",\"UabgBd\":\"Body is required\",\"9N+p+g\":\"Business\",\"bv6RXK\":\"Button Label\",\"ChDLlO\":\"Button Text\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Call-to-Action Button\",\"PUpvQe\":\"Camera Scanner\",\"H4nE+E\":\"Отменить все продукты и вернуть их в общий пул\",\"tOXAdc\":\"Отмена отменит всех участников, связанных с этим заказом, и вернет билеты в доступный пул.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Capacity Assignments\",\"K7tIrx\":\"Category\",\"2tbLdK\":\"Charity\",\"v4fiSg\":\"Check your email\",\"51AsAN\":\"Check your inbox! If tickets are associated with this email, you'll receive a link to view them.\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"9gPPUY\":\"Check-In List Created\",\"f2vU9t\":\"Check-in Lists\",\"tMNBEF\":\"Check-in lists let you control entry across days, areas, or ticket types. You can share a secure check-in link with staff — no account required.\",\"SHJwyq\":\"Check-in Rate\",\"qCqdg6\":\"Check-In Status\",\"cKj6OE\":\"Check-in Summary\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinese (Traditional)\",\"pkk46Q\":\"Choose an Organizer\",\"Crr3pG\":\"Choose calendar\",\"CySr+W\":\"Click to view notes\",\"RG3szS\":\"close\",\"RWw9Lg\":\"Close modal\",\"XwdMMg\":\"Code can only contain letters, numbers, hyphens, and underscores\",\"+yMJb7\":\"Code is required\",\"m9SD3V\":\"Code must be at least 3 characters\",\"V1krgP\":\"Code must be no more than 20 characters\",\"psqIm5\":\"Collaborate with your team to create amazing events together.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Complete Stripe Setup\",\"OqEV/G\":\"Завершите настройку ниже для продолжения\",\"nqx+6h\":\"Complete these steps to start selling tickets for your event.\",\"5YrKW7\":\"Complete your payment to secure your tickets.\",\"ih35UP\":\"Conference Center\",\"NGXKG/\":\"Confirm Email Address\",\"Auz0Mz\":\"Confirm your email to access all features.\",\"7+grte\":\"Confirmation email sent! Please check your inbox.\",\"n/7+7Q\":\"Confirmation sent to\",\"o5A0Go\":\"Congratulations on creating an event!\",\"WNnP3w\":\"Подключить и обновить\",\"Xe2tSS\":\"Connect Documentation\",\"1Xxb9f\":\"Connect payment processing\",\"LmvZ+E\":\"Подключите Stripe для включения сообщений\",\"EWnXR+\":\"Connect to Stripe\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"VioGG1\":\"Connect your Stripe account to accept payments for tickets and products.\",\"4qmnU8\":\"Подключите ваш аккаунт Stripe для приема платежей.\",\"E1eze1\":\"Подключите ваш аккаунт Stripe для начала приема платежей за ваши мероприятия.\",\"ulV1ju\":\"Подключите ваш аккаунт Stripe для начала приема платежей.\",\"/3017M\":\"Connected to Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contact \",[\"0\"]],\"41BQ3k\":\"Contact Email\",\"KcXRN+\":\"Contact email for support\",\"m8WD6t\":\"Continue Setup\",\"0GwUT4\":\"Continue to Checkout\",\"sBV87H\":\"Continue to event creation\",\"nKtyYu\":\"Continue to next step\",\"F3/nus\":\"Continue to Payment\",\"1JnTgU\":\"Copied from above\",\"FxVG/l\":\"Copied to clipboard\",\"PiH3UR\":\"Copied!\",\"uUPbPg\":\"Copy Affiliate Link\",\"iVm46+\":\"Copy Code\",\"+2ZJ7N\":\"Copy details to first attendee\",\"ZN1WLO\":\"Copy Email\",\"tUGbi8\":\"Copy my details to:\",\"y22tv0\":\"Copy this link to share it anywhere\",\"/4gGIX\":\"Copy to clipboard\",\"P0rbCt\":\"Cover Image\",\"60u+dQ\":\"Cover image will be displayed at the top of your event page\",\"2NLjA6\":\"Cover image will be displayed at the top of your organizer page\",\"zg4oSu\":[\"Create \",[\"0\"],\" Template\"],\"xfKgwv\":\"Create Affiliate\",\"dyrgS4\":\"Create and customize your event page instantly\",\"BTne9e\":\"Create custom email templates for this event that override the organizer defaults\",\"YIDzi/\":\"Create Custom Template\",\"8AiKIu\":\"Create Ticket or Product\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"5slqwZ\":\"Create Your Event\",\"JQNMrj\":\"Create your first event\",\"CCjxOC\":\"Create your first event to start selling tickets and managing attendees.\",\"ZCSSd+\":\"Create your own event\",\"67NsZP\":\"Creating Event...\",\"H34qcM\":\"Creating Organizer...\",\"1YMS+X\":\"Creating your event, please wait\",\"yiy8Jt\":\"Creating your organizer profile, please wait\",\"lfLHNz\":\"CTA label is required\",\"BMtue0\":\"Текущий платежный процессор\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Custom message after checkout\",\"axv/Mi\":\"Custom template\",\"QMHSMS\":\"Клиент получит email с подтверждением возврата\",\"L/Qc+w\":\"Customer's email address\",\"wpfWhJ\":\"Customer's first name\",\"GIoqtA\":\"Customer's last name\",\"NihQNk\":\"Customers\",\"7gsjkI\":\"Customize the emails sent to your customers using Liquid templating. These templates will be used as defaults for all events in your organization.\",\"iX6SLo\":\"Customize the text shown on the continue button\",\"pxNIxa\":\"Customize your email template using Liquid templating\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"mkLlne\":\"Customize your event page appearance\",\"3trPKm\":\"Customize your organizer page appearance\",\"4df0iX\":\"Customize your ticket appearance\",\"/gWrVZ\":\"Daily revenue, taxes, fees, and refunds across all events\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Date of the event\",\"gnBreG\":\"Дата размещения заказа\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Default template will be used\",\"vu7gDm\":\"Delete Affiliate\",\"+jw/c1\":\"Delete image\",\"dPyJ15\":\"Delete Template\",\"snMaH4\":\"Delete webhook\",\"vYgeDk\":\"Deselect All\",\"NvuEhl\":\"Design Elements\",\"H8kMHT\":\"Didn't receive the code?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dismiss this message\",\"BREO0S\":\"Отображать флажок, позволяющий клиентам подписаться на маркетинговые сообщения от этого организатора мероприятий.\",\"TvY/XA\":\"Documentation\",\"Kdpf90\":\"Don't forget!\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Done\",\"eneWvv\":\"Draft\",\"TnzbL+\":\"Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\\nThis is to ensure that all event organizers are verified and accountable.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplicate Product\",\"KIjvtr\":\"Dutch\",\"SPKbfM\":\"e.g., Get Tickets, Register Now\",\"LTzmgK\":[\"Edit \",[\"0\"],\" Template\"],\"v4+lcZ\":\"Edit Affiliate\",\"2iZEz7\":\"Edit Answer\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Education\",\"zPiC+q\":\"Eligible Check-In Lists\",\"V2sk3H\":\"Email & Templates\",\"hbwCKE\":\"Email address copied to clipboard\",\"dSyJj6\":\"Email addresses do not match\",\"elW7Tn\":\"Email Body\",\"ZsZeV2\":\"Email is required\",\"Be4gD+\":\"Email Preview\",\"6IwNUc\":\"Email Templates\",\"H/UMUG\":\"Email Verification Required\",\"L86zy2\":\"Email verified successfully!\",\"Upeg/u\":\"Enable this template for sending emails\",\"RxzN1M\":\"Enabled\",\"sGjBEq\":\"End Date & Time (optional)\",\"PKXt9R\":\"End date must be after start date\",\"48Y16Q\":\"End time (optional)\",\"7YZofi\":\"Enter a subject and body to see the preview\",\"3bR1r4\":\"Enter affiliate email (optional)\",\"ARkzso\":\"Enter affiliate name\",\"INDKM9\":\"Enter email subject...\",\"kWg31j\":\"Enter unique affiliate code\",\"C3nD/1\":\"Enter your email\",\"n9V+ps\":\"Enter your name\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Error loading logs\",\"AKbElk\":\"EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)\",\"WgD6rb\":\"Event Category\",\"b46pt5\":\"Event Cover Image\",\"1Hzev4\":\"Event custom template\",\"imgKgl\":\"Event Description\",\"kJDmsI\":\"Event details\",\"m/N7Zq\":\"Event Full Address\",\"Nl1ZtM\":\"Event Location\",\"PYs3rP\":\"Event name\",\"HhwcTQ\":\"Event Name\",\"WZZzB6\":\"Event name is required\",\"Wd5CDM\":\"Event name should be less than 150 characters\",\"4JzCvP\":\"Event Not Available\",\"Gh9Oqb\":\"Event organizer name\",\"mImacG\":\"Event Page\",\"cOePZk\":\"Event Time\",\"e8WNln\":\"Event timezone\",\"GeqWgj\":\"Event Timezone\",\"XVLu2v\":\"Event Title\",\"YDVUVl\":\"Event Types\",\"4K2OjV\":\"Event Venue\",\"19j6uh\":\"Events Performance\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Every email template must include a call-to-action button that links to the appropriate page\",\"VlvpJ0\":\"Export answers\",\"JKfSAv\":\"Export failed. Please try again.\",\"SVOEsu\":\"Export started. Preparing file...\",\"9bpUSo\":\"Exporting Affiliates\",\"jtrqH9\":\"Exporting Attendees\",\"R4Oqr8\":\"Exporting complete. Downloading file...\",\"UlAK8E\":\"Exporting Orders\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Failed to abandon order. Please try again.\",\"cEFg3R\":\"Failed to create affiliate\",\"U66oUa\":\"Failed to create template\",\"xFj7Yj\":\"Failed to delete template\",\"jo3Gm6\":\"Failed to export affiliates\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"YQ3QSS\":\"Failed to resend verification code\",\"zTkTF3\":\"Failed to save template\",\"l6acRV\":\"Failed to save VAT settings. Please try again.\",\"T6B2gk\":\"Failed to send message. Please try again.\",\"lKh069\":\"Failed to start export job\",\"t/KVOk\":\"Failed to start impersonation. Please try again.\",\"QXgjH0\":\"Failed to stop impersonation. Please try again.\",\"i0QKrm\":\"Failed to update affiliate\",\"NNc33d\":\"Failed to update answer.\",\"7/9RFs\":\"Failed to upload image.\",\"nkNfWu\":\"Failed to upload image. Please try again.\",\"rxy0tG\":\"Failed to verify email\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Fill in your details above first\",\"8OvVZZ\":\"Filter Attendees\",\"8BwQeU\":\"Завершить настройку\",\"hg80P7\":\"Завершить настройку Stripe\",\"1vBhpG\":\"First attendee\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"lWxAUo\":\"Food & Drink\",\"nFm+5u\":\"Footer Text\",\"MY2SVM\":\"Полный возврат\",\"vAVBBv\":\"Fully Integrated\",\"T02gNN\":\"General Admission\",\"3ep0Gx\":\"General information about your organizer\",\"ziAjHi\":\"Generate\",\"exy8uo\":\"Generate code\",\"4CETZY\":\"Get Directions\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Get your event ready\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Go to Event Page\",\"gHSuV/\":\"Go to home page\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Gross Revenue\",\"kTSQej\":[\"Hello \",[\"0\"],\", manage your platform from here.\"],\"dORAcs\":\"Here are all the tickets associated with your email address.\",\"g+2103\":\"Here is your affiliate link\",\"QlwJ9d\":\"Вот что ожидать:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Hide Answers\",\"gtEbeW\":\"Highlight\",\"NF8sdv\":\"Highlight Message\",\"MXSqmS\":\"Highlight this product\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Highlighted products will have a different background color to make them stand out on the event page.\",\"i0qMbr\":\"Home\",\"AVpmAa\":\"How to pay offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hungarian\",\"4/kP5a\":\"If a new tab did not open automatically, please click the button below to continue to checkout.\",\"PYVWEI\":\"If registered, provide your VAT number for validation\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"an5hVd\":\"Images\",\"tSVr6t\":\"Impersonate\",\"TWXU0c\":\"Impersonate User\",\"5LAZwq\":\"Impersonation started\",\"IMwcdR\":\"Impersonation stopped\",\"M8M6fs\":\"Important: Stripe reconnection required\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"In-depth Analytics\",\"cljs3a\":\"Indicate whether you're VAT-registered in the EU\",\"F1Xp97\":\"Individual attendees\",\"85e6zs\":\"Insert Liquid Token\",\"38KFY0\":\"Insert Variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Invalid email\",\"5tT0+u\":\"Invalid email format\",\"tnL+GP\":\"Invalid Liquid syntax. Please correct it and try again.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Invite a team member\",\"1z26sk\":\"Invite Team Member\",\"KR0679\":\"Invite Team Members\",\"aH6ZIb\":\"Invite Your Team\",\"IuMGvq\":\"Invoice\",\"y0meFR\":\"Irish VAT at 23% will be applied to platform fees (domestic supply).\",\"Lj7sBL\":\"Italian\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Join from anywhere\",\"hTJ4fB\":\"Просто нажмите кнопку ниже для переподключения вашего аккаунта Stripe.\",\"MxjCqk\":\"Just looking for your tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link Expired or Invalid\",\"psosdY\":\"Link to order details\",\"6JzK4N\":\"Link to ticket\",\"shkJ3U\":\"Link your Stripe account to receive funds from ticket sales.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live Events\",\"WdmJIX\":\"Загрузка предпросмотра...\",\"IoDI2o\":\"Loading tokens...\",\"NFxlHW\":\"Loading Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Cover\",\"gddQe0\":\"Logo and cover image for your organizer\",\"TBEnp1\":\"Logo will be displayed in the header\",\"Jzu30R\":\"Logo will be displayed on the ticket\",\"4wUIjX\":\"Make your event live\",\"0A7TvI\":\"Manage Event\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"/x0FyM\":\"Match Your Brand\",\"xDAtGP\":\"Message\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"48rf3i\":\"Message cannot exceed 5000 characters\",\"Vjat/X\":\"Message is required\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"GfaxEk\":\"Music\",\"oVGCGh\":\"My Tickets\",\"8/brI5\":\"Name is required\",\"sCV5Yc\":\"Name of the event\",\"xxU3NX\":\"Net Revenue\",\"eWRECP\":\"Nightlife\",\"HSw5l3\":\"No - I'm an individual or non-VAT registered business\",\"VHfLAW\":\"No accounts\",\"+jIeoh\":\"No accounts found\",\"074+X8\":\"No Active Webhooks\",\"zxnup4\":\"No Affiliates to show\",\"99ntUF\":\"No check-in lists available for this event.\",\"6r9SGl\":\"No Credit Card Required\",\"eb47T5\":\"No data found for the selected filters. Try adjusting the date range or currency.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"No events found\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"No events yet\",\"54GxeB\":\"Никакого влияния на ваши текущие или прошлые транзакции\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"No logs found\",\"NEmyqy\":\"No orders yet\",\"B7w4KY\":\"No other organizers available\",\"6jYQGG\":\"No past events\",\"zK/+ef\":\"No products available for selection\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"3sRuiW\":\"No Tickets Found\",\"yM5c0q\":\"No upcoming events\",\"qpC74J\":\"No users found\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"4+am6b\":\"No, keep me here\",\"HVwIsd\":\"Non-VAT registered businesses or individuals: Irish VAT at 23% applies\",\"x5+Lcz\":\"Not Checked In\",\"8n10sz\":\"Not Eligible\",\"lQgMLn\":\"Office or venue name\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Payment\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"После завершения обновления ваш старый аккаунт будет использоваться только для возвратов.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online Event\",\"bU7oUm\":\"Only send to orders with these statuses\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Открыть панель Stripe\",\"HXMJxH\":\"Дополнительный текст для отказов от ответственности, контактной информации или благодарственных заметок (только одна строка)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Order cancelled\",\"b6+Y+n\":\"Order complete\",\"x4MLWE\":\"Order Confirmation\",\"ppuQR4\":\"Order Created\",\"0UZTSq\":\"Order Currency\",\"HdmwrI\":\"Order Email\",\"bwBlJv\":\"Order First Name\",\"vrSW9M\":\"Заказ отменен и возвращен. Владелец заказа уведомлен.\",\"+spgqH\":[\"Order ID: \",[\"0\"]],\"Pc729f\":\"Order Is Awaiting Offline Payment\",\"F4NXOl\":\"Order Last Name\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Order Locale\",\"vu6Arl\":\"Order Marked as Paid\",\"sLbJQz\":\"Order not found\",\"i8VBuv\":\"Order Number\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"DoH3fD\":\"Order Payment Pending\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"oW5877\":\"Order Total\",\"e7eZuA\":\"Order Updated\",\"KndP6g\":\"Order URL\",\"3NT0Ck\":\"Order was cancelled\",\"5It1cQ\":\"Orders Exported\",\"B/EBQv\":\"Orders:\",\"ucgZ0o\":\"Organization\",\"S3CZ5M\":\"Organizer Dashboard\",\"Uu0hZq\":\"Email организатора\",\"Gy7BA3\":\"Адрес электронной почты организатора\",\"SQqJd8\":\"Organizer Not Found\",\"wpj63n\":\"Organizer Settings\",\"coIKFu\":\"Organizer statistics are not available for the selected currency or an error occurred.\",\"o1my93\":\"Organizer status update failed. Please try again later\",\"rLHma1\":\"Organizer status updated\",\"LqBITi\":\"Organizer/default template will be used\",\"/IX/7x\":\"Other\",\"RsiDDQ\":\"Other Lists (Ticket Not Included)\",\"6/dCYd\":\"Overview\",\"8uqsE5\":\"Page no longer available\",\"QkLf4H\":\"Page URL\",\"sF+Xp9\":\"Page Views\",\"5F7SYw\":\"Частичный возврат\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Past\",\"xTPjSy\":\"Past Events\",\"/l/ckQ\":\"Paste URL\",\"URAE3q\":\"Paused\",\"4fL/V7\":\"Pay\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Payment & Plan\",\"ENEPLY\":\"Payment method\",\"EyE8E6\":\"Payment Processing\",\"8Lx2X7\":\"Payment received\",\"vcyz2L\":\"Payment Settings\",\"fx8BTd\":\"Payments not available\",\"51U9mG\":\"Платежи будут продолжаться без перерыва\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Performance\",\"zmwvG2\":\"Phone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planning an event?\",\"br3Y/y\":\"Platform Fees\",\"jEw0Mr\":\"Please enter a valid URL\",\"n8+Ng/\":\"Please enter the 5-digit code\",\"r+lQXT\":\"Please enter your VAT number\",\"Dvq0wf\":\"Please provide an image.\",\"2cUopP\":\"Please restart the checkout process.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Please select an image.\",\"fuwKpE\":\"Please try again.\",\"klWBeI\":\"Please wait before requesting another code\",\"hfHhaa\":\"Please wait while we prepare your affiliates for export...\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"TjX7xL\":\"Post Checkout Message\",\"cs5muu\":\"Preview Event page\",\"+4yRWM\":\"Price of the ticket\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Print Preview\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Print to PDF\",\"LcET2C\":\"Privacy Policy\",\"8z6Y5D\":\"Обработать возврат\",\"JcejNJ\":\"Processing order\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publish\",\"evDBV8\":\"Publish Event\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Готовы к обновлению? Это займет всего несколько минут.\",\"Fi3b48\":\"Recent Orders\",\"Edm6av\":\"Reconnect Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecting to Stripe...\",\"ACKu03\":\"Refresh Preview\",\"fKn/k6\":\"Сумма возврата\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Возврат заказа \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Refunds\",\"CQeZT8\":\"Report not found\",\"JEPMXN\":\"Request a new link\",\"mdeIOH\":\"Resend code\",\"bxoWpz\":\"Resend Confirmation Email\",\"G42SNI\":\"Resend email\",\"TTpXL3\":[\"Resend in \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reserved until\",\"slOprG\":\"Reset your password\",\"CbnrWb\":\"Return to Event\",\"Oo/PLb\":\"Revenue Summary\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Sales\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Sales, orders, and performance metrics for all events\",\"3Q1AWe\":\"Sales:\",\"8BRPoH\":\"Sample Venue\",\"KZrfYJ\":\"Save Social Links\",\"9Y3hAT\":\"Save Template\",\"C8ne4X\":\"Save Ticket Design\",\"6/TNCd\":\"Save VAT Settings\",\"I+FvbD\":\"Сканировать\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Search affiliates...\",\"VY+Bdn\":\"Search by account name or email...\",\"VX+B3I\":\"Search by event title or organizer...\",\"GHdjuo\":\"Search by name, email, or account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Select a category\",\"BFRSTT\":\"Select Account\",\"mCB6Je\":\"Select All\",\"kYZSFD\":\"Select an organizer to view their dashboard and events.\",\"tVW/yo\":\"Select currency\",\"n9ZhRa\":\"Select end date and time\",\"gTN6Ws\":\"Select end time\",\"0U6E9W\":\"Select event category\",\"j9cPeF\":\"Select event types\",\"1nhy8G\":\"Select Scanner Type\",\"KizCK7\":\"Select start date and time\",\"dJZTv2\":\"Select start time\",\"aT3jZX\":\"Select timezone\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"BG3f7v\":\"Sell Anything\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"j9b/iy\":\"Selling fast 🔥\",\"1lNPhX\":\"Отправить email с уведомлением о возврате\",\"SPdzrs\":\"Sent to customers when they place an order\",\"LxSN5F\":\"Sent to each attendee with their ticket details\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Set up your organization\",\"HbUQWA\":\"Setup in Minutes\",\"GG7qDw\":\"Share Affiliate Link\",\"hL7sDJ\":\"Share Organizer Page\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Show all platforms (\",[\"0\"],\" more with values)\"],\"UVPI5D\":\"Show fewer platforms\",\"Eu/N/d\":\"Показать флажок подписки на маркетинг\",\"SXzpzO\":\"Показывать флажок подписки на маркетинг по умолчанию\",\"b33PL9\":\"Show more platforms\",\"v6IwHE\":\"Smart Check-in\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Social Links\",\"j/TOB3\":\"Social Links & Website\",\"2pxNFK\":\"sold\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"H6Gslz\":\"Sorry for the inconvenience.\",\"7JFNej\":\"Sports\",\"JcQp9p\":\"Start date & time\",\"0m/ekX\":\"Start Date & Time\",\"izRfYP\":\"Start date is required\",\"2R1+Rv\":\"Start time of the event\",\"2NbyY/\":\"Statistics\",\"DRykfS\":\"По-прежнему обрабатываем возвраты для ваших старых транзакций.\",\"wuV0bK\":\"Stop Impersonating\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe setup is already complete.\",\"ii0qn/\":\"Subject is required\",\"M7Uapz\":\"Subject will appear here\",\"6aXq+t\":\"Subject:\",\"JwTmB6\":\"Successfully Duplicated Product\",\"RuaKfn\":\"Successfully Updated Address\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Successfully Updated Organizer\",\"0Dk/l8\":\"Successfully Updated SEO Settings\",\"MhOoLQ\":\"Successfully Updated Social Links\",\"kj7zYe\":\"Successfully updated Webhook\",\"dXoieq\":\"Summary\",\"/RfJXt\":[\"Summer Music Festival \",[\"0\"]],\"CWOPIK\":\"Summer Music Festival 2025\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"JZTQI0\":\"Switch Organizer\",\"XX32BM\":\"Займет всего несколько минут\",\"yT6dQ8\":\"Tax collected grouped by tax type and event\",\"Ye321X\":\"Tax Name\",\"WyCBRt\":\"Tax Summary\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tech\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Tell people what to expect at your event\",\"NiIUyb\":\"Tell us about your event\",\"DovcfC\":\"Tell us about your organization. This information will be displayed on your event pages.\",\"7wtpH5\":\"Template Active\",\"QHhZeE\":\"Template created successfully\",\"xrWdPR\":\"Template deleted successfully\",\"G04Zjt\":\"Template saved successfully\",\"xowcRf\":\"Terms of Service\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Thank you for attending!\",\"lhAWqI\":\"Спасибо за вашу поддержку, пока мы продолжаем расти и улучшать Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"The code will expire in 10 minutes. Check your spam folder if you don't see the email.\",\"MJm4Tq\":\"The currency of the order\",\"I/NNtI\":\"The event venue\",\"tXadb0\":\"The event you're looking for is not available at the moment. It may have been removed, expired, or the URL might be incorrect.\",\"EBzPwC\":\"The full event address\",\"sxKqBm\":\"Полная сумма заказа будет возвращена на первоначальный способ оплаты клиента.\",\"5OmEal\":\"The locale of the customer\",\"sYLeDq\":\"The organizer you're looking for could not be found. The page may have been moved, deleted, or the URL might be incorrect.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"The template body contains invalid Liquid syntax. Please correct it and try again.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Theme & Colors\",\"HirZe8\":\"These templates will be used as defaults for all events in your organization. Individual events can override these templates with their own custom versions.\",\"lzAaG5\":\"These templates will override the organizer defaults for this event only. If no custom template is set here, the organizer template will be used instead.\",\"XBNC3E\":\"This code will be used to track sales. Only letters, numbers, hyphens, and underscores allowed.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"This event is not published yet\",\"dFJnia\":\"This is the name of your organizer that will be displayed to your users.\",\"L7dIM7\":\"This link is invalid or has expired.\",\"j5FdeA\":\"This order is being processed.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"This order was cancelled. You can start a new order anytime.\",\"lyD7rQ\":\"This organizer profile is not published yet\",\"9b5956\":\"This preview shows how your email will look with sample data. Actual emails will use real values.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Этот билет только что был отсканирован. Пожалуйста, подождите перед повторным сканированием.\",\"kvpxIU\":\"This will be used for notifications and communication with your users.\",\"rhsath\":\"This will not be visible to customers, but helps you identify the affiliate.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticket Design\",\"EZC/Cu\":\"Ticket design saved successfully\",\"1BPctx\":\"Ticket for\",\"bgqf+K\":\"Ticket holder's email\",\"oR7zL3\":\"Ticket holder's name\",\"HGuXjF\":\"Ticket holders\",\"awHmAT\":\"ID билета\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Name\",\"6tmWch\":\"Ticket or Product\",\"1tfWrD\":\"Предпросмотр билета для\",\"tGCY6d\":\"Ticket Price\",\"8jLPgH\":\"Ticket Type\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets & Products\",\"EUnesn\":\"Tickets Available\",\"AGRilS\":\"Tickets Sold\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total Accounts\",\"EaAPbv\":\"Total amount paid\",\"SMDzqJ\":\"Total Attendees\",\"orBECM\":\"Total Collected\",\"KSDwd5\":\"Total Orders\",\"vb0Q0/\":\"Total Users\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"uKOFO5\":\"True if offline payment\",\"9GsDR2\":\"True if payment pending\",\"ouM5IM\":\"Try another email\",\"3DZvE7\":\"Try Hi.Events Free\",\"Kz91g/\":\"Turkish\",\"GdOhw6\":\"Turn sound off\",\"KUOhTy\":\"Turn sound on\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type of ticket\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"Vx2J6x\":\"Unable to fetch attendee\",\"b9SN9q\":\"Unique order reference\",\"Ef7StM\":\"Unknown\",\"ZBAScj\":\"Unknown Attendee\",\"ZkS2p3\":\"Unpublish Event\",\"Pp1sWX\":\"Update Affiliate\",\"KMMOAy\":\"Доступно обновление\",\"gJQsLv\":\"Upload a cover image for your organizer\",\"4kEGqW\":\"Upload a logo for your organizer\",\"lnCMdg\":\"Upload Image\",\"29w7p6\":\"Uploading image...\",\"HtrFfw\":\"URL is required\",\"WBq1/R\":\"USB Scanner Already Active\",\"EV30TR\":\"USB Scanner mode activated. Start scanning tickets now.\",\"fovJi3\":\"USB Scanner mode deactivated\",\"hli+ga\":\"USB/HID Scanner\",\"OHJXlK\":\"Используйте <0>шаблоны Liquid для персонализации ваших писем\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Used for borders, highlights, and QR code styling\",\"Fild5r\":\"Valid VAT number\",\"sqdl5s\":\"VAT Information\",\"UjNWsF\":\"VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below.\",\"pnVh83\":\"VAT Number\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"VAT number validation failed. Please check your number and try again.\",\"PCRCCN\":\"VAT Registration Information\",\"vbKW6Z\":\"VAT settings saved and validated successfully\",\"fb96a1\":\"VAT settings saved but validation failed. Please check your VAT number.\",\"Nfbg76\":\"VAT settings saved successfully\",\"tJylUv\":\"VAT Treatment for Platform Fees\",\"FlGprQ\":\"VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%.\",\"AdWhjZ\":\"Verification code\",\"wCKkSr\":\"Verify Email\",\"/IBv6X\":\"Verify your email\",\"e/cvV1\":\"Verifying...\",\"fROFIL\":\"Vietnamese\",\"+WFMis\":\"View and download reports across all your events. Only completed orders are included.\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"c7VN/A\":\"View Answers\",\"FCVmuU\":\"View Event\",\"n6EaWL\":\"View logs\",\"OaKTzt\":\"View Map\",\"67OJ7t\":\"View Order\",\"tKKZn0\":\"View Order Details\",\"9jnAcN\":\"View Organizer Homepage\",\"1J/AWD\":\"View Ticket\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible to check-in staff only. Helps identify this list during check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Waiting for payment\",\"RRZDED\":\"We couldn't find any orders associated with this email address.\",\"miysJh\":\"We couldn't find this order. It may have been removed.\",\"HJKdzP\":\"We hit a snag loading this page. Please try again.\",\"IfN2Qo\":\"We recommend a square logo with minimum dimensions of 200x200px\",\"wJzo/w\":\"We recommend dimensions of 400px by 400px, and a maximum file size of 5MB\",\"q1BizZ\":\"We'll send your tickets to this email\",\"zCdObC\":\"Мы официально переместили наш главный офис в Ирландию 🇮🇪. В рамках этого перехода мы теперь используем Stripe Ирландия вместо Stripe Канада. Чтобы ваши выплаты проходили гладко, вам нужно переподключить ваш аккаунт Stripe.\",\"jh2orE\":\"We've relocated our headquarters to Ireland. As a result, we need you to reconnect your Stripe account. This quick process takes just a few minutes. Your sales and existing data remain completely unaffected.\",\"Fq/Nx7\":\"We've sent a 5-digit verification code to:\",\"GdWB+V\":\"Webhook created successfully\",\"2X4ecw\":\"Webhook deleted successfully\",\"CThMKa\":\"Webhook Logs\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook will not send notifications\",\"FSaY52\":\"Webhook will send notifications\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Welcome back 👋\",\"kSYpfa\":[\"Welcome to \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Welcome to \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Welcome to \",[\"0\"],\", here's a listing of all your events\"],\"FaSXqR\":\"What type of event?\",\"f30uVZ\":\"What you need to do:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"When a check-in is deleted\",\"Gmd0hv\":\"When a new attendee is created\",\"Lc18qn\":\"When a new order is created\",\"dfkQIO\":\"When a new product is created\",\"8OhzyY\":\"When a product is deleted\",\"tRXdQ9\":\"When a product is updated\",\"Q7CWxp\":\"When an attendee is cancelled\",\"IuUoyV\":\"When an attendee is checked in\",\"nBVOd7\":\"When an attendee is updated\",\"ny2r8d\":\"When an order is cancelled\",\"c9RYbv\":\"When an order is marked as paid\",\"ejMDw1\":\"When an order is refunded\",\"fVPt0F\":\"When an order is updated\",\"bcYlvb\":\"When check-in closes\",\"XIG669\":\"When check-in opens\",\"de6HLN\":\"When customers purchase tickets, their orders will appear here.\",\"blXLKj\":\"При включении новые мероприятия будут отображать флажок подписки на маркетинг при оформлении заказа. Это можно переопределить для каждого мероприятия.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Write your message here...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Yes - I have a valid EU VAT registration number\",\"Tz5oXG\":\"Yes, cancel my order\",\"QlSZU0\":[\"You are impersonating <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Вы оформляете частичный возврат. Клиенту будет возвращено \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"FVTVBy\":\"You must verify your email address before you can update the organizer status.\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"U3wiCB\":\"Все готово! Ваши платежи обрабатываются без проблем.\",\"MNFIxz\":[\"You're going to \",[\"0\"],\"!\"],\"x/xjzn\":\"Your affiliates have been exported successfully.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"79lXGw\":\"Your check-in list has been created successfully. Share the link below with your check-in staff.\",\"BnlG9U\":\"Your current order will be lost.\",\"nBqgQb\":\"Your Email\",\"R02pnV\":\"Your event must be live before you can sell tickets to attendees.\",\"ifRqmm\":\"Your message has been sent successfully!\",\"/Rj5P4\":\"Your Name\",\"naQW82\":\"Your order has been cancelled.\",\"bhlHm/\":\"Your order is awaiting payment\",\"XeNum6\":\"Your orders have been exported successfully.\",\"Xd1R1a\":\"Your organizer address\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Ваш аккаунт Stripe подключен и обрабатывает платежи.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"CnZ3Ou\":\"Your tickets have been confirmed.\",\"d/CiU9\":\"Your VAT number will be validated automatically when you save\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/ru.po b/frontend/src/locales/ru.po index 529e8dd479..3edbc37e72 100644 --- a/frontend/src/locales/ru.po +++ b/frontend/src/locales/ru.po @@ -16,12 +16,12 @@ msgstr "" #: src/components/layouts/Event/index.tsx:178 #: src/components/layouts/OrganizerLayout/index.tsx:207 msgid "- Click to Publish" -msgstr "" +msgstr "- Нажмите, чтобы опубликовать" #: src/components/layouts/Event/index.tsx:180 #: src/components/layouts/OrganizerLayout/index.tsx:209 msgid "- Click to Unpublish" -msgstr "" +msgstr "- Нажмите, чтобы снять с публикации" #: src/components/common/NoResultsSplash/index.tsx:14 msgid "'There\\'s nothing to show yet'" @@ -261,13 +261,13 @@ msgstr "" msgid "Abandoned" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "" @@ -288,8 +288,8 @@ msgstr "" msgid "Accept Invitation" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "" @@ -298,7 +298,7 @@ msgstr "" msgid "Account" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Аккаунт уже подключен!" @@ -321,10 +321,14 @@ msgstr "" msgid "Accounts" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Требуется действие: Переподключите ваш аккаунт Stripe" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "" @@ -549,7 +553,7 @@ msgstr "" msgid "All Currencies" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "Готово! Теперь вы используете нашу обновленную платежную систему." @@ -579,8 +583,8 @@ msgstr "" msgid "Allow search engines to index this event" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Почти готово! Завершите подключение аккаунта Stripe для начала приема платежей." @@ -727,7 +731,7 @@ msgstr "" msgid "Are you sure you want to delete this webhook?" msgstr "" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "" @@ -777,10 +781,23 @@ msgstr "" msgid "Are you sure you would like to delete this Check-In List?" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "" @@ -1437,7 +1454,7 @@ msgstr "" msgid "Complete Stripe Setup" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Завершите настройку ниже для продолжения" @@ -1530,11 +1547,11 @@ msgstr "" msgid "Congratulations on creating an event!" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Подключить и обновить" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "" @@ -1571,15 +1588,15 @@ msgstr "" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Подключите ваш аккаунт Stripe для приема платежей." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Подключите ваш аккаунт Stripe для начала приема платежей за ваши мероприятия." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Подключите ваш аккаунт Stripe для начала приема платежей." @@ -1587,8 +1604,8 @@ msgstr "Подключите ваш аккаунт Stripe для начала п msgid "Connect your Stripe account to start receiving payments." msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "" @@ -1596,7 +1613,7 @@ msgstr "" msgid "Connection Details" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "" @@ -1926,7 +1943,7 @@ msgstr "" msgid "Current Password" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Текущий платежный процессор" @@ -2205,7 +2222,7 @@ msgstr "Отображать флажок, позволяющий клиента msgid "Document Label" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "" @@ -2606,6 +2623,10 @@ msgstr "" msgid "Enter your name" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2623,6 +2644,11 @@ msgstr "" msgid "Error loading logs" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2932,6 +2958,10 @@ msgstr "" msgid "Failed to save template" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "" + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "" @@ -2991,7 +3021,7 @@ msgstr "" msgid "Fees" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "" @@ -3021,12 +3051,12 @@ msgstr "" msgid "Filters ({activeFilterCount})" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Завершить настройку" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Завершить настройку Stripe" @@ -3078,7 +3108,7 @@ msgstr "" msgid "Fixed amount" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "" @@ -3162,7 +3192,7 @@ msgstr "" msgid "German" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "" @@ -3170,7 +3200,7 @@ msgstr "" msgid "Get started for free, no subscription fees" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" msgstr "" @@ -3254,7 +3284,7 @@ msgstr "" msgid "Here is your affiliate link" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Вот что ожидать:" @@ -3438,6 +3468,10 @@ msgstr "" msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "" @@ -3530,6 +3564,10 @@ msgstr "" msgid "Includes 1 product" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "" @@ -3568,6 +3606,10 @@ msgstr "" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "" @@ -3617,6 +3659,10 @@ msgstr "" msgid "Invoice Settings" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "" + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "" @@ -3641,11 +3687,11 @@ msgstr "" msgid "Johnson" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Просто нажмите кнопку ниже для переподключения вашего аккаунта Stripe." @@ -3803,7 +3849,7 @@ msgid "Loading..." msgstr "" #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3908,7 +3954,7 @@ msgstr "" msgid "Manage your account details and default settings" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "" @@ -4105,6 +4151,10 @@ msgstr "" msgid "Nightlife" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "" @@ -4197,7 +4247,7 @@ msgstr "" msgid "No filters available" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Никакого влияния на ваши текущие или прошлые транзакции" @@ -4309,10 +4359,15 @@ msgstr "" msgid "No Webhooks" msgstr "" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,7 +4462,7 @@ msgstr "" msgid "On sale {0}" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "После завершения обновления ваш старый аккаунт будет использоваться только для возвратов." @@ -4437,7 +4492,7 @@ msgid "Online event" msgstr "" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "" @@ -4469,9 +4524,9 @@ msgstr "" msgid "Open sidebar" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Открыть панель Stripe" @@ -4719,7 +4774,7 @@ msgstr "" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4948,9 +5003,9 @@ msgstr "" msgid "Payment Methods" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "" @@ -4966,7 +5021,7 @@ msgstr "" msgid "Payment Received" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "" @@ -4986,7 +5041,7 @@ msgstr "" msgid "Payments not available" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Платежи будут продолжаться без перерыва" @@ -5029,7 +5084,7 @@ msgstr "" msgid "Planning an event?" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "" @@ -5086,6 +5141,10 @@ msgstr "" msgid "Please enter your new password" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "" @@ -5236,7 +5295,7 @@ msgstr "" msgid "Print to PDF" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "" @@ -5454,7 +5513,7 @@ msgstr "" msgid "Read less" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Готовы к обновлению? Это займет всего несколько минут." @@ -5476,10 +5535,10 @@ msgstr "" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "" @@ -5642,7 +5701,7 @@ msgstr "" msgid "Return to Event" msgstr "" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "" @@ -5771,6 +5830,10 @@ msgstr "" msgid "Save Ticket Design" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -6088,7 +6151,7 @@ msgid "Setup in Minutes" msgstr "" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6215,7 +6278,7 @@ msgid "Sold out" msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "" @@ -6323,7 +6386,7 @@ msgstr "" msgid "Status" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "По-прежнему обрабатываем возвраты для ваших старых транзакций." @@ -6336,7 +6399,7 @@ msgstr "" msgid "Stripe" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6533,7 +6596,7 @@ msgstr "" msgid "T-shirt" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Займет всего несколько минут" @@ -6634,7 +6697,7 @@ msgstr "" msgid "Template saved successfully" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "" @@ -6647,7 +6710,7 @@ msgstr "" msgid "Thank you for attending!" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Спасибо за вашу поддержку, пока мы продолжаем расти и улучшать Hi.Events!" @@ -7050,7 +7113,7 @@ msgstr "" msgid "tickets" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" msgstr "" @@ -7060,7 +7123,7 @@ msgstr "" msgid "Tickets & Products" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "" @@ -7114,7 +7177,7 @@ msgstr "" msgid "TIP" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "" @@ -7196,7 +7259,7 @@ msgstr "" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "" @@ -7351,7 +7414,7 @@ msgstr "" msgid "Update profile" msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Доступно обновление" @@ -7460,10 +7523,63 @@ msgstr "" msgid "UTC" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "" + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "" @@ -7531,12 +7647,12 @@ msgstr "" msgid "View map" msgstr "" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "" @@ -7648,7 +7764,7 @@ msgstr "" msgid "We're processing your order. Please wait..." msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "Мы официально переместили наш главный офис в Ирландию 🇮🇪. В рамках этого перехода мы теперь используем Stripe Ирландия вместо Stripe Канада. Чтобы ваши выплаты проходили гладко, вам нужно переподключить ваш аккаунт Stripe." @@ -7754,6 +7870,10 @@ msgstr "" msgid "What type of question is this?" msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "" @@ -7897,7 +8017,11 @@ msgstr "" msgid "Year to date" msgstr "" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "" @@ -8031,7 +8155,7 @@ msgstr "" msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "Все готово! Ваши платежи обрабатываются без проблем." @@ -8063,7 +8187,7 @@ msgstr "" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "" -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "" @@ -8149,12 +8273,12 @@ msgstr "" msgid "Your refund is processing." msgstr "" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "Ваш аккаунт Stripe подключен и обрабатывает платежи." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "" @@ -8166,6 +8290,10 @@ msgstr "" msgid "Your tickets have been confirmed." msgstr "" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "" diff --git a/frontend/src/locales/tr.js b/frontend/src/locales/tr.js index cd877b40b6..aec00e38d3 100644 --- a/frontend/src/locales/tr.js +++ b/frontend/src/locales/tr.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"Henüz gösterilecek bir şey yok\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>başarıyla check-in yaptı\"],\"yxhYRZ\":[[\"0\"],\" <0>başarıyla check-out yaptı\"],\"KMgp2+\":[[\"0\"],\" mevcut\"],\"Pmr5xp\":[[\"0\"],\" başarıyla oluşturuldu\"],\"FImCSc\":[[\"0\"],\" başarıyla güncellendi\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" check-in yaptı\"],\"Vjij1k\":[[\"days\"],\" gün, \",[\"hours\"],\" saat, \",[\"minutes\"],\" dakika ve \",[\"seconds\"],\" saniye\"],\"f3RdEk\":[[\"hours\"],\" saat, \",[\"minutes\"],\" dakika ve \",[\"seconds\"],\" saniye\"],\"fyE7Au\":[[\"minutes\"],\" dakika ve \",[\"seconds\"],\" saniye\"],\"NlQ0cx\":[[\"organizerName\"],\"'ın ilk etkinliği\"],\"Ul6IgC\":\"<0>Kapasite atamaları, biletler veya tüm etkinlik genelinde kapasiteyi yönetmenizi sağlar. Çok günlük etkinlikler, atölyeler ve katılımın kontrolünün önemli olduğu diğer durumlar için idealdir.<1>Örneğin, bir kapasite atamasını <2>Birinci Gün ve <3>Tüm Günler biletiyle ilişkilendirebilirsiniz. Kapasiteye ulaşıldığında, her iki bilet de otomatik olarak satışa kapatılır.\",\"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://siteniz.com\",\"qnSLLW\":\"<0>Lütfen vergiler ve ücretler hariç fiyatı girin.<1>Vergi ve ücretler aşağıdan eklenebilir.\",\"ZjMs6e\":\"<0>Bu ürün için mevcut ürün sayısı<1>Bu değer, bu ürünle ilişkili <2>Kapasite Sınırları varsa geçersiz kılınabilir.\",\"E15xs8\":\"⚡️ Etkinliğinizi kurun\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Etkinlik sayfanızı özelleştirin\",\"3VPPdS\":\"💳 Stripe ile bağlanın\",\"cjdktw\":\"🚀 Etkinliğinizi yayına alın\",\"rmelwV\":\"0 dakika ve 0 saniye\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"123 Ana Cadde\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Tarih girişi. Doğum tarihi sormak gibi durumlar için mükemmel.\",\"6euFZ/\":[\"Varsayılan \",[\"type\"],\" otomatik olarak tüm yeni ürünlere uygulanır. Bunu ürün bazında geçersiz kılabilirsiniz.\"],\"SMUbbQ\":\"Açılır menü sadece tek seçime izin verir\",\"qv4bfj\":\"Rezervasyon ücreti veya hizmet ücreti gibi bir ücret\",\"POT0K/\":\"Ürün başına sabit miktar. Örn. ürün başına 0,50 $\",\"f4vJgj\":\"Çok satırlı metin girişi\",\"OIPtI5\":\"Ürün fiyatının yüzdesi. Örn. ürün fiyatının %3,5'i\",\"ZthcdI\":\"İndirim olmayan promosyon kodu gizli ürünleri göstermek için kullanılabilir.\",\"AG/qmQ\":\"Radyo seçeneği birden fazla seçenek sunar ancak sadece biri seçilebilir.\",\"h179TP\":\"Arama motoru sonuçlarında ve sosyal medyada paylaşılırken gösterilecek etkinliğin kısa açıklaması. Varsayılan olarak etkinlik açıklaması kullanılır\",\"WKMnh4\":\"Tek satırlı metin girişi\",\"BHZbFy\":\"Sipariş başına tek soru. Örn. Teslimat adresiniz nedir?\",\"Fuh+dI\":\"Ürün başına tek soru. Örn. Tişört bedeniniz nedir?\",\"RlJmQg\":\"KDV veya ÖTV gibi standart vergi\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Banka havalesi, çek veya diğer çevrimdışı ödeme yöntemlerini kabul et\",\"hrvLf4\":\"Stripe ile kredi kartı ödemelerini kabul et\",\"bfXQ+N\":\"Davetiyeyi Kabul Et\",\"AeXO77\":\"Hesap\",\"lkNdiH\":\"Hesap Adı\",\"Puv7+X\":\"Hesap Ayarları\",\"OmylXO\":\"Hesap başarıyla güncellendi\",\"7L01XJ\":\"İşlemler\",\"FQBaXG\":\"Etkinleştir\",\"5T2HxQ\":\"Etkinleştirme tarihi\",\"F6pfE9\":\"Etkin\",\"/PN1DA\":\"Bu check-in listesi için açıklama ekleyin\",\"0/vPdA\":\"Katılımcı hakkında not ekleyin. Bunlar katılımcı tarafından görülmeyecektir.\",\"Or1CPR\":\"Katılımcı hakkında not ekleyin...\",\"l3sZO1\":\"Sipariş hakkında not ekleyin. Bunlar müşteri tarafından görülmeyecektir.\",\"xMekgu\":\"Sipariş hakkında not ekleyin...\",\"PGPGsL\":\"Açıklama ekle\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Çevrimdışı ödemeler için talimatlar ekleyin (örn. banka havalesi detayları, çeklerin nereye gönderileceği, ödeme tarihleri)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Yeni Ekle\",\"TZxnm8\":\"Seçenek Ekle\",\"24l4x6\":\"Ürün Ekle\",\"8q0EdE\":\"Kategoriye Ürün Ekle\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Soru ekle\",\"yWiPh+\":\"Vergi veya Ücret Ekle\",\"goOKRY\":\"Kademe ekle\",\"oZW/gT\":\"Takvime Ekle\",\"pn5qSs\":\"Ek Bilgiler\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Adres\",\"NY/x1b\":\"Adres satırı 1\",\"POdIrN\":\"Adres Satırı 1\",\"cormHa\":\"Adres satırı 2\",\"gwk5gg\":\"Adres Satırı 2\",\"U3pytU\":\"Yönetici\",\"HLDaLi\":\"Yönetici kullanıcılar etkinliklere ve hesap ayarlarına tam erişime sahiptir.\",\"W7AfhC\":\"Bu etkinliğin tüm katılımcıları\",\"cde2hc\":\"Tüm Ürünler\",\"5CQ+r0\":\"Ödenmemiş siparişlerle ilişkili katılımcıların check-in yapmasına izin ver\",\"ipYKgM\":\"Arama motoru indekslemesine izin ver\",\"LRbt6D\":\"Arama motorlarının bu etkinliği indekslemesine izin ver\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Harika, Etkinlik, Anahtar Kelimeler...\",\"hehnjM\":\"Miktar\",\"R2O9Rg\":[\"Ödenen miktar (\",[\"0\"],\")\"],\"V7MwOy\":\"Sayfa yüklenirken bir hata oluştu\",\"Q7UCEH\":\"Soruları sıralarken bir hata oluştu. Lütfen tekrar deneyin veya sayfayı yenileyin\",\"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\":\"Beklenmeyen bir hata oluştu.\",\"byKna+\":\"Beklenmeyen bir hata oluştu. Lütfen tekrar deneyin.\",\"ubdMGz\":\"Ürün sahiplerinden gelen tüm sorular bu e-posta adresine gönderilecektir. Bu aynı zamanda bu etkinlikten gönderilen tüm e-postalar için \\\"yanıtla\\\" adresi olarak da kullanılacaktır\",\"aAIQg2\":\"Görünüm\",\"Ym1gnK\":\"uygulandı\",\"sy6fss\":[[\"0\"],\" ürüne uygulanır\"],\"kadJKg\":\"1 ürüne uygulanır\",\"DB8zMK\":\"Uygula\",\"GctSSm\":\"Promosyon Kodunu Uygula\",\"ARBThj\":[\"Bu \",[\"type\"],\"'ı tüm yeni ürünlere uygula\"],\"S0ctOE\":\"Etkinliği arşivle\",\"TdfEV7\":\"Arşivlendi\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Bu katılımcıyı etkinleştirmek istediğinizden emin misiniz?\",\"TvkW9+\":\"Bu etkinliği arşivlemek istediğinizden emin misiniz?\",\"/CV2x+\":\"Bu katılımcıyı iptal etmek istediğinizden emin misiniz? Bu işlem biletini geçersiz kılacaktır\",\"YgRSEE\":\"Bu promosyon kodunu silmek istediğinizden emin misiniz?\",\"iU234U\":\"Bu soruyu silmek istediğinizden emin misiniz?\",\"CMyVEK\":\"Bu etkinliği taslak yapmak istediğinizden emin misiniz? Bu işlem etkinliği halka görünmez yapacaktır\",\"mEHQ8I\":\"Bu etkinliği herkese açık yapmak istediğinizden emin misiniz? Bu işlem etkinliği halka görünür yapacaktır\",\"s4JozW\":\"Bu etkinliği geri yüklemek istediğinizden emin misiniz? Taslak etkinlik olarak geri yüklenecektir.\",\"vJuISq\":\"Bu Kapasite Atamasını silmek istediğinizden emin misiniz?\",\"baHeCz\":\"Bu Check-In Listesini silmek istediğinizden emin misiniz?\",\"LBLOqH\":\"Sipariş başına bir kez sor\",\"wu98dY\":\"Ürün başına bir kez sor\",\"ss9PbX\":\"Katılımcı\",\"m0CFV2\":\"Katılımcı Detayları\",\"QKim6l\":\"Katılımcı bulunamadı\",\"R5IT/I\":\"Katılımcı Notları\",\"lXcSD2\":\"Katılımcı soruları\",\"HT/08n\":\"Katılımcı Bileti\",\"9SZT4E\":\"Katılımcılar\",\"iPBfZP\":\"Kayıtlı Katılımcılar\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Otomatik Boyutlandır\",\"vZ5qKF\":\"Widget yüksekliğini içeriğe göre otomatik olarak boyutlandırır. Devre dışı bırakıldığında, widget kapsayıcının yüksekliğini dolduracaktır.\",\"4lVaWA\":\"Çevrimdışı ödeme bekleniyor\",\"2rHwhl\":\"Çevrimdışı Ödeme Bekleniyor\",\"3wF4Q/\":\"Ödeme bekleniyor\",\"ioG+xt\":\"Ödeme Bekleniyor\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Harika Organizatör Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Etkinlik sayfasına dön\",\"VCoEm+\":\"Girişe dön\",\"k1bLf+\":\"Arkaplan Rengi\",\"I7xjqg\":\"Arkaplan Türü\",\"1mwMl+\":\"Göndermeden önce!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Fatura Adresi\",\"/xC/im\":\"Fatura Ayarları\",\"rp/zaT\":\"Brezilya Portekizcesi\",\"whqocw\":\"Kayıt olarak <0>Hizmet Şartlarımızı ve <1>Gizlilik Politikasımızı kabul etmiş olursunuz.\",\"bcCn6r\":\"Hesaplama Türü\",\"+8bmSu\":\"Kaliforniya\",\"iStTQt\":\"Kamera izni reddedildi. Tekrar <0>İzin İsteyin, veya bu işe yaramazsa, tarayıcı ayarlarınızdan <1>bu sayfaya kamera erişimi vermeniz gerekecek.\",\"dEgA5A\":\"İptal\",\"Gjt/py\":\"E-posta değişikliğini iptal et\",\"tVJk4q\":\"Siparişi iptal et\",\"Os6n2a\":\"Siparişi İptal Et\",\"Mz7Ygx\":[\"Sipariş \",[\"0\"],\"'ı İptal Et\"],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"İptal Edildi\",\"U7nGvl\":\"Check-in Yapılamaz\",\"QyjCeq\":\"Kapasite\",\"V6Q5RZ\":\"Kapasite ataması başarıyla oluşturuldu\",\"k5p8dz\":\"Kapasite ataması başarıyla silindi\",\"nDBs04\":\"Kapasite Yönetimi\",\"ddha3c\":\"Kategoriler ürünleri birlikte gruplandırmanızı sağlar. Örneğin, \\\"Biletler\\\" için bir kategori ve \\\"Ürünler\\\" için başka bir kategori oluşturabilirsiniz.\",\"iS0wAT\":\"Kategoriler ürünlerinizi düzenlemenize yardımcı olur. Bu başlık halka açık etkinlik sayfasında gösterilecektir.\",\"eorM7z\":\"Kategoriler başarıyla yeniden sıralandı.\",\"3EXqwa\":\"Kategori Başarıyla Oluşturuldu\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Şifre değiştir\",\"xMDm+I\":\"Check-in Yap\",\"p2WLr3\":[[\"0\"],\" \",[\"1\"],\" check-in yap\"],\"D6+U20\":\"Check-in yap ve siparişi ödenmiş olarak işaretle\",\"QYLpB4\":\"Sadece check-in yap\",\"/Ta1d4\":\"Check-out Yap\",\"5LDT6f\":\"Bu etkinliğe göz atın!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Check-In Listesi başarıyla silindi\",\"+hBhWk\":\"Check-in listesinin süresi doldu\",\"mBsBHq\":\"Check-in listesi aktif değil\",\"vPqpQG\":\"Check-in listesi bulunamadı\",\"tejfAy\":\"Check-In Listeleri\",\"hD1ocH\":\"Check-In URL'si panoya kopyalandı\",\"CNafaC\":\"Onay kutusu seçenekleri çoklu seçime izin verir\",\"SpabVf\":\"Onay Kutuları\",\"CRu4lK\":\"Checked In\",\"znIg+z\":\"Ödeme\",\"1WnhCL\":\"Ödeme Ayarları\",\"6imsQS\":\"Çince (Basitleştirilmiş)\",\"JjkX4+\":\"Arkaplanınız için bir renk seçin\",\"/Jizh9\":\"Bir hesap seçin\",\"3wV73y\":\"Şehir\",\"FG98gC\":\"Arama Metnini Temizle\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Kopyalamak için tıklayın\",\"yz7wBu\":\"Kapat\",\"62Ciis\":\"Kenar çubuğunu kapat\",\"EWPtMO\":\"Kod\",\"ercTDX\":\"Kod 3 ile 50 karakter arasında olmalıdır\",\"oqr9HB\":\"Etkinlik sayfası ilk yüklendiğinde bu ürünü daralt\",\"jZlrte\":\"Renk\",\"Vd+LC3\":\"Renk geçerli bir hex renk kodu olmalıdır. Örnek: #ffffff\",\"1HfW/F\":\"Renkler\",\"VZeG/A\":\"Yakında\",\"yPI7n9\":\"Etkinliği tanımlayan virgülle ayrılmış anahtar kelimeler. Bunlar arama motorları tarafından etkinliği kategorize etmek ve indekslemek için kullanılacaktır\",\"NPZqBL\":\"Siparişi Tamamla\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Ödemeyi Tamamla\",\"qqWcBV\":\"Tamamlandı\",\"6HK5Ct\":\"Tamamlanan siparişler\",\"NWVRtl\":\"Tamamlanan Siparişler\",\"DwF9eH\":\"Bileşen Kodu\",\"Tf55h7\":\"Yapılandırılmış İndirim\",\"7VpPHA\":\"Onayla\",\"ZaEJZM\":\"E-posta Değişikliğini Onayla\",\"yjkELF\":\"Yeni Şifreyi Onayla\",\"xnWESi\":\"Şifreyi onayla\",\"p2/GCq\":\"Şifreyi Onayla\",\"wnDgGj\":\"E-posta adresi onaylanıyor...\",\"pbAk7a\":\"Stripe'ı Bağla\",\"UMGQOh\":\"Stripe ile Bağlan\",\"QKLP1W\":\"Ödeme almaya başlamak için Stripe hesabınızı bağlayın.\",\"5lcVkL\":\"Bağlantı Detayları\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Devam Et\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Devam Butonu Metni\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Kuruluma devam et\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Kopyalandı\",\"T5rdis\":\"panoya kopyalandı\",\"he3ygx\":\"Kopyala\",\"r2B2P8\":\"Check-In URL'sini Kopyala\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Linki Kopyala\",\"E6nRW7\":\"URL'yi Kopyala\",\"JNCzPW\":\"Ülke\",\"IF7RiR\":\"Kapak\",\"hYgDIe\":\"Oluştur\",\"b9XOHo\":[[\"0\"],\" Oluştur\"],\"k9RiLi\":\"Ürün Oluştur\",\"6kdXbW\":\"Promosyon Kodu Oluştur\",\"n5pRtF\":\"Bilet Oluştur\",\"X6sRve\":[\"Başlamak için hesap oluşturun veya <0>\",[\"0\"],\"\"],\"nx+rqg\":\"organizatör oluştur\",\"ipP6Ue\":\"Katılımcı Oluştur\",\"VwdqVy\":\"Kapasite Ataması Oluştur\",\"EwoMtl\":\"Kategori oluştur\",\"XletzW\":\"Kategori Oluştur\",\"WVbTwK\":\"Check-In Listesi Oluştur\",\"uN355O\":\"Etkinlik Oluştur\",\"BOqY23\":\"Yeni oluştur\",\"kpJAeS\":\"Organizatör Oluştur\",\"a0EjD+\":\"Ürün Oluştur\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Promosyon Kodu Oluştur\",\"B3Mkdt\":\"Soru Oluştur\",\"UKfi21\":\"Vergi veya Ücret Oluştur\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Para Birimi\",\"DCKkhU\":\"Mevcut Şifre\",\"uIElGP\":\"Özel Harita URL'si\",\"UEqXyt\":\"Özel Aralık\",\"876pfE\":\"Müşteri\",\"QOg2Sf\":\"Bu etkinlik için e-posta ve bildirim ayarlarını özelleştirin\",\"Y9Z/vP\":\"Etkinlik ana sayfası ve ödeme mesajlarını özelleştirin\",\"2E2O5H\":\"Bu etkinlik için çeşitli ayarları özelleştirin\",\"iJhSxe\":\"Bu etkinlik için SEO ayarlarını özelleştirin\",\"KIhhpi\":\"Etkinlik sayfanızı özelleştirin\",\"nrGWUv\":\"Etkinlik sayfanızı markanız ve tarzınıza uyacak şekilde özelleştirin.\",\"Zz6Cxn\":\"Tehlike bölgesi\",\"ZQKLI1\":\"Tehlike Bölgesi\",\"7p5kLi\":\"Gösterge Paneli\",\"mYGY3B\":\"Tarih\",\"JvUngl\":\"Tarih ve Saat\",\"JJhRbH\":\"Birinci gün kapasitesi\",\"cnGeoo\":\"Sil\",\"jRJZxD\":\"Kapasiteyi Sil\",\"VskHIx\":\"Kategoriyi sil\",\"Qrc8RZ\":\"Check-In Listesini Sil\",\"WHf154\":\"Kodu sil\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Soruyu sil\",\"Nu4oKW\":\"Açıklama\",\"YC3oXa\":\"Check-in personeli için açıklama\",\"URmyfc\":\"Detaylar\",\"1lRT3t\":\"Bu kapasiteyi devre dışı bırakmak satışları takip edecek ancak limite ulaşıldığında onları durdurmayacaktır\",\"H6Ma8Z\":\"İndirim\",\"ypJ62C\":\"İndirim %\",\"3LtiBI\":[[\"0\"],\" cinsinden indirim\"],\"C8JLas\":\"İndirim Türü\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Belge Etiketi\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Bağış / İstediğiniz kadar öde ürünü\",\"OvNbls\":\".ics İndir\",\"kodV18\":\"CSV İndir\",\"CELKku\":\"Faturayı indir\",\"LQrXcu\":\"Faturayı İndir\",\"QIodqd\":\"QR Kodu İndir\",\"yhjU+j\":\"Fatura İndiriliyor\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Açılır seçim\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Etkinliği çoğalt\",\"3ogkAk\":\"Etkinliği Çoğalt\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Çoğaltma Seçenekleri\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Erken kuş\",\"ePK91l\":\"Düzenle\",\"N6j2JH\":[[\"0\"],\" Düzenle\"],\"kBkYSa\":\"Kapasiteyi Düzenle\",\"oHE9JT\":\"Kapasite Atamasını Düzenle\",\"j1Jl7s\":\"Kategoriyi düzenle\",\"FU1gvP\":\"Check-In Listesini Düzenle\",\"iFgaVN\":\"Kodu Düzenle\",\"jrBSO1\":\"Organizatörü Düzenle\",\"tdD/QN\":\"Ürünü Düzenle\",\"n143Tq\":\"Ürün Kategorisini Düzenle\",\"9BdS63\":\"Promosyon Kodunu Düzenle\",\"O0CE67\":\"Soruyu düzenle\",\"EzwCw7\":\"Soruyu Düzenle\",\"poTr35\":\"Kullanıcıyı düzenle\",\"GTOcxw\":\"Kullanıcıyı Düzenle\",\"pqFrv2\":\"örn. $2.50 için 2.50\",\"3yiej1\":\"örn. %23.5 için 23.5\",\"O3oNi5\":\"E-posta\",\"VxYKoK\":\"E-posta ve Bildirim Ayarları\",\"ATGYL1\":\"E-posta adresi\",\"hzKQCy\":\"E-posta Adresi\",\"HqP6Qf\":\"E-posta değişikliği başarıyla iptal edildi\",\"mISwW1\":\"E-posta değişikliği beklemede\",\"APuxIE\":\"E-posta onayı yeniden gönderildi\",\"YaCgdO\":\"E-posta onayı başarıyla yeniden gönderildi\",\"jyt+cx\":\"E-posta alt bilgi mesajı\",\"I6F3cp\":\"E-posta doğrulanmamış\",\"NTZ/NX\":\"Gömme Kodu\",\"4rnJq4\":\"Gömme Scripti\",\"8oPbg1\":\"Faturalamayı Etkinleştir\",\"j6w7d/\":\"Limite ulaşıldığında ürün satışlarını durdurmak için bu kapasiteyi etkinleştir\",\"VFv2ZC\":\"Bitiş Tarihi\",\"237hSL\":\"Sona Erdi\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"İngilizce\",\"MhVoma\":\"Vergiler ve ücretler hariç bir tutar girin.\",\"SlfejT\":\"Hata\",\"3Z223G\":\"E-posta adresini onaylama hatası\",\"a6gga1\":\"E-posta değişikliğini onaylama hatası\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Etkinlik\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Etkinlik Tarihi\",\"0Zptey\":\"Etkinlik Varsayılanları\",\"QcCPs8\":\"Etkinlik Detayları\",\"6fuA9p\":\"Etkinlik başarıyla çoğaltıldı\",\"AEuj2m\":\"Etkinlik Ana Sayfası\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Etkinlik konumu ve mekan detayları\",\"OopDbA\":\"Event page\",\"4/If97\":\"Etkinlik durumu güncellenemedi. Lütfen daha sonra tekrar deneyin\",\"btxLWj\":\"Etkinlik durumu güncellendi\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Etkinlikler\",\"sZg7s1\":\"Son kullanım tarihi\",\"KnN1Tu\":\"Süresi Doluyor\",\"uaSvqt\":\"Son Kullanım Tarihi\",\"GS+Mus\":\"Dışa Aktar\",\"9xAp/j\":\"Katılımcı iptal edilemedi\",\"ZpieFv\":\"Sipariş iptal edilemedi\",\"z6tdjE\":\"Mesaj silinemedi. Lütfen tekrar deneyin.\",\"xDzTh7\":\"Fatura indirilemedi. Lütfen tekrar deneyin.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Giriş Listesi yüklenemedi\",\"ZQ15eN\":\"Bilet e-postası yeniden gönderilemedi\",\"ejXy+D\":\"Ürünler sıralanamadı\",\"PLUB/s\":\"Ücret\",\"/mfICu\":\"Ücretler\",\"LyFC7X\":\"Siparişleri Filtrele\",\"cSev+j\":\"Filtreler\",\"CVw2MU\":[\"Filtreler (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"İlk Fatura Numarası\",\"V1EGGU\":\"Ad\",\"kODvZJ\":\"Ad\",\"S+tm06\":\"Ad 1 ile 50 karakter arasında olmalıdır\",\"1g0dC4\":\"Ad, Soyad ve E-posta Adresi varsayılan sorulardır ve ödeme sürecine her zaman dahil edilir.\",\"Rs/IcB\":\"İlk Kullanım\",\"TpqW74\":\"Sabit\",\"irpUxR\":\"Sabit tutar\",\"TF9opW\":\"Bu cihazda flaş mevcut değil\",\"UNMVei\":\"Şifrenizi mi unuttunuz?\",\"2POOFK\":\"Ücretsiz\",\"P/OAYJ\":\"Ücretsiz Ürün\",\"vAbVy9\":\"Ücretsiz ürün, ödeme bilgisi gerekli değil\",\"nLC6tu\":\"Fransızca\",\"Weq9zb\":\"Genel\",\"DDcvSo\":\"Almanca\",\"4GLxhy\":\"Başlarken\",\"4D3rRj\":\"Profile geri dön\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Takvim\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Brüt satışlar\",\"yRg26W\":\"Brüt Satışlar\",\"R4r4XO\":\"Misafirler\",\"26pGvx\":\"Promosyon kodunuz var mı?\",\"V7yhws\":\"merhaba@harika-etkinlikler.com\",\"6K/IHl\":\"İşte bileşeni uygulamanızda nasıl kullanabileceğinize dair bir örnek.\",\"Y1SSqh\":\"İşte widget'ı uygulamanıza yerleştirmek için kullanabileceğiniz React bileşeni.\",\"QuhVpV\":[\"Merhaba \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Halk görünümünden gizli\",\"gt3Xw9\":\"gizli soru\",\"g3rqFe\":\"gizli sorular\",\"k3dfFD\":\"Gizli sorular yalnızca etkinlik organizatörü tarafından görülebilir, müşteri tarafından görülemez.\",\"vLyv1R\":\"Gizle\",\"Mkkvfd\":\"Başlarken sayfasını gizle\",\"mFn5Xz\":\"Gizli soruları gizle\",\"YHsF9c\":\"Satış bitiş tarihinden sonra ürünü gizle\",\"06s3w3\":\"Satış başlama tarihinden önce ürünü gizle\",\"axVMjA\":\"Kullanıcının uygun promosyon kodu yoksa ürünü gizle\",\"ySQGHV\":\"Tükendiğinde ürünü gizle\",\"SCimta\":\"Başlarken sayfasını kenar çubuğundan gizle\",\"5xR17G\":\"Bu ürünü müşterilerden gizle\",\"Da29Y6\":\"Bu soruyu gizle\",\"fvDQhr\":\"Bu katmanı kullanıcılardan gizle\",\"lNipG+\":\"Bir ürünü gizlemek, kullanıcıların onu etkinlik sayfasında görmesini engeller.\",\"ZOBwQn\":\"Ana Sayfa Tasarımı\",\"PRuBTd\":\"Ana Sayfa Tasarımcısı\",\"YjVNGZ\":\"Ana Sayfa Önizlemesi\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Müşterinin siparişini tamamlamak için kaç dakikası var. En az 15 dakika öneriyoruz\",\"ySxKZe\":\"Bu kod kaç kez kullanılabilir?\",\"dZsDbK\":[\"HTML karakter sınırı aşıldı: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://ornek-harita-servisi.com/...\",\"uOXLV3\":\"<0>Şartlar ve koşulları kabul ediyorum\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Boş bırakılırsa, Google Harita linki oluşturmak için adres kullanılacak\",\"UYT+c8\":\"Etkinleştirilirse, check-in personeli katılımcıları check-in yaptı olarak işaretleyebilir veya siparişi ödenmiş olarak işaretleyip katılımcıları check-in yapabilir. Devre dışıysa, ödenmemiş siparişlerle ilişkili katılımcılar check-in yapamazlar.\",\"muXhGi\":\"Etkinleştirilirse, yeni bir sipariş verildiğinde organizatör e-posta bildirimi alacak\",\"6fLyj/\":\"Bu değişikliği talep etmediyseniz, lütfen hemen şifrenizi değiştirin.\",\"n/ZDCz\":\"Resim başarıyla silindi\",\"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\":\"Resim başarıyla yüklendi\",\"VyUuZb\":\"Resim URL'si\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Pasif\",\"T0K0yl\":\"Pasif kullanıcılar giriş yapamazlar.\",\"kO44sp\":\"Çevrimiçi etkinliğiniz için bağlantı detaylarını ekleyin. Bu detaylar sipariş özeti sayfasında ve katılımcı bilet sayfasında gösterilecektir.\",\"FlQKnG\":\"Fiyata vergi ve ücretleri dahil et\",\"Vi+BiW\":[[\"0\"],\" ürün içerir\"],\"lpm0+y\":\"1 ürün içerir\",\"UiAk5P\":\"Resim Ekle\",\"OyLdaz\":\"Davet yeniden gönderildi!\",\"HE6KcK\":\"Davet iptal edildi!\",\"SQKPvQ\":\"Kullanıcı Davet Et\",\"bKOYkd\":\"Fatura başarıyla indirildi\",\"alD1+n\":\"Fatura Notları\",\"kOtCs2\":\"Fatura Numaralandırma\",\"UZ2GSZ\":\"Fatura Ayarları\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Öğe\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Etiket\",\"vXIe7J\":\"Dil\",\"2LMsOq\":\"Son 12 ay\",\"vfe90m\":\"Son 14 gün\",\"aK4uBd\":\"Son 24 saat\",\"uq2BmQ\":\"Son 30 gün\",\"bB6Ram\":\"Son 48 saat\",\"VlnB7s\":\"Son 6 ay\",\"ct2SYD\":\"Son 7 gün\",\"XgOuA7\":\"Son 90 gün\",\"I3yitW\":\"Son giriş\",\"1ZaQUH\":\"Soyad\",\"UXBCwc\":\"Soyad\",\"tKCBU0\":\"Son Kullanım\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Varsayılan \\\"Fatura\\\" kelimesini kullanmak için boş bırakın\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Yükleniyor...\",\"wJijgU\":\"Konum\",\"sQia9P\":\"Giriş yap\",\"zUDyah\":\"Giriş yapılıyor\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Çıkış\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Ödeme sırasında fatura adresini zorunlu kıl\",\"MU3ijv\":\"Bu soruyu zorunlu kıl\",\"wckWOP\":\"Yönet\",\"onpJrA\":\"Katılımcıyı yönet\",\"n4SpU5\":\"Etkinliği yönet\",\"WVgSTy\":\"Siparişi yönet\",\"1MAvUY\":\"Bu etkinlik için ödeme ve faturalama ayarlarını yönet.\",\"cQrNR3\":\"Profili Yönet\",\"AtXtSw\":\"Ürünlerinize uygulanabilecek vergi ve ücretleri yönetin\",\"ophZVW\":\"Biletleri yönet\",\"DdHfeW\":\"Hesap bilgilerinizi ve varsayılan ayarlarını yönetin\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Kullanıcılarınızı ve izinlerini yönetin\",\"1m+YT2\":\"Zorunlu sorular müşteri ödeme yapmadan önce cevaplanmalıdır.\",\"Dim4LO\":\"Manuel olarak Katılımcı ekle\",\"e4KdjJ\":\"Manuel Katılımcı Ekle\",\"vFjEnF\":\"Ödendi olarak işaretle\",\"g9dPPQ\":\"Sipariş Başına Maksimum\",\"l5OcwO\":\"Katılımcıya mesaj gönder\",\"Gv5AMu\":\"Katılımcılara Mesaj\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Alıcıya mesaj gönder\",\"tNZzFb\":\"Mesaj İçeriği\",\"lYDV/s\":\"Bireysel katılımcılara mesaj gönder\",\"V7DYWd\":\"Mesaj Gönderildi\",\"t7TeQU\":\"Mesajlar\",\"xFRMlO\":\"Sipariş Başına Minimum\",\"QYcUEf\":\"Minimum Fiyat\",\"RDie0n\":\"Çeşitli\",\"mYLhkl\":\"Çeşitli Ayarlar\",\"KYveV8\":\"Çok satırlı metin kutusu\",\"VD0iA7\":\"Çoklu fiyat seçenekleri. Erken kayıt ürünleri vb. için mükemmel.\",\"/bhMdO\":\"Harika etkinlik açıklamam...\",\"vX8/tc\":\"Harika etkinlik başlığım...\",\"hKtWk2\":\"Profilim\",\"fj5byd\":\"Yok\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Ad\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Katılımcıya Git\",\"qqeAJM\":\"Asla\",\"7vhWI8\":\"Yeni Şifre\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Gösterilecek arşivlenmiş etkinlik yok.\",\"q2LEDV\":\"Bu sipariş için katılımcı bulunamadı.\",\"zlHa5R\":\"Bu siparişe katılımcı eklenmemiş.\",\"Wjz5KP\":\"Gösterilecek Katılımcı yok\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Kapasite Ataması Yok\",\"a/gMx2\":\"Check-In Listesi Yok\",\"tMFDem\":\"Veri mevcut değil\",\"6Z/F61\":\"Gösterilecek veri yok. Lütfen bir tarih aralığı seçin\",\"fFeCKc\":\"İndirim Yok\",\"HFucK5\":\"Gösterilecek sona ermiş etkinlik yok.\",\"yAlJXG\":\"Gösterilecek etkinlik yok\",\"GqvPcv\":\"Filtre mevcut değil\",\"KPWxKD\":\"Gösterilecek mesaj yok\",\"J2LkP8\":\"Gösterilecek sipariş yok\",\"RBXXtB\":\"Şu anda hiçbir ödeme yöntemi mevcut değil. Yardım için etkinlik organizatörüyle iletişime geçin.\",\"ZWEfBE\":\"Ödeme Gerekli Değil\",\"ZPoHOn\":\"Bu katılımcı ile ilişkili ürün yok.\",\"Ya1JhR\":\"Bu kategoride mevcut ürün yok.\",\"FTfObB\":\"Henüz Ürün Yok\",\"+Y976X\":\"Gösterilecek Promosyon Kodu yok\",\"MAavyl\":\"Bu katılımcı tarafından cevaplanan soru yok.\",\"SnlQeq\":\"Bu sipariş için hiçbir soru sorulmamış.\",\"Ev2r9A\":\"Sonuç yok\",\"gk5uwN\":\"Arama Sonucu Yok\",\"RHyZUL\":\"Arama sonucu yok.\",\"RY2eP1\":\"Hiçbir Vergi veya Ücret eklenmemiş.\",\"EdQY6l\":\"Hiçbiri\",\"OJx3wK\":\"Mevcut değil\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notlar\",\"jtrY3S\":\"Henüz gösterilecek bir şey yok\",\"hFwWnI\":\"Bildirim Ayarları\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Organizatörü yeni siparişler hakkında bilgilendir\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Ödeme için izin verilen gün sayısı (faturalardan ödeme koşullarını çıkarmak için boş bırakın)\",\"n86jmj\":\"Numara Öneki\",\"mwe+2z\":\"Çevrimdışı siparişler, sipariş ödendi olarak işaretlenene kadar etkinlik istatistiklerine yansıtılmaz.\",\"dWBrJX\":\"Çevrimdışı ödeme başarısız. Lütfen tekrar deneyin veya etkinlik organizatörüyle iletişime geçin.\",\"fcnqjw\":\"Çevrimdışı Ödeme Talimatları\",\"+eZ7dp\":\"Çevrimdışı Ödemeler\",\"ojDQlR\":\"Çevrimdışı Ödemeler Bilgisi\",\"u5oO/W\":\"Çevrimdışı Ödemeler Ayarları\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"Satışta\",\"Ug4SfW\":\"Bir etkinlik oluşturduğunuzda, burada göreceksiniz.\",\"ZxnK5C\":\"Veri toplamaya başladığınızda, burada göreceksiniz.\",\"PnSzEc\":\"Hazır olduğunuzda, etkinliğinizi yayına alın ve ürün satmaya başlayın.\",\"J6n7sl\":\"Devam Eden\",\"z+nuVJ\":\"Online etkinlik\",\"WKHW0N\":\"Online Etkinlik Detayları\",\"/xkmKX\":\"Bu form kullanılarak yalnızca bu etkinlikle doğrudan ilgili önemli e-postalar gönderilmelidir.\\nPromosyon e-postaları göndermek dahil herhangi bir kötüye kullanım, derhal hesap yasaklanmasına yol açacaktır.\",\"Qqqrwa\":\"Check-In Sayfasını Aç\",\"OdnLE4\":\"Kenar çubuğunu aç\",\"ZZEYpT\":[\"Seçenek \",[\"i\"]],\"oPknTP\":\"Tüm faturalarda görünecek isteğe bağlı ek bilgiler (örn., ödeme koşulları, gecikme ücreti, iade politikası)\",\"OrXJBY\":\"Fatura numaraları için isteğe bağlı önek (örn., FAT-)\",\"0zpgxV\":\"Seçenekler\",\"BzEFor\":\"veya\",\"UYUgdb\":\"Sipariş\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Sipariş İptal Edildi\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Sipariş Tarihi\",\"Tol4BF\":\"Sipariş Detayları\",\"WbImlQ\":\"Sipariş iptal edildi ve sipariş sahibi bilgilendirildi.\",\"nAn4Oe\":\"Sipariş ödendi olarak işaretlendi\",\"uzEfRz\":\"Sipariş Notları\",\"VCOi7U\":\"Sipariş soruları\",\"TPoYsF\":\"Sipariş Referansı\",\"acIJ41\":\"Sipariş Durumu\",\"GX6dZv\":\"Sipariş Özeti\",\"tDTq0D\":\"Sipariş zaman aşımı\",\"1h+RBg\":\"Siparişler\",\"3y+V4p\":\"Organizasyon Adresi\",\"GVcaW6\":\"Organizasyon Detayları\",\"nfnm9D\":\"Organizasyon Adı\",\"G5RhpL\":\"Organizatör\",\"mYygCM\":\"Organizatör gereklidir\",\"Pa6G7v\":\"Organizatör Adı\",\"l894xP\":\"Organizatörler yalnızca etkinlikleri ve ürünleri yönetebilir. Kullanıcıları, hesap ayarlarını veya fatura bilgilerini yönetemezler.\",\"fdjq4c\":\"İç Boşluk\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Sayfa bulunamadı\",\"QbrUIo\":\"Sayfa görüntüleme\",\"6D8ePg\":\"sayfa.\",\"IkGIz8\":\"ödendi\",\"HVW65c\":\"Ücretli Ürün\",\"ZfxaB4\":\"Kısmen İade Edildi\",\"8ZsakT\":\"Şifre\",\"TUJAyx\":\"Şifre en az 8 karakter olmalıdır\",\"vwGkYB\":\"Şifre en az 8 karakter olmalıdır\",\"BLTZ42\":\"Şifre başarıyla sıfırlandı. Lütfen yeni şifrenizle giriş yapın.\",\"f7SUun\":\"Şifreler aynı değil\",\"aEDp5C\":\"Widget'ın görünmesini istediğiniz yere bunu yapıştırın.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Ödeme\",\"Lg+ewC\":\"Ödeme ve Faturalama\",\"DZjk8u\":\"Ödeme ve Faturalama Ayarları\",\"lflimf\":\"Ödeme Vade Süresi\",\"JhtZAK\":\"Ödeme Başarısız\",\"JEdsvQ\":\"Ödeme Talimatları\",\"bLB3MJ\":\"Ödeme Yöntemleri\",\"QzmQBG\":\"Ödeme sağlayıcısı\",\"lsxOPC\":\"Ödeme Alındı\",\"wJTzyi\":\"Ödeme Durumu\",\"xgav5v\":\"Ödeme başarılı!\",\"R29lO5\":\"Ödeme Koşulları\",\"/roQKz\":\"Yüzde\",\"vPJ1FI\":\"Yüzde Miktarı\",\"xdA9ud\":\"Bunu web sitenizin bölümüne yerleştirin.\",\"blK94r\":\"Lütfen en az bir seçenek ekleyin\",\"FJ9Yat\":\"Lütfen verilen bilgilerin doğru olduğunu kontrol edin\",\"TkQVup\":\"Lütfen e-posta ve şifrenizi kontrol edin ve tekrar deneyin\",\"sMiGXD\":\"Lütfen e-postanızın geçerli olduğunu kontrol edin\",\"Ajavq0\":\"E-posta adresinizi onaylamak için lütfen e-postanızı kontrol edin\",\"MdfrBE\":\"Davetinizi kabul etmek için lütfen aşağıdaki formu doldurun\",\"b1Jvg+\":\"Lütfen yeni sekmede devam edin\",\"hcX103\":\"Lütfen bir ürün oluşturun\",\"cdR8d6\":\"Lütfen bir bilet oluşturun\",\"x2mjl4\":\"Lütfen bir resme işaret eden geçerli bir resim URL'si girin.\",\"HnNept\":\"Lütfen yeni şifrenizi girin\",\"5FSIzj\":\"Lütfen Dikkat\",\"C63rRe\":\"Baştan başlamak için lütfen etkinlik sayfasına dönün.\",\"pJLvdS\":\"Lütfen seçin\",\"Ewir4O\":\"Lütfen en az bir ürün seçin\",\"igBrCH\":\"Tüm özelliklere erişmek için lütfen e-posta adresinizi doğrulayın\",\"/IzmnP\":\"Faturanızı hazırlarken lütfen bekleyin...\",\"MOERNx\":\"Portekizce\",\"qCJyMx\":\"Ödeme sonrası mesaj\",\"g2UNkE\":\"Tarafından desteklenmektedir\",\"Rs7IQv\":\"Ödeme öncesi mesaj\",\"rdUucN\":\"Önizleme\",\"a7u1N9\":\"Fiyat\",\"CmoB9j\":\"Fiyat görünüm modu\",\"BI7D9d\":\"Fiyat belirlenmedi\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Fiyat Türü\",\"6RmHKN\":\"Ana Renk\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Ana Metin Rengi\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Tüm Biletleri Yazdır\",\"DKwDdj\":\"Biletleri Yazdır\",\"K47k8R\":\"Ürün\",\"1JwlHk\":\"Ürün Kategorisi\",\"U61sAj\":\"Ürün kategorisi başarıyla güncellendi.\",\"1USFWA\":\"Ürün başarıyla silindi\",\"4Y2FZT\":\"Ürün Fiyat Türü\",\"mFwX0d\":\"Ürün soruları\",\"Lu+kBU\":\"Ürün Satışları\",\"U/R4Ng\":\"Ürün Katmanı\",\"sJsr1h\":\"Ürün Türü\",\"o1zPwM\":\"Ürün Widget Önizlemesi\",\"ktyvbu\":\"Ürün(ler)\",\"N0qXpE\":\"Ürünler\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Satılan ürünler\",\"/u4DIx\":\"Satılan Ürünler\",\"DJQEZc\":\"Ürünler başarıyla sıralandı\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Profil başarıyla güncellendi\",\"cl5WYc\":[\"Promosyon \",[\"promo_code\"],\" kodu uygulandı\"],\"P5sgAk\":\"Promosyon Kodu\",\"yKWfjC\":\"Promosyon Kodu sayfası\",\"RVb8Fo\":\"Promosyon Kodları\",\"BZ9GWa\":\"Promosyon kodları indirim sunmak, ön satış erişimi veya etkinliğinize özel erişim sağlamak için kullanılabilir.\",\"OP094m\":\"Promosyon Kodları Raporu\",\"4kyDD5\":\"Bu soru için ek bağlam veya talimatlar sağlayın. Bu alanı şartlar\\nve koşullar, yönergeler veya katılımcıların cevaplamadan önce bilmeleri gereken önemli bilgileri eklemek için kullanın.\",\"toutGW\":\"QR Kod\",\"LkMOWF\":\"Mevcut Miktar\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Soru silindi\",\"avf0gk\":\"Soru Açıklaması\",\"oQvMPn\":\"Soru Başlığı\",\"enzGAL\":\"Sorular\",\"ROv2ZT\":\"Sorular ve Cevaplar\",\"K885Eq\":\"Sorular başarıyla sıralandı\",\"OMJ035\":\"Radyo Seçeneği\",\"C4TjpG\":\"Daha az oku\",\"I3QpvQ\":\"Alıcı\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"İade Başarısız\",\"n10yGu\":\"Siparişi iade et\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"İade Bekliyor\",\"xHpVRl\":\"İade Durumu\",\"/BI0y9\":\"İade Edildi\",\"fgLNSM\":\"Kayıt Ol\",\"9+8Vez\":\"Kalan Kullanım\",\"tasfos\":\"kaldır\",\"t/YqKh\":\"Kaldır\",\"t9yxlZ\":\"Raporlar\",\"prZGMe\":\"Fatura Adresi Gerekli\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"E-posta onayını tekrar gönder\",\"wIa8Qe\":\"Daveti tekrar gönder\",\"VeKsnD\":\"Sipariş e-postasını tekrar gönder\",\"dFuEhO\":\"Bilet e-postasını tekrar gönder\",\"o6+Y6d\":\"Tekrar gönderiliyor...\",\"OfhWJH\":\"Sıfırla\",\"RfwZxd\":\"Şifreyi sıfırla\",\"KbS2K9\":\"Şifreyi Sıfırla\",\"e99fHm\":\"Etkinliği geri yükle\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Etkinlik Sayfasına Dön\",\"8YBH95\":\"Gelir\",\"PO/sOY\":\"Daveti iptal et\",\"GDvlUT\":\"Rol\",\"ELa4O9\":\"Satış Bitiş Tarihi\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Satış Başlangıç Tarihi\",\"hBsw5C\":\"Satış bitti\",\"kpAzPe\":\"Satış başlangıcı\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Kaydet\",\"IUwGEM\":\"Değişiklikleri Kaydet\",\"U65fiW\":\"Organizatörü Kaydet\",\"UGT5vp\":\"Ayarları Kaydet\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Katılımcı adı, e-posta veya sipariş #'a göre ara...\",\"+pr/FY\":\"Etkinlik adına göre ara...\",\"3zRbWw\":\"Ad, e-posta veya sipariş #'a göre ara...\",\"L22Tdf\":\"Ad, sipariş #, katılımcı # veya e-postaya göre ara...\",\"BiYOdA\":\"Ada göre ara...\",\"YEjitp\":\"Konu veya içeriğe göre ara...\",\"Pjsch9\":\"Kapasite atamalarını ara...\",\"r9M1hc\":\"Check-in listelerini ara...\",\"+0Yy2U\":\"Ürünleri ara\",\"YIix5Y\":\"Ara...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"İkincil Renk\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"İkincil Metin Rengi\",\"02ePaq\":[[\"0\"],\" seç\"],\"QuNKRX\":\"Kamera Seç\",\"9FQEn8\":\"Kategori seç...\",\"kWI/37\":\"Organizatör seç\",\"ixIx1f\":\"Ürün Seç\",\"3oSV95\":\"Ürün Katmanı Seç\",\"C4Y1hA\":\"Ürünleri seç\",\"hAjDQy\":\"Durum seç\",\"QYARw/\":\"Bilet Seç\",\"OMX4tH\":\"Biletleri seç\",\"DrwwNd\":\"Zaman aralığı seç\",\"O/7I0o\":\"Seç...\",\"JlFcis\":\"Gönder\",\"qKWv5N\":[\"<0>\",[\"0\"],\" adresine bir kopya gönder\"],\"RktTWf\":\"Mesaj gönder\",\"/mQ/tD\":\"Test olarak gönder. Bu mesajı alıcılar yerine kendi e-posta adresinize gönderir.\",\"M/WIer\":\"Mesaj Gönder\",\"D7ZemV\":\"Sipariş onayı ve bilet e-postası gönder\",\"v1rRtW\":\"Test Gönder\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO Açıklaması\",\"/SIY6o\":\"SEO Anahtar Kelimeleri\",\"GfWoKv\":\"SEO Ayarları\",\"rXngLf\":\"SEO Başlığı\",\"/jZOZa\":\"Hizmet Ücreti\",\"Bj/QGQ\":\"Minimum fiyat belirleyin ve kullanıcılar isterlerse daha fazla ödesin\",\"L0pJmz\":\"Fatura numaralandırması için başlangıç numarasını ayarlayın. Faturalar oluşturulduktan sonra bu değiştirilemez.\",\"nYNT+5\":\"Etkinliğinizi kurun\",\"A8iqfq\":\"Etkinliğinizi yayına alın\",\"Tz0i8g\":\"Ayarlar\",\"Z8lGw6\":\"Paylaş\",\"B2V3cA\":\"Etkinliği Paylaş\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mevcut ürün miktarını göster\",\"qDsmzu\":\"Gizli soruları göster\",\"fMPkxb\":\"Daha fazla göster\",\"izwOOD\":\"Vergi ve ücretleri ayrı göster\",\"1SbbH8\":\"Müşteriye ödeme yaptıktan sonra sipariş özeti sayfasında gösterilir.\",\"YfHZv0\":\"Müşteriye ödeme yapmadan önce gösterilir\",\"CBBcly\":\"Ülke dahil olmak üzere ortak adres alanlarını gösterir\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Tek satır metin kutusu\",\"+P0Cn2\":\"Bu adımı atla\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Tükendi\",\"Mi1rVn\":\"Tükendi\",\"nwtY4N\":\"Bir şeyler yanlış gitti\",\"GRChTw\":\"Vergi veya Ücret silinirken bir şeyler yanlış gitti\",\"YHFrbe\":\"Bir şeyler yanlış gitti! Lütfen tekrar deneyin\",\"kf83Ld\":\"Bir şeyler yanlış gitti.\",\"fWsBTs\":\"Bir şeyler yanlış gitti. Lütfen tekrar deneyin.\",\"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.\",\"6a/UJE\":\"Üzgünüz, bu promosyon kodu tanınmıyor\",\"65A04M\":\"İspanyolca\",\"mFuBqb\":\"Sabit fiyatlı standart ürün\",\"D3iCkb\":\"Başlangıç Tarihi\",\"/2by1f\":\"Eyalet veya Bölge\",\"uAQUqI\":\"Durum\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Bu etkinlik için Stripe ödemeleri etkinleştirilmemiş.\",\"UJmAAK\":\"Konu\",\"X2rrlw\":\"Ara Toplam\",\"zzDlyQ\":\"Başarılı\",\"b0HJ45\":[\"Başarılı! \",[\"0\"],\" kısa süre içinde bir e-posta alacak.\"],\"BJIEiF\":[\"Katılımcı başarıyla \",[\"0\"]],\"OtgNFx\":\"E-posta adresi başarıyla onaylandı\",\"IKwyaF\":\"E-posta değişikliği başarıyla onaylandı\",\"zLmvhE\":\"Katılımcı başarıyla oluşturuldu\",\"gP22tw\":\"Ürün Başarıyla Oluşturuldu\",\"9mZEgt\":\"Promosyon Kodu Başarıyla Oluşturuldu\",\"aIA9C4\":\"Soru Başarıyla Oluşturuldu\",\"J3RJSZ\":\"Katılımcı başarıyla güncellendi\",\"3suLF0\":\"Kapasite Ataması başarıyla güncellendi\",\"Z+rnth\":\"Giriş Listesi başarıyla güncellendi\",\"vzJenu\":\"E-posta Ayarları Başarıyla Güncellendi\",\"7kOMfV\":\"Etkinlik Başarıyla Güncellendi\",\"G0KW+e\":\"Ana Sayfa Tasarımı Başarıyla Güncellendi\",\"k9m6/E\":\"Ana Sayfa Ayarları Başarıyla Güncellendi\",\"y/NR6s\":\"Konum Başarıyla Güncellendi\",\"73nxDO\":\"Çeşitli Ayarlar Başarıyla Güncellendi\",\"4H80qv\":\"Sipariş başarıyla güncellendi\",\"6xCBVN\":\"Ödeme ve Faturalama Ayarları Başarıyla Güncellendi\",\"1Ycaad\":\"Ürün başarıyla güncellendi\",\"70dYC8\":\"Promosyon Kodu Başarıyla Güncellendi\",\"F+pJnL\":\"SEO Ayarları Başarıyla Güncellendi\",\"DXZRk5\":\"Süit 100\",\"GNcfRk\":\"Destek E-postası\",\"uRfugr\":\"Tişört\",\"JpohL9\":\"Vergi\",\"geUFpZ\":\"Vergi ve Ücretler\",\"dFHcIn\":\"Vergi Detayları\",\"wQzCPX\":\"Tüm faturaların altında görünecek vergi bilgisi (örn., KDV numarası, vergi kaydı)\",\"0RXCDo\":\"Vergi veya Ücret başarıyla silindi\",\"ZowkxF\":\"Vergiler\",\"qu6/03\":\"Vergiler ve Ücretler\",\"gypigA\":\"Bu promosyon kodu geçersiz\",\"5ShqeM\":\"Aradığınız check-in listesi mevcut değil.\",\"QXlz+n\":\"Etkinlikleriniz için varsayılan para birimi.\",\"mnafgQ\":\"Etkinlikleriniz için varsayılan saat dilimi.\",\"o7s5FA\":\"Katılımcının e-postaları alacağı dil.\",\"NlfnUd\":\"Tıkladığınız bağlantı geçersiz.\",\"HsFnrk\":[[\"0\"],\" için maksimum ürün sayısı \",[\"1\"]],\"TSAiPM\":\"Aradığınız sayfa mevcut değil\",\"MSmKHn\":\"Müşteriye gösterilen fiyat vergi ve ücretleri içerecektir.\",\"6zQOg1\":\"Müşteriye gösterilen fiyat vergi ve ücretleri içermeyecektir. Bunlar ayrı olarak gösterilecektir\",\"ne/9Ur\":\"Seçtiğiniz stil ayarları yalnızca kopyalanan HTML için geçerlidir ve saklanmayacaktır.\",\"vQkyB3\":\"Bu ürüne uygulanacak vergi ve ücretler. Yeni vergi ve ücretleri şuradan oluşturabilirsiniz\",\"esY5SG\":\"Arama motoru sonuçlarında ve sosyal medyada paylaşırken görüntülenecek etkinlik başlığı. Varsayılan olarak etkinlik başlığı kullanılacaktır\",\"wDx3FF\":\"Bu etkinlik için mevcut ürün yok\",\"pNgdBv\":\"Bu kategoride mevcut ürün yok\",\"rMcHYt\":\"Bekleyen bir iade var. Başka bir iade talebinde bulunmadan önce lütfen tamamlanmasını bekleyin.\",\"F89D36\":\"Sipariş ödendi olarak işaretlenirken bir hata oluştu\",\"68Axnm\":\"İsteğiniz işlenirken bir hata oluştu. Lütfen tekrar deneyin.\",\"mVKOW6\":\"Mesajınız gönderilirken bir hata oluştu\",\"AhBPHd\":\"Bu detaylar yalnızca sipariş başarıyla tamamlanırsa gösterilecektir. Ödeme bekleyen siparişler bu mesajı göstermeyecektir.\",\"Pc/Wtj\":\"Bu katılımcının ödenmemiş siparişi var.\",\"mf3FrP\":\"Bu kategoride henüz hiç ürün yok.\",\"8QH2Il\":\"Bu kategori halktan gizli\",\"xxv3BZ\":\"Bu check-in listesi süresi doldu\",\"Sa7w7S\":\"Bu check-in listesinin süresi doldu ve artık check-in için kullanılamıyor.\",\"Uicx2U\":\"Bu check-in listesi aktif\",\"1k0Mp4\":\"Bu check-in listesi henüz aktif değil\",\"K6fmBI\":\"Bu check-in listesi henüz aktif değil ve check-in yapılabilir durumda değil.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Bu e-posta tanıtım amaçlı değildir ve doğrudan etkinlikle ilgilidir.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Bu bilgiler ödeme sayfasında, sipariş özeti sayfasında ve sipariş onayı e-postasında gösterilecektir.\",\"XAHqAg\":\"Bu genel bir üründür, tişört veya kupa gibi. Hiçbir bilet düzenlenmeyecek\",\"CNk/ro\":\"Bu çevrimiçi bir etkinlik\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Bu mesaj bu etkinlikten gönderilen tüm e-postaların altbilgisinde yer alacak\",\"55i7Fa\":\"Bu mesaj sadece sipariş başarılı bir şekilde tamamlandığında gösterilecek. Ödeme bekleyen siparişlerde bu mesaj gösterilmeyecek\",\"RjwlZt\":\"Bu sipariş zaten ödenmiş.\",\"5K8REg\":\"Bu sipariş zaten iade edilmiş.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Bu sipariş iptal edilmiş.\",\"Q0zd4P\":\"Bu siparişin süresi dolmuş. Lütfen tekrar başlayın.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Bu sipariş tamamlandı.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Bu sipariş sayfası artık mevcut değil.\",\"i0TtkR\":\"Bu tüm görünürlük ayarlarını geçersiz kılar ve ürünü tüm müşterilerden gizler.\",\"cRRc+F\":\"Bu ürün bir siparişle ilişkili olduğu için silinemez. Bunun yerine gizleyebilirsiniz.\",\"3Kzsk7\":\"Bu ürün bir bilettir. Alıcılara satın alma sonrasında bilet verilecek\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Bu soru sadece etkinlik organizatörü tarafından görülebilir\",\"os29v1\":\"Bu şifre sıfırlama bağlantısı geçersiz veya süresi dolmuş.\",\"IV9xTT\":\"Bu kullanıcı davetini kabul etmediği için aktif değil.\",\"5AnPaO\":\"bilet\",\"kjAL4v\":\"Bilet\",\"dtGC3q\":\"Bilet e-postası katılımcıya yeniden gönderildi\",\"54q0zp\":\"Biletler\",\"xN9AhL\":[\"Seviye \",[\"0\"]],\"jZj9y9\":\"Kademeli Ürün\",\"8wITQA\":\"Kademeli ürünler aynı ürün için birden fazla fiyat seçeneği sunmanıza olanak tanır. Bu erken rezervasyon ürünleri veya farklı insan grupları için farklı fiyat seçenekleri sunmak için mükemmeldir.\",\"nn3mSR\":\"Kalan süre:\",\"s/0RpH\":\"Kullanım sayısı\",\"y55eMd\":\"Kullanım Sayısı\",\"40Gx0U\":\"Saat Dilimi\",\"oDGm7V\":\"İPUCU\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Araçlar\",\"72c5Qo\":\"Toplam\",\"YXx+fG\":\"İndirimlerden Önceki Toplam\",\"NRWNfv\":\"Toplam İndirim Tutarı\",\"BxsfMK\":\"Toplam Ücretler\",\"2bR+8v\":\"Toplam Brüt Satış\",\"mpB/d9\":\"Toplam sipariş tutarı\",\"m3FM1g\":\"Toplam iade edilen\",\"jEbkcB\":\"Toplam İade Edilen\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Toplam Vergi\",\"+zy2Nq\":\"Tür\",\"FMdMfZ\":\"Katılımcı girişi yapılamadı\",\"bPWBLL\":\"Katılımcı check-out'u yapılamadı\",\"9+P7zk\":\"Ürün oluşturulamadı. Lütfen bilgilerinizi kontrol edin\",\"WLxtFC\":\"Ürün oluşturulamadı. Lütfen bilgilerinizi kontrol edin\",\"/cSMqv\":\"Soru oluşturulamadı. Lütfen bilgilerinizi kontrol edin\",\"MH/lj8\":\"Soru güncellenemedi. Lütfen bilgilerinizi kontrol edin\",\"nnfSdK\":\"Benzersiz Müşteriler\",\"Mqy/Zy\":\"Amerika Birleşik Devletleri\",\"NIuIk1\":\"Sınırsız\",\"/p9Fhq\":\"Sınırsız mevcut\",\"E0q9qH\":\"Sınırsız kullanıma izin verildi\",\"h10Wm5\":\"Ödenmemiş Sipariş\",\"ia8YsC\":\"Yaklaşan\",\"TlEeFv\":\"Yaklaşan Etkinlikler\",\"L/gNNk\":[[\"0\"],\" Güncelle\"],\"+qqX74\":\"Etkinlik adı, açıklaması ve tarihlerini güncelle\",\"vXPSuB\":\"Profili güncelle\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL panoya kopyalandı\",\"e5lF64\":\"Kullanım Örneği\",\"fiV0xj\":\"Kullanım Sınırı\",\"sGEOe4\":\"Kapak resminin bulanıklaştırılmış halini arkaplan olarak kullan\",\"OadMRm\":\"Kapak resmini kullan\",\"7PzzBU\":\"Kullanıcı\",\"yDOdwQ\":\"Kullanıcı Yönetimi\",\"Sxm8rQ\":\"Kullanıcılar\",\"VEsDvU\":\"Kullanıcılar e-postalarını <0>Profil Ayarları'nda değiştirebilir\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"KDV\",\"E/9LUk\":\"Mekan Adı\",\"jpctdh\":\"Görüntüle\",\"Pte1Hv\":\"Katılımcı Detaylarını Görüntüle\",\"/5PEQz\":\"Etkinlik sayfasını görüntüle\",\"fFornT\":\"Tam mesajı görüntüle\",\"YIsEhQ\":\"Haritayı görüntüle\",\"Ep3VfY\":\"Google Haritalar'da görüntüle\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP check-in listesi\",\"tF+VVr\":\"VIP Bilet\",\"2q/Q7x\":\"Görünürlük\",\"vmOFL/\":\"Ödemenizi işleyemedik. Lütfen tekrar deneyin veya destek ile iletişime geçin.\",\"45Srzt\":\"Kategoriyi silemedik. Lütfen tekrar deneyin.\",\"/DNy62\":[[\"0\"],\" ile eşleşen herhangi bir bilet bulamadık\"],\"1E0vyy\":\"Verileri yükleyemedik. Lütfen tekrar deneyin.\",\"NmpGKr\":\"Kategorileri yeniden sıralayamadık. Lütfen tekrar deneyin.\",\"BJtMTd\":\"1950px x 650px boyutlarında, 3:1 oranında ve maksimum 5MB dosya boyutunda olmasını öneriyoruz\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"Ödemenizi onaylayamadık. Lütfen tekrar deneyin veya destek ile iletişime geçin.\",\"Gspam9\":\"Siparişinizi işliyoruz. Lütfen bekleyin...\",\"LuY52w\":\"Hoş geldiniz! Devam etmek için lütfen giriş yapın.\",\"dVxpp5\":[\"Tekrar hoş geldin\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Kademeli Ürünler nedir?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Kategori nedir?\",\"gxeWAU\":\"Bu kod hangi ürünler için geçerli?\",\"hFHnxR\":\"Bu kod hangi ürünler için geçerli? (Varsayılan olarak tümü için geçerli)\",\"AeejQi\":\"Bu kapasite hangi ürünler için geçerli olmalı?\",\"Rb0XUE\":\"Hangi saatte geleceksiniz?\",\"5N4wLD\":\"Bu ne tür bir soru?\",\"gyLUYU\":\"Etkinleştirildiğinde, bilet siparişleri için faturalar oluşturulacak. Faturalar sipariş onayı e-postasıyla birlikte gönderilecek. Katılımcılar ayrıca faturalarını sipariş onayı sayfasından indirebilir.\",\"D3opg4\":\"Çevrimdışı ödemeler etkinleştirildiğinde, kullanıcılar siparişlerini tamamlayabilir ve biletlerini alabilir. Biletleri siparişin ödenmediğini açıkça belirtecek ve check-in aracı, bir sipariş ödeme gerektiriyorsa check-in personelini bilgilendirecek.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Bu check-in listesiyle hangi biletler ilişkilendirilmeli?\",\"S+OdxP\":\"Bu etkinliği kim organize ediyor?\",\"LINr2M\":\"Bu mesaj kime?\",\"nWhye/\":\"Bu soru kime sorulmalı?\",\"VxFvXQ\":\"Widget Yerleştirme\",\"v1P7Gm\":\"Widget Ayarları\",\"b4itZn\":\"Çalışıyor\",\"hqmXmc\":\"Çalışıyor...\",\"+G/XiQ\":\"Yıl başından beri\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Evet, kaldır\",\"ySeBKv\":\"Bu bileti zaten taradınız\",\"P+Sty0\":[\"E-postanızı <0>\",[\"0\"],\" olarak değiştiriyorsunuz.\"],\"gGhBmF\":\"Çevrimdışısınız\",\"sdB7+6\":\"Bu ürünü hedefleyen bir promosyon kodu oluşturabilirsiniz\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Bu ürünle ilişkili katılımcılar olduğu için ürün türünü değiştiremezsiniz.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Ödenmemiş siparişleri olan katılımcıları check-in yaptıramazsınız. Bu ayar etkinlik ayarlarından değiştirilebilir.\",\"c9Evkd\":\"Son kategoriyi silemezsiniz.\",\"6uwAvx\":\"Bu fiyat seviyesini silemezsiniz çünkü bu seviye için zaten satılmış ürünler var. Bunun yerine gizleyebilirsiniz.\",\"tFbRKJ\":\"Hesap sahibinin rolünü veya durumunu düzenleyemezsiniz.\",\"fHfiEo\":\"Elle oluşturulan bir siparişi iade edemezsiniz.\",\"hK9c7R\":\"Gizli bir soru oluşturdunuz ancak gizli soruları gösterme seçeneğini devre dışı bıraktınız. Etkinleştirildi.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Birden fazla hesaba erişiminiz var. Devam etmek için birini seçin.\",\"Z6q0Vl\":\"Bu daveti zaten kabul ettiniz. Devam etmek için lütfen giriş yapın.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Katılımcı sorularınız yok.\",\"CoZHDB\":\"Sipariş sorularınız yok.\",\"15qAvl\":\"Bekleyen e-posta değişikliğiniz yok.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Siparişinizi tamamlamak için zamanınız doldu.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Henüz hiç mesaj göndermediniz. Tüm katılımcılara veya belirli ürün sahiplerine mesaj gönderebilirsiniz.\",\"R6i9o9\":\"Bu e-postanın tanıtım amaçlı olmadığını kabul etmelisiniz\",\"3ZI8IL\":\"Şartlar ve koşulları kabul etmelisiniz\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Elle katılımcı ekleyebilmek için önce bir bilet oluşturmalısınız.\",\"jE4Z8R\":\"En az bir fiyat seviyeniz olmalı\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Bir siparişi elle ödenmiş olarak işaretlemeniz gerekecek. Bu, sipariş yönetimi sayfasından yapılabilir.\",\"L/+xOk\":\"Giriş listesi oluşturabilmek için önce bir bilete ihtiyacınız var.\",\"Djl45M\":\"Kapasite ataması oluşturabilmek için önce bir ürüne ihtiyacınız var.\",\"y3qNri\":\"Başlamak için en az bir ürüne ihtiyacınız var. Ücretsiz, ücretli veya kullanıcının ne kadar ödeyeceğine karar vermesine izin verin.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Hesap adınız etkinlik sayfalarında ve e-postalarda kullanılır.\",\"veessc\":\"Katılımcılarınız etkinliğinize kaydolduktan sonra burada görünecek. Ayrıca elle katılımcı ekleyebilirsiniz.\",\"Eh5Wrd\":\"Harika web siteniz 🎉\",\"lkMK2r\":\"Bilgileriniz\",\"3ENYTQ\":[\"<0>\",[\"0\"],\" adresine e-posta değişiklik talebiniz beklemede. Onaylamak için lütfen e-postanızı kontrol edin\"],\"yZfBoy\":\"Mesajınız gönderildi\",\"KSQ8An\":\"Siparişiniz\",\"Jwiilf\":\"Siparişiniz iptal edildi\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"Siparişleriniz gelmeye başladığında burada görünecek.\",\"9TO8nT\":\"Şifreniz\",\"P8hBau\":\"Ödemeniz işleniyor.\",\"UdY1lL\":\"Ödemeniz başarısız oldu, lütfen tekrar deneyin.\",\"fzuM26\":\"Ödemeniz başarısız oldu. Lütfen tekrar deneyin.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"İadeniz işleniyor.\",\"IFHV2p\":\"Biletiniz\",\"x1PPdr\":\"Posta Kodu\",\"BM/KQm\":\"Posta Kodu\",\"+LtVBt\":\"Posta Kodu\",\"25QDJ1\":\"- Click to Publish\",\"WOyJmc\":\"- Click to Unpublish\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" is already checked in\"],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" logo\"],\"B7pZfX\":[[\"0\"],\" organizers\"],\"/HkCs4\":[[\"0\"],\" tickets\"],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Check-in lists help you manage event entry by day, area, or ticket type. You can link tickets to specific lists such as VIP zones or Day 1 passes and share a secure check-in link with staff. No account is required. Check-in works on mobile, desktop, or tablet, using a device camera or HID USB scanner. \",\"ZnVt5v\":\"<0>Webhooks instantly notify external services when events happen, like adding a new attendee to your CRM or mailing list upon registration, ensuring seamless automation.<1>Use third-party services like <2>Zapier, <3>IFTTT or <4>Make to create custom workflows and automate tasks.\",\"fAv9QG\":\"🎟️ Add tickets\",\"M2DyLc\":\"1 Active Webhook\",\"yTsaLw\":\"1 ticket\",\"HR/cvw\":\"123 Sample Street\",\"kMU5aM\":\"A cancellation notice has been sent to\",\"V53XzQ\":\"A new verification code has been sent to your email\",\"/z/bH1\":\"A short description of your organizer that will be displayed to your users.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"About\",\"WTk/ke\":\"About Stripe Connect\",\"1uJlG9\":\"Accent Color\",\"VTfZPy\":\"Access Denied\",\"iN5Cz3\":\"Account already connected!\",\"bPwFdf\":\"Accounts\",\"nMtNd+\":\"Action Required: Reconnect Your Stripe Account\",\"a5KFZU\":\"Add event details and manage event settings.\",\"Fb+SDI\":\"Add More tickets\",\"6PNlRV\":\"Add this event to your calendar\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"NsWqSP\":\"Add your social media handles and website URL. These will be displayed on your public organizer page.\",\"0Zypnp\":\"Admin Dashboard\",\"YAV57v\":\"Affiliate\",\"I+utEq\":\"Affiliate code cannot be changed\",\"/jHBj5\":\"Affiliate created successfully\",\"uCFbG2\":\"Affiliate deleted successfully\",\"a41PKA\":\"Affiliate sales will be tracked\",\"mJJh2s\":\"Affiliate sales will not be tracked. This will deactivate the affiliate.\",\"jabmnm\":\"Affiliate updated successfully\",\"CPXP5Z\":\"Affiliates\",\"9Wh+ug\":\"Affiliates Exported\",\"3cqmut\":\"Affiliates help you track sales generated by partners and influencers. Create affiliate codes and share them to monitor performance.\",\"7rLTkE\":\"All Archived Events\",\"gKq1fa\":\"Tüm katılımcılar\",\"pMLul+\":\"All Currencies\",\"qlaZuT\":\"All done! You're now using our upgraded payment system.\",\"ZS/D7f\":\"All Ended Events\",\"dr7CWq\":\"All Upcoming Events\",\"QUg5y1\":\"Almost there! Finish connecting your Stripe account to start accepting payments.\",\"c4uJfc\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds.\",\"/H326L\":\"Already Refunded\",\"RtxQTF\":\"Also cancel this order\",\"jkNgQR\":\"Also refund this order\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"An email to associate with this affiliate. The affiliate will not be notified.\",\"vRznIT\":\"An error occurred while checking export status.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Answer updated successfully.\",\"LchiNd\":\"Are you sure you want to delete this affiliate? This action cannot be undone.\",\"JmVITJ\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the default template.\",\"aLS+A6\":\"Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the organizer or default template.\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"147G4h\":\"Are you sure you want to leave?\",\"VDWChT\":\"Are you sure you want to make this organizer draft? This will make the organizer page invisible to the public\",\"pWtQJM\":\"Are you sure you want to make this organizer public? This will make the organizer page visible to the public\",\"WFHOlF\":\"Are you sure you want to publish this event? Once published, it will be visible to the public.\",\"4TNVdy\":\"Are you sure you want to publish this organizer profile? Once published, it will be visible to the public.\",\"ExDt3P\":\"Are you sure you want to unpublish this event? It will no longer be visible to the public.\",\"5Qmxo/\":\"Are you sure you want to unpublish this organizer profile? It will no longer be visible to the public.\",\"+QARA4\":\"Art\",\"F2rX0R\":\"At least one event type must be selected\",\"6PecK3\":\"Attendance and check-in rates across all events\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Attendee Email\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Attendee Management\",\"av+gjP\":\"Attendee Name\",\"cosfD8\":\"Attendee Status\",\"D2qlBU\":\"Attendee Updated\",\"x8Vnvf\":\"Attendee's ticket not included in this list\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"4HVzhV\":\"Attendees:\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Available to Refund\",\"NB5+UG\":\"Available Tokens\",\"EmYMHc\":\"Awaiting Offline Pmt.\",\"kNmmvE\":\"Awesome Events Ltd.\",\"kYqM1A\":\"Back to Event\",\"td/bh+\":\"Back to Reports\",\"jIPNJG\":\"Basic Information\",\"iMdwTb\":\"Before your event can go live, there are a few things you need to do. Complete all the steps below to get started.\",\"UabgBd\":\"Body is required\",\"9N+p+g\":\"Business\",\"bv6RXK\":\"Button Label\",\"ChDLlO\":\"Button Text\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Call-to-Action Button\",\"PUpvQe\":\"Camera Scanner\",\"H4nE+E\":\"Cancel all products and release them back to the pool\",\"tOXAdc\":\"Canceling will cancel all attendees associated with this order, and release the tickets back into the available pool.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Capacity Assignments\",\"K7tIrx\":\"Category\",\"2tbLdK\":\"Charity\",\"v4fiSg\":\"Check your email\",\"51AsAN\":\"Check your inbox! If tickets are associated with this email, you'll receive a link to view them.\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"9gPPUY\":\"Check-In List Created\",\"f2vU9t\":\"Check-in Lists\",\"tMNBEF\":\"Check-in lists let you control entry across days, areas, or ticket types. You can share a secure check-in link with staff — no account required.\",\"SHJwyq\":\"Check-in Rate\",\"qCqdg6\":\"Check-In Status\",\"cKj6OE\":\"Check-in Summary\",\"7B5M35\":\"Check-Ins\",\"DM4gBB\":\"Chinese (Traditional)\",\"pkk46Q\":\"Choose an Organizer\",\"Crr3pG\":\"Choose calendar\",\"CySr+W\":\"Click to view notes\",\"RG3szS\":\"close\",\"RWw9Lg\":\"Close modal\",\"XwdMMg\":\"Code can only contain letters, numbers, hyphens, and underscores\",\"+yMJb7\":\"Code is required\",\"m9SD3V\":\"Code must be at least 3 characters\",\"V1krgP\":\"Code must be no more than 20 characters\",\"psqIm5\":\"Collaborate with your team to create amazing events together.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Comedy\",\"7D9MJz\":\"Complete Stripe Setup\",\"OqEV/G\":\"Complete the setup below to continue\",\"nqx+6h\":\"Complete these steps to start selling tickets for your event.\",\"5YrKW7\":\"Complete your payment to secure your tickets.\",\"ih35UP\":\"Conference Center\",\"NGXKG/\":\"Confirm Email Address\",\"Auz0Mz\":\"Confirm your email to access all features.\",\"7+grte\":\"Confirmation email sent! Please check your inbox.\",\"n/7+7Q\":\"Confirmation sent to\",\"o5A0Go\":\"Congratulations on creating an event!\",\"WNnP3w\":\"Connect & Upgrade\",\"Xe2tSS\":\"Connect Documentation\",\"1Xxb9f\":\"Connect payment processing\",\"LmvZ+E\":\"Connect Stripe to enable messaging\",\"EWnXR+\":\"Connect to Stripe\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"VioGG1\":\"Connect your Stripe account to accept payments for tickets and products.\",\"4qmnU8\":\"Connect your Stripe account to accept payments.\",\"E1eze1\":\"Connect your Stripe account to start accepting payments for your events.\",\"ulV1ju\":\"Connect your Stripe account to start accepting payments.\",\"/3017M\":\"Connected to Stripe\",\"jfC/xh\":\"Contact\",\"LOFgda\":[\"Contact \",[\"0\"]],\"41BQ3k\":\"Contact Email\",\"KcXRN+\":\"Contact email for support\",\"m8WD6t\":\"Continue Setup\",\"0GwUT4\":\"Continue to Checkout\",\"sBV87H\":\"Continue to event creation\",\"nKtyYu\":\"Continue to next step\",\"F3/nus\":\"Continue to Payment\",\"1JnTgU\":\"Copied from above\",\"FxVG/l\":\"Copied to clipboard\",\"PiH3UR\":\"Copied!\",\"uUPbPg\":\"Copy Affiliate Link\",\"iVm46+\":\"Copy Code\",\"+2ZJ7N\":\"Copy details to first attendee\",\"ZN1WLO\":\"Copy Email\",\"tUGbi8\":\"Bilgilerimi kopyala:\",\"y22tv0\":\"Copy this link to share it anywhere\",\"/4gGIX\":\"Copy to clipboard\",\"P0rbCt\":\"Cover Image\",\"60u+dQ\":\"Cover image will be displayed at the top of your event page\",\"2NLjA6\":\"Cover image will be displayed at the top of your organizer page\",\"zg4oSu\":[\"Create \",[\"0\"],\" Template\"],\"xfKgwv\":\"Create Affiliate\",\"dyrgS4\":\"Create and customize your event page instantly\",\"BTne9e\":\"Create custom email templates for this event that override the organizer defaults\",\"YIDzi/\":\"Create Custom Template\",\"8AiKIu\":\"Create Ticket or Product\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"5slqwZ\":\"Create Your Event\",\"JQNMrj\":\"Create your first event\",\"CCjxOC\":\"Create your first event to start selling tickets and managing attendees.\",\"ZCSSd+\":\"Create your own event\",\"67NsZP\":\"Creating Event...\",\"H34qcM\":\"Creating Organizer...\",\"1YMS+X\":\"Creating your event, please wait\",\"yiy8Jt\":\"Creating your organizer profile, please wait\",\"lfLHNz\":\"CTA label is required\",\"BMtue0\":\"Current payment processor\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Custom message after checkout\",\"axv/Mi\":\"Custom template\",\"QMHSMS\":\"Customer will receive an email confirming the refund\",\"L/Qc+w\":\"Customer's email address\",\"wpfWhJ\":\"Customer's first name\",\"GIoqtA\":\"Customer's last name\",\"NihQNk\":\"Customers\",\"7gsjkI\":\"Customize the emails sent to your customers using Liquid templating. These templates will be used as defaults for all events in your organization.\",\"iX6SLo\":\"Customize the text shown on the continue button\",\"pxNIxa\":\"Customize your email template using Liquid templating\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"mkLlne\":\"Customize your event page appearance\",\"3trPKm\":\"Customize your organizer page appearance\",\"4df0iX\":\"Customize your ticket appearance\",\"/gWrVZ\":\"Daily revenue, taxes, fees, and refunds across all events\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Date of the event\",\"gnBreG\":\"Date order was placed\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Default template will be used\",\"vu7gDm\":\"Delete Affiliate\",\"+jw/c1\":\"Delete image\",\"dPyJ15\":\"Delete Template\",\"snMaH4\":\"Delete webhook\",\"vYgeDk\":\"Deselect All\",\"NvuEhl\":\"Design Elements\",\"H8kMHT\":\"Didn't receive the code?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Dismiss this message\",\"BREO0S\":\"Müşterilerin bu etkinlik organizatöründen pazarlama iletişimi almayı kabul etmelerini sağlayan bir onay kutusu göster.\",\"TvY/XA\":\"Documentation\",\"Kdpf90\":\"Don't forget!\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Done\",\"eneWvv\":\"Draft\",\"TnzbL+\":\"Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\\nThis is to ensure that all event organizers are verified and accountable.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Duplicate Product\",\"KIjvtr\":\"Dutch\",\"SPKbfM\":\"e.g., Get Tickets, Register Now\",\"LTzmgK\":[\"Edit \",[\"0\"],\" Template\"],\"v4+lcZ\":\"Edit Affiliate\",\"2iZEz7\":\"Edit Answer\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"uBAxNB\":\"Editor\",\"aqxYLv\":\"Education\",\"zPiC+q\":\"Eligible Check-In Lists\",\"V2sk3H\":\"Email & Templates\",\"hbwCKE\":\"Email address copied to clipboard\",\"dSyJj6\":\"Email addresses do not match\",\"elW7Tn\":\"Email Body\",\"ZsZeV2\":\"Email is required\",\"Be4gD+\":\"Email Preview\",\"6IwNUc\":\"Email Templates\",\"H/UMUG\":\"Email Verification Required\",\"L86zy2\":\"Email verified successfully!\",\"Upeg/u\":\"Enable this template for sending emails\",\"RxzN1M\":\"Enabled\",\"sGjBEq\":\"End Date & Time (optional)\",\"PKXt9R\":\"End date must be after start date\",\"48Y16Q\":\"End time (optional)\",\"7YZofi\":\"Enter a subject and body to see the preview\",\"3bR1r4\":\"Enter affiliate email (optional)\",\"ARkzso\":\"Enter affiliate name\",\"INDKM9\":\"Enter email subject...\",\"kWg31j\":\"Enter unique affiliate code\",\"C3nD/1\":\"Enter your email\",\"n9V+ps\":\"Enter your name\",\"LslKhj\":\"Error loading logs\",\"WgD6rb\":\"Event Category\",\"b46pt5\":\"Event Cover Image\",\"1Hzev4\":\"Event custom template\",\"imgKgl\":\"Event Description\",\"kJDmsI\":\"Event details\",\"m/N7Zq\":\"Event Full Address\",\"Nl1ZtM\":\"Event Location\",\"PYs3rP\":\"Event name\",\"HhwcTQ\":\"Event Name\",\"WZZzB6\":\"Event name is required\",\"Wd5CDM\":\"Event name should be less than 150 characters\",\"4JzCvP\":\"Event Not Available\",\"Gh9Oqb\":\"Event organizer name\",\"mImacG\":\"Event Page\",\"cOePZk\":\"Event Time\",\"e8WNln\":\"Event timezone\",\"GeqWgj\":\"Event Timezone\",\"XVLu2v\":\"Event Title\",\"YDVUVl\":\"Event Types\",\"4K2OjV\":\"Event Venue\",\"19j6uh\":\"Events Performance\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Every email template must include a call-to-action button that links to the appropriate page\",\"VlvpJ0\":\"Export answers\",\"JKfSAv\":\"Export failed. Please try again.\",\"SVOEsu\":\"Export started. Preparing file...\",\"9bpUSo\":\"Exporting Affiliates\",\"jtrqH9\":\"Exporting Attendees\",\"R4Oqr8\":\"Exporting complete. Downloading file...\",\"UlAK8E\":\"Exporting Orders\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Failed to abandon order. Please try again.\",\"cEFg3R\":\"Failed to create affiliate\",\"U66oUa\":\"Failed to create template\",\"xFj7Yj\":\"Failed to delete template\",\"jo3Gm6\":\"Failed to export affiliates\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"YQ3QSS\":\"Failed to resend verification code\",\"zTkTF3\":\"Failed to save template\",\"T6B2gk\":\"Failed to send message. Please try again.\",\"lKh069\":\"Failed to start export job\",\"t/KVOk\":\"Failed to start impersonation. Please try again.\",\"QXgjH0\":\"Failed to stop impersonation. Please try again.\",\"i0QKrm\":\"Failed to update affiliate\",\"NNc33d\":\"Failed to update answer.\",\"7/9RFs\":\"Failed to upload image.\",\"nkNfWu\":\"Failed to upload image. Please try again.\",\"rxy0tG\":\"Failed to verify email\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Fill in your details above first\",\"8OvVZZ\":\"Filter Attendees\",\"8BwQeU\":\"Finish Setup\",\"hg80P7\":\"Finish Stripe Setup\",\"1vBhpG\":\"İlk katılımcı\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"lWxAUo\":\"Food & Drink\",\"nFm+5u\":\"Footer Text\",\"MY2SVM\":\"Full refund\",\"vAVBBv\":\"Fully Integrated\",\"T02gNN\":\"General Admission\",\"3ep0Gx\":\"General information about your organizer\",\"ziAjHi\":\"Generate\",\"exy8uo\":\"Generate code\",\"4CETZY\":\"Get Directions\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Get your event ready\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Go to Event Page\",\"gHSuV/\":\"Go to home page\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Gross Revenue\",\"kTSQej\":[\"Hello \",[\"0\"],\", manage your platform from here.\"],\"dORAcs\":\"Here are all the tickets associated with your email address.\",\"g+2103\":\"Here is your affiliate link\",\"QlwJ9d\":\"Here's what to expect:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Hide Answers\",\"gtEbeW\":\"Highlight\",\"NF8sdv\":\"Highlight Message\",\"MXSqmS\":\"Highlight this product\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Highlighted products will have a different background color to make them stand out on the event page.\",\"i0qMbr\":\"Home\",\"AVpmAa\":\"How to pay offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Hungarian\",\"4/kP5a\":\"If a new tab did not open automatically, please click the button below to continue to checkout.\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"an5hVd\":\"Images\",\"tSVr6t\":\"Impersonate\",\"TWXU0c\":\"Impersonate User\",\"5LAZwq\":\"Impersonation started\",\"IMwcdR\":\"Impersonation stopped\",\"M8M6fs\":\"Important: Stripe reconnection required\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"In-depth Analytics\",\"F1Xp97\":\"Individual attendees\",\"85e6zs\":\"Insert Liquid Token\",\"38KFY0\":\"Insert Variable\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Invalid email\",\"5tT0+u\":\"Invalid email format\",\"tnL+GP\":\"Invalid Liquid syntax. Please correct it and try again.\",\"g+lLS9\":\"Invite a team member\",\"1z26sk\":\"Invite Team Member\",\"KR0679\":\"Invite Team Members\",\"aH6ZIb\":\"Invite Your Team\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Italian\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Join from anywhere\",\"hTJ4fB\":\"Just click the button below to reconnect your Stripe account.\",\"MxjCqk\":\"Just looking for your tickets?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Link Expired or Invalid\",\"psosdY\":\"Link to order details\",\"6JzK4N\":\"Link to ticket\",\"shkJ3U\":\"Link your Stripe account to receive funds from ticket sales.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Live\",\"fpMs2Z\":\"LIVE\",\"D9zTjx\":\"Live Events\",\"WdmJIX\":\"Loading preview...\",\"IoDI2o\":\"Loading tokens...\",\"NFxlHW\":\"Loading Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Cover\",\"gddQe0\":\"Logo and cover image for your organizer\",\"TBEnp1\":\"Logo will be displayed in the header\",\"Jzu30R\":\"Logo will be displayed on the ticket\",\"4wUIjX\":\"Make your event live\",\"0A7TvI\":\"Manage Event\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"/x0FyM\":\"Match Your Brand\",\"xDAtGP\":\"Message\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"48rf3i\":\"Message cannot exceed 5000 characters\",\"Vjat/X\":\"Message is required\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"GfaxEk\":\"Music\",\"oVGCGh\":\"My Tickets\",\"8/brI5\":\"Name is required\",\"sCV5Yc\":\"Name of the event\",\"xxU3NX\":\"Net Revenue\",\"eWRECP\":\"Nightlife\",\"VHfLAW\":\"No accounts\",\"+jIeoh\":\"No accounts found\",\"074+X8\":\"No Active Webhooks\",\"zxnup4\":\"No Affiliates to show\",\"99ntUF\":\"No check-in lists available for this event.\",\"6r9SGl\":\"No Credit Card Required\",\"eb47T5\":\"No data found for the selected filters. Try adjusting the date range or currency.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"No events found\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"No events yet\",\"54GxeB\":\"No impact on your current or past transactions\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"No logs found\",\"NEmyqy\":\"No orders yet\",\"B7w4KY\":\"No other organizers available\",\"6jYQGG\":\"No past events\",\"zK/+ef\":\"No products available for selection\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"3sRuiW\":\"No Tickets Found\",\"yM5c0q\":\"No upcoming events\",\"qpC74J\":\"No users found\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"4+am6b\":\"No, keep me here\",\"x5+Lcz\":\"Not Checked In\",\"8n10sz\":\"Not Eligible\",\"lQgMLn\":\"Office or venue name\",\"6Aih4U\":\"Offline\",\"Z6gBGW\":\"Offline Payment\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Once you complete the upgrade, your old account will only be used for refunds.\",\"oXOSPE\":\"Online\",\"WjSpu5\":\"Online Event\",\"bU7oUm\":\"Only send to orders with these statuses\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Open Stripe Dashboard\",\"HXMJxH\":\"Optional text for disclaimers, contact info, or thank you notes (single line only)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Order cancelled\",\"b6+Y+n\":\"Order complete\",\"x4MLWE\":\"Order Confirmation\",\"ppuQR4\":\"Order Created\",\"0UZTSq\":\"Order Currency\",\"HdmwrI\":\"Order Email\",\"bwBlJv\":\"Order First Name\",\"vrSW9M\":\"Order has been canceled and refunded. The order owner has been notified.\",\"+spgqH\":[\"Order ID: \",[\"0\"]],\"Pc729f\":\"Order Is Awaiting Offline Payment\",\"F4NXOl\":\"Order Last Name\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Order Locale\",\"vu6Arl\":\"Order Marked as Paid\",\"sLbJQz\":\"Order not found\",\"i8VBuv\":\"Order Number\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"DoH3fD\":\"Order Payment Pending\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"oW5877\":\"Order Total\",\"e7eZuA\":\"Order Updated\",\"KndP6g\":\"Order URL\",\"3NT0Ck\":\"Order was cancelled\",\"5It1cQ\":\"Orders Exported\",\"B/EBQv\":\"Orders:\",\"ucgZ0o\":\"Organization\",\"S3CZ5M\":\"Organizer Dashboard\",\"Uu0hZq\":\"Organizer Email\",\"Gy7BA3\":\"Organizer email address\",\"SQqJd8\":\"Organizer Not Found\",\"wpj63n\":\"Organizer Settings\",\"coIKFu\":\"Organizer statistics are not available for the selected currency or an error occurred.\",\"o1my93\":\"Organizer status update failed. Please try again later\",\"rLHma1\":\"Organizer status updated\",\"LqBITi\":\"Organizer/default template will be used\",\"/IX/7x\":\"Other\",\"RsiDDQ\":\"Other Lists (Ticket Not Included)\",\"6/dCYd\":\"Overview\",\"8uqsE5\":\"Page no longer available\",\"QkLf4H\":\"Page URL\",\"sF+Xp9\":\"Page Views\",\"5F7SYw\":\"Partial refund\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Past\",\"xTPjSy\":\"Past Events\",\"/l/ckQ\":\"Paste URL\",\"URAE3q\":\"Paused\",\"4fL/V7\":\"Pay\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Payment & Plan\",\"ENEPLY\":\"Payment method\",\"EyE8E6\":\"Payment Processing\",\"8Lx2X7\":\"Payment received\",\"vcyz2L\":\"Payment Settings\",\"fx8BTd\":\"Payments not available\",\"51U9mG\":\"Payments will continue to flow without interruption\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Performance\",\"zmwvG2\":\"Phone\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Planning an event?\",\"br3Y/y\":\"Platform Fees\",\"jEw0Mr\":\"Please enter a valid URL\",\"n8+Ng/\":\"Please enter the 5-digit code\",\"Dvq0wf\":\"Please provide an image.\",\"2cUopP\":\"Please restart the checkout process.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Please select an image.\",\"fuwKpE\":\"Please try again.\",\"klWBeI\":\"Please wait before requesting another code\",\"hfHhaa\":\"Please wait while we prepare your affiliates for export...\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"TjX7xL\":\"Post Checkout Message\",\"cs5muu\":\"Preview Event page\",\"+4yRWM\":\"Price of the ticket\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Print Preview\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"Print to PDF\",\"LcET2C\":\"Privacy Policy\",\"8z6Y5D\":\"Process Refund\",\"JcejNJ\":\"Processing order\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Publish\",\"evDBV8\":\"Publish Event\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"fqDzSu\":\"Rate\",\"spsZys\":\"Ready to upgrade? This takes only a few minutes.\",\"Fi3b48\":\"Recent Orders\",\"Edm6av\":\"Reconnect Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Redirecting to Stripe...\",\"ACKu03\":\"Refresh Preview\",\"fKn/k6\":\"Refund amount\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Refund Order \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Refunds\",\"CQeZT8\":\"Report not found\",\"JEPMXN\":\"Request a new link\",\"mdeIOH\":\"Resend code\",\"bxoWpz\":\"Resend Confirmation Email\",\"G42SNI\":\"Resend email\",\"TTpXL3\":[\"Resend in \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Reserved until\",\"slOprG\":\"Reset your password\",\"CbnrWb\":\"Return to Event\",\"Oo/PLb\":\"Revenue Summary\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Sales\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Sales, orders, and performance metrics for all events\",\"3Q1AWe\":\"Sales:\",\"8BRPoH\":\"Sample Venue\",\"KZrfYJ\":\"Save Social Links\",\"9Y3hAT\":\"Save Template\",\"C8ne4X\":\"Save Ticket Design\",\"I+FvbD\":\"Scan\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Search affiliates...\",\"VY+Bdn\":\"Search by account name or email...\",\"VX+B3I\":\"Search by event title or organizer...\",\"GHdjuo\":\"Search by name, email, or account...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Select a category\",\"BFRSTT\":\"Select Account\",\"mCB6Je\":\"Select All\",\"kYZSFD\":\"Select an organizer to view their dashboard and events.\",\"tVW/yo\":\"Select currency\",\"n9ZhRa\":\"Select end date and time\",\"gTN6Ws\":\"Select end time\",\"0U6E9W\":\"Select event category\",\"j9cPeF\":\"Select event types\",\"1nhy8G\":\"Select Scanner Type\",\"KizCK7\":\"Select start date and time\",\"dJZTv2\":\"Select start time\",\"aT3jZX\":\"Select timezone\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"BG3f7v\":\"Sell Anything\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"j9b/iy\":\"Selling fast 🔥\",\"1lNPhX\":\"Send refund notification email\",\"SPdzrs\":\"Sent to customers when they place an order\",\"LxSN5F\":\"Sent to each attendee with their ticket details\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Set up your organization\",\"HbUQWA\":\"Setup in Minutes\",\"GG7qDw\":\"Share Affiliate Link\",\"hL7sDJ\":\"Share Organizer Page\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Show all platforms (\",[\"0\"],\" more with values)\"],\"UVPI5D\":\"Show fewer platforms\",\"Eu/N/d\":\"Pazarlama onay kutusunu göster\",\"SXzpzO\":\"Varsayılan olarak pazarlama onay kutusunu göster\",\"b33PL9\":\"Show more platforms\",\"v6IwHE\":\"Smart Check-in\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Social\",\"d0rUsW\":\"Social Links\",\"j/TOB3\":\"Social Links & Website\",\"2pxNFK\":\"sold\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"H6Gslz\":\"Sorry for the inconvenience.\",\"7JFNej\":\"Sports\",\"JcQp9p\":\"Start date & time\",\"0m/ekX\":\"Start Date & Time\",\"izRfYP\":\"Start date is required\",\"2R1+Rv\":\"Start time of the event\",\"2NbyY/\":\"Statistics\",\"DRykfS\":\"Still handling refunds for your older transactions.\",\"wuV0bK\":\"Stop Impersonating\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe setup is already complete.\",\"ii0qn/\":\"Subject is required\",\"M7Uapz\":\"Subject will appear here\",\"6aXq+t\":\"Subject:\",\"JwTmB6\":\"Successfully Duplicated Product\",\"RuaKfn\":\"Successfully Updated Address\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Successfully Updated Organizer\",\"0Dk/l8\":\"Successfully Updated SEO Settings\",\"MhOoLQ\":\"Successfully Updated Social Links\",\"kj7zYe\":\"Successfully updated Webhook\",\"dXoieq\":\"Summary\",\"/RfJXt\":[\"Summer Music Festival \",[\"0\"]],\"CWOPIK\":\"Summer Music Festival 2025\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"JZTQI0\":\"Switch Organizer\",\"XX32BM\":\"Takes just a few minutes\",\"yT6dQ8\":\"Tax collected grouped by tax type and event\",\"Ye321X\":\"Tax Name\",\"WyCBRt\":\"Tax Summary\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Tech\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Tell people what to expect at your event\",\"NiIUyb\":\"Tell us about your event\",\"DovcfC\":\"Tell us about your organization. This information will be displayed on your event pages.\",\"7wtpH5\":\"Template Active\",\"QHhZeE\":\"Template created successfully\",\"xrWdPR\":\"Template deleted successfully\",\"G04Zjt\":\"Template saved successfully\",\"xowcRf\":\"Terms of Service\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Thank you for attending!\",\"lhAWqI\":\"Thanks for your support as we continue to grow and improve Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"The code will expire in 10 minutes. Check your spam folder if you don't see the email.\",\"MJm4Tq\":\"The currency of the order\",\"I/NNtI\":\"The event venue\",\"tXadb0\":\"The event you're looking for is not available at the moment. It may have been removed, expired, or the URL might be incorrect.\",\"EBzPwC\":\"The full event address\",\"sxKqBm\":\"The full order amount will be refunded to the customer's original payment method.\",\"5OmEal\":\"The locale of the customer\",\"sYLeDq\":\"The organizer you're looking for could not be found. The page may have been moved, deleted, or the URL might be incorrect.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"The template body contains invalid Liquid syntax. Please correct it and try again.\",\"A4UmDy\":\"Theater\",\"tDwYhx\":\"Theme & Colors\",\"HirZe8\":\"These templates will be used as defaults for all events in your organization. Individual events can override these templates with their own custom versions.\",\"lzAaG5\":\"These templates will override the organizer defaults for this event only. If no custom template is set here, the organizer template will be used instead.\",\"XBNC3E\":\"This code will be used to track sales. Only letters, numbers, hyphens, and underscores allowed.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"This event is not published yet\",\"dFJnia\":\"This is the name of your organizer that will be displayed to your users.\",\"L7dIM7\":\"This link is invalid or has expired.\",\"j5FdeA\":\"This order is being processed.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"This order was cancelled. You can start a new order anytime.\",\"lyD7rQ\":\"This organizer profile is not published yet\",\"9b5956\":\"This preview shows how your email will look with sample data. Actual emails will use real values.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"This ticket was just scanned. Please wait before scanning again.\",\"kvpxIU\":\"This will be used for notifications and communication with your users.\",\"rhsath\":\"This will not be visible to customers, but helps you identify the affiliate.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Ticket Design\",\"EZC/Cu\":\"Ticket design saved successfully\",\"1BPctx\":\"Ticket for\",\"bgqf+K\":\"Ticket holder's email\",\"oR7zL3\":\"Ticket holder's name\",\"HGuXjF\":\"Ticket holders\",\"awHmAT\":\"Ticket ID\",\"6czJik\":\"Ticket Logo\",\"OkRZ4Z\":\"Ticket Name\",\"6tmWch\":\"Ticket or Product\",\"1tfWrD\":\"Ticket Preview for\",\"tGCY6d\":\"Ticket Price\",\"8jLPgH\":\"Ticket Type\",\"X26cQf\":\"Ticket URL\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Tickets & Products\",\"EUnesn\":\"Tickets Available\",\"AGRilS\":\"Tickets Sold\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Total Accounts\",\"EaAPbv\":\"Total amount paid\",\"SMDzqJ\":\"Total Attendees\",\"orBECM\":\"Total Collected\",\"KSDwd5\":\"Total Orders\",\"vb0Q0/\":\"Total Users\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"uKOFO5\":\"True if offline payment\",\"9GsDR2\":\"True if payment pending\",\"ouM5IM\":\"Try another email\",\"3DZvE7\":\"Try Hi.Events Free\",\"Kz91g/\":\"Turkish\",\"GdOhw6\":\"Turn sound off\",\"KUOhTy\":\"Turn sound on\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Type of ticket\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"Vx2J6x\":\"Unable to fetch attendee\",\"b9SN9q\":\"Unique order reference\",\"Ef7StM\":\"Unknown\",\"ZBAScj\":\"Unknown Attendee\",\"ZkS2p3\":\"Unpublish Event\",\"Pp1sWX\":\"Update Affiliate\",\"KMMOAy\":\"Upgrade Available\",\"gJQsLv\":\"Upload a cover image for your organizer\",\"4kEGqW\":\"Upload a logo for your organizer\",\"lnCMdg\":\"Upload Image\",\"29w7p6\":\"Uploading image...\",\"HtrFfw\":\"URL is required\",\"WBq1/R\":\"USB Scanner Already Active\",\"EV30TR\":\"USB Scanner mode activated. Start scanning tickets now.\",\"fovJi3\":\"USB Scanner mode deactivated\",\"hli+ga\":\"USB/HID Scanner\",\"OHJXlK\":\"Use <0>Liquid templating to personalize your emails\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Used for borders, highlights, and QR code styling\",\"AdWhjZ\":\"Verification code\",\"wCKkSr\":\"Verify Email\",\"/IBv6X\":\"Verify your email\",\"e/cvV1\":\"Verifying...\",\"fROFIL\":\"Vietnamese\",\"+WFMis\":\"View and download reports across all your events. Only completed orders are included.\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"c7VN/A\":\"View Answers\",\"FCVmuU\":\"View Event\",\"n6EaWL\":\"View logs\",\"OaKTzt\":\"View Map\",\"67OJ7t\":\"View Order\",\"tKKZn0\":\"View Order Details\",\"9jnAcN\":\"View Organizer Homepage\",\"1J/AWD\":\"View Ticket\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Visible to check-in staff only. Helps identify this list during check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Waiting for payment\",\"RRZDED\":\"We couldn't find any orders associated with this email address.\",\"miysJh\":\"We couldn't find this order. It may have been removed.\",\"HJKdzP\":\"We hit a snag loading this page. Please try again.\",\"IfN2Qo\":\"We recommend a square logo with minimum dimensions of 200x200px\",\"wJzo/w\":\"We recommend dimensions of 400px by 400px, and a maximum file size of 5MB\",\"q1BizZ\":\"We'll send your tickets to this email\",\"zCdObC\":\"We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account.\",\"jh2orE\":\"We've relocated our headquarters to Ireland. As a result, we need you to reconnect your Stripe account. This quick process takes just a few minutes. Your sales and existing data remain completely unaffected.\",\"Fq/Nx7\":\"We've sent a 5-digit verification code to:\",\"GdWB+V\":\"Webhook created successfully\",\"2X4ecw\":\"Webhook deleted successfully\",\"CThMKa\":\"Webhook Logs\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook will not send notifications\",\"FSaY52\":\"Webhook will send notifications\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Website\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Welcome back 👋\",\"kSYpfa\":[\"Welcome to \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Welcome to \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Welcome to \",[\"0\"],\", here's a listing of all your events\"],\"FaSXqR\":\"What type of event?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"When a check-in is deleted\",\"Gmd0hv\":\"When a new attendee is created\",\"Lc18qn\":\"When a new order is created\",\"dfkQIO\":\"When a new product is created\",\"8OhzyY\":\"When a product is deleted\",\"tRXdQ9\":\"When a product is updated\",\"Q7CWxp\":\"When an attendee is cancelled\",\"IuUoyV\":\"When an attendee is checked in\",\"nBVOd7\":\"When an attendee is updated\",\"ny2r8d\":\"When an order is cancelled\",\"c9RYbv\":\"When an order is marked as paid\",\"ejMDw1\":\"When an order is refunded\",\"fVPt0F\":\"When an order is updated\",\"bcYlvb\":\"When check-in closes\",\"XIG669\":\"When check-in opens\",\"de6HLN\":\"When customers purchase tickets, their orders will appear here.\",\"blXLKj\":\"Etkinleştirildiğinde, yeni etkinlikler ödeme sırasında pazarlama onay kutusu gösterecektir. Bu, etkinlik bazında geçersiz kılınabilir.\",\"uvIqcj\":\"Workshop\",\"EpknJA\":\"Write your message here...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Yes, cancel my order\",\"QlSZU0\":[\"You are impersonating <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"You are issuing a partial refund. The customer will be refunded \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"FVTVBy\":\"You must verify your email address before you can update the organizer status.\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"U3wiCB\":\"You're all set! Your payments are being processed smoothly.\",\"MNFIxz\":[\"You're going to \",[\"0\"],\"!\"],\"x/xjzn\":\"Your affiliates have been exported successfully.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"79lXGw\":\"Your check-in list has been created successfully. Share the link below with your check-in staff.\",\"BnlG9U\":\"Your current order will be lost.\",\"nBqgQb\":\"Your Email\",\"R02pnV\":\"Your event must be live before you can sell tickets to attendees.\",\"ifRqmm\":\"Your message has been sent successfully!\",\"/Rj5P4\":\"Your Name\",\"naQW82\":\"Your order has been cancelled.\",\"bhlHm/\":\"Your order is awaiting payment\",\"XeNum6\":\"Your orders have been exported successfully.\",\"Xd1R1a\":\"Your organizer address\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Your Stripe account is connected and processing payments.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"CnZ3Ou\":\"Your tickets have been confirmed.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"Henüz gösterilecek bir şey yok\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>başarıyla check-in yaptı\"],\"yxhYRZ\":[[\"0\"],\" <0>başarıyla check-out yaptı\"],\"KMgp2+\":[[\"0\"],\" mevcut\"],\"Pmr5xp\":[[\"0\"],\" başarıyla oluşturuldu\"],\"FImCSc\":[[\"0\"],\" başarıyla güncellendi\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" check-in yaptı\"],\"Vjij1k\":[[\"days\"],\" gün, \",[\"hours\"],\" saat, \",[\"minutes\"],\" dakika ve \",[\"seconds\"],\" saniye\"],\"f3RdEk\":[[\"hours\"],\" saat, \",[\"minutes\"],\" dakika ve \",[\"seconds\"],\" saniye\"],\"fyE7Au\":[[\"minutes\"],\" dakika ve \",[\"seconds\"],\" saniye\"],\"NlQ0cx\":[[\"organizerName\"],\"'ın ilk etkinliği\"],\"Ul6IgC\":\"<0>Kapasite atamaları, biletler veya tüm etkinlik genelinde kapasiteyi yönetmenizi sağlar. Çok günlük etkinlikler, atölyeler ve katılımın kontrolünün önemli olduğu diğer durumlar için idealdir.<1>Örneğin, bir kapasite atamasını <2>Birinci Gün ve <3>Tüm Günler biletiyle ilişkilendirebilirsiniz. Kapasiteye ulaşıldığında, her iki bilet de otomatik olarak satışa kapatılır.\",\"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://siteniz.com\",\"qnSLLW\":\"<0>Lütfen vergiler ve ücretler hariç fiyatı girin.<1>Vergi ve ücretler aşağıdan eklenebilir.\",\"ZjMs6e\":\"<0>Bu ürün için mevcut ürün sayısı<1>Bu değer, bu ürünle ilişkili <2>Kapasite Sınırları varsa geçersiz kılınabilir.\",\"E15xs8\":\"⚡️ Etkinliğinizi kurun\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 Etkinlik sayfanızı özelleştirin\",\"3VPPdS\":\"💳 Stripe ile bağlanın\",\"cjdktw\":\"🚀 Etkinliğinizi yayına alın\",\"rmelwV\":\"0 dakika ve 0 saniye\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"123 Ana Cadde\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Tarih girişi. Doğum tarihi sormak gibi durumlar için mükemmel.\",\"6euFZ/\":[\"Varsayılan \",[\"type\"],\" otomatik olarak tüm yeni ürünlere uygulanır. Bunu ürün bazında geçersiz kılabilirsiniz.\"],\"SMUbbQ\":\"Açılır menü sadece tek seçime izin verir\",\"qv4bfj\":\"Rezervasyon ücreti veya hizmet ücreti gibi bir ücret\",\"POT0K/\":\"Ürün başına sabit miktar. Örn. ürün başına 0,50 $\",\"f4vJgj\":\"Çok satırlı metin girişi\",\"OIPtI5\":\"Ürün fiyatının yüzdesi. Örn. ürün fiyatının %3,5'i\",\"ZthcdI\":\"İndirim olmayan promosyon kodu gizli ürünleri göstermek için kullanılabilir.\",\"AG/qmQ\":\"Radyo seçeneği birden fazla seçenek sunar ancak sadece biri seçilebilir.\",\"h179TP\":\"Arama motoru sonuçlarında ve sosyal medyada paylaşılırken gösterilecek etkinliğin kısa açıklaması. Varsayılan olarak etkinlik açıklaması kullanılır\",\"WKMnh4\":\"Tek satırlı metin girişi\",\"BHZbFy\":\"Sipariş başına tek soru. Örn. Teslimat adresiniz nedir?\",\"Fuh+dI\":\"Ürün başına tek soru. Örn. Tişört bedeniniz nedir?\",\"RlJmQg\":\"KDV veya ÖTV gibi standart vergi\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Banka havalesi, çek veya diğer çevrimdışı ödeme yöntemlerini kabul et\",\"hrvLf4\":\"Stripe ile kredi kartı ödemelerini kabul et\",\"bfXQ+N\":\"Davetiyeyi Kabul Et\",\"AeXO77\":\"Hesap\",\"lkNdiH\":\"Hesap Adı\",\"Puv7+X\":\"Hesap Ayarları\",\"OmylXO\":\"Hesap başarıyla güncellendi\",\"7L01XJ\":\"İşlemler\",\"FQBaXG\":\"Etkinleştir\",\"5T2HxQ\":\"Etkinleştirme tarihi\",\"F6pfE9\":\"Etkin\",\"/PN1DA\":\"Bu check-in listesi için açıklama ekleyin\",\"0/vPdA\":\"Katılımcı hakkında not ekleyin. Bunlar katılımcı tarafından görülmeyecektir.\",\"Or1CPR\":\"Katılımcı hakkında not ekleyin...\",\"l3sZO1\":\"Sipariş hakkında not ekleyin. Bunlar müşteri tarafından görülmeyecektir.\",\"xMekgu\":\"Sipariş hakkında not ekleyin...\",\"PGPGsL\":\"Açıklama ekle\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Çevrimdışı ödemeler için talimatlar ekleyin (örn. banka havalesi detayları, çeklerin nereye gönderileceği, ödeme tarihleri)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Yeni Ekle\",\"TZxnm8\":\"Seçenek Ekle\",\"24l4x6\":\"Ürün Ekle\",\"8q0EdE\":\"Kategoriye Ürün Ekle\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Soru ekle\",\"yWiPh+\":\"Vergi veya Ücret Ekle\",\"goOKRY\":\"Kademe ekle\",\"oZW/gT\":\"Takvime Ekle\",\"pn5qSs\":\"Ek Bilgiler\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Adres\",\"NY/x1b\":\"Adres satırı 1\",\"POdIrN\":\"Adres Satırı 1\",\"cormHa\":\"Adres satırı 2\",\"gwk5gg\":\"Adres Satırı 2\",\"U3pytU\":\"Yönetici\",\"HLDaLi\":\"Yönetici kullanıcılar etkinliklere ve hesap ayarlarına tam erişime sahiptir.\",\"W7AfhC\":\"Bu etkinliğin tüm katılımcıları\",\"cde2hc\":\"Tüm Ürünler\",\"5CQ+r0\":\"Ödenmemiş siparişlerle ilişkili katılımcıların check-in yapmasına izin ver\",\"ipYKgM\":\"Arama motoru indekslemesine izin ver\",\"LRbt6D\":\"Arama motorlarının bu etkinliği indekslemesine izin ver\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Harika, Etkinlik, Anahtar Kelimeler...\",\"hehnjM\":\"Miktar\",\"R2O9Rg\":[\"Ödenen miktar (\",[\"0\"],\")\"],\"V7MwOy\":\"Sayfa yüklenirken bir hata oluştu\",\"Q7UCEH\":\"Soruları sıralarken bir hata oluştu. Lütfen tekrar deneyin veya sayfayı yenileyin\",\"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\":\"Beklenmeyen bir hata oluştu.\",\"byKna+\":\"Beklenmeyen bir hata oluştu. Lütfen tekrar deneyin.\",\"ubdMGz\":\"Ürün sahiplerinden gelen tüm sorular bu e-posta adresine gönderilecektir. Bu aynı zamanda bu etkinlikten gönderilen tüm e-postalar için \\\"yanıtla\\\" adresi olarak da kullanılacaktır\",\"aAIQg2\":\"Görünüm\",\"Ym1gnK\":\"uygulandı\",\"sy6fss\":[[\"0\"],\" ürüne uygulanır\"],\"kadJKg\":\"1 ürüne uygulanır\",\"DB8zMK\":\"Uygula\",\"GctSSm\":\"Promosyon Kodunu Uygula\",\"ARBThj\":[\"Bu \",[\"type\"],\"'ı tüm yeni ürünlere uygula\"],\"S0ctOE\":\"Etkinliği arşivle\",\"TdfEV7\":\"Arşivlendi\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Bu katılımcıyı etkinleştirmek istediğinizden emin misiniz?\",\"TvkW9+\":\"Bu etkinliği arşivlemek istediğinizden emin misiniz?\",\"/CV2x+\":\"Bu katılımcıyı iptal etmek istediğinizden emin misiniz? Bu işlem biletini geçersiz kılacaktır\",\"YgRSEE\":\"Bu promosyon kodunu silmek istediğinizden emin misiniz?\",\"iU234U\":\"Bu soruyu silmek istediğinizden emin misiniz?\",\"CMyVEK\":\"Bu etkinliği taslak yapmak istediğinizden emin misiniz? Bu işlem etkinliği halka görünmez yapacaktır\",\"mEHQ8I\":\"Bu etkinliği herkese açık yapmak istediğinizden emin misiniz? Bu işlem etkinliği halka görünür yapacaktır\",\"s4JozW\":\"Bu etkinliği geri yüklemek istediğinizden emin misiniz? Taslak etkinlik olarak geri yüklenecektir.\",\"vJuISq\":\"Bu Kapasite Atamasını silmek istediğinizden emin misiniz?\",\"baHeCz\":\"Bu Check-In Listesini silmek istediğinizden emin misiniz?\",\"LBLOqH\":\"Sipariş başına bir kez sor\",\"wu98dY\":\"Ürün başına bir kez sor\",\"ss9PbX\":\"Katılımcı\",\"m0CFV2\":\"Katılımcı Detayları\",\"QKim6l\":\"Katılımcı bulunamadı\",\"R5IT/I\":\"Katılımcı Notları\",\"lXcSD2\":\"Katılımcı soruları\",\"HT/08n\":\"Katılımcı Bileti\",\"9SZT4E\":\"Katılımcılar\",\"iPBfZP\":\"Kayıtlı Katılımcılar\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Otomatik Boyutlandır\",\"vZ5qKF\":\"Widget yüksekliğini içeriğe göre otomatik olarak boyutlandırır. Devre dışı bırakıldığında, widget kapsayıcının yüksekliğini dolduracaktır.\",\"4lVaWA\":\"Çevrimdışı ödeme bekleniyor\",\"2rHwhl\":\"Çevrimdışı Ödeme Bekleniyor\",\"3wF4Q/\":\"Ödeme bekleniyor\",\"ioG+xt\":\"Ödeme Bekleniyor\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Harika Organizatör Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Etkinlik sayfasına dön\",\"VCoEm+\":\"Girişe dön\",\"k1bLf+\":\"Arkaplan Rengi\",\"I7xjqg\":\"Arkaplan Türü\",\"1mwMl+\":\"Göndermeden önce!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Fatura Adresi\",\"/xC/im\":\"Fatura Ayarları\",\"rp/zaT\":\"Brezilya Portekizcesi\",\"whqocw\":\"Kayıt olarak <0>Hizmet Şartlarımızı ve <1>Gizlilik Politikasımızı kabul etmiş olursunuz.\",\"bcCn6r\":\"Hesaplama Türü\",\"+8bmSu\":\"Kaliforniya\",\"iStTQt\":\"Kamera izni reddedildi. Tekrar <0>İzin İsteyin, veya bu işe yaramazsa, tarayıcı ayarlarınızdan <1>bu sayfaya kamera erişimi vermeniz gerekecek.\",\"dEgA5A\":\"İptal\",\"Gjt/py\":\"E-posta değişikliğini iptal et\",\"tVJk4q\":\"Siparişi iptal et\",\"Os6n2a\":\"Siparişi İptal Et\",\"Mz7Ygx\":[\"Sipariş \",[\"0\"],\"'ı İptal Et\"],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"İptal Edildi\",\"U7nGvl\":\"Check-in Yapılamaz\",\"QyjCeq\":\"Kapasite\",\"V6Q5RZ\":\"Kapasite ataması başarıyla oluşturuldu\",\"k5p8dz\":\"Kapasite ataması başarıyla silindi\",\"nDBs04\":\"Kapasite Yönetimi\",\"ddha3c\":\"Kategoriler ürünleri birlikte gruplandırmanızı sağlar. Örneğin, \\\"Biletler\\\" için bir kategori ve \\\"Ürünler\\\" için başka bir kategori oluşturabilirsiniz.\",\"iS0wAT\":\"Kategoriler ürünlerinizi düzenlemenize yardımcı olur. Bu başlık halka açık etkinlik sayfasında gösterilecektir.\",\"eorM7z\":\"Kategoriler başarıyla yeniden sıralandı.\",\"3EXqwa\":\"Kategori Başarıyla Oluşturuldu\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Şifre değiştir\",\"xMDm+I\":\"Check-in Yap\",\"p2WLr3\":[[\"0\"],\" \",[\"1\"],\" check-in yap\"],\"D6+U20\":\"Check-in yap ve siparişi ödenmiş olarak işaretle\",\"QYLpB4\":\"Sadece check-in yap\",\"/Ta1d4\":\"Check-out Yap\",\"5LDT6f\":\"Bu etkinliğe göz atın!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Check-In Listesi başarıyla silindi\",\"+hBhWk\":\"Check-in listesinin süresi doldu\",\"mBsBHq\":\"Check-in listesi aktif değil\",\"vPqpQG\":\"Check-in listesi bulunamadı\",\"tejfAy\":\"Check-In Listeleri\",\"hD1ocH\":\"Check-In URL'si panoya kopyalandı\",\"CNafaC\":\"Onay kutusu seçenekleri çoklu seçime izin verir\",\"SpabVf\":\"Onay Kutuları\",\"CRu4lK\":\"Giriş Yapıldı\",\"znIg+z\":\"Ödeme\",\"1WnhCL\":\"Ödeme Ayarları\",\"6imsQS\":\"Çince (Basitleştirilmiş)\",\"JjkX4+\":\"Arkaplanınız için bir renk seçin\",\"/Jizh9\":\"Bir hesap seçin\",\"3wV73y\":\"Şehir\",\"FG98gC\":\"Arama Metnini Temizle\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Kopyalamak için tıklayın\",\"yz7wBu\":\"Kapat\",\"62Ciis\":\"Kenar çubuğunu kapat\",\"EWPtMO\":\"Kod\",\"ercTDX\":\"Kod 3 ile 50 karakter arasında olmalıdır\",\"oqr9HB\":\"Etkinlik sayfası ilk yüklendiğinde bu ürünü daralt\",\"jZlrte\":\"Renk\",\"Vd+LC3\":\"Renk geçerli bir hex renk kodu olmalıdır. Örnek: #ffffff\",\"1HfW/F\":\"Renkler\",\"VZeG/A\":\"Yakında\",\"yPI7n9\":\"Etkinliği tanımlayan virgülle ayrılmış anahtar kelimeler. Bunlar arama motorları tarafından etkinliği kategorize etmek ve indekslemek için kullanılacaktır\",\"NPZqBL\":\"Siparişi Tamamla\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Ödemeyi Tamamla\",\"qqWcBV\":\"Tamamlandı\",\"6HK5Ct\":\"Tamamlanan siparişler\",\"NWVRtl\":\"Tamamlanan Siparişler\",\"DwF9eH\":\"Bileşen Kodu\",\"Tf55h7\":\"Yapılandırılmış İndirim\",\"7VpPHA\":\"Onayla\",\"ZaEJZM\":\"E-posta Değişikliğini Onayla\",\"yjkELF\":\"Yeni Şifreyi Onayla\",\"xnWESi\":\"Şifreyi onayla\",\"p2/GCq\":\"Şifreyi Onayla\",\"wnDgGj\":\"E-posta adresi onaylanıyor...\",\"pbAk7a\":\"Stripe'ı Bağla\",\"UMGQOh\":\"Stripe ile Bağlan\",\"QKLP1W\":\"Ödeme almaya başlamak için Stripe hesabınızı bağlayın.\",\"5lcVkL\":\"Bağlantı Detayları\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Devam Et\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Devam Butonu Metni\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Kuruluma devam et\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Kopyalandı\",\"T5rdis\":\"panoya kopyalandı\",\"he3ygx\":\"Kopyala\",\"r2B2P8\":\"Check-In URL'sini Kopyala\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Linki Kopyala\",\"E6nRW7\":\"URL'yi Kopyala\",\"JNCzPW\":\"Ülke\",\"IF7RiR\":\"Kapak\",\"hYgDIe\":\"Oluştur\",\"b9XOHo\":[[\"0\"],\" Oluştur\"],\"k9RiLi\":\"Ürün Oluştur\",\"6kdXbW\":\"Promosyon Kodu Oluştur\",\"n5pRtF\":\"Bilet Oluştur\",\"X6sRve\":[\"Başlamak için hesap oluşturun veya <0>\",[\"0\"],\"\"],\"nx+rqg\":\"organizatör oluştur\",\"ipP6Ue\":\"Katılımcı Oluştur\",\"VwdqVy\":\"Kapasite Ataması Oluştur\",\"EwoMtl\":\"Kategori oluştur\",\"XletzW\":\"Kategori Oluştur\",\"WVbTwK\":\"Check-In Listesi Oluştur\",\"uN355O\":\"Etkinlik Oluştur\",\"BOqY23\":\"Yeni oluştur\",\"kpJAeS\":\"Organizatör Oluştur\",\"a0EjD+\":\"Ürün Oluştur\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Promosyon Kodu Oluştur\",\"B3Mkdt\":\"Soru Oluştur\",\"UKfi21\":\"Vergi veya Ücret Oluştur\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Para Birimi\",\"DCKkhU\":\"Mevcut Şifre\",\"uIElGP\":\"Özel Harita URL'si\",\"UEqXyt\":\"Özel Aralık\",\"876pfE\":\"Müşteri\",\"QOg2Sf\":\"Bu etkinlik için e-posta ve bildirim ayarlarını özelleştirin\",\"Y9Z/vP\":\"Etkinlik ana sayfası ve ödeme mesajlarını özelleştirin\",\"2E2O5H\":\"Bu etkinlik için çeşitli ayarları özelleştirin\",\"iJhSxe\":\"Bu etkinlik için SEO ayarlarını özelleştirin\",\"KIhhpi\":\"Etkinlik sayfanızı özelleştirin\",\"nrGWUv\":\"Etkinlik sayfanızı markanız ve tarzınıza uyacak şekilde özelleştirin.\",\"Zz6Cxn\":\"Tehlike bölgesi\",\"ZQKLI1\":\"Tehlike Bölgesi\",\"7p5kLi\":\"Gösterge Paneli\",\"mYGY3B\":\"Tarih\",\"JvUngl\":\"Tarih ve Saat\",\"JJhRbH\":\"Birinci gün kapasitesi\",\"cnGeoo\":\"Sil\",\"jRJZxD\":\"Kapasiteyi Sil\",\"VskHIx\":\"Kategoriyi sil\",\"Qrc8RZ\":\"Check-In Listesini Sil\",\"WHf154\":\"Kodu sil\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Soruyu sil\",\"Nu4oKW\":\"Açıklama\",\"YC3oXa\":\"Check-in personeli için açıklama\",\"URmyfc\":\"Detaylar\",\"1lRT3t\":\"Bu kapasiteyi devre dışı bırakmak satışları takip edecek ancak limite ulaşıldığında onları durdurmayacaktır\",\"H6Ma8Z\":\"İndirim\",\"ypJ62C\":\"İndirim %\",\"3LtiBI\":[[\"0\"],\" cinsinden indirim\"],\"C8JLas\":\"İndirim Türü\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Belge Etiketi\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Bağış / İstediğiniz kadar öde ürünü\",\"OvNbls\":\".ics İndir\",\"kodV18\":\"CSV İndir\",\"CELKku\":\"Faturayı indir\",\"LQrXcu\":\"Faturayı İndir\",\"QIodqd\":\"QR Kodu İndir\",\"yhjU+j\":\"Fatura İndiriliyor\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Açılır seçim\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Etkinliği çoğalt\",\"3ogkAk\":\"Etkinliği Çoğalt\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Çoğaltma Seçenekleri\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Erken kuş\",\"ePK91l\":\"Düzenle\",\"N6j2JH\":[[\"0\"],\" Düzenle\"],\"kBkYSa\":\"Kapasiteyi Düzenle\",\"oHE9JT\":\"Kapasite Atamasını Düzenle\",\"j1Jl7s\":\"Kategoriyi düzenle\",\"FU1gvP\":\"Check-In Listesini Düzenle\",\"iFgaVN\":\"Kodu Düzenle\",\"jrBSO1\":\"Organizatörü Düzenle\",\"tdD/QN\":\"Ürünü Düzenle\",\"n143Tq\":\"Ürün Kategorisini Düzenle\",\"9BdS63\":\"Promosyon Kodunu Düzenle\",\"O0CE67\":\"Soruyu düzenle\",\"EzwCw7\":\"Soruyu Düzenle\",\"poTr35\":\"Kullanıcıyı düzenle\",\"GTOcxw\":\"Kullanıcıyı Düzenle\",\"pqFrv2\":\"örn. $2.50 için 2.50\",\"3yiej1\":\"örn. %23.5 için 23.5\",\"O3oNi5\":\"E-posta\",\"VxYKoK\":\"E-posta ve Bildirim Ayarları\",\"ATGYL1\":\"E-posta adresi\",\"hzKQCy\":\"E-posta Adresi\",\"HqP6Qf\":\"E-posta değişikliği başarıyla iptal edildi\",\"mISwW1\":\"E-posta değişikliği beklemede\",\"APuxIE\":\"E-posta onayı yeniden gönderildi\",\"YaCgdO\":\"E-posta onayı başarıyla yeniden gönderildi\",\"jyt+cx\":\"E-posta alt bilgi mesajı\",\"I6F3cp\":\"E-posta doğrulanmamış\",\"NTZ/NX\":\"Gömme Kodu\",\"4rnJq4\":\"Gömme Scripti\",\"8oPbg1\":\"Faturalamayı Etkinleştir\",\"j6w7d/\":\"Limite ulaşıldığında ürün satışlarını durdurmak için bu kapasiteyi etkinleştir\",\"VFv2ZC\":\"Bitiş Tarihi\",\"237hSL\":\"Sona Erdi\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"İngilizce\",\"MhVoma\":\"Vergiler ve ücretler hariç bir tutar girin.\",\"SlfejT\":\"Hata\",\"3Z223G\":\"E-posta adresini onaylama hatası\",\"a6gga1\":\"E-posta değişikliğini onaylama hatası\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Etkinlik\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Etkinlik Tarihi\",\"0Zptey\":\"Etkinlik Varsayılanları\",\"QcCPs8\":\"Etkinlik Detayları\",\"6fuA9p\":\"Etkinlik başarıyla çoğaltıldı\",\"AEuj2m\":\"Etkinlik Ana Sayfası\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Etkinlik konumu ve mekan detayları\",\"OopDbA\":\"Event page\",\"4/If97\":\"Etkinlik durumu güncellenemedi. Lütfen daha sonra tekrar deneyin\",\"btxLWj\":\"Etkinlik durumu güncellendi\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Etkinlikler\",\"sZg7s1\":\"Son kullanım tarihi\",\"KnN1Tu\":\"Süresi Doluyor\",\"uaSvqt\":\"Son Kullanım Tarihi\",\"GS+Mus\":\"Dışa Aktar\",\"9xAp/j\":\"Katılımcı iptal edilemedi\",\"ZpieFv\":\"Sipariş iptal edilemedi\",\"z6tdjE\":\"Mesaj silinemedi. Lütfen tekrar deneyin.\",\"xDzTh7\":\"Fatura indirilemedi. Lütfen tekrar deneyin.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Giriş Listesi yüklenemedi\",\"ZQ15eN\":\"Bilet e-postası yeniden gönderilemedi\",\"ejXy+D\":\"Ürünler sıralanamadı\",\"PLUB/s\":\"Ücret\",\"/mfICu\":\"Ücretler\",\"LyFC7X\":\"Siparişleri Filtrele\",\"cSev+j\":\"Filtreler\",\"CVw2MU\":[\"Filtreler (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"İlk Fatura Numarası\",\"V1EGGU\":\"Ad\",\"kODvZJ\":\"Ad\",\"S+tm06\":\"Ad 1 ile 50 karakter arasında olmalıdır\",\"1g0dC4\":\"Ad, Soyad ve E-posta Adresi varsayılan sorulardır ve ödeme sürecine her zaman dahil edilir.\",\"Rs/IcB\":\"İlk Kullanım\",\"TpqW74\":\"Sabit\",\"irpUxR\":\"Sabit tutar\",\"TF9opW\":\"Bu cihazda flaş mevcut değil\",\"UNMVei\":\"Şifrenizi mi unuttunuz?\",\"2POOFK\":\"Ücretsiz\",\"P/OAYJ\":\"Ücretsiz Ürün\",\"vAbVy9\":\"Ücretsiz ürün, ödeme bilgisi gerekli değil\",\"nLC6tu\":\"Fransızca\",\"Weq9zb\":\"Genel\",\"DDcvSo\":\"Almanca\",\"4GLxhy\":\"Başlarken\",\"4D3rRj\":\"Profile geri dön\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Google Takvim\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Brüt satışlar\",\"yRg26W\":\"Brüt Satışlar\",\"R4r4XO\":\"Misafirler\",\"26pGvx\":\"Promosyon kodunuz var mı?\",\"V7yhws\":\"merhaba@harika-etkinlikler.com\",\"6K/IHl\":\"İşte bileşeni uygulamanızda nasıl kullanabileceğinize dair bir örnek.\",\"Y1SSqh\":\"İşte widget'ı uygulamanıza yerleştirmek için kullanabileceğiniz React bileşeni.\",\"QuhVpV\":[\"Merhaba \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Halk görünümünden gizli\",\"gt3Xw9\":\"gizli soru\",\"g3rqFe\":\"gizli sorular\",\"k3dfFD\":\"Gizli sorular yalnızca etkinlik organizatörü tarafından görülebilir, müşteri tarafından görülemez.\",\"vLyv1R\":\"Gizle\",\"Mkkvfd\":\"Başlarken sayfasını gizle\",\"mFn5Xz\":\"Gizli soruları gizle\",\"YHsF9c\":\"Satış bitiş tarihinden sonra ürünü gizle\",\"06s3w3\":\"Satış başlama tarihinden önce ürünü gizle\",\"axVMjA\":\"Kullanıcının uygun promosyon kodu yoksa ürünü gizle\",\"ySQGHV\":\"Tükendiğinde ürünü gizle\",\"SCimta\":\"Başlarken sayfasını kenar çubuğundan gizle\",\"5xR17G\":\"Bu ürünü müşterilerden gizle\",\"Da29Y6\":\"Bu soruyu gizle\",\"fvDQhr\":\"Bu katmanı kullanıcılardan gizle\",\"lNipG+\":\"Bir ürünü gizlemek, kullanıcıların onu etkinlik sayfasında görmesini engeller.\",\"ZOBwQn\":\"Ana Sayfa Tasarımı\",\"PRuBTd\":\"Ana Sayfa Tasarımcısı\",\"YjVNGZ\":\"Ana Sayfa Önizlemesi\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Müşterinin siparişini tamamlamak için kaç dakikası var. En az 15 dakika öneriyoruz\",\"ySxKZe\":\"Bu kod kaç kez kullanılabilir?\",\"dZsDbK\":[\"HTML karakter sınırı aşıldı: \",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://ornek-harita-servisi.com/...\",\"uOXLV3\":\"<0>Şartlar ve koşulları kabul ediyorum\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Boş bırakılırsa, Google Harita linki oluşturmak için adres kullanılacak\",\"UYT+c8\":\"Etkinleştirilirse, check-in personeli katılımcıları check-in yaptı olarak işaretleyebilir veya siparişi ödenmiş olarak işaretleyip katılımcıları check-in yapabilir. Devre dışıysa, ödenmemiş siparişlerle ilişkili katılımcılar check-in yapamazlar.\",\"muXhGi\":\"Etkinleştirilirse, yeni bir sipariş verildiğinde organizatör e-posta bildirimi alacak\",\"6fLyj/\":\"Bu değişikliği talep etmediyseniz, lütfen hemen şifrenizi değiştirin.\",\"n/ZDCz\":\"Resim başarıyla silindi\",\"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\":\"Resim başarıyla yüklendi\",\"VyUuZb\":\"Resim URL'si\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Pasif\",\"T0K0yl\":\"Pasif kullanıcılar giriş yapamazlar.\",\"kO44sp\":\"Çevrimiçi etkinliğiniz için bağlantı detaylarını ekleyin. Bu detaylar sipariş özeti sayfasında ve katılımcı bilet sayfasında gösterilecektir.\",\"FlQKnG\":\"Fiyata vergi ve ücretleri dahil et\",\"Vi+BiW\":[[\"0\"],\" ürün içerir\"],\"lpm0+y\":\"1 ürün içerir\",\"UiAk5P\":\"Resim Ekle\",\"OyLdaz\":\"Davet yeniden gönderildi!\",\"HE6KcK\":\"Davet iptal edildi!\",\"SQKPvQ\":\"Kullanıcı Davet Et\",\"bKOYkd\":\"Fatura başarıyla indirildi\",\"alD1+n\":\"Fatura Notları\",\"kOtCs2\":\"Fatura Numaralandırma\",\"UZ2GSZ\":\"Fatura Ayarları\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Öğe\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Etiket\",\"vXIe7J\":\"Dil\",\"2LMsOq\":\"Son 12 ay\",\"vfe90m\":\"Son 14 gün\",\"aK4uBd\":\"Son 24 saat\",\"uq2BmQ\":\"Son 30 gün\",\"bB6Ram\":\"Son 48 saat\",\"VlnB7s\":\"Son 6 ay\",\"ct2SYD\":\"Son 7 gün\",\"XgOuA7\":\"Son 90 gün\",\"I3yitW\":\"Son giriş\",\"1ZaQUH\":\"Soyad\",\"UXBCwc\":\"Soyad\",\"tKCBU0\":\"Son Kullanım\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Varsayılan \\\"Fatura\\\" kelimesini kullanmak için boş bırakın\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Yükleniyor...\",\"wJijgU\":\"Konum\",\"sQia9P\":\"Giriş yap\",\"zUDyah\":\"Giriş yapılıyor\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Çıkış\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Ödeme sırasında fatura adresini zorunlu kıl\",\"MU3ijv\":\"Bu soruyu zorunlu kıl\",\"wckWOP\":\"Yönet\",\"onpJrA\":\"Katılımcıyı yönet\",\"n4SpU5\":\"Etkinliği yönet\",\"WVgSTy\":\"Siparişi yönet\",\"1MAvUY\":\"Bu etkinlik için ödeme ve faturalama ayarlarını yönet.\",\"cQrNR3\":\"Profili Yönet\",\"AtXtSw\":\"Ürünlerinize uygulanabilecek vergi ve ücretleri yönetin\",\"ophZVW\":\"Biletleri yönet\",\"DdHfeW\":\"Hesap bilgilerinizi ve varsayılan ayarlarını yönetin\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Kullanıcılarınızı ve izinlerini yönetin\",\"1m+YT2\":\"Zorunlu sorular müşteri ödeme yapmadan önce cevaplanmalıdır.\",\"Dim4LO\":\"Manuel olarak Katılımcı ekle\",\"e4KdjJ\":\"Manuel Katılımcı Ekle\",\"vFjEnF\":\"Ödendi olarak işaretle\",\"g9dPPQ\":\"Sipariş Başına Maksimum\",\"l5OcwO\":\"Katılımcıya mesaj gönder\",\"Gv5AMu\":\"Katılımcılara Mesaj\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Alıcıya mesaj gönder\",\"tNZzFb\":\"Mesaj İçeriği\",\"lYDV/s\":\"Bireysel katılımcılara mesaj gönder\",\"V7DYWd\":\"Mesaj Gönderildi\",\"t7TeQU\":\"Mesajlar\",\"xFRMlO\":\"Sipariş Başına Minimum\",\"QYcUEf\":\"Minimum Fiyat\",\"RDie0n\":\"Çeşitli\",\"mYLhkl\":\"Çeşitli Ayarlar\",\"KYveV8\":\"Çok satırlı metin kutusu\",\"VD0iA7\":\"Çoklu fiyat seçenekleri. Erken kayıt ürünleri vb. için mükemmel.\",\"/bhMdO\":\"Harika etkinlik açıklamam...\",\"vX8/tc\":\"Harika etkinlik başlığım...\",\"hKtWk2\":\"Profilim\",\"fj5byd\":\"Yok\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Ad\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Katılımcıya Git\",\"qqeAJM\":\"Asla\",\"7vhWI8\":\"Yeni Şifre\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Gösterilecek arşivlenmiş etkinlik yok.\",\"q2LEDV\":\"Bu sipariş için katılımcı bulunamadı.\",\"zlHa5R\":\"Bu siparişe katılımcı eklenmemiş.\",\"Wjz5KP\":\"Gösterilecek Katılımcı yok\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Kapasite Ataması Yok\",\"a/gMx2\":\"Check-In Listesi Yok\",\"tMFDem\":\"Veri mevcut değil\",\"6Z/F61\":\"Gösterilecek veri yok. Lütfen bir tarih aralığı seçin\",\"fFeCKc\":\"İndirim Yok\",\"HFucK5\":\"Gösterilecek sona ermiş etkinlik yok.\",\"yAlJXG\":\"Gösterilecek etkinlik yok\",\"GqvPcv\":\"Filtre mevcut değil\",\"KPWxKD\":\"Gösterilecek mesaj yok\",\"J2LkP8\":\"Gösterilecek sipariş yok\",\"RBXXtB\":\"Şu anda hiçbir ödeme yöntemi mevcut değil. Yardım için etkinlik organizatörüyle iletişime geçin.\",\"ZWEfBE\":\"Ödeme Gerekli Değil\",\"ZPoHOn\":\"Bu katılımcı ile ilişkili ürün yok.\",\"Ya1JhR\":\"Bu kategoride mevcut ürün yok.\",\"FTfObB\":\"Henüz Ürün Yok\",\"+Y976X\":\"Gösterilecek Promosyon Kodu yok\",\"MAavyl\":\"Bu katılımcı tarafından cevaplanan soru yok.\",\"SnlQeq\":\"Bu sipariş için hiçbir soru sorulmamış.\",\"Ev2r9A\":\"Sonuç yok\",\"gk5uwN\":\"Arama Sonucu Yok\",\"RHyZUL\":\"Arama sonucu yok.\",\"RY2eP1\":\"Hiçbir Vergi veya Ücret eklenmemiş.\",\"EdQY6l\":\"Hiçbiri\",\"OJx3wK\":\"Mevcut değil\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Notlar\",\"jtrY3S\":\"Henüz gösterilecek bir şey yok\",\"hFwWnI\":\"Bildirim Ayarları\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Organizatörü yeni siparişler hakkında bilgilendir\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Ödeme için izin verilen gün sayısı (faturalardan ödeme koşullarını çıkarmak için boş bırakın)\",\"n86jmj\":\"Numara Öneki\",\"mwe+2z\":\"Çevrimdışı siparişler, sipariş ödendi olarak işaretlenene kadar etkinlik istatistiklerine yansıtılmaz.\",\"dWBrJX\":\"Çevrimdışı ödeme başarısız. Lütfen tekrar deneyin veya etkinlik organizatörüyle iletişime geçin.\",\"fcnqjw\":\"Çevrimdışı Ödeme Talimatları\",\"+eZ7dp\":\"Çevrimdışı Ödemeler\",\"ojDQlR\":\"Çevrimdışı Ödemeler Bilgisi\",\"u5oO/W\":\"Çevrimdışı Ödemeler Ayarları\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"Satışta\",\"Ug4SfW\":\"Bir etkinlik oluşturduğunuzda, burada göreceksiniz.\",\"ZxnK5C\":\"Veri toplamaya başladığınızda, burada göreceksiniz.\",\"PnSzEc\":\"Hazır olduğunuzda, etkinliğinizi yayına alın ve ürün satmaya başlayın.\",\"J6n7sl\":\"Devam Eden\",\"z+nuVJ\":\"Online etkinlik\",\"WKHW0N\":\"Online Etkinlik Detayları\",\"/xkmKX\":\"Bu form kullanılarak yalnızca bu etkinlikle doğrudan ilgili önemli e-postalar gönderilmelidir.\\nPromosyon e-postaları göndermek dahil herhangi bir kötüye kullanım, derhal hesap yasaklanmasına yol açacaktır.\",\"Qqqrwa\":\"Check-In Sayfasını Aç\",\"OdnLE4\":\"Kenar çubuğunu aç\",\"ZZEYpT\":[\"Seçenek \",[\"i\"]],\"oPknTP\":\"Tüm faturalarda görünecek isteğe bağlı ek bilgiler (örn., ödeme koşulları, gecikme ücreti, iade politikası)\",\"OrXJBY\":\"Fatura numaraları için isteğe bağlı önek (örn., FAT-)\",\"0zpgxV\":\"Seçenekler\",\"BzEFor\":\"veya\",\"UYUgdb\":\"Sipariş\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Sipariş İptal Edildi\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Sipariş Tarihi\",\"Tol4BF\":\"Sipariş Detayları\",\"WbImlQ\":\"Sipariş iptal edildi ve sipariş sahibi bilgilendirildi.\",\"nAn4Oe\":\"Sipariş ödendi olarak işaretlendi\",\"uzEfRz\":\"Sipariş Notları\",\"VCOi7U\":\"Sipariş soruları\",\"TPoYsF\":\"Sipariş Referansı\",\"acIJ41\":\"Sipariş Durumu\",\"GX6dZv\":\"Sipariş Özeti\",\"tDTq0D\":\"Sipariş zaman aşımı\",\"1h+RBg\":\"Siparişler\",\"3y+V4p\":\"Organizasyon Adresi\",\"GVcaW6\":\"Organizasyon Detayları\",\"nfnm9D\":\"Organizasyon Adı\",\"G5RhpL\":\"Organizatör\",\"mYygCM\":\"Organizatör gereklidir\",\"Pa6G7v\":\"Organizatör Adı\",\"l894xP\":\"Organizatörler yalnızca etkinlikleri ve ürünleri yönetebilir. Kullanıcıları, hesap ayarlarını veya fatura bilgilerini yönetemezler.\",\"fdjq4c\":\"İç Boşluk\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Sayfa bulunamadı\",\"QbrUIo\":\"Sayfa görüntüleme\",\"6D8ePg\":\"sayfa.\",\"IkGIz8\":\"ödendi\",\"HVW65c\":\"Ücretli Ürün\",\"ZfxaB4\":\"Kısmen İade Edildi\",\"8ZsakT\":\"Şifre\",\"TUJAyx\":\"Şifre en az 8 karakter olmalıdır\",\"vwGkYB\":\"Şifre en az 8 karakter olmalıdır\",\"BLTZ42\":\"Şifre başarıyla sıfırlandı. Lütfen yeni şifrenizle giriş yapın.\",\"f7SUun\":\"Şifreler aynı değil\",\"aEDp5C\":\"Widget'ın görünmesini istediğiniz yere bunu yapıştırın.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Ödeme\",\"Lg+ewC\":\"Ödeme ve Faturalama\",\"DZjk8u\":\"Ödeme ve Faturalama Ayarları\",\"lflimf\":\"Ödeme Vade Süresi\",\"JhtZAK\":\"Ödeme Başarısız\",\"JEdsvQ\":\"Ödeme Talimatları\",\"bLB3MJ\":\"Ödeme Yöntemleri\",\"QzmQBG\":\"Ödeme sağlayıcısı\",\"lsxOPC\":\"Ödeme Alındı\",\"wJTzyi\":\"Ödeme Durumu\",\"xgav5v\":\"Ödeme başarılı!\",\"R29lO5\":\"Ödeme Koşulları\",\"/roQKz\":\"Yüzde\",\"vPJ1FI\":\"Yüzde Miktarı\",\"xdA9ud\":\"Bunu web sitenizin bölümüne yerleştirin.\",\"blK94r\":\"Lütfen en az bir seçenek ekleyin\",\"FJ9Yat\":\"Lütfen verilen bilgilerin doğru olduğunu kontrol edin\",\"TkQVup\":\"Lütfen e-posta ve şifrenizi kontrol edin ve tekrar deneyin\",\"sMiGXD\":\"Lütfen e-postanızın geçerli olduğunu kontrol edin\",\"Ajavq0\":\"E-posta adresinizi onaylamak için lütfen e-postanızı kontrol edin\",\"MdfrBE\":\"Davetinizi kabul etmek için lütfen aşağıdaki formu doldurun\",\"b1Jvg+\":\"Lütfen yeni sekmede devam edin\",\"hcX103\":\"Lütfen bir ürün oluşturun\",\"cdR8d6\":\"Lütfen bir bilet oluşturun\",\"x2mjl4\":\"Lütfen bir resme işaret eden geçerli bir resim URL'si girin.\",\"HnNept\":\"Lütfen yeni şifrenizi girin\",\"5FSIzj\":\"Lütfen Dikkat\",\"C63rRe\":\"Baştan başlamak için lütfen etkinlik sayfasına dönün.\",\"pJLvdS\":\"Lütfen seçin\",\"Ewir4O\":\"Lütfen en az bir ürün seçin\",\"igBrCH\":\"Tüm özelliklere erişmek için lütfen e-posta adresinizi doğrulayın\",\"/IzmnP\":\"Faturanızı hazırlarken lütfen bekleyin...\",\"MOERNx\":\"Portekizce\",\"qCJyMx\":\"Ödeme sonrası mesaj\",\"g2UNkE\":\"Tarafından desteklenmektedir\",\"Rs7IQv\":\"Ödeme öncesi mesaj\",\"rdUucN\":\"Önizleme\",\"a7u1N9\":\"Fiyat\",\"CmoB9j\":\"Fiyat görünüm modu\",\"BI7D9d\":\"Fiyat belirlenmedi\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Fiyat Türü\",\"6RmHKN\":\"Ana Renk\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Ana Metin Rengi\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"Tüm Biletleri Yazdır\",\"DKwDdj\":\"Biletleri Yazdır\",\"K47k8R\":\"Ürün\",\"1JwlHk\":\"Ürün Kategorisi\",\"U61sAj\":\"Ürün kategorisi başarıyla güncellendi.\",\"1USFWA\":\"Ürün başarıyla silindi\",\"4Y2FZT\":\"Ürün Fiyat Türü\",\"mFwX0d\":\"Ürün soruları\",\"Lu+kBU\":\"Ürün Satışları\",\"U/R4Ng\":\"Ürün Katmanı\",\"sJsr1h\":\"Ürün Türü\",\"o1zPwM\":\"Ürün Widget Önizlemesi\",\"ktyvbu\":\"Ürün(ler)\",\"N0qXpE\":\"Ürünler\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Satılan ürünler\",\"/u4DIx\":\"Satılan Ürünler\",\"DJQEZc\":\"Ürünler başarıyla sıralandı\",\"vERlcd\":\"Profil\",\"kUlL8W\":\"Profil başarıyla güncellendi\",\"cl5WYc\":[\"Promosyon \",[\"promo_code\"],\" kodu uygulandı\"],\"P5sgAk\":\"Promosyon Kodu\",\"yKWfjC\":\"Promosyon Kodu sayfası\",\"RVb8Fo\":\"Promosyon Kodları\",\"BZ9GWa\":\"Promosyon kodları indirim sunmak, ön satış erişimi veya etkinliğinize özel erişim sağlamak için kullanılabilir.\",\"OP094m\":\"Promosyon Kodları Raporu\",\"4kyDD5\":\"Bu soru için ek bağlam veya talimatlar sağlayın. Bu alanı şartlar\\nve koşullar, yönergeler veya katılımcıların cevaplamadan önce bilmeleri gereken önemli bilgileri eklemek için kullanın.\",\"toutGW\":\"QR Kod\",\"LkMOWF\":\"Mevcut Miktar\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Soru silindi\",\"avf0gk\":\"Soru Açıklaması\",\"oQvMPn\":\"Soru Başlığı\",\"enzGAL\":\"Sorular\",\"ROv2ZT\":\"Sorular ve Cevaplar\",\"K885Eq\":\"Sorular başarıyla sıralandı\",\"OMJ035\":\"Radyo Seçeneği\",\"C4TjpG\":\"Daha az oku\",\"I3QpvQ\":\"Alıcı\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"İade Başarısız\",\"n10yGu\":\"Siparişi iade et\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"İade Bekliyor\",\"xHpVRl\":\"İade Durumu\",\"/BI0y9\":\"İade Edildi\",\"fgLNSM\":\"Kayıt Ol\",\"9+8Vez\":\"Kalan Kullanım\",\"tasfos\":\"kaldır\",\"t/YqKh\":\"Kaldır\",\"t9yxlZ\":\"Raporlar\",\"prZGMe\":\"Fatura Adresi Gerekli\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"E-posta onayını tekrar gönder\",\"wIa8Qe\":\"Daveti tekrar gönder\",\"VeKsnD\":\"Sipariş e-postasını tekrar gönder\",\"dFuEhO\":\"Bilet e-postasını tekrar gönder\",\"o6+Y6d\":\"Tekrar gönderiliyor...\",\"OfhWJH\":\"Sıfırla\",\"RfwZxd\":\"Şifreyi sıfırla\",\"KbS2K9\":\"Şifreyi Sıfırla\",\"e99fHm\":\"Etkinliği geri yükle\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Etkinlik Sayfasına Dön\",\"8YBH95\":\"Gelir\",\"PO/sOY\":\"Daveti iptal et\",\"GDvlUT\":\"Rol\",\"ELa4O9\":\"Satış Bitiş Tarihi\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Satış Başlangıç Tarihi\",\"hBsw5C\":\"Satış bitti\",\"kpAzPe\":\"Satış başlangıcı\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Kaydet\",\"IUwGEM\":\"Değişiklikleri Kaydet\",\"U65fiW\":\"Organizatörü Kaydet\",\"UGT5vp\":\"Ayarları Kaydet\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Katılımcı adı, e-posta veya sipariş #'a göre ara...\",\"+pr/FY\":\"Etkinlik adına göre ara...\",\"3zRbWw\":\"Ad, e-posta veya sipariş #'a göre ara...\",\"L22Tdf\":\"Ad, sipariş #, katılımcı # veya e-postaya göre ara...\",\"BiYOdA\":\"Ada göre ara...\",\"YEjitp\":\"Konu veya içeriğe göre ara...\",\"Pjsch9\":\"Kapasite atamalarını ara...\",\"r9M1hc\":\"Check-in listelerini ara...\",\"+0Yy2U\":\"Ürünleri ara\",\"YIix5Y\":\"Ara...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"İkincil Renk\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"İkincil Metin Rengi\",\"02ePaq\":[[\"0\"],\" seç\"],\"QuNKRX\":\"Kamera Seç\",\"9FQEn8\":\"Kategori seç...\",\"kWI/37\":\"Organizatör seç\",\"ixIx1f\":\"Ürün Seç\",\"3oSV95\":\"Ürün Katmanı Seç\",\"C4Y1hA\":\"Ürünleri seç\",\"hAjDQy\":\"Durum seç\",\"QYARw/\":\"Bilet Seç\",\"OMX4tH\":\"Biletleri seç\",\"DrwwNd\":\"Zaman aralığı seç\",\"O/7I0o\":\"Seç...\",\"JlFcis\":\"Gönder\",\"qKWv5N\":[\"<0>\",[\"0\"],\" adresine bir kopya gönder\"],\"RktTWf\":\"Mesaj gönder\",\"/mQ/tD\":\"Test olarak gönder. Bu mesajı alıcılar yerine kendi e-posta adresinize gönderir.\",\"M/WIer\":\"Mesaj Gönder\",\"D7ZemV\":\"Sipariş onayı ve bilet e-postası gönder\",\"v1rRtW\":\"Test Gönder\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"SEO Açıklaması\",\"/SIY6o\":\"SEO Anahtar Kelimeleri\",\"GfWoKv\":\"SEO Ayarları\",\"rXngLf\":\"SEO Başlığı\",\"/jZOZa\":\"Hizmet Ücreti\",\"Bj/QGQ\":\"Minimum fiyat belirleyin ve kullanıcılar isterlerse daha fazla ödesin\",\"L0pJmz\":\"Fatura numaralandırması için başlangıç numarasını ayarlayın. Faturalar oluşturulduktan sonra bu değiştirilemez.\",\"nYNT+5\":\"Etkinliğinizi kurun\",\"A8iqfq\":\"Etkinliğinizi yayına alın\",\"Tz0i8g\":\"Ayarlar\",\"Z8lGw6\":\"Paylaş\",\"B2V3cA\":\"Etkinliği Paylaş\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Mevcut ürün miktarını göster\",\"qDsmzu\":\"Gizli soruları göster\",\"fMPkxb\":\"Daha fazla göster\",\"izwOOD\":\"Vergi ve ücretleri ayrı göster\",\"1SbbH8\":\"Müşteriye ödeme yaptıktan sonra sipariş özeti sayfasında gösterilir.\",\"YfHZv0\":\"Müşteriye ödeme yapmadan önce gösterilir\",\"CBBcly\":\"Ülke dahil olmak üzere ortak adres alanlarını gösterir\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Tek satır metin kutusu\",\"+P0Cn2\":\"Bu adımı atla\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Tükendi\",\"Mi1rVn\":\"Tükendi\",\"nwtY4N\":\"Bir şeyler yanlış gitti\",\"GRChTw\":\"Vergi veya Ücret silinirken bir şeyler yanlış gitti\",\"YHFrbe\":\"Bir şeyler yanlış gitti! Lütfen tekrar deneyin\",\"kf83Ld\":\"Bir şeyler yanlış gitti.\",\"fWsBTs\":\"Bir şeyler yanlış gitti. Lütfen tekrar deneyin.\",\"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.\",\"6a/UJE\":\"Üzgünüz, bu promosyon kodu tanınmıyor\",\"65A04M\":\"İspanyolca\",\"mFuBqb\":\"Sabit fiyatlı standart ürün\",\"D3iCkb\":\"Başlangıç Tarihi\",\"/2by1f\":\"Eyalet veya Bölge\",\"uAQUqI\":\"Durum\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Bu etkinlik için Stripe ödemeleri etkinleştirilmemiş.\",\"UJmAAK\":\"Konu\",\"X2rrlw\":\"Ara Toplam\",\"zzDlyQ\":\"Başarılı\",\"b0HJ45\":[\"Başarılı! \",[\"0\"],\" kısa süre içinde bir e-posta alacak.\"],\"BJIEiF\":[\"Katılımcı başarıyla \",[\"0\"]],\"OtgNFx\":\"E-posta adresi başarıyla onaylandı\",\"IKwyaF\":\"E-posta değişikliği başarıyla onaylandı\",\"zLmvhE\":\"Katılımcı başarıyla oluşturuldu\",\"gP22tw\":\"Ürün Başarıyla Oluşturuldu\",\"9mZEgt\":\"Promosyon Kodu Başarıyla Oluşturuldu\",\"aIA9C4\":\"Soru Başarıyla Oluşturuldu\",\"J3RJSZ\":\"Katılımcı başarıyla güncellendi\",\"3suLF0\":\"Kapasite Ataması başarıyla güncellendi\",\"Z+rnth\":\"Giriş Listesi başarıyla güncellendi\",\"vzJenu\":\"E-posta Ayarları Başarıyla Güncellendi\",\"7kOMfV\":\"Etkinlik Başarıyla Güncellendi\",\"G0KW+e\":\"Ana Sayfa Tasarımı Başarıyla Güncellendi\",\"k9m6/E\":\"Ana Sayfa Ayarları Başarıyla Güncellendi\",\"y/NR6s\":\"Konum Başarıyla Güncellendi\",\"73nxDO\":\"Çeşitli Ayarlar Başarıyla Güncellendi\",\"4H80qv\":\"Sipariş başarıyla güncellendi\",\"6xCBVN\":\"Ödeme ve Faturalama Ayarları Başarıyla Güncellendi\",\"1Ycaad\":\"Ürün başarıyla güncellendi\",\"70dYC8\":\"Promosyon Kodu Başarıyla Güncellendi\",\"F+pJnL\":\"SEO Ayarları Başarıyla Güncellendi\",\"DXZRk5\":\"Süit 100\",\"GNcfRk\":\"Destek E-postası\",\"uRfugr\":\"Tişört\",\"JpohL9\":\"Vergi\",\"geUFpZ\":\"Vergi ve Ücretler\",\"dFHcIn\":\"Vergi Detayları\",\"wQzCPX\":\"Tüm faturaların altında görünecek vergi bilgisi (örn., KDV numarası, vergi kaydı)\",\"0RXCDo\":\"Vergi veya Ücret başarıyla silindi\",\"ZowkxF\":\"Vergiler\",\"qu6/03\":\"Vergiler ve Ücretler\",\"gypigA\":\"Bu promosyon kodu geçersiz\",\"5ShqeM\":\"Aradığınız check-in listesi mevcut değil.\",\"QXlz+n\":\"Etkinlikleriniz için varsayılan para birimi.\",\"mnafgQ\":\"Etkinlikleriniz için varsayılan saat dilimi.\",\"o7s5FA\":\"Katılımcının e-postaları alacağı dil.\",\"NlfnUd\":\"Tıkladığınız bağlantı geçersiz.\",\"HsFnrk\":[[\"0\"],\" için maksimum ürün sayısı \",[\"1\"]],\"TSAiPM\":\"Aradığınız sayfa mevcut değil\",\"MSmKHn\":\"Müşteriye gösterilen fiyat vergi ve ücretleri içerecektir.\",\"6zQOg1\":\"Müşteriye gösterilen fiyat vergi ve ücretleri içermeyecektir. Bunlar ayrı olarak gösterilecektir\",\"ne/9Ur\":\"Seçtiğiniz stil ayarları yalnızca kopyalanan HTML için geçerlidir ve saklanmayacaktır.\",\"vQkyB3\":\"Bu ürüne uygulanacak vergi ve ücretler. Yeni vergi ve ücretleri şuradan oluşturabilirsiniz\",\"esY5SG\":\"Arama motoru sonuçlarında ve sosyal medyada paylaşırken görüntülenecek etkinlik başlığı. Varsayılan olarak etkinlik başlığı kullanılacaktır\",\"wDx3FF\":\"Bu etkinlik için mevcut ürün yok\",\"pNgdBv\":\"Bu kategoride mevcut ürün yok\",\"rMcHYt\":\"Bekleyen bir iade var. Başka bir iade talebinde bulunmadan önce lütfen tamamlanmasını bekleyin.\",\"F89D36\":\"Sipariş ödendi olarak işaretlenirken bir hata oluştu\",\"68Axnm\":\"İsteğiniz işlenirken bir hata oluştu. Lütfen tekrar deneyin.\",\"mVKOW6\":\"Mesajınız gönderilirken bir hata oluştu\",\"AhBPHd\":\"Bu detaylar yalnızca sipariş başarıyla tamamlanırsa gösterilecektir. Ödeme bekleyen siparişler bu mesajı göstermeyecektir.\",\"Pc/Wtj\":\"Bu katılımcının ödenmemiş siparişi var.\",\"mf3FrP\":\"Bu kategoride henüz hiç ürün yok.\",\"8QH2Il\":\"Bu kategori halktan gizli\",\"xxv3BZ\":\"Bu check-in listesi süresi doldu\",\"Sa7w7S\":\"Bu check-in listesinin süresi doldu ve artık check-in için kullanılamıyor.\",\"Uicx2U\":\"Bu check-in listesi aktif\",\"1k0Mp4\":\"Bu check-in listesi henüz aktif değil\",\"K6fmBI\":\"Bu check-in listesi henüz aktif değil ve check-in yapılabilir durumda değil.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Bu e-posta tanıtım amaçlı değildir ve doğrudan etkinlikle ilgilidir.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Bu bilgiler ödeme sayfasında, sipariş özeti sayfasında ve sipariş onayı e-postasında gösterilecektir.\",\"XAHqAg\":\"Bu genel bir üründür, tişört veya kupa gibi. Hiçbir bilet düzenlenmeyecek\",\"CNk/ro\":\"Bu çevrimiçi bir etkinlik\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Bu mesaj bu etkinlikten gönderilen tüm e-postaların altbilgisinde yer alacak\",\"55i7Fa\":\"Bu mesaj sadece sipariş başarılı bir şekilde tamamlandığında gösterilecek. Ödeme bekleyen siparişlerde bu mesaj gösterilmeyecek\",\"RjwlZt\":\"Bu sipariş zaten ödenmiş.\",\"5K8REg\":\"Bu sipariş zaten iade edilmiş.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Bu sipariş iptal edilmiş.\",\"Q0zd4P\":\"Bu siparişin süresi dolmuş. Lütfen tekrar başlayın.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Bu sipariş tamamlandı.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Bu sipariş sayfası artık mevcut değil.\",\"i0TtkR\":\"Bu tüm görünürlük ayarlarını geçersiz kılar ve ürünü tüm müşterilerden gizler.\",\"cRRc+F\":\"Bu ürün bir siparişle ilişkili olduğu için silinemez. Bunun yerine gizleyebilirsiniz.\",\"3Kzsk7\":\"Bu ürün bir bilettir. Alıcılara satın alma sonrasında bilet verilecek\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Bu soru sadece etkinlik organizatörü tarafından görülebilir\",\"os29v1\":\"Bu şifre sıfırlama bağlantısı geçersiz veya süresi dolmuş.\",\"IV9xTT\":\"Bu kullanıcı davetini kabul etmediği için aktif değil.\",\"5AnPaO\":\"bilet\",\"kjAL4v\":\"Bilet\",\"dtGC3q\":\"Bilet e-postası katılımcıya yeniden gönderildi\",\"54q0zp\":\"Biletler\",\"xN9AhL\":[\"Seviye \",[\"0\"]],\"jZj9y9\":\"Kademeli Ürün\",\"8wITQA\":\"Kademeli ürünler aynı ürün için birden fazla fiyat seçeneği sunmanıza olanak tanır. Bu erken rezervasyon ürünleri veya farklı insan grupları için farklı fiyat seçenekleri sunmak için mükemmeldir.\",\"nn3mSR\":\"Kalan süre:\",\"s/0RpH\":\"Kullanım sayısı\",\"y55eMd\":\"Kullanım Sayısı\",\"40Gx0U\":\"Saat Dilimi\",\"oDGm7V\":\"İPUCU\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Araçlar\",\"72c5Qo\":\"Toplam\",\"YXx+fG\":\"İndirimlerden Önceki Toplam\",\"NRWNfv\":\"Toplam İndirim Tutarı\",\"BxsfMK\":\"Toplam Ücretler\",\"2bR+8v\":\"Toplam Brüt Satış\",\"mpB/d9\":\"Toplam sipariş tutarı\",\"m3FM1g\":\"Toplam iade edilen\",\"jEbkcB\":\"Toplam İade Edilen\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Toplam Vergi\",\"+zy2Nq\":\"Tür\",\"FMdMfZ\":\"Katılımcı girişi yapılamadı\",\"bPWBLL\":\"Katılımcı check-out'u yapılamadı\",\"9+P7zk\":\"Ürün oluşturulamadı. Lütfen bilgilerinizi kontrol edin\",\"WLxtFC\":\"Ürün oluşturulamadı. Lütfen bilgilerinizi kontrol edin\",\"/cSMqv\":\"Soru oluşturulamadı. Lütfen bilgilerinizi kontrol edin\",\"MH/lj8\":\"Soru güncellenemedi. Lütfen bilgilerinizi kontrol edin\",\"nnfSdK\":\"Benzersiz Müşteriler\",\"Mqy/Zy\":\"Amerika Birleşik Devletleri\",\"NIuIk1\":\"Sınırsız\",\"/p9Fhq\":\"Sınırsız mevcut\",\"E0q9qH\":\"Sınırsız kullanıma izin verildi\",\"h10Wm5\":\"Ödenmemiş Sipariş\",\"ia8YsC\":\"Yaklaşan\",\"TlEeFv\":\"Yaklaşan Etkinlikler\",\"L/gNNk\":[[\"0\"],\" Güncelle\"],\"+qqX74\":\"Etkinlik adı, açıklaması ve tarihlerini güncelle\",\"vXPSuB\":\"Profili güncelle\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL panoya kopyalandı\",\"e5lF64\":\"Kullanım Örneği\",\"fiV0xj\":\"Kullanım Sınırı\",\"sGEOe4\":\"Kapak resminin bulanıklaştırılmış halini arkaplan olarak kullan\",\"OadMRm\":\"Kapak resmini kullan\",\"7PzzBU\":\"Kullanıcı\",\"yDOdwQ\":\"Kullanıcı Yönetimi\",\"Sxm8rQ\":\"Kullanıcılar\",\"VEsDvU\":\"Kullanıcılar e-postalarını <0>Profil Ayarları'nda değiştirebilir\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"KDV\",\"E/9LUk\":\"Mekan Adı\",\"jpctdh\":\"Görüntüle\",\"Pte1Hv\":\"Katılımcı Detaylarını Görüntüle\",\"/5PEQz\":\"Etkinlik sayfasını görüntüle\",\"fFornT\":\"Tam mesajı görüntüle\",\"YIsEhQ\":\"Haritayı görüntüle\",\"Ep3VfY\":\"Google Haritalar'da görüntüle\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP check-in listesi\",\"tF+VVr\":\"VIP Bilet\",\"2q/Q7x\":\"Görünürlük\",\"vmOFL/\":\"Ödemenizi işleyemedik. Lütfen tekrar deneyin veya destek ile iletişime geçin.\",\"45Srzt\":\"Kategoriyi silemedik. Lütfen tekrar deneyin.\",\"/DNy62\":[[\"0\"],\" ile eşleşen herhangi bir bilet bulamadık\"],\"1E0vyy\":\"Verileri yükleyemedik. Lütfen tekrar deneyin.\",\"NmpGKr\":\"Kategorileri yeniden sıralayamadık. Lütfen tekrar deneyin.\",\"BJtMTd\":\"1950px x 650px boyutlarında, 3:1 oranında ve maksimum 5MB dosya boyutunda olmasını öneriyoruz\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"Ödemenizi onaylayamadık. Lütfen tekrar deneyin veya destek ile iletişime geçin.\",\"Gspam9\":\"Siparişinizi işliyoruz. Lütfen bekleyin...\",\"LuY52w\":\"Hoş geldiniz! Devam etmek için lütfen giriş yapın.\",\"dVxpp5\":[\"Tekrar hoş geldin\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Kademeli Ürünler nedir?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Kategori nedir?\",\"gxeWAU\":\"Bu kod hangi ürünler için geçerli?\",\"hFHnxR\":\"Bu kod hangi ürünler için geçerli? (Varsayılan olarak tümü için geçerli)\",\"AeejQi\":\"Bu kapasite hangi ürünler için geçerli olmalı?\",\"Rb0XUE\":\"Hangi saatte geleceksiniz?\",\"5N4wLD\":\"Bu ne tür bir soru?\",\"gyLUYU\":\"Etkinleştirildiğinde, bilet siparişleri için faturalar oluşturulacak. Faturalar sipariş onayı e-postasıyla birlikte gönderilecek. Katılımcılar ayrıca faturalarını sipariş onayı sayfasından indirebilir.\",\"D3opg4\":\"Çevrimdışı ödemeler etkinleştirildiğinde, kullanıcılar siparişlerini tamamlayabilir ve biletlerini alabilir. Biletleri siparişin ödenmediğini açıkça belirtecek ve check-in aracı, bir sipariş ödeme gerektiriyorsa check-in personelini bilgilendirecek.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Bu check-in listesiyle hangi biletler ilişkilendirilmeli?\",\"S+OdxP\":\"Bu etkinliği kim organize ediyor?\",\"LINr2M\":\"Bu mesaj kime?\",\"nWhye/\":\"Bu soru kime sorulmalı?\",\"VxFvXQ\":\"Widget Yerleştirme\",\"v1P7Gm\":\"Widget Ayarları\",\"b4itZn\":\"Çalışıyor\",\"hqmXmc\":\"Çalışıyor...\",\"+G/XiQ\":\"Yıl başından beri\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Evet, kaldır\",\"ySeBKv\":\"Bu bileti zaten taradınız\",\"P+Sty0\":[\"E-postanızı <0>\",[\"0\"],\" olarak değiştiriyorsunuz.\"],\"gGhBmF\":\"Çevrimdışısınız\",\"sdB7+6\":\"Bu ürünü hedefleyen bir promosyon kodu oluşturabilirsiniz\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Bu ürünle ilişkili katılımcılar olduğu için ürün türünü değiştiremezsiniz.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Ödenmemiş siparişleri olan katılımcıları check-in yaptıramazsınız. Bu ayar etkinlik ayarlarından değiştirilebilir.\",\"c9Evkd\":\"Son kategoriyi silemezsiniz.\",\"6uwAvx\":\"Bu fiyat seviyesini silemezsiniz çünkü bu seviye için zaten satılmış ürünler var. Bunun yerine gizleyebilirsiniz.\",\"tFbRKJ\":\"Hesap sahibinin rolünü veya durumunu düzenleyemezsiniz.\",\"fHfiEo\":\"Elle oluşturulan bir siparişi iade edemezsiniz.\",\"hK9c7R\":\"Gizli bir soru oluşturdunuz ancak gizli soruları gösterme seçeneğini devre dışı bıraktınız. Etkinleştirildi.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Birden fazla hesaba erişiminiz var. Devam etmek için birini seçin.\",\"Z6q0Vl\":\"Bu daveti zaten kabul ettiniz. Devam etmek için lütfen giriş yapın.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Katılımcı sorularınız yok.\",\"CoZHDB\":\"Sipariş sorularınız yok.\",\"15qAvl\":\"Bekleyen e-posta değişikliğiniz yok.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Siparişinizi tamamlamak için zamanınız doldu.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Henüz hiç mesaj göndermediniz. Tüm katılımcılara veya belirli ürün sahiplerine mesaj gönderebilirsiniz.\",\"R6i9o9\":\"Bu e-postanın tanıtım amaçlı olmadığını kabul etmelisiniz\",\"3ZI8IL\":\"Şartlar ve koşulları kabul etmelisiniz\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Elle katılımcı ekleyebilmek için önce bir bilet oluşturmalısınız.\",\"jE4Z8R\":\"En az bir fiyat seviyeniz olmalı\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Bir siparişi elle ödenmiş olarak işaretlemeniz gerekecek. Bu, sipariş yönetimi sayfasından yapılabilir.\",\"L/+xOk\":\"Giriş listesi oluşturabilmek için önce bir bilete ihtiyacınız var.\",\"Djl45M\":\"Kapasite ataması oluşturabilmek için önce bir ürüne ihtiyacınız var.\",\"y3qNri\":\"Başlamak için en az bir ürüne ihtiyacınız var. Ücretsiz, ücretli veya kullanıcının ne kadar ödeyeceğine karar vermesine izin verin.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Hesap adınız etkinlik sayfalarında ve e-postalarda kullanılır.\",\"veessc\":\"Katılımcılarınız etkinliğinize kaydolduktan sonra burada görünecek. Ayrıca elle katılımcı ekleyebilirsiniz.\",\"Eh5Wrd\":\"Harika web siteniz 🎉\",\"lkMK2r\":\"Bilgileriniz\",\"3ENYTQ\":[\"<0>\",[\"0\"],\" adresine e-posta değişiklik talebiniz beklemede. Onaylamak için lütfen e-postanızı kontrol edin\"],\"yZfBoy\":\"Mesajınız gönderildi\",\"KSQ8An\":\"Siparişiniz\",\"Jwiilf\":\"Siparişiniz iptal edildi\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"Siparişleriniz gelmeye başladığında burada görünecek.\",\"9TO8nT\":\"Şifreniz\",\"P8hBau\":\"Ödemeniz işleniyor.\",\"UdY1lL\":\"Ödemeniz başarısız oldu, lütfen tekrar deneyin.\",\"fzuM26\":\"Ödemeniz başarısız oldu. Lütfen tekrar deneyin.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"İadeniz işleniyor.\",\"IFHV2p\":\"Biletiniz\",\"x1PPdr\":\"Posta Kodu\",\"BM/KQm\":\"Posta Kodu\",\"+LtVBt\":\"Posta Kodu\",\"25QDJ1\":\"- Yayınlamak için Tıklayın\",\"WOyJmc\":\"- Yayından Kaldırmak için Tıklayın\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" zaten giriş yaptı\"],\"S4PqS9\":[[\"0\"],\" Aktif Webhook\"],\"6MIiOI\":[[\"0\"],\" kaldı\"],\"COnw8D\":[[\"0\"],\" logosu\"],\"B7pZfX\":[[\"0\"],\" organizatör\"],\"/HkCs4\":[[\"0\"],\" bilet\"],\"OJnhhX\":[[\"eventCount\"],\" etkinlik\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Vergi/Ücretler\",\"B1St2O\":\"<0>Giriş listeleri, etkinlik girişini güne, alana veya bilet türüne göre yönetmenize yardımcı olur. Biletleri VIP alanları veya 1. Gün geçişleri gibi belirli listelere bağlayabilir ve personelle güvenli bir giriş bağlantısı paylaşabilirsiniz. Hesap gerekmez. Giriş, cihaz kamerası veya HID USB tarayıcı kullanarak mobil, masaüstü veya tablette çalışır. \",\"ZnVt5v\":\"<0>Webhook'lar, kayıt sırasında CRM'inize veya posta listenize yeni bir katılımcı eklemek gibi olaylar gerçekleştiğinde harici hizmetleri anında bilgilendirir ve kusursuz otomasyon sağlar.<1>Özel iş akışları oluşturmak ve görevleri otomatikleştirmek için <2>Zapier, <3>IFTTT veya <4>Make gibi üçüncü taraf hizmetleri kullanın.\",\"fAv9QG\":\"🎟️ Bilet ekle\",\"M2DyLc\":\"1 Aktif Webhook\",\"yTsaLw\":\"1 bilet\",\"HR/cvw\":\"123 Örnek Sokak\",\"kMU5aM\":\"İptal bildirimi gönderildi:\",\"V53XzQ\":\"E-postanıza yeni bir doğrulama kodu gönderildi\",\"/z/bH1\":\"Kullanıcılarınıza gösterilecek organizatörünüz hakkında kısa bir açıklama.\",\"aS0jtz\":\"Terk edildi\",\"uyJsf6\":\"Hakkında\",\"WTk/ke\":\"Stripe Connect Hakkında\",\"1uJlG9\":\"Vurgu Rengi\",\"VTfZPy\":\"Erişim Reddedildi\",\"iN5Cz3\":\"Hesap zaten bağlı!\",\"bPwFdf\":\"Hesaplar\",\"nMtNd+\":\"Gerekli İşlem: Stripe Hesabınızı Yeniden Bağlayın\",\"AhwTa1\":\"Gerekli İşlem: KDV Bilgisi Gerekli\",\"a5KFZU\":\"Etkinlik detaylarını ekleyin ve etkinlik ayarlarını yönetin.\",\"Fb+SDI\":\"Daha fazla bilet ekle\",\"6PNlRV\":\"Bu etkinliği takviminize ekleyin\",\"BGD9Yt\":\"Bilet ekle\",\"QN2F+7\":\"Webhook Ekle\",\"NsWqSP\":\"Sosyal medya hesaplarınızı ve web sitesi URL'nizi ekleyin. Bunlar herkese açık organizatör sayfanızda görüntülenecektir.\",\"0Zypnp\":\"Yönetici Paneli\",\"YAV57v\":\"Bağlı Kuruluş\",\"I+utEq\":\"Bağlı kuruluş kodu değiştirilemez\",\"/jHBj5\":\"Bağlı kuruluş başarıyla oluşturuldu\",\"uCFbG2\":\"Bağlı kuruluş başarıyla silindi\",\"a41PKA\":\"Bağlı kuruluş satışları izlenecek\",\"mJJh2s\":\"Bağlı kuruluş satışları izlenmeyecek. Bu, bağlı kuruluşu devre dışı bırakacaktır.\",\"jabmnm\":\"Bağlı kuruluş başarıyla güncellendi\",\"CPXP5Z\":\"Bağlı Kuruluşlar\",\"9Wh+ug\":\"Bağlı Kuruluşlar Dışa Aktarıldı\",\"3cqmut\":\"Bağlı kuruluşlar, iş ortakları ve etkileyiciler tarafından oluşturulan satışları izlemenize yardımcı olur. Performansı izlemek için bağlı kuruluş kodları oluşturun ve paylaşın.\",\"7rLTkE\":\"Tüm Arşivlenmiş Etkinlikler\",\"gKq1fa\":\"Tüm katılımcılar\",\"pMLul+\":\"Tüm Para Birimleri\",\"qlaZuT\":\"Tamamlandı! Artık yükseltilmiş ödeme sistemimizi kullanıyorsunuz.\",\"ZS/D7f\":\"Tüm Sona Eren Etkinlikler\",\"dr7CWq\":\"Tüm Yaklaşan Etkinlikler\",\"QUg5y1\":\"Neredeyse tamam! Ödeme almaya başlamak için Stripe hesabınızı bağlamayı tamamlayın.\",\"c4uJfc\":\"Neredeyse bitti! Ödemenizin işlenmesini bekliyoruz. Bu sadece birkaç saniye sürmelidir.\",\"/H326L\":\"Zaten İade Edildi\",\"RtxQTF\":\"Bu siparişi de iptal et\",\"jkNgQR\":\"Bu siparişi de iade et\",\"xYqsHg\":\"Her zaman mevcut\",\"Zkymb9\":\"Bu bağlı kuruluşla ilişkilendirilecek bir e-posta. Bağlı kuruluşa bildirim gitmeyecektir.\",\"vRznIT\":\"Dışa aktarma durumu kontrol edilirken bir hata oluştu.\",\"eusccx\":\"Vurgulanan üründe görüntülenecek isteğe bağlı bir mesaj, örn. \\\"Hızlı satılıyor 🔥\\\" veya \\\"En iyi değer\\\"\",\"QNrkms\":\"Cevap başarıyla güncellendi.\",\"LchiNd\":\"Bu bağlı kuruluşu silmek istediğinizden emin misiniz? Bu işlem geri alınamaz.\",\"JmVITJ\":\"Bu şablonu silmek istediğinizden emin misiniz? Bu işlem geri alınamaz ve e-postalar varsayılan şablona geri dönecektir.\",\"aLS+A6\":\"Bu şablonu silmek istediğinizden emin misiniz? Bu işlem geri alınamaz ve e-postalar organizatör veya varsayılan şablona geri dönecektir.\",\"5H3Z78\":\"Bu webhook'u silmek istediğinizden emin misiniz?\",\"147G4h\":\"Ayrılmak istediğinizden emin misiniz?\",\"VDWChT\":\"Bu organizatörü taslak yapmak istediğinizden emin misiniz? Bu, organizatör sayfasını kamuya görünmez yapacaktır\",\"pWtQJM\":\"Bu organizatörü herkese açık yapmak istediğinizden emin misiniz? Bu, organizatör sayfasını kamuya görünür yapacaktır\",\"WFHOlF\":\"Bu etkinliği yayınlamak istediğinizden emin misiniz? Yayınlandığında herkese görünür olacaktır.\",\"4TNVdy\":\"Bu organizatör profilini yayınlamak istediğinizden emin misiniz? Yayınlandığında herkese görünür olacaktır.\",\"ExDt3P\":\"Bu etkinliği yayından kaldırmak istediğinizden emin misiniz? Artık herkese görünür olmayacaktır.\",\"5Qmxo/\":\"Bu organizatör profilini yayından kaldırmak istediğinizden emin misiniz? Artık herkese görünür olmayacaktır.\",\"Uqefyd\":\"AB'de KDV kaydınız var mı?\",\"+QARA4\":\"Sanat\",\"tLf3yJ\":\"İşletmeniz İrlanda merkezli olduğundan, tüm platform ücretlerine otomatik olarak %23 İrlanda KDV'si uygulanır.\",\"QGoXh3\":\"İşletmeniz AB merkezli olduğundan, platform ücretlerimiz için doğru KDV uygulamasını belirlememiz gerekiyor:\",\"F2rX0R\":\"En az bir etkinlik türü seçilmelidir\",\"6PecK3\":\"Tüm etkinliklerdeki katılım ve giriş oranları\",\"AJ4rvK\":\"Katılımcı İptal Edildi\",\"qvylEK\":\"Katılımcı Oluşturuldu\",\"DVQSxl\":\"Katılımcı bilgileri sipariş bilgilerinden kopyalanacaktır.\",\"0R3Y+9\":\"Katılımcı E-postası\",\"KkrBiR\":\"Katılımcı bilgi toplama\",\"XBLgX1\":\"Katılımcı bilgi toplama \\\"Sipariş başına\\\" olarak ayarlanmış. Katılımcı bilgileri sipariş bilgilerinden kopyalanacaktır.\",\"Xc2I+v\":\"Katılımcı Yönetimi\",\"av+gjP\":\"Katılımcı Adı\",\"cosfD8\":\"Katılımcı Durumu\",\"D2qlBU\":\"Katılımcı Güncellendi\",\"x8Vnvf\":\"Katılımcının bileti bu listede yok\",\"k3Tngl\":\"Katılımcılar Dışa Aktarıldı\",\"5UbY+B\":\"Belirli bir bilete sahip katılımcılar\",\"4HVzhV\":\"Katılımcılar:\",\"VPoeAx\":\"Birden fazla giriş listesi ve gerçek zamanlı doğrulama ile otomatik giriş yönetimi\",\"PZ7FTW\":\"Arka plan rengine göre otomatik olarak algılanır, ancak geçersiz kılınabilir\",\"clF06r\":\"İade Edilebilir\",\"NB5+UG\":\"Mevcut Token'lar\",\"EmYMHc\":\"Çevrimdışı Ödeme Bekleniyor\",\"kNmmvE\":\"Harika Etkinlikler Ltd.\",\"kYqM1A\":\"Etkinliğe Dön\",\"td/bh+\":\"Raporlara Dön\",\"jIPNJG\":\"Temel Bilgiler\",\"iMdwTb\":\"Etkinliğiniz yayına girmeden önce yapmanız gereken birkaç şey var. Başlamak için aşağıdaki tüm adımları tamamlayın.\",\"UabgBd\":\"Gövde gerekli\",\"9N+p+g\":\"İş\",\"bv6RXK\":\"Düğme Etiketi\",\"ChDLlO\":\"Düğme Metni\",\"DFqasq\":[\"Devam ederek, <0>\",[\"0\"],\" Hizmet Koşullarını kabul etmiş olursunuz\"],\"2VLZwd\":\"Harekete Geçirici Düğme\",\"PUpvQe\":\"Kamera Tarayıcı\",\"H4nE+E\":\"Tüm ürünleri iptal et ve havuza geri bırak\",\"tOXAdc\":\"İptal etmek, bu siparişle ilişkili tüm katılımcıları iptal edecek ve biletleri mevcut havuza geri bırakacaktır.\",\"IrUqjC\":\"Giriş Yapılamaz (İptal Edildi)\",\"VsM1HH\":\"Kapasite Atamaları\",\"K7tIrx\":\"Kategori\",\"2tbLdK\":\"Hayır Kurumu\",\"v4fiSg\":\"E-postanızı kontrol edin\",\"51AsAN\":\"Gelen kutunuzu kontrol edin! Bu e-postayla ilişkili biletler varsa, bunları görüntülemek için bir bağlantı alacaksınız.\",\"udRwQs\":\"Giriş Oluşturuldu\",\"F4SRy3\":\"Giriş Silindi\",\"9gPPUY\":\"Giriş Listesi Oluşturuldu\",\"f2vU9t\":\"Giriş Listeleri\",\"tMNBEF\":\"Giriş listeleri, günler, alanlar veya bilet türleri arasında girişi kontrol etmenizi sağlar. Personelle güvenli bir giriş bağlantısı paylaşabilirsiniz — hesap gerekmez.\",\"SHJwyq\":\"Giriş Oranı\",\"qCqdg6\":\"Giriş Durumu\",\"cKj6OE\":\"Giriş Özeti\",\"7B5M35\":\"Girişler\",\"DM4gBB\":\"Çince (Geleneksel)\",\"pkk46Q\":\"Bir Organizatör Seçin\",\"Crr3pG\":\"Takvim seçin\",\"CySr+W\":\"Notları görüntülemek için tıklayın\",\"RG3szS\":\"kapat\",\"RWw9Lg\":\"Pencereyi kapat\",\"XwdMMg\":\"Kod yalnızca harf, rakam, tire ve alt çizgi içerebilir\",\"+yMJb7\":\"Kod gerekli\",\"m9SD3V\":\"Kod en az 3 karakter olmalıdır\",\"V1krgP\":\"Kod en fazla 20 karakter olmalıdır\",\"psqIm5\":\"Birlikte harika etkinlikler oluşturmak için ekibinizle işbirliği yapın.\",\"4bUH9i\":\"Satın alınan her bilet için katılımcı bilgilerini toplayın.\",\"FpsvqB\":\"Renk Modu\",\"jEu4bB\":\"Sütunlar\",\"CWk59I\":\"Komedi\",\"7D9MJz\":\"Stripe Kurulumunu Tamamla\",\"OqEV/G\":\"Devam etmek için aşağıdaki kurulumu tamamlayın\",\"nqx+6h\":\"Etkinliğiniz için bilet satmaya başlamak için bu adımları tamamlayın.\",\"5YrKW7\":\"Biletlerinizi güvence altına almak için ödemenizi tamamlayın.\",\"ih35UP\":\"Konferans Merkezi\",\"NGXKG/\":\"E-posta Adresini Onayla\",\"Auz0Mz\":\"Tüm özelliklere erişmek için e-postanızı onaylayın.\",\"7+grte\":\"Onay e-postası gönderildi! Lütfen gelen kutunuzu kontrol edin.\",\"n/7+7Q\":\"Onay gönderildi:\",\"o5A0Go\":\"Bir etkinlik oluşturduğunuz için tebrikler!\",\"WNnP3w\":\"Bağlan ve Yükselt\",\"Xe2tSS\":\"Dokümantasyonu Bağla\",\"1Xxb9f\":\"Ödeme işlemeyi bağla\",\"LmvZ+E\":\"Mesajlaşmayı etkinleştirmek için Stripe'ı bağlayın\",\"EWnXR+\":\"Stripe'a Bağlan\",\"MOUF31\":\"CRM ile bağlanın ve webhook'lar ve entegrasyonlar kullanarak görevleri otomatikleştirin\",\"VioGG1\":\"Bilet ve ürünler için ödeme almak üzere Stripe hesabınızı bağlayın.\",\"4qmnU8\":\"Ödeme almak için Stripe hesabınızı bağlayın.\",\"E1eze1\":\"Etkinlikleriniz için ödeme almaya başlamak üzere Stripe hesabınızı bağlayın.\",\"ulV1ju\":\"Ödeme almaya başlamak için Stripe hesabınızı bağlayın.\",\"/3017M\":\"Stripe'a Bağlandı\",\"jfC/xh\":\"İletişim\",\"LOFgda\":[[\"0\"],\" ile İletişime Geç\"],\"41BQ3k\":\"İletişim E-postası\",\"KcXRN+\":\"Destek için iletişim e-postası\",\"m8WD6t\":\"Kuruluma Devam Et\",\"0GwUT4\":\"Ödemeye Devam Et\",\"sBV87H\":\"Etkinlik oluşturmaya devam et\",\"nKtyYu\":\"Sonraki adıma devam et\",\"F3/nus\":\"Ödemeye Devam Et\",\"1JnTgU\":\"Yukarıdan kopyalandı\",\"FxVG/l\":\"Panoya kopyalandı\",\"PiH3UR\":\"Kopyalandı!\",\"uUPbPg\":\"Bağlı Kuruluş Bağlantısını Kopyala\",\"iVm46+\":\"Kodu Kopyala\",\"+2ZJ7N\":\"Bilgileri ilk katılımcıya kopyala\",\"ZN1WLO\":\"E-postayı Kopyala\",\"tUGbi8\":\"Bilgilerimi kopyala:\",\"y22tv0\":\"Her yerde paylaşmak için bu bağlantıyı kopyalayın\",\"/4gGIX\":\"Panoya kopyala\",\"P0rbCt\":\"Kapak Görseli\",\"60u+dQ\":\"Kapak görseli etkinlik sayfanızın üstünde gösterilecektir\",\"2NLjA6\":\"Kapak görseli organizatör sayfanızın üstünde gösterilecektir\",\"zg4oSu\":[[\"0\"],\" Şablonu Oluştur\"],\"xfKgwv\":\"Bağlı Kuruluş Oluştur\",\"dyrgS4\":\"Etkinlik sayfanızı anında oluşturun ve özelleştirin\",\"BTne9e\":\"Organizatör varsayılanlarını geçersiz kılan bu etkinlik için özel e-posta şablonları oluşturun\",\"YIDzi/\":\"Özel Şablon Oluştur\",\"8AiKIu\":\"Bilet veya Ürün Oluştur\",\"agZ87r\":\"Etkinliğiniz için biletler oluşturun, fiyatları belirleyin ve mevcut miktarı yönetin.\",\"dkAPxi\":\"Webhook Oluştur\",\"5slqwZ\":\"Etkinliğinizi Oluşturun\",\"JQNMrj\":\"İlk etkinliğinizi oluşturun\",\"CCjxOC\":\"Bilet satmaya ve katılımcıları yönetmeye başlamak için ilk etkinliğinizi oluşturun.\",\"ZCSSd+\":\"Kendi etkinliğinizi oluşturun\",\"67NsZP\":\"Etkinlik Oluşturuluyor...\",\"H34qcM\":\"Organizatör Oluşturuluyor...\",\"1YMS+X\":\"Etkinliğiniz oluşturuluyor, lütfen bekleyin\",\"yiy8Jt\":\"Organizatör profiliniz oluşturuluyor, lütfen bekleyin\",\"lfLHNz\":\"Harekete geçirici düğme etiketi gerekli\",\"BMtue0\":\"Mevcut ödeme işlemcisi\",\"iTvh6I\":\"Şu anda satın alınabilir\",\"mimF6c\":\"Ödeme sonrası özel mesaj\",\"axv/Mi\":\"Özel şablon\",\"QMHSMS\":\"Müşteri iade onayını içeren bir e-posta alacaktır\",\"L/Qc+w\":\"Müşterinin e-posta adresi\",\"wpfWhJ\":\"Müşterinin adı\",\"GIoqtA\":\"Müşterinin soyadı\",\"NihQNk\":\"Müşteriler\",\"7gsjkI\":\"Liquid şablonu kullanarak müşterilerinize gönderilen e-postaları özelleştirin. Bu şablonlar kuruluşunuzdaki tüm etkinlikler için varsayılan olarak kullanılacaktır.\",\"iX6SLo\":\"Devam düğmesinde gösterilen metni özelleştirin\",\"pxNIxa\":\"Liquid şablonu kullanarak e-posta şablonunuzu özelleştirin\",\"q9Jg0H\":\"Etkinlik sayfanızı ve widget tasarımınızı markanıza mükemmel şekilde uyacak şekilde özelleştirin\",\"mkLlne\":\"Etkinlik sayfanızın görünümünü özelleştirin\",\"3trPKm\":\"Organizatör sayfanızın görünümünü özelleştirin\",\"4df0iX\":\"Bilet görünümünüzü özelleştirin\",\"/gWrVZ\":\"Tüm etkinliklerdeki günlük gelir, vergiler, ücretler ve iadeler\",\"zgCHnE\":\"Günlük Satış Raporu\",\"nHm0AI\":\"Günlük satış, vergi ve ücret dökümü\",\"pvnfJD\":\"Koyu\",\"lnYE59\":\"Etkinlik tarihi\",\"gnBreG\":\"Siparişin verildiği tarih\",\"JtI4vj\":\"Varsayılan katılımcı bilgi toplama\",\"1bZAZA\":\"Varsayılan şablon kullanılacak\",\"vu7gDm\":\"Bağlı Kuruluşu Sil\",\"+jw/c1\":\"Görseli sil\",\"dPyJ15\":\"Şablonu Sil\",\"snMaH4\":\"Webhook'u sil\",\"vYgeDk\":\"Tümünün Seçimini Kaldır\",\"NvuEhl\":\"Tasarım Öğeleri\",\"H8kMHT\":\"Kodu almadınız mı?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Bu mesajı kapat\",\"BREO0S\":\"Müşterilerin bu etkinlik organizatöründen pazarlama iletişimi almayı kabul etmelerini sağlayan bir onay kutusu göster.\",\"TvY/XA\":\"Dokümantasyon\",\"Kdpf90\":\"Unutmayın!\",\"V6Jjbr\":\"Hesabınız yok mu? <0>Kayıt olun\",\"AXXqG+\":\"Bağış\",\"DPfwMq\":\"Tamam\",\"eneWvv\":\"Taslak\",\"TnzbL+\":\"Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\\nThis is to ensure that all event organizers are verified and accountable.\",\"euc6Ns\":\"Çoğalt\",\"KRmTkx\":\"Ürünü Çoğalt\",\"KIjvtr\":\"Felemenkçe\",\"SPKbfM\":\"örn., Bilet Al, Şimdi Kaydol\",\"LTzmgK\":[[\"0\"],\" Şablonunu Düzenle\"],\"v4+lcZ\":\"Bağlı Kuruluşu Düzenle\",\"2iZEz7\":\"Cevabı Düzenle\",\"fW5sSv\":\"Webhook'u düzenle\",\"nP7CdQ\":\"Webhook'u Düzenle\",\"uBAxNB\":\"Düzenleyici\",\"aqxYLv\":\"Eğitim\",\"zPiC+q\":\"Uygun Giriş Listeleri\",\"V2sk3H\":\"E-posta ve Şablonlar\",\"hbwCKE\":\"E-posta adresi panoya kopyalandı\",\"dSyJj6\":\"E-posta adresleri eşleşmiyor\",\"elW7Tn\":\"E-posta Gövdesi\",\"ZsZeV2\":\"E-posta gerekli\",\"Be4gD+\":\"E-posta Önizlemesi\",\"6IwNUc\":\"E-posta Şablonları\",\"H/UMUG\":\"E-posta Doğrulaması Gerekli\",\"L86zy2\":\"E-posta başarıyla doğrulandı!\",\"Upeg/u\":\"E-posta göndermek için bu şablonu etkinleştirin\",\"RxzN1M\":\"Etkin\",\"sGjBEq\":\"Bitiş Tarihi ve Saati (isteğe bağlı)\",\"PKXt9R\":\"Bitiş tarihi başlangıç tarihinden sonra olmalıdır\",\"48Y16Q\":\"Bitiş saati (isteğe bağlı)\",\"7YZofi\":\"Önizlemeyi görmek için bir konu ve gövde girin\",\"3bR1r4\":\"Bağlı kuruluş e-postasını girin (isteğe bağlı)\",\"ARkzso\":\"Bağlı kuruluş adını girin\",\"INDKM9\":\"E-posta konusunu girin...\",\"kWg31j\":\"Benzersiz bağlı kuruluş kodunu girin\",\"C3nD/1\":\"E-postanızı girin\",\"n9V+ps\":\"Adınızı girin\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Günlükler yüklenirken hata oluştu\",\"AKbElk\":\"AB KDV kayıtlı işletmeler: Ters ödeme mekanizması uygulanır (%0 - KDV Direktifi 2006/112/EC Madde 196)\",\"WgD6rb\":\"Etkinlik Kategorisi\",\"b46pt5\":\"Etkinlik Kapak Görseli\",\"1Hzev4\":\"Etkinlik özel şablonu\",\"imgKgl\":\"Etkinlik Açıklaması\",\"kJDmsI\":\"Etkinlik detayları\",\"m/N7Zq\":\"Etkinlik Tam Adresi\",\"Nl1ZtM\":\"Etkinlik Konumu\",\"PYs3rP\":\"Etkinlik adı\",\"HhwcTQ\":\"Etkinlik Adı\",\"WZZzB6\":\"Etkinlik adı gerekli\",\"Wd5CDM\":\"Etkinlik adı 150 karakterden az olmalıdır\",\"4JzCvP\":\"Etkinlik Mevcut Değil\",\"Gh9Oqb\":\"Etkinlik organizatör adı\",\"mImacG\":\"Etkinlik Sayfası\",\"cOePZk\":\"Etkinlik Saati\",\"e8WNln\":\"Etkinlik saat dilimi\",\"GeqWgj\":\"Etkinlik Saat Dilimi\",\"XVLu2v\":\"Etkinlik Başlığı\",\"YDVUVl\":\"Etkinlik Türleri\",\"4K2OjV\":\"Etkinlik Mekanı\",\"19j6uh\":\"Etkinlik Performansı\",\"PC3/fk\":\"Önümüzdeki 24 Saat İçinde Başlayan Etkinlikler\",\"fTFfOK\":\"Her e-posta şablonu uygun sayfaya bağlanan bir harekete geçirici düğme içermelidir\",\"VlvpJ0\":\"Cevapları dışa aktar\",\"JKfSAv\":\"Dışa aktarma başarısız oldu. Lütfen tekrar deneyin.\",\"SVOEsu\":\"Dışa aktarma başladı. Dosya hazırlanıyor...\",\"9bpUSo\":\"Bağlı Kuruluşlar Dışa Aktarılıyor\",\"jtrqH9\":\"Katılımcılar Dışa Aktarılıyor\",\"R4Oqr8\":\"Dışa aktarma tamamlandı. Dosya indiriliyor...\",\"UlAK8E\":\"Siparişler Dışa Aktarılıyor\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Sipariş terk edilemedi. Lütfen tekrar deneyin.\",\"cEFg3R\":\"Bağlı kuruluş oluşturulamadı\",\"U66oUa\":\"Şablon oluşturulamadı\",\"xFj7Yj\":\"Şablon silinemedi\",\"jo3Gm6\":\"Bağlı kuruluşlar dışa aktarılamadı\",\"Jjw03p\":\"Katılımcılar dışa aktarılamadı\",\"ZPwFnN\":\"Siparişler dışa aktarılamadı\",\"X4o0MX\":\"Webhook yüklenemedi\",\"YQ3QSS\":\"Doğrulama kodu yeniden gönderilemedi\",\"zTkTF3\":\"Şablon kaydedilemedi\",\"l6acRV\":\"KDV ayarları kaydedilemedi. Lütfen tekrar deneyin.\",\"T6B2gk\":\"Mesaj gönderilemedi. Lütfen tekrar deneyin.\",\"lKh069\":\"Dışa aktarma işi başlatılamadı\",\"t/KVOk\":\"Taklit başlatılamadı. Lütfen tekrar deneyin.\",\"QXgjH0\":\"Taklit durdurulamadı. Lütfen tekrar deneyin.\",\"i0QKrm\":\"Bağlı kuruluş güncellenemedi\",\"NNc33d\":\"Cevap güncellenemedi.\",\"7/9RFs\":\"Görsel yüklenemedi.\",\"nkNfWu\":\"Görsel yüklenemedi. Lütfen tekrar deneyin.\",\"rxy0tG\":\"E-posta doğrulanamadı\",\"T4BMxU\":\"Ücretler değişebilir. Ücret yapınızdaki herhangi bir değişiklik size bildirilecektir.\",\"cf35MA\":\"Festival\",\"VejKUM\":\"Önce yukarıdaki bilgilerinizi doldurun\",\"8OvVZZ\":\"Katılımcıları Filtrele\",\"8BwQeU\":\"Kurulumu Tamamla\",\"hg80P7\":\"Stripe Kurulumunu Tamamla\",\"1vBhpG\":\"İlk katılımcı\",\"YXhom6\":\"Sabit Ücret:\",\"KgxI80\":\"Esnek Biletleme\",\"lWxAUo\":\"Yiyecek ve İçecek\",\"nFm+5u\":\"Alt Bilgi Metni\",\"MY2SVM\":\"Tam iade\",\"vAVBBv\":\"Tam Entegre\",\"T02gNN\":\"Genel Giriş\",\"3ep0Gx\":\"Organizatörünüz hakkında genel bilgiler\",\"ziAjHi\":\"Oluştur\",\"exy8uo\":\"Kod oluştur\",\"4CETZY\":\"Yol Tarifi Al\",\"kfVY6V\":\"Ücretsiz başlayın, abonelik ücreti yok\",\"u6FPxT\":\"Bilet Al\",\"8KDgYV\":\"Etkinliğinizi hazırlayın\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Etkinlik Sayfasına Git\",\"gHSuV/\":\"Ana sayfaya git\",\"6nDzTl\":\"İyi okunabilirlik\",\"n8IUs7\":\"Brüt Gelir\",\"kTSQej\":[\"Merhaba \",[\"0\"],\", platformunuzu buradan yönetin.\"],\"dORAcs\":\"E-posta adresinizle ilişkili tüm biletler burada.\",\"g+2103\":\"Bağlı kuruluş bağlantınız burada\",\"QlwJ9d\":\"Neleri beklemelisiniz:\",\"D+zLDD\":\"Gizli\",\"Rj6sIY\":\"Ek Seçenekleri Gizle\",\"P+5Pbo\":\"Cevapları Gizle\",\"gtEbeW\":\"Vurgula\",\"NF8sdv\":\"Vurgu Mesajı\",\"MXSqmS\":\"Bu ürünü vurgula\",\"7ER2sc\":\"Vurgulandı\",\"sq7vjE\":\"Highlighted products will have a different background color to make them stand out on the event page.\",\"i0qMbr\":\"Ana Sayfa\",\"AVpmAa\":\"Çevrimdışı nasıl ödeme yapılır\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Macarca\",\"4/kP5a\":\"If a new tab did not open automatically, please click the button below to continue to checkout.\",\"PYVWEI\":\"Kayıtlıysanız, doğrulama için KDV numaranızı sağlayın\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"an5hVd\":\"Görseller\",\"tSVr6t\":\"Taklit Et\",\"TWXU0c\":\"Kullanıcıyı Taklit Et\",\"5LAZwq\":\"Taklit başlatıldı\",\"IMwcdR\":\"Taklit durduruldu\",\"M8M6fs\":\"Önemli: Stripe yeniden bağlantısı gerekli\",\"jT142F\":[[\"diffHours\"],\" saat içinde\"],\"OoSyqO\":[[\"diffMinutes\"],\" dakika içinde\"],\"UJLg8x\":\"Derinlemesine Analitik\",\"cljs3a\":\"AB'de KDV kaydınız olup olmadığını belirtin\",\"F1Xp97\":\"Bireysel katılımcılar\",\"85e6zs\":\"Liquid Token Ekle\",\"38KFY0\":\"Değişken Ekle\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Geçersiz e-posta\",\"5tT0+u\":\"Geçersiz e-posta formatı\",\"tnL+GP\":\"Geçersiz Liquid sözdizimi. Lütfen düzeltin ve tekrar deneyin.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Bir ekip üyesi davet et\",\"1z26sk\":\"Ekip Üyesi Davet Et\",\"KR0679\":\"Ekip Üyelerini Davet Et\",\"aH6ZIb\":\"Ekibinizi Davet Edin\",\"IuMGvq\":\"Fatura\",\"y0meFR\":\"Platform ücretlerine %23 İrlanda KDV'si uygulanacaktır (yerel tedarik).\",\"Lj7sBL\":\"İtalyanca\",\"F5/CBH\":\"ürün\",\"BzfzPK\":\"Ürünler\",\"nCywLA\":\"Her yerden katılın\",\"hTJ4fB\":\"Stripe hesabınızı yeniden bağlamak için aşağıdaki düğmeye tıklayın.\",\"MxjCqk\":\"Sadece biletlerinizi mi arıyorsunuz?\",\"lB2hSG\":[[\"0\"],\" adresinden haberler ve etkinlikler hakkında beni bilgilendirin\"],\"h0Q9Iw\":\"Son Yanıt\",\"gw3Ur5\":\"Son Tetiklenme\",\"1njn7W\":\"Açık\",\"1qY5Ue\":\"Bağlantı Süresi Doldu veya Geçersiz\",\"psosdY\":\"Sipariş detaylarına bağlantı\",\"6JzK4N\":\"Bilete bağlantı\",\"shkJ3U\":\"Bilet satışlarından gelir almak için Stripe hesabınızı bağlayın.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Canlı\",\"fpMs2Z\":\"CANLI\",\"D9zTjx\":\"Canlı Etkinlikler\",\"WdmJIX\":\"Önizleme yükleniyor...\",\"IoDI2o\":\"Token'lar yükleniyor...\",\"NFxlHW\":\"Webhook'lar Yükleniyor\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo ve Kapak\",\"gddQe0\":\"Organizatörünüz için logo ve kapak görseli\",\"TBEnp1\":\"Logo başlıkta görüntülenecektir\",\"Jzu30R\":\"Logo bilette görüntülenecektir\",\"4wUIjX\":\"Etkinliğinizi canlı yapın\",\"0A7TvI\":\"Etkinliği Yönet\",\"2FzaR1\":\"Ödeme işlemenizi yönetin ve platform ücretlerini görüntüleyin\",\"/x0FyM\":\"Markanızla Eşleştirin\",\"xDAtGP\":\"Mesaj\",\"1jRD0v\":\"Belirli biletlere sahip katılımcılara mesaj gönderin\",\"97QrnA\":\"Katılımcılara mesaj gönderin, siparişleri yönetin ve iadeleri tek yerden halledin\",\"48rf3i\":\"Mesaj 5000 karakteri geçemez\",\"Vjat/X\":\"Mesaj gerekli\",\"0/yJtP\":\"Belirli ürünlere sahip sipariş sahiplerine mesaj gönderin\",\"tccUcA\":\"Mobil Giriş\",\"GfaxEk\":\"Müzik\",\"oVGCGh\":\"Biletlerim\",\"8/brI5\":\"Ad gerekli\",\"sCV5Yc\":\"Etkinlik adı\",\"xxU3NX\":\"Net Gelir\",\"eWRECP\":\"Gece Hayatı\",\"HSw5l3\":\"Hayır - Bireyim veya KDV kayıtlı olmayan bir işletmeyim\",\"VHfLAW\":\"Hesap yok\",\"+jIeoh\":\"Hesap bulunamadı\",\"074+X8\":\"Aktif Webhook Yok\",\"zxnup4\":\"Gösterilecek bağlı kuruluş yok\",\"99ntUF\":\"Bu etkinlik için kullanılabilir giriş listesi yok.\",\"6r9SGl\":\"Kredi Kartı Gerekmez\",\"eb47T5\":\"Seçilen filtreler için veri bulunamadı. Tarih aralığını veya para birimini ayarlamayı deneyin.\",\"pZNOT9\":\"Bitiş tarihi yok\",\"dW40Uz\":\"Etkinlik bulunamadı\",\"8pQ3NJ\":\"Önümüzdeki 24 saat içinde başlayan etkinlik yok\",\"8zCZQf\":\"Henüz etkinlik yok\",\"54GxeB\":\"Mevcut veya geçmiş işlemleriniz üzerinde etkisi yok\",\"EpvBAp\":\"Fatura yok\",\"XZkeaI\":\"Günlük bulunamadı\",\"NEmyqy\":\"Henüz sipariş yok\",\"B7w4KY\":\"Başka organizatör mevcut değil\",\"6jYQGG\":\"Geçmiş etkinlik yok\",\"zK/+ef\":\"Seçim için ürün mevcut değil\",\"QoAi8D\":\"Yanıt yok\",\"EK/G11\":\"Henüz yanıt yok\",\"3sRuiW\":\"Bilet Bulunamadı\",\"yM5c0q\":\"Yaklaşan etkinlik yok\",\"qpC74J\":\"Kullanıcı bulunamadı\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"Webhook Yok\",\"4+am6b\":\"Hayır, beni burada tut\",\"HVwIsd\":\"KDV kayıtlı olmayan işletmeler veya bireyler: %23 İrlanda KDV'si uygulanır\",\"x5+Lcz\":\"Giriş Yapılmadı\",\"8n10sz\":\"Uygun Değil\",\"lQgMLn\":\"Ofis veya mekan adı\",\"6Aih4U\":\"Çevrimdışı\",\"Z6gBGW\":\"Çevrimdışı Ödeme\",\"nO3VbP\":[[\"0\"],\" satışta\"],\"2r6bAy\":\"Yükseltmeyi tamamladığınızda, eski hesabınız yalnızca iadeler için kullanılacaktır.\",\"oXOSPE\":\"Çevrimiçi\",\"WjSpu5\":\"Çevrimiçi Etkinlik\",\"bU7oUm\":\"Yalnızca bu durumlara sahip siparişlere gönder\",\"M2w1ni\":\"Yalnızca promosyon koduyla görünür\",\"N141o/\":\"Stripe Panosunu Aç\",\"HXMJxH\":\"Feragatnameler, iletişim bilgileri veya teşekkür notları için isteğe bağlı metin (yalnızca tek satır)\",\"c/TIyD\":\"Sipariş ve Bilet\",\"H5qWhm\":\"Sipariş iptal edildi\",\"b6+Y+n\":\"Sipariş tamamlandı\",\"x4MLWE\":\"Sipariş Onayı\",\"ppuQR4\":\"Sipariş Oluşturuldu\",\"0UZTSq\":\"Sipariş Para Birimi\",\"HdmwrI\":\"Sipariş E-postası\",\"bwBlJv\":\"Sipariş Adı\",\"vrSW9M\":\"Sipariş iptal edildi ve iade edildi. Sipariş sahibi bilgilendirildi.\",\"+spgqH\":[\"Sipariş ID: \",[\"0\"]],\"Pc729f\":\"Sipariş Çevrimdışı Ödeme Bekliyor\",\"F4NXOl\":\"Sipariş Soyadı\",\"RQCXz6\":\"Sipariş Limitleri\",\"5RDEEn\":\"Sipariş Dili\",\"vu6Arl\":\"Sipariş Ödendi Olarak İşaretlendi\",\"sLbJQz\":\"Sipariş bulunamadı\",\"i8VBuv\":\"Sipariş Numarası\",\"FaPYw+\":\"Sipariş sahibi\",\"eB5vce\":\"Belirli bir ürüne sahip sipariş sahipleri\",\"CxLoxM\":\"Ürünlere sahip sipariş sahipleri\",\"DoH3fD\":\"Sipariş Ödemesi Beklemede\",\"EZy55F\":\"Sipariş İade Edildi\",\"6eSHqs\":\"Sipariş durumları\",\"oW5877\":\"Sipariş Toplamı\",\"e7eZuA\":\"Sipariş Güncellendi\",\"KndP6g\":\"Sipariş URL'si\",\"3NT0Ck\":\"Sipariş iptal edildi\",\"5It1cQ\":\"Siparişler Dışa Aktarıldı\",\"B/EBQv\":\"Siparişler:\",\"ucgZ0o\":\"Organizasyon\",\"S3CZ5M\":\"Organizatör Paneli\",\"Uu0hZq\":\"Organizatör E-postası\",\"Gy7BA3\":\"Organizatör e-posta adresi\",\"SQqJd8\":\"Organizatör Bulunamadı\",\"wpj63n\":\"Organizatör Ayarları\",\"coIKFu\":\"Seçilen para birimi için organizatör istatistikleri mevcut değil veya bir hata oluştu.\",\"o1my93\":\"Organizatör durum güncellemesi başarısız oldu. Lütfen daha sonra tekrar deneyin\",\"rLHma1\":\"Organizatör durumu güncellendi\",\"LqBITi\":\"Organizatör/varsayılan şablon kullanılacak\",\"/IX/7x\":\"Diğer\",\"RsiDDQ\":\"Diğer Listeler (Bilet Dahil Değil)\",\"6/dCYd\":\"Genel Bakış\",\"8uqsE5\":\"Sayfa artık mevcut değil\",\"QkLf4H\":\"Sayfa URL'si\",\"sF+Xp9\":\"Sayfa Görüntülemeleri\",\"5F7SYw\":\"Kısmi iade\",\"fFYotW\":[\"Kısmen iade edildi: \",[\"0\"]],\"Ff0Dor\":\"Geçmiş\",\"xTPjSy\":\"Geçmiş Etkinlikler\",\"/l/ckQ\":\"URL Yapıştır\",\"URAE3q\":\"Duraklatıldı\",\"4fL/V7\":\"Öde\",\"OZK07J\":\"Kilidi açmak için öde\",\"TskrJ8\":\"Ödeme ve Plan\",\"ENEPLY\":\"Ödeme yöntemi\",\"EyE8E6\":\"Ödeme İşleme\",\"8Lx2X7\":\"Ödeme alındı\",\"vcyz2L\":\"Ödeme Ayarları\",\"fx8BTd\":\"Ödemeler mevcut değil\",\"51U9mG\":\"Ödemeler kesintisiz devam edecek\",\"VlXNyK\":\"Sipariş başına\",\"hauDFf\":\"Bilet başına\",\"/Bh+7r\":\"Performans\",\"zmwvG2\":\"Telefon\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Bir etkinlik mi planlıyorsunuz?\",\"br3Y/y\":\"Platform Ücretleri\",\"jEw0Mr\":\"Lütfen geçerli bir URL girin\",\"n8+Ng/\":\"Lütfen 5 haneli kodu girin\",\"r+lQXT\":\"Lütfen KDV numaranızı girin\",\"Dvq0wf\":\"Lütfen bir görsel sağlayın.\",\"2cUopP\":\"Lütfen ödeme işlemini yeniden başlatın.\",\"8KmsFa\":\"Lütfen bir tarih aralığı seçin\",\"EFq6EG\":\"Lütfen bir görsel seçin.\",\"fuwKpE\":\"Lütfen tekrar deneyin.\",\"klWBeI\":\"Başka bir kod istemeden önce lütfen bekleyin\",\"hfHhaa\":\"Bağlı kuruluşlarınızı dışa aktarma için hazırlarken lütfen bekleyin...\",\"o+tJN/\":\"Katılımcılarınızı dışa aktarma için hazırlarken lütfen bekleyin...\",\"+5Mlle\":\"Siparişlerinizi dışa aktarma için hazırlarken lütfen bekleyin...\",\"TjX7xL\":\"Ödeme Sonrası Mesajı\",\"cs5muu\":\"Etkinlik sayfasını önizle\",\"+4yRWM\":\"Bilet fiyatı\",\"a5jvSX\":\"Fiyat Kademeleri\",\"ReihZ7\":\"Yazdırma Önizlemesi\",\"JnuPvH\":\"Bileti Yazdır\",\"tYF4Zq\":\"PDF'ye Yazdır\",\"LcET2C\":\"Gizlilik Politikası\",\"8z6Y5D\":\"İade İşle\",\"JcejNJ\":\"Sipariş işleniyor\",\"EWCLpZ\":\"Ürün Oluşturuldu\",\"XkFYVB\":\"Ürün Silindi\",\"YMwcbR\":\"Ürün satışları, gelir ve vergi dökümü\",\"ldVIlB\":\"Ürün Güncellendi\",\"mIqT3T\":\"Ürünler, ticari ürünler ve esnek fiyatlandırma seçenekleri\",\"JoKGiJ\":\"Promosyon kodu\",\"k3wH7i\":\"Promosyon kodu kullanımı ve indirim dökümü\",\"uEhdRh\":\"Yalnızca Promosyon\",\"EEYbdt\":\"Yayınla\",\"evDBV8\":\"Etkinliği Yayınla\",\"dsFmM+\":\"Satın Alındı\",\"YwNJAq\":\"Personel erişimi için anında geri bildirim ve güvenli paylaşım ile QR kod tarama\",\"fqDzSu\":\"Oran\",\"spsZys\":\"Yükseltmeye hazır mısınız? Bu sadece birkaç dakika sürer.\",\"Fi3b48\":\"Son Siparişler\",\"Edm6av\":\"Stripe'ı Yeniden Bağla →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Stripe'a yönlendiriliyor...\",\"ACKu03\":\"Önizlemeyi Yenile\",\"fKn/k6\":\"İade tutarı\",\"qY4rpA\":\"İade başarısız oldu\",\"FaK/8G\":[\"Siparişi İade Et \",[\"0\"]],\"MGbi9P\":\"İade beklemede\",\"BDSRuX\":[\"İade edildi: \",[\"0\"]],\"bU4bS1\":\"İadeler\",\"CQeZT8\":\"Rapor bulunamadı\",\"JEPMXN\":\"Yeni bir bağlantı isteyin\",\"mdeIOH\":\"Kodu yeniden gönder\",\"bxoWpz\":\"Onay E-postasını Yeniden Gönder\",\"G42SNI\":\"E-postayı yeniden gönder\",\"TTpXL3\":[[\"resendCooldown\"],\"s içinde yeniden gönder\"],\"Uwsg2F\":\"Rezerve edildi\",\"8wUjGl\":\"Rezerve edilme süresi:\",\"slOprG\":\"Parolanızı sıfırlayın\",\"CbnrWb\":\"Etkinliğe Dön\",\"Oo/PLb\":\"Gelir Özeti\",\"dFFW9L\":[\"Satış sona erdi \",[\"0\"]],\"loCKGB\":[\"Satış bitiyor \",[\"0\"]],\"wlfBad\":\"Satış Dönemi\",\"zpekWp\":[\"Satış başlıyor \",[\"0\"]],\"mUv9U4\":\"Satışlar\",\"9KnRdL\":\"Satışlar duraklatıldı\",\"3VnlS9\":\"Tüm etkinlikler için satışlar, siparişler ve performans metrikleri\",\"3Q1AWe\":\"Satışlar:\",\"8BRPoH\":\"Örnek Mekan\",\"KZrfYJ\":\"Sosyal Bağlantıları Kaydet\",\"9Y3hAT\":\"Şablonu Kaydet\",\"C8ne4X\":\"Bilet Tasarımını Kaydet\",\"6/TNCd\":\"KDV Ayarlarını Kaydet\",\"I+FvbD\":\"Tara\",\"4ba0NE\":\"Planlandı\",\"ftNXma\":\"Bağlı kuruluşları ara...\",\"VY+Bdn\":\"Hesap adı veya e-posta ile ara...\",\"VX+B3I\":\"Etkinlik başlığı veya organizatöre göre ara...\",\"GHdjuo\":\"Ad, e-posta veya hesaba göre ara...\",\"Mck5ht\":\"Güvenli Ödeme\",\"p7xUrt\":\"Bir kategori seçin\",\"BFRSTT\":\"Hesap Seç\",\"mCB6Je\":\"Tümünü Seç\",\"kYZSFD\":\"Pano ve etkinliklerini görüntülemek için bir organizatör seçin.\",\"tVW/yo\":\"Para birimi seçin\",\"n9ZhRa\":\"Bitiş tarih ve saatini seçin\",\"gTN6Ws\":\"Bitiş saatini seçin\",\"0U6E9W\":\"Etkinlik kategorisi seçin\",\"j9cPeF\":\"Etkinlik türlerini seçin\",\"1nhy8G\":\"Tarayıcı Türünü Seçin\",\"KizCK7\":\"Başlangıç tarih ve saatini seçin\",\"dJZTv2\":\"Başlangıç saatini seçin\",\"aT3jZX\":\"Saat dilimi seçin\",\"Ropvj0\":\"Bu webhook'u tetikleyecek etkinlikleri seçin\",\"BG3f7v\":\"Her Şeyi Satın\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Biletlerden Fazlasını Satın\",\"j9b/iy\":\"Hızlı satılıyor 🔥\",\"1lNPhX\":\"İade bildirim e-postası gönder\",\"SPdzrs\":\"Müşterilere sipariş verdiklerinde gönderilir\",\"LxSN5F\":\"Her katılımcıya bilet detaylarıyla birlikte gönderilir\",\"eXssj5\":\"Bu organizatör altında oluşturulan yeni etkinlikler için varsayılan ayarları belirleyin.\",\"xMO+Ao\":\"Organizasyonunuzu kurun\",\"HbUQWA\":\"Dakikalar İçinde Kurulum\",\"GG7qDw\":\"Bağlı Kuruluş Bağlantısını Paylaş\",\"hL7sDJ\":\"Organizatör Sayfasını Paylaş\",\"WHY75u\":\"Ek Seçenekleri Göster\",\"cMW+gm\":[\"Tüm platformları göster (\",[\"0\"],\" değerli daha fazla)\"],\"UVPI5D\":\"Daha az platform göster\",\"Eu/N/d\":\"Pazarlama onay kutusunu göster\",\"SXzpzO\":\"Varsayılan olarak pazarlama onay kutusunu göster\",\"b33PL9\":\"Daha fazla platform göster\",\"v6IwHE\":\"Akıllı Giriş\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Sosyal\",\"d0rUsW\":\"Sosyal Bağlantılar\",\"j/TOB3\":\"Sosyal Bağlantılar ve Web Sitesi\",\"2pxNFK\":\"satıldı\",\"s9KGXU\":\"Satıldı\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"H6Gslz\":\"Rahatsızlık için özür dileriz.\",\"7JFNej\":\"Spor\",\"JcQp9p\":\"Başlangıç tarihi ve saati\",\"0m/ekX\":\"Başlangıç Tarihi ve Saati\",\"izRfYP\":\"Başlangıç tarihi gerekli\",\"2R1+Rv\":\"Etkinliğin başlangıç saati\",\"2NbyY/\":\"İstatistikler\",\"DRykfS\":\"Eski işlemleriniz için hala iadeleri işliyoruz.\",\"wuV0bK\":\"Taklidi Durdur\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe kurulumu zaten tamamlandı.\",\"ii0qn/\":\"Konu gerekli\",\"M7Uapz\":\"Konu burada görünecek\",\"6aXq+t\":\"Konu:\",\"JwTmB6\":\"Ürün Başarıyla Çoğaltıldı\",\"RuaKfn\":\"Adres Başarıyla Güncellendi\",\"kzx0uD\":\"Etkinlik Varsayılanları Başarıyla Güncellendi\",\"5n+Wwp\":\"Organizatör Başarıyla Güncellendi\",\"0Dk/l8\":\"SEO Ayarları Başarıyla Güncellendi\",\"MhOoLQ\":\"Sosyal Bağlantılar Başarıyla Güncellendi\",\"kj7zYe\":\"Webhook Başarıyla Güncellendi\",\"dXoieq\":\"Özet\",\"/RfJXt\":[\"Yaz Müzik Festivali \",[\"0\"]],\"CWOPIK\":\"Yaz Müzik Festivali 2025\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"JZTQI0\":\"Organizatör Değiştir\",\"XX32BM\":\"Sadece birkaç dakika sürer\",\"yT6dQ8\":\"Vergi türü ve etkinliğe göre gruplandırılmış toplanan vergi\",\"Ye321X\":\"Vergi Adı\",\"WyCBRt\":\"Vergi Özeti\",\"GkH0Pq\":\"Uygulanan vergiler ve ücretler\",\"SmvJCM\":\"Vergiler, ücretler, satış dönemi, sipariş limitleri ve görünürlük ayarları\",\"vlf/In\":\"Teknoloji\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"İnsanlara etkinliğinizde neleri bekleyeceklerini anlatın\",\"NiIUyb\":\"Bize etkinliğinizden bahsedin\",\"DovcfC\":\"Tell us about your organization. This information will be displayed on your event pages.\",\"7wtpH5\":\"Şablon Aktif\",\"QHhZeE\":\"Şablon başarıyla oluşturuldu\",\"xrWdPR\":\"Şablon başarıyla silindi\",\"G04Zjt\":\"Şablon başarıyla kaydedildi\",\"xowcRf\":\"Hizmet Koşulları\",\"6K0GjX\":\"Metin okunması zor olabilir\",\"nm3Iz/\":\"Katıldığınız için teşekkürler!\",\"lhAWqI\":\"Hi.Events'i büyütmeye ve geliştirmeye devam ederken desteğiniz için teşekkürler!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"The code will expire in 10 minutes. Check your spam folder if you don't see the email.\",\"MJm4Tq\":\"Siparişin para birimi\",\"I/NNtI\":\"Etkinlik mekanı\",\"tXadb0\":\"The event you're looking for is not available at the moment. It may have been removed, expired, or the URL might be incorrect.\",\"EBzPwC\":\"Tam etkinlik adresi\",\"sxKqBm\":\"Tam sipariş tutarı müşterinin orijinal ödeme yöntemine iade edilecektir.\",\"5OmEal\":\"Müşterinin dili\",\"sYLeDq\":\"The organizer you're looking for could not be found. The page may have been moved, deleted, or the URL might be incorrect.\",\"HxxXZO\":\"Düğmeler ve vurgular için kullanılan birincil marka rengi\",\"DEcpfp\":\"Şablon gövdesi geçersiz Liquid sözdizimi içeriyor. Lütfen düzeltin ve tekrar deneyin.\",\"A4UmDy\":\"Tiyatro\",\"tDwYhx\":\"Tema ve Renkler\",\"HirZe8\":\"These templates will be used as defaults for all events in your organization. Individual events can override these templates with their own custom versions.\",\"lzAaG5\":\"These templates will override the organizer defaults for this event only. If no custom template is set here, the organizer template will be used instead.\",\"XBNC3E\":\"This code will be used to track sales. Only letters, numbers, hyphens, and underscores allowed.\",\"AaP0M+\":\"Bu renk kombinasyonu bazı kullanıcılar için okunması zor olabilir\",\"YClrdK\":\"Bu etkinlik henüz yayınlanmadı\",\"dFJnia\":\"Bu, kullanıcılarınıza görüntülenecek organizatörünüzün adıdır.\",\"L7dIM7\":\"Bu bağlantı geçersiz veya süresi dolmuş.\",\"j5FdeA\":\"Bu sipariş işleniyor.\",\"sjNPMw\":\"Bu sipariş terk edildi. İstediğiniz zaman yeni bir sipariş başlatabilirsiniz.\",\"OhCesD\":\"Bu sipariş iptal edildi. İstediğiniz zaman yeni bir sipariş başlatabilirsiniz.\",\"lyD7rQ\":\"Bu organizatör profili henüz yayınlanmadı\",\"9b5956\":\"This preview shows how your email will look with sample data. Actual emails will use real values.\",\"uM9Alj\":\"Bu ürün etkinlik sayfasında vurgulanmıştır\",\"RqSKdX\":\"Bu ürün tükendi\",\"0Ew0uk\":\"Bu bilet az önce tarandı. Tekrar taramadan önce lütfen bekleyin.\",\"kvpxIU\":\"Bu, kullanıcılarınızla bildirimler ve iletişim için kullanılacaktır.\",\"rhsath\":\"This will not be visible to customers, but helps you identify the affiliate.\",\"Mr5UUd\":\"Bilet İptal Edildi\",\"0GSPnc\":\"Bilet Tasarımı\",\"EZC/Cu\":\"Bilet tasarımı başarıyla kaydedildi\",\"1BPctx\":\"Bilet:\",\"bgqf+K\":\"Bilet sahibinin e-postası\",\"oR7zL3\":\"Bilet sahibinin adı\",\"HGuXjF\":\"Bilet sahipleri\",\"awHmAT\":\"Bilet ID\",\"6czJik\":\"Bilet Logosu\",\"OkRZ4Z\":\"Bilet Adı\",\"6tmWch\":\"Bilet veya Ürün\",\"1tfWrD\":\"Bilet Önizlemesi:\",\"tGCY6d\":\"Bilet Fiyatı\",\"8jLPgH\":\"Bilet Türü\",\"X26cQf\":\"Bilet URL'si\",\"zNECqg\":\"bilet\",\"6GQNLE\":\"Biletler\",\"NRhrIB\":\"Biletler ve Ürünler\",\"EUnesn\":\"Mevcut Biletler\",\"AGRilS\":\"Satılan Biletler\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts.\",\"W428WC\":\"Sütunları değiştir\",\"3sZ0xx\":\"Toplam Hesaplar\",\"EaAPbv\":\"Ödenen toplam tutar\",\"SMDzqJ\":\"Toplam Katılımcılar\",\"orBECM\":\"Toplam Toplanan\",\"KSDwd5\":\"Toplam Siparişler\",\"vb0Q0/\":\"Toplam Kullanıcılar\",\"/b6Z1R\":\"Ayrıntılı analitik ve dışa aktarılabilir raporlarla gelir, sayfa görüntülemeleri ve satışları izleyin\",\"OpKMSn\":\"İşlem Ücreti:\",\"uKOFO5\":\"Çevrimdışı ödeme ise doğru\",\"9GsDR2\":\"Ödeme beklemedeyse doğru\",\"ouM5IM\":\"Başka bir e-posta deneyin\",\"3DZvE7\":\"Hi.Events'i Ücretsiz Deneyin\",\"Kz91g/\":\"Türkçe\",\"GdOhw6\":\"Sesi kapat\",\"KUOhTy\":\"Sesi aç\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Bilet türü\",\"IrVSu+\":\"Ürün çoğaltılamıyor. Lütfen bilgilerinizi kontrol edin\",\"Vx2J6x\":\"Katılımcı getirilemedi\",\"b9SN9q\":\"Benzersiz sipariş referansı\",\"Ef7StM\":\"Bilinmeyen\",\"ZBAScj\":\"Bilinmeyen Katılımcı\",\"ZkS2p3\":\"Etkinliği Yayından Kaldır\",\"Pp1sWX\":\"Bağlı Kuruluşu Güncelle\",\"KMMOAy\":\"Yükseltme Mevcut\",\"gJQsLv\":\"Organizatörünüz için bir kapak görseli yükleyin\",\"4kEGqW\":\"Organizatörünüz için bir logo yükleyin\",\"lnCMdg\":\"Görsel Yükle\",\"29w7p6\":\"Görsel yükleniyor...\",\"HtrFfw\":\"URL gerekli\",\"WBq1/R\":\"USB Tarayıcı Zaten Aktif\",\"EV30TR\":\"USB Tarayıcı modu etkinleştirildi. Şimdi biletleri taramaya başlayın.\",\"fovJi3\":\"USB Tarayıcı modu devre dışı bırakıldı\",\"hli+ga\":\"USB/HID Tarayıcı\",\"OHJXlK\":\"E-postalarınızı kişiselleştirmek için <0>Liquid şablonunu kullanın\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Kenarlıklar, vurgular ve QR kod stillemesi için kullanılır\",\"Fild5r\":\"Geçerli KDV numarası\",\"sqdl5s\":\"KDV Bilgisi\",\"UjNWsF\":\"VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below.\",\"pnVh83\":\"KDV Numarası\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"KDV numarası doğrulaması başarısız oldu. Lütfen numaranızı kontrol edin ve tekrar deneyin.\",\"PCRCCN\":\"KDV Kayıt Bilgisi\",\"vbKW6Z\":\"KDV ayarları başarıyla kaydedildi ve doğrulandı\",\"fb96a1\":\"VAT settings saved but validation failed. Please check your VAT number.\",\"Nfbg76\":\"KDV ayarları başarıyla kaydedildi\",\"tJylUv\":\"Platform Ücretleri için KDV Uygulaması\",\"FlGprQ\":\"VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%.\",\"AdWhjZ\":\"Doğrulama kodu\",\"wCKkSr\":\"E-postayı Doğrula\",\"/IBv6X\":\"E-postanızı doğrulayın\",\"e/cvV1\":\"Doğrulanıyor...\",\"fROFIL\":\"Vietnamca\",\"+WFMis\":\"Tüm etkinliklerinizde raporları görüntüleyin ve indirin. Yalnızca tamamlanan siparişler dahildir.\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"c7VN/A\":\"Cevapları Görüntüle\",\"FCVmuU\":\"Etkinliği Görüntüle\",\"n6EaWL\":\"Günlükleri görüntüle\",\"OaKTzt\":\"Haritayı Görüntüle\",\"67OJ7t\":\"Siparişi Görüntüle\",\"tKKZn0\":\"Sipariş Detaylarını Görüntüle\",\"9jnAcN\":\"Organizatör Ana Sayfasını Görüntüle\",\"1J/AWD\":\"Bileti Görüntüle\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Yalnızca giriş personeline görünür. Giriş sırasında bu listeyi tanımlamaya yardımcı olur.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Ödeme bekleniyor\",\"RRZDED\":\"Bu e-posta adresiyle ilişkili herhangi bir sipariş bulamadık.\",\"miysJh\":\"Bu siparişi bulamadık. Kaldırılmış olabilir.\",\"HJKdzP\":\"Bu sayfayı yüklerken bir sorunla karşılaştık. Lütfen tekrar deneyin.\",\"IfN2Qo\":\"Minimum 200x200px boyutunda kare bir logo öneriyoruz\",\"wJzo/w\":\"400px x 400px boyutlarını ve maksimum 5MB dosya boyutunu öneriyoruz\",\"q1BizZ\":\"Biletlerinizi bu e-postaya göndereceğiz\",\"zCdObC\":\"We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account.\",\"jh2orE\":\"We've relocated our headquarters to Ireland. As a result, we need you to reconnect your Stripe account. This quick process takes just a few minutes. Your sales and existing data remain completely unaffected.\",\"Fq/Nx7\":\"5 haneli doğrulama kodunu şuraya gönderdik:\",\"GdWB+V\":\"Webhook başarıyla oluşturuldu\",\"2X4ecw\":\"Webhook başarıyla silindi\",\"CThMKa\":\"Webhook Günlükleri\",\"nuh/Wq\":\"Webhook URL'si\",\"8BMPMe\":\"Webhook bildirim göndermeyecek\",\"FSaY52\":\"Webhook bildirim gönderecek\",\"v1kQyJ\":\"Webhook'lar\",\"On0aF2\":\"Web Sitesi\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Tekrar hoş geldiniz 👋\",\"kSYpfa\":[[\"0\"],\"'e Hoş Geldiniz 👋\"],\"QDWsl9\":[[\"0\"],\"'e Hoş Geldiniz, \",[\"1\"],\" 👋\"],\"LETnBR\":[[\"0\"],\"'e hoş geldiniz, işte tüm etkinliklerinizin listesi\"],\"FaSXqR\":\"Ne tür bir etkinlik?\",\"f30uVZ\":\"Yapmanız gerekenler:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Bir giriş silindiğinde\",\"Gmd0hv\":\"Yeni bir katılımcı oluşturulduğunda\",\"Lc18qn\":\"Yeni bir sipariş oluşturulduğunda\",\"dfkQIO\":\"Yeni bir ürün oluşturulduğunda\",\"8OhzyY\":\"Bir ürün silindiğinde\",\"tRXdQ9\":\"Bir ürün güncellendiğinde\",\"Q7CWxp\":\"Bir katılımcı iptal edildiğinde\",\"IuUoyV\":\"Bir katılımcı giriş yaptığında\",\"nBVOd7\":\"Bir katılımcı güncellendiğinde\",\"ny2r8d\":\"Bir sipariş iptal edildiğinde\",\"c9RYbv\":\"Bir sipariş ödendi olarak işaretlendiğinde\",\"ejMDw1\":\"Bir sipariş iade edildiğinde\",\"fVPt0F\":\"Bir sipariş güncellendiğinde\",\"bcYlvb\":\"Giriş kapandığında\",\"XIG669\":\"Giriş açıldığında\",\"de6HLN\":\"Müşteriler bilet satın aldığında, siparişleri burada görünecektir.\",\"blXLKj\":\"Etkinleştirildiğinde, yeni etkinlikler ödeme sırasında pazarlama onay kutusu gösterecektir. Bu, etkinlik bazında geçersiz kılınabilir.\",\"uvIqcj\":\"Atölye\",\"EpknJA\":\"Mesajınızı buraya yazın...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Evet - Geçerli bir AB KDV kayıt numaram var\",\"Tz5oXG\":\"Evet, siparişimi iptal et\",\"QlSZU0\":[\"<0>\",[\"0\"],\" (\",[\"1\"],\") rolünü üstleniyorsunuz\"],\"s14PLh\":[\"You are issuing a partial refund. The customer will be refunded \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Ücretsiz Bir Ürüne eklenen vergiler ve ücretleriniz var. Bunları kaldırmak ister misiniz?\",\"FVTVBy\":\"You must verify your email address before you can update the organizer status.\",\"FRl8Jv\":\"Mesaj göndermeden önce hesap e-postanızı doğrulamanız gerekir.\",\"U3wiCB\":\"Her şey hazır! Ödemeleriniz sorunsuz bir şekilde işleniyor.\",\"MNFIxz\":[[\"0\"],\"'e gidiyorsunuz!\"],\"x/xjzn\":\"Bağlı kuruluşlarınız başarıyla dışa aktarıldı.\",\"TF37u6\":\"Katılımcılarınız başarıyla dışa aktarıldı.\",\"79lXGw\":\"Your check-in list has been created successfully. Share the link below with your check-in staff.\",\"BnlG9U\":\"Mevcut siparişiniz kaybolacak.\",\"nBqgQb\":\"E-postanız\",\"R02pnV\":\"Katılımcılara bilet satmadan önce etkinliğinizin canlı olması gerekir.\",\"ifRqmm\":\"Mesajınız başarıyla gönderildi!\",\"/Rj5P4\":\"Adınız\",\"naQW82\":\"Siparişiniz iptal edildi.\",\"bhlHm/\":\"Siparişiniz ödeme bekliyor\",\"XeNum6\":\"Siparişleriniz başarıyla dışa aktarıldı.\",\"Xd1R1a\":\"Organizatör adresiniz\",\"WWYHKD\":\"Ödemeniz banka düzeyinde şifreleme ile korunmaktadır\",\"6heFYY\":\"Stripe hesabınız bağlı ve ödemeleri işliyor.\",\"vvO1I2\":\"Stripe hesabınız bağlı ve ödemeleri işlemeye hazır.\",\"CnZ3Ou\":\"Biletleriniz onaylandı.\",\"d/CiU9\":\"KDV numaranız kaydettiğinizde otomatik olarak doğrulanacaktır\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/tr.po b/frontend/src/locales/tr.po index 593ecee98d..aea0b487c9 100644 --- a/frontend/src/locales/tr.po +++ b/frontend/src/locales/tr.po @@ -16,12 +16,12 @@ msgstr "" #: src/components/layouts/Event/index.tsx:178 #: src/components/layouts/OrganizerLayout/index.tsx:207 msgid "- Click to Publish" -msgstr "" +msgstr "- Yayınlamak için Tıklayın" #: src/components/layouts/Event/index.tsx:180 #: src/components/layouts/OrganizerLayout/index.tsx:209 msgid "- Click to Unpublish" -msgstr "" +msgstr "- Yayından Kaldırmak için Tıklayın" #: src/components/common/NoResultsSplash/index.tsx:14 msgid "'There\\'s nothing to show yet'" @@ -34,11 +34,11 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" -msgstr "" +msgstr "{0} {1} zaten giriş yaptı" #: src/components/layouts/CheckIn/index.tsx:133 msgid "{0} <0>checked in successfully" @@ -50,7 +50,7 @@ msgstr "{0} <0>başarıyla check-out yaptı" #: src/components/routes/event/Webhooks/index.tsx:24 msgid "{0} Active Webhooks" -msgstr "" +msgstr "{0} Aktif Webhook" #: src/components/routes/product-widget/SelectProducts/index.tsx:466 msgid "{0} available" @@ -62,20 +62,20 @@ msgstr "{0} başarıyla oluşturuldu" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "{0} kaldı" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 msgid "{0} logo" -msgstr "" +msgstr "{0} logosu" #: src/components/routes/events/Dashboard/index.tsx:140 msgid "{0} organizers" -msgstr "" +msgstr "{0} organizatör" #: src/components/routes/product-widget/CollectInformation/index.tsx:566 msgid "{0} tickets" -msgstr "" +msgstr "{0} bilet" #: src/components/modals/EditTaxOrFeeModal/index.tsx:42 msgid "{0} updated successfully" @@ -91,7 +91,7 @@ msgstr "{days} gün, {hours} saat, {minutes} dakika ve {seconds} saniye" #: src/components/common/WebhookTable/index.tsx:79 msgid "{eventCount} events" -msgstr "" +msgstr "{eventCount} etkinlik" #: src/components/common/Countdown/index.tsx:70 msgid "{hours} hours, {minutes} minutes, and {seconds} seconds" @@ -107,11 +107,11 @@ msgstr "{organizerName}'ın ilk etkinliği" #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:98 msgid "+1 234 567 890" -msgstr "" +msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Vergi/Ücretler" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -119,7 +119,7 @@ msgstr "<0>Kapasite atamaları, biletler veya tüm etkinlik genelinde kapasiteyi #: src/components/common/CheckInListList/index.tsx:49 msgid "<0>Check-in lists help you manage event entry by day, area, or ticket type. You can link tickets to specific lists such as VIP zones or Day 1 passes and share a secure check-in link with staff. No account is required. Check-in works on mobile, desktop, or tablet, using a device camera or HID USB scanner. " -msgstr "" +msgstr "<0>Giriş listeleri, etkinlik girişini güne, alana veya bilet türüne göre yönetmenize yardımcı olur. Biletleri VIP alanları veya 1. Gün geçişleri gibi belirli listelere bağlayabilir ve personelle güvenli bir giriş bağlantısı paylaşabilirsiniz. Hesap gerekmez. Giriş, cihaz kamerası veya HID USB tarayıcı kullanarak mobil, masaüstü veya tablette çalışır. " #: src/components/common/WidgetEditor/index.tsx:324 msgid "<0>https://your-website.com" @@ -135,7 +135,7 @@ msgstr "<0>Bu ürün için mevcut ürün sayısı<1>Bu değer, bu ürünle i #: src/components/common/WebhookTable/index.tsx:205 msgid "<0>Webhooks instantly notify external services when events happen, like adding a new attendee to your CRM or mailing list upon registration, ensuring seamless automation.<1>Use third-party services like <2>Zapier, <3>IFTTT or <4>Make to create custom workflows and automate tasks." -msgstr "" +msgstr "<0>Webhook'lar, kayıt sırasında CRM'inize veya posta listenize yeni bir katılımcı eklemek gibi olaylar gerçekleştiğinde harici hizmetleri anında bilgilendirir ve kusursuz otomasyon sağlar.<1>Özel iş akışları oluşturmak ve görevleri otomatikleştirmek için <2>Zapier, <3>IFTTT veya <4>Make gibi üçüncü taraf hizmetleri kullanın." #: src/components/routes/event/GettingStarted/index.tsx:134 msgid "⚡️ Set up your event" @@ -143,7 +143,7 @@ msgstr "⚡️ Etkinliğinizi kurun" #: src/components/routes/event/GettingStarted/index.tsx:119 msgid "🎟️ Add tickets" -msgstr "" +msgstr "🎟️ Bilet ekle" #: src/components/routes/event/GettingStarted/index.tsx:162 msgid "🎨 Customize your event page" @@ -163,11 +163,11 @@ msgstr "0 dakika ve 0 saniye" #: src/components/routes/event/Webhooks/index.tsx:23 msgid "1 Active Webhook" -msgstr "" +msgstr "1 Aktif Webhook" #: src/components/routes/product-widget/CollectInformation/index.tsx:565 msgid "1 ticket" -msgstr "" +msgstr "1 bilet" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:123 #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:81 @@ -177,7 +177,7 @@ msgstr "123 Ana Cadde" #: src/components/routes/event/TicketDesigner/TicketDesignerPrint.tsx:81 #: src/components/routes/event/TicketDesigner/TicketPreview.tsx:89 msgid "123 Sample Street" -msgstr "" +msgstr "123 Örnek Sokak" #: src/components/common/WidgetEditor/index.tsx:226 msgid "20" @@ -190,7 +190,7 @@ msgstr "94103" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:155 msgid "A cancellation notice has been sent to" -msgstr "" +msgstr "İptal bildirimi gönderildi:" #: src/components/forms/QuestionForm/index.tsx:138 msgid "A date input. Perfect for asking for a date of birth etc." @@ -218,7 +218,7 @@ msgstr "Çok satırlı metin girişi" #: src/components/routes/welcome/index.tsx:114 msgid "A new verification code has been sent to your email" -msgstr "" +msgstr "E-postanıza yeni bir doğrulama kodu gönderildi" #: src/components/forms/TaxAndFeeForm/index.tsx:29 msgid "A percentage of the product price. E.g., 3.5% of the product price" @@ -239,7 +239,7 @@ msgstr "Arama motoru sonuçlarında ve sosyal medyada paylaşılırken gösteril #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:89 msgid "A short description of your organizer that will be displayed to your users." -msgstr "" +msgstr "Kullanıcılarınıza gösterilecek organizatörünüz hakkında kısa bir açıklama." #: src/components/forms/QuestionForm/index.tsx:102 msgid "A single line text input" @@ -259,22 +259,22 @@ msgstr "KDV veya ÖTV gibi standart vergi" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Terk edildi" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" -msgstr "" +msgstr "Hakkında" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" -msgstr "" +msgstr "Stripe Connect Hakkında" #: src/components/common/ThemeColorControls/index.tsx:51 #: src/components/routes/event/TicketDesigner/index.tsx:129 msgid "Accent Color" -msgstr "" +msgstr "Vurgu Rengi" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:91 msgid "Accept bank transfers, checks, or other offline payment methods" @@ -288,19 +288,19 @@ msgstr "Stripe ile kredi kartı ödemelerini kabul et" msgid "Accept Invitation" msgstr "Davetiyeyi Kabul Et" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" -msgstr "" +msgstr "Erişim Reddedildi" #: src/components/routes/account/ManageAccount/index.tsx:24 #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:53 msgid "Account" msgstr "Hesap" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" -msgstr "" +msgstr "Hesap zaten bağlı!" #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:62 msgid "Account Name" @@ -319,11 +319,15 @@ msgstr "Hesap başarıyla güncellendi" #: src/components/layouts/Admin/index.tsx:14 #: src/components/routes/admin/Accounts/index.tsx:57 msgid "Accounts" -msgstr "" +msgstr "Hesaplar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" -msgstr "" +msgstr "Gerekli İşlem: Stripe Hesabınızı Yeniden Bağlayın" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Gerekli İşlem: KDV Bilgisi Gerekli" #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 @@ -379,7 +383,7 @@ msgstr "Açıklama ekle" #: src/components/routes/event/GettingStarted/index.tsx:137 msgid "Add event details and manage event settings." -msgstr "" +msgstr "Etkinlik detaylarını ekleyin ve etkinlik ayarlarını yönetin." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:153 msgid "Add instructions for offline payments (e.g., bank transfer details, where to send checks, payment deadlines)" @@ -387,7 +391,7 @@ msgstr "Çevrimdışı ödemeler için talimatlar ekleyin (örn. banka havalesi #: src/components/routes/event/GettingStarted/index.tsx:127 msgid "Add More tickets" -msgstr "" +msgstr "Daha fazla bilet ekle" #: src/components/common/HeadingCard/index.tsx:27 msgid "Add New" @@ -415,11 +419,11 @@ msgstr "Vergi veya Ücret Ekle" #: src/components/common/AddToCalendarCTA/index.tsx:20 msgid "Add this event to your calendar" -msgstr "" +msgstr "Bu etkinliği takviminize ekleyin" #: src/components/routes/event/GettingStarted/index.tsx:127 msgid "Add tickets" -msgstr "" +msgstr "Bilet ekle" #: src/components/forms/ProductForm/index.tsx:347 msgid "Add tier" @@ -427,18 +431,18 @@ msgstr "Kademe ekle" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Takvime Ekle" #: src/components/common/WebhookTable/index.tsx:223 #: src/components/routes/event/Webhooks/index.tsx:35 msgid "Add Webhook" -msgstr "" +msgstr "Webhook Ekle" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:185 msgid "Add your social media handles and website URL. These will be displayed on your public organizer page." -msgstr "" +msgstr "Sosyal medya hesaplarınızı ve web sitesi URL'nizi ekleyin. Bunlar herkese açık organizatör sayfanızda görüntülenecektir." #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:295 msgid "Additional Information" @@ -483,7 +487,7 @@ msgstr "Yönetici" #: src/components/layouts/Admin/index.tsx:22 #: src/components/routes/admin/Dashboard/index.tsx:42 msgid "Admin Dashboard" -msgstr "" +msgstr "Yönetici Paneli" #: src/components/modals/EditUserModal/index.tsx:51 #: src/components/modals/InviteUserModal/index.tsx:43 @@ -492,49 +496,49 @@ msgstr "Yönetici kullanıcılar etkinliklere ve hesap ayarlarına tam erişime #: src/components/common/AffiliateTable/index.tsx:82 msgid "Affiliate" -msgstr "" +msgstr "Bağlı Kuruluş" #: src/components/forms/AffiliateForm/index.tsx:75 msgid "Affiliate code cannot be changed" -msgstr "" +msgstr "Bağlı kuruluş kodu değiştirilemez" #: src/components/modals/CreateAffiliateModal/index.tsx:55 msgid "Affiliate created successfully" -msgstr "" +msgstr "Bağlı kuruluş başarıyla oluşturuldu" #: src/components/common/AffiliateTable/index.tsx:39 msgid "Affiliate deleted successfully" -msgstr "" +msgstr "Bağlı kuruluş başarıyla silindi" #: src/components/forms/AffiliateForm/index.tsx:23 msgid "Affiliate sales will be tracked" -msgstr "" +msgstr "Bağlı kuruluş satışları izlenecek" #: src/components/forms/AffiliateForm/index.tsx:29 msgid "Affiliate sales will not be tracked. This will deactivate the affiliate." -msgstr "" +msgstr "Bağlı kuruluş satışları izlenmeyecek. Bu, bağlı kuruluşu devre dışı bırakacaktır." #: src/components/modals/EditAffiliateModal/index.tsx:63 msgid "Affiliate updated successfully" -msgstr "" +msgstr "Bağlı kuruluş başarıyla güncellendi" #: src/components/layouts/Event/index.tsx:107 #: src/components/modals/DuplicateEventModal/index.tsx:33 #: src/components/routes/event/Affiliates/index.tsx:61 msgid "Affiliates" -msgstr "" +msgstr "Bağlı Kuruluşlar" #: src/components/routes/event/Affiliates/index.tsx:46 msgid "Affiliates Exported" -msgstr "" +msgstr "Bağlı Kuruluşlar Dışa Aktarıldı" #: src/components/common/AffiliateTable/index.tsx:60 msgid "Affiliates help you track sales generated by partners and influencers. Create affiliate codes and share them to monitor performance." -msgstr "" +msgstr "Bağlı kuruluşlar, iş ortakları ve etkileyiciler tarafından oluşturulan satışları izlemenize yardımcı olur. Performansı izlemek için bağlı kuruluş kodları oluşturun ve paylaşın." #: src/components/routes/events/Dashboard/index.tsx:76 msgid "All Archived Events" -msgstr "" +msgstr "Tüm Arşivlenmiş Etkinlikler" #: src/components/common/MessageList/index.tsx:21 #: src/components/routes/product-widget/CollectInformation/index.tsx:471 @@ -547,15 +551,15 @@ msgstr "Bu etkinliğin tüm katılımcıları" #: src/components/common/OrganizerReportTable/index.tsx:249 msgid "All Currencies" -msgstr "" +msgstr "Tüm Para Birimleri" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." -msgstr "" +msgstr "Tamamlandı! Artık yükseltilmiş ödeme sistemimizi kullanıyorsunuz." #: src/components/routes/events/Dashboard/index.tsx:74 msgid "All Ended Events" -msgstr "" +msgstr "Tüm Sona Eren Etkinlikler" #: src/components/common/PromoCodeTable/index.tsx:131 msgid "All Products" @@ -563,7 +567,7 @@ msgstr "Tüm Ürünler" #: src/components/routes/events/Dashboard/index.tsx:72 msgid "All Upcoming Events" -msgstr "" +msgstr "Tüm Yaklaşan Etkinlikler" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:157 msgid "Allow attendees associated with unpaid orders to check in" @@ -579,30 +583,30 @@ msgstr "Arama motoru indekslemesine izin ver" msgid "Allow search engines to index this event" msgstr "Arama motorlarının bu etkinliği indekslemesine izin ver" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." -msgstr "" +msgstr "Neredeyse tamam! Ödeme almaya başlamak için Stripe hesabınızı bağlamayı tamamlayın." #: src/components/routes/product-widget/PaymentReturn/index.tsx:78 msgid "Almost there! We're just waiting for your payment to be processed. This should only take a few seconds." -msgstr "" +msgstr "Neredeyse bitti! Ödemenizin işlenmesini bekliyoruz. Bu sadece birkaç saniye sürmelidir." #: src/components/modals/RefundOrderModal/index.tsx:85 msgid "Already Refunded" -msgstr "" +msgstr "Zaten İade Edildi" #: src/components/modals/RefundOrderModal/index.tsx:131 msgid "Also cancel this order" -msgstr "" +msgstr "Bu siparişi de iptal et" #: src/components/modals/CancelOrderModal/index.tsx:76 msgid "Also refund this order" -msgstr "" +msgstr "Bu siparişi de iade et" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Her zaman mevcut" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -621,11 +625,11 @@ msgstr "Ödenen miktar ({0})" #: src/components/forms/AffiliateForm/index.tsx:90 msgid "An email to associate with this affiliate. The affiliate will not be notified." -msgstr "" +msgstr "Bu bağlı kuruluşla ilişkilendirilecek bir e-posta. Bağlı kuruluşa bildirim gitmeyecektir." #: src/mutations/useExportAnswers.ts:45 msgid "An error occurred while checking export status." -msgstr "" +msgstr "Dışa aktarma durumu kontrol edilirken bir hata oluştu." #: src/components/common/ErrorDisplay/index.tsx:19 msgid "An error occurred while loading the page" @@ -637,7 +641,7 @@ msgstr "Soruları sıralarken bir hata oluştu. Lütfen tekrar deneyin veya sayf #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Vurgulanan üründe görüntülenecek isteğe bağlı bir mesaj, örn. \"Hızlı satılıyor 🔥\" veya \"En iyi değer\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -649,7 +653,7 @@ msgstr "Beklenmeyen bir hata oluştu. Lütfen tekrar deneyin." #: src/components/common/QuestionAndAnswerList/index.tsx:97 msgid "Answer updated successfully." -msgstr "" +msgstr "Cevap başarıyla güncellendi." #: src/components/routes/event/Settings/Sections/EmailSettings/GeneralEmailSettings.tsx:61 msgid "Any queries from product 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" @@ -705,7 +709,7 @@ msgstr "Bu katılımcıyı iptal etmek istediğinizden emin misiniz? Bu işlem b #: src/components/common/AffiliateTable/index.tsx:202 msgid "Are you sure you want to delete this affiliate? This action cannot be undone." -msgstr "" +msgstr "Bu bağlı kuruluşu silmek istediğinizden emin misiniz? Bu işlem geri alınamaz." #: src/components/common/PromoCodeTable/index.tsx:37 msgid "Are you sure you want to delete this promo code?" @@ -717,19 +721,19 @@ msgstr "Bu soruyu silmek istediğinizden emin misiniz?" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:95 msgid "Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the default template." -msgstr "" +msgstr "Bu şablonu silmek istediğinizden emin misiniz? Bu işlem geri alınamaz ve e-postalar varsayılan şablona geri dönecektir." #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:94 msgid "Are you sure you want to delete this template? This action cannot be undone and emails will fall back to the organizer or default template." -msgstr "" +msgstr "Bu şablonu silmek istediğinizden emin misiniz? Bu işlem geri alınamaz ve e-postalar organizatör veya varsayılan şablona geri dönecektir." #: src/components/common/WebhookTable/index.tsx:122 msgid "Are you sure you want to delete this webhook?" -msgstr "" +msgstr "Bu webhook'u silmek istediğinizden emin misiniz?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" -msgstr "" +msgstr "Ayrılmak istediğinizden emin misiniz?" #: src/components/layouts/Event/index.tsx:144 #: src/components/routes/event/EventDashboard/index.tsx:71 @@ -743,19 +747,19 @@ msgstr "Bu etkinliği herkese açık yapmak istediğinizden emin misiniz? Bu iş #: src/components/layouts/OrganizerLayout/index.tsx:120 msgid "Are you sure you want to make this organizer draft? This will make the organizer page invisible to the public" -msgstr "" +msgstr "Bu organizatörü taslak yapmak istediğinizden emin misiniz? Bu, organizatör sayfasını kamuya görünmez yapacaktır" #: src/components/layouts/OrganizerLayout/index.tsx:121 msgid "Are you sure you want to make this organizer public? This will make the organizer page visible to the public" -msgstr "" +msgstr "Bu organizatörü herkese açık yapmak istediğinizden emin misiniz? Bu, organizatör sayfasını kamuya görünür yapacaktır" #: src/components/common/StatusToggle/index.tsx:37 msgid "Are you sure you want to publish this event? Once published, it will be visible to the public." -msgstr "" +msgstr "Bu etkinliği yayınlamak istediğinizden emin misiniz? Yayınlandığında herkese görünür olacaktır." #: src/components/common/StatusToggle/index.tsx:38 msgid "Are you sure you want to publish this organizer profile? Once published, it will be visible to the public." -msgstr "" +msgstr "Bu organizatör profilini yayınlamak istediğinizden emin misiniz? Yayınlandığında herkese görünür olacaktır." #: src/components/common/EventCard/index.tsx:59 msgid "Are you sure you want to restore this event? It will be restored as a draft event." @@ -763,11 +767,11 @@ msgstr "Bu etkinliği geri yüklemek istediğinizden emin misiniz? Taslak etkinl #: src/components/common/StatusToggle/index.tsx:40 msgid "Are you sure you want to unpublish this event? It will no longer be visible to the public." -msgstr "" +msgstr "Bu etkinliği yayından kaldırmak istediğinizden emin misiniz? Artık herkese görünür olmayacaktır." #: src/components/common/StatusToggle/index.tsx:41 msgid "Are you sure you want to unpublish this organizer profile? It will no longer be visible to the public." -msgstr "" +msgstr "Bu organizatör profilini yayından kaldırmak istediğinizden emin misiniz? Artık herkese görünür olmayacaktır." #: src/components/common/CapacityAssignmentList/index.tsx:163 msgid "Are you sure you would like to delete this Capacity Assignment?" @@ -777,9 +781,22 @@ msgstr "Bu Kapasite Atamasını silmek istediğinizden emin misiniz?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "Bu Check-In Listesini silmek istediğinizden emin misiniz?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "AB'de KDV kaydınız var mı?" + #: src/constants/eventCategories.ts:11 msgid "Art" -msgstr "" +msgstr "Sanat" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "İşletmeniz İrlanda merkezli olduğundan, tüm platform ücretlerine otomatik olarak %23 İrlanda KDV'si uygulanır." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "İşletmeniz AB merkezli olduğundan, platform ücretlerimiz için doğru KDV uygulamasını belirlememiz gerekiyor:" #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" @@ -791,11 +808,11 @@ msgstr "Ürün başına bir kez sor" #: src/components/modals/CreateWebhookModal/index.tsx:33 msgid "At least one event type must be selected" -msgstr "" +msgstr "En az bir etkinlik türü seçilmelidir" #: src/components/routes/organizer/Reports/index.tsx:36 msgid "Attendance and check-in rates across all events" -msgstr "" +msgstr "Tüm etkinliklerdeki katılım ve giriş oranları" #: src/components/common/AttendeeTicket/index.tsx:108 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:54 @@ -806,11 +823,11 @@ msgstr "Katılımcı" #: src/components/forms/WebhookForm/index.tsx:94 msgid "Attendee Cancelled" -msgstr "" +msgstr "Katılımcı İptal Edildi" #: src/components/forms/WebhookForm/index.tsx:82 msgid "Attendee Created" -msgstr "" +msgstr "Katılımcı Oluşturuldu" #: src/components/common/AttendeeTable/index.tsx:137 #: src/components/modals/ManageAttendeeModal/index.tsx:147 @@ -819,27 +836,27 @@ msgstr "Katılımcı Detayları" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "Katılımcı bilgileri sipariş bilgilerinden kopyalanacaktır." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" -msgstr "" +msgstr "Katılımcı E-postası" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Katılımcı bilgi toplama" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "Katılımcı bilgi toplama \"Sipariş başına\" olarak ayarlanmış. Katılımcı bilgileri sipariş bilgilerinden kopyalanacaktır." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" -msgstr "" +msgstr "Katılımcı Yönetimi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:54 msgid "Attendee Name" -msgstr "" +msgstr "Katılımcı Adı" #: src/components/layouts/CheckIn/index.tsx:228 msgid "Attendee not found" @@ -855,7 +872,7 @@ msgstr "Katılımcı soruları" #: src/components/routes/event/attendees.tsx:72 msgid "Attendee Status" -msgstr "" +msgstr "Katılımcı Durumu" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:95 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:195 @@ -865,11 +882,11 @@ msgstr "Katılımcı Bileti" #: src/components/forms/WebhookForm/index.tsx:88 msgid "Attendee Updated" -msgstr "" +msgstr "Katılımcı Güncellendi" #: src/components/common/CheckInStatusModal/index.tsx:101 msgid "Attendee's ticket not included in this list" -msgstr "" +msgstr "Katılımcının bileti bu listede yok" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 #: src/components/common/StatBoxes/index.tsx:45 @@ -882,7 +899,7 @@ msgstr "Katılımcılar" #: src/components/routes/event/attendees.tsx:131 msgid "Attendees Exported" -msgstr "" +msgstr "Katılımcılar Dışa Aktarıldı" #: src/components/routes/event/EventDashboard/index.tsx:270 msgid "Attendees Registered" @@ -890,11 +907,11 @@ msgstr "Kayıtlı Katılımcılar" #: src/components/modals/SendMessageModal/index.tsx:178 msgid "Attendees with a specific ticket" -msgstr "" +msgstr "Belirli bir bilete sahip katılımcılar" #: src/components/common/AdminEventsTable/index.tsx:134 msgid "Attendees:" -msgstr "" +msgstr "Katılımcılar:" #: src/components/common/WidgetEditor/index.tsx:233 msgid "Auto Resize" @@ -902,11 +919,11 @@ msgstr "Otomatik Boyutlandır" #: src/components/layouts/AuthLayout/index.tsx:81 msgid "Automated entry management with multiple check-in lists and real-time validation" -msgstr "" +msgstr "Birden fazla giriş listesi ve gerçek zamanlı doğrulama ile otomatik giriş yönetimi" #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Arka plan rengine göre otomatik olarak algılanır, ancak geçersiz kılınabilir" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -914,11 +931,11 @@ msgstr "Widget yüksekliğini içeriğe göre otomatik olarak boyutlandırır. D #: src/components/modals/RefundOrderModal/index.tsx:92 msgid "Available to Refund" -msgstr "" +msgstr "İade Edilebilir" #: src/components/common/Editor/Controls/LiquidTokenControl.tsx:49 msgid "Available Tokens" -msgstr "" +msgstr "Mevcut Token'lar" #: src/components/common/OrderStatusBadge/index.tsx:15 #: src/components/modals/SendMessageModal/index.tsx:226 @@ -932,7 +949,7 @@ msgstr "Çevrimdışı Ödeme Bekleniyor" #: src/components/routes/organizer/OrganizerDashboard/index.tsx:361 msgid "Awaiting Offline Pmt." -msgstr "" +msgstr "Çevrimdışı Ödeme Bekleniyor" #: src/components/common/CheckIn/AttendeeList.tsx:91 msgid "Awaiting payment" @@ -948,7 +965,7 @@ msgstr "Ödeme Bekleniyor" #: src/components/forms/OrganizerForm/index.tsx:28 msgid "Awesome Events Ltd." -msgstr "" +msgstr "Harika Etkinlikler Ltd." #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:74 msgid "Awesome Organizer Ltd." @@ -959,7 +976,7 @@ msgstr "Harika Organizatör Ltd." #: src/components/routes/product-widget/CollectInformation/index.tsx:353 #: src/components/routes/product-widget/CollectInformation/index.tsx:376 msgid "Back to Event" -msgstr "" +msgstr "Etkinliğe Dön" #: src/components/layouts/Checkout/index.tsx:160 msgid "Back to event page" @@ -972,7 +989,7 @@ msgstr "Girişe dön" #: src/components/routes/organizer/Reports/ReportLayout/index.tsx:39 msgid "Back to Reports" -msgstr "" +msgstr "Raporlara Dön" #: src/components/common/ThemeColorControls/index.tsx:61 #: src/components/common/WidgetEditor/index.tsx:175 @@ -987,7 +1004,7 @@ msgstr "Arkaplan Türü" #: src/components/routes/organizer/Settings/index.tsx:23 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:63 msgid "Basic Information" -msgstr "" +msgstr "Temel Bilgiler" #: src/components/modals/SendMessageModal/index.tsx:273 msgid "Before you send!" @@ -995,7 +1012,7 @@ msgstr "Göndermeden önce!" #: src/components/routes/event/GettingStarted/index.tsx:92 msgid "Before your event can go live, there are a few things you need to do. Complete all the steps below to get started." -msgstr "" +msgstr "Etkinliğiniz yayına girmeden önce yapmanız gereken birkaç şey var. Başlamak için aşağıdaki tüm adımları tamamlayın." #: src/components/routes/product-widget/CollectInformation/index.tsx:483 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:202 @@ -1008,7 +1025,7 @@ msgstr "Fatura Ayarları" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:47 msgid "Body is required" -msgstr "" +msgstr "Gövde gerekli" #: src/components/common/LanguageSwitcher/index.tsx:30 msgid "Brazilian Portuguese" @@ -1016,20 +1033,20 @@ msgstr "Brezilya Portekizcesi" #: src/constants/eventCategories.ts:17 msgid "Business" -msgstr "" +msgstr "İş" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:27 msgid "Button Label" -msgstr "" +msgstr "Düğme Etiketi" #: src/components/routes/event/HomepageDesigner/index.tsx:245 msgid "Button Text" -msgstr "" +msgstr "Düğme Metni" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "Devam ederek, <0>{0} Hizmet Koşullarını kabul etmiş olursunuz" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1046,7 +1063,7 @@ msgstr "Kaliforniya" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:20 msgid "Call-to-Action Button" -msgstr "" +msgstr "Harekete Geçirici Düğme" #: src/components/common/AttendeeCheckInTable/PermissionDeniedMessage.tsx:16 msgid "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." @@ -1054,7 +1071,7 @@ msgstr "Kamera izni reddedildi. Tekrar <0>İzin İsteyin, veya bu işe yaram #: src/components/common/CheckIn/ScannerSelectionModal.tsx:35 msgid "Camera Scanner" -msgstr "" +msgstr "Kamera Tarayıcı" #: src/components/common/AttendeeTable/index.tsx:370 #: src/components/common/CheckIn/CheckInOptionsModal.tsx:59 @@ -1069,7 +1086,7 @@ msgstr "İptal" #: src/components/modals/RefundOrderModal/index.tsx:132 msgid "Cancel all products and release them back to the pool" -msgstr "" +msgstr "Tüm ürünleri iptal et ve havuza geri bırak" #: src/components/routes/profile/ManageProfile/index.tsx:131 msgid "Cancel email change" @@ -1089,7 +1106,7 @@ msgstr "Sipariş {0}'ı İptal Et" #: src/components/modals/CancelOrderModal/index.tsx:67 msgid "Canceling will cancel all attendees associated with this order, and release the tickets back into the available pool." -msgstr "" +msgstr "İptal etmek, bu siparişle ilişkili tüm katılımcıları iptal edecek ve biletleri mevcut havuza geri bırakacaktır." #: src/components/common/AttendeeTable/index.tsx:295 #: src/components/common/AttendeeTicket/index.tsx:149 @@ -1108,7 +1125,7 @@ msgstr "Check-in Yapılamaz" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "Giriş Yapılamaz (İptal Edildi)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1125,7 +1142,7 @@ msgstr "Kapasite ataması başarıyla silindi" #: src/components/modals/DuplicateEventModal/index.tsx:28 msgid "Capacity Assignments" -msgstr "" +msgstr "Kapasite Atamaları" #: src/components/routes/event/CapacityAssignments/index.tsx:32 msgid "Capacity Management" @@ -1146,7 +1163,7 @@ msgstr "Kategoriler başarıyla yeniden sıralandı." #: src/components/routes/event/products.tsx:96 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:82 msgid "Category" -msgstr "" +msgstr "Kategori" #: src/components/modals/CreateProductCategoryModal/index.tsx:37 msgid "Category Created Successfully" @@ -1158,7 +1175,7 @@ msgstr "Şifre değiştir" #: src/constants/eventCategories.ts:15 msgid "Charity" -msgstr "" +msgstr "Hayır Kurumu" #: src/components/common/CheckIn/AttendeeList.tsx:41 msgid "Check In" @@ -1186,12 +1203,12 @@ msgstr "Bu etkinliğe göz atın!" #: src/components/routes/welcome/index.tsx:140 msgid "Check your email" -msgstr "" +msgstr "E-postanızı kontrol edin" #: src/components/routes/auth/Login/index.tsx:132 #: src/components/routes/my-tickets/index.tsx:174 msgid "Check your inbox! If tickets are associated with this email, you'll receive a link to view them." -msgstr "" +msgstr "Gelen kutunuzu kontrol edin! Bu e-postayla ilişkili biletler varsa, bunları görüntülemek için bir bağlantı alacaksınız." #: src/components/common/EventCard/index.tsx:92 msgid "Check-in" @@ -1199,15 +1216,15 @@ msgstr "Check-in" #: src/components/forms/WebhookForm/index.tsx:100 msgid "Check-in Created" -msgstr "" +msgstr "Giriş Oluşturuldu" #: src/components/forms/WebhookForm/index.tsx:106 msgid "Check-in Deleted" -msgstr "" +msgstr "Giriş Silindi" #: src/components/modals/CheckInListSuccessModal/index.tsx:20 msgid "Check-In List Created" -msgstr "" +msgstr "Giriş Listesi Oluşturuldu" #: src/components/common/CheckInListList/index.tsx:33 msgid "Check-In List deleted successfully" @@ -1227,7 +1244,7 @@ msgstr "Check-in listesi bulunamadı" #: src/components/routes/organizer/Reports/CheckInSummaryReport/index.tsx:51 msgid "Check-in Lists" -msgstr "" +msgstr "Giriş Listeleri" #: src/components/layouts/Event/index.tsx:104 #: src/components/modals/DuplicateEventModal/index.tsx:29 @@ -1237,22 +1254,22 @@ msgstr "Check-In Listeleri" #: src/components/forms/CheckInListForm/index.tsx:31 msgid "Check-in lists let you control entry across days, areas, or ticket types. You can share a secure check-in link with staff — no account required." -msgstr "" +msgstr "Giriş listeleri, günler, alanlar veya bilet türleri arasında girişi kontrol etmenizi sağlar. Personelle güvenli bir giriş bağlantısı paylaşabilirsiniz — hesap gerekmez." #: src/components/routes/organizer/Reports/CheckInSummaryReport/index.tsx:45 msgid "Check-in Rate" -msgstr "" +msgstr "Giriş Oranı" #: src/components/common/AttendeeTable/index.tsx:307 #: src/components/common/CheckInStatusModal/index.tsx:38 #: src/components/common/CheckInStatusModal/index.tsx:136 msgid "Check-In Status" -msgstr "" +msgstr "Giriş Durumu" #: src/components/routes/organizer/Reports/CheckInSummaryReport/index.tsx:58 #: src/components/routes/organizer/Reports/index.tsx:35 msgid "Check-in Summary" -msgstr "" +msgstr "Giriş Özeti" #: src/components/common/CheckInListList/index.tsx:160 msgid "Check-In URL copied to clipboard" @@ -1260,7 +1277,7 @@ msgstr "Check-In URL'si panoya kopyalandı" #: src/components/common/AttendeeDetails/index.tsx:47 msgid "Check-Ins" -msgstr "" +msgstr "Girişler" #: src/components/forms/QuestionForm/index.tsx:114 msgid "Checkbox options allow multiple selections" @@ -1274,7 +1291,7 @@ msgstr "Onay Kutuları" #: src/components/common/CheckInStatusModal/index.tsx:112 #: src/components/routes/organizer/Reports/CheckInSummaryReport/index.tsx:40 msgid "Checked In" -msgstr "" +msgstr "Giriş Yapıldı" #: src/components/routes/event/Settings/index.tsx:40 msgid "Checkout" @@ -1290,7 +1307,7 @@ msgstr "Çince (Basitleştirilmiş)" #: src/components/common/LanguageSwitcher/index.tsx:34 msgid "Chinese (Traditional)" -msgstr "" +msgstr "Çince (Geleneksel)" #: src/components/routes/event/HomepageDesigner/index.tsx:216 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:248 @@ -1303,11 +1320,11 @@ msgstr "Bir hesap seçin" #: src/components/routes/events/Dashboard/index.tsx:229 msgid "Choose an Organizer" -msgstr "" +msgstr "Bir Organizatör Seçin" #: src/components/common/CalendarOptionsPopover/index.tsx:21 msgid "Choose calendar" -msgstr "" +msgstr "Takvim seçin" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 @@ -1327,11 +1344,11 @@ msgstr "Kopyalamak için tıklayın" #: src/components/common/AttendeeTable/index.tsx:207 msgid "Click to view notes" -msgstr "" +msgstr "Notları görüntülemek için tıklayın" #: src/components/routes/product-widget/SelectProducts/index.tsx:587 msgid "close" -msgstr "" +msgstr "kapat" #: src/components/common/AttendeeCheckInTable/PermissionDeniedMessage.tsx:27 #: src/components/modals/RefundOrderModal/index.tsx:169 @@ -1341,7 +1358,7 @@ msgstr "Kapat" #: src/components/modals/CreateEventModal/index.tsx:119 msgid "Close modal" -msgstr "" +msgstr "Pencereyi kapat" #: src/components/layouts/AppLayout/Sidebar/index.tsx:97 msgid "Close sidebar" @@ -1357,15 +1374,15 @@ msgstr "Kod" #: src/components/modals/CreateAffiliateModal/index.tsx:31 msgid "Code can only contain letters, numbers, hyphens, and underscores" -msgstr "" +msgstr "Kod yalnızca harf, rakam, tire ve alt çizgi içerebilir" #: src/components/modals/CreateAffiliateModal/index.tsx:30 msgid "Code is required" -msgstr "" +msgstr "Kod gerekli" #: src/components/modals/CreateAffiliateModal/index.tsx:32 msgid "Code must be at least 3 characters" -msgstr "" +msgstr "Kod en az 3 karakter olmalıdır" #: src/components/modals/CreatePromoCodeModal/index.tsx:26 #: src/components/modals/EditPromoCodeModal/index.tsx:38 @@ -1374,11 +1391,11 @@ msgstr "Kod 3 ile 50 karakter arasında olmalıdır" #: src/components/modals/CreateAffiliateModal/index.tsx:33 msgid "Code must be no more than 20 characters" -msgstr "" +msgstr "Kod en fazla 20 karakter olmalıdır" #: src/components/layouts/OrganizerLayout/index.tsx:163 msgid "Collaborate with your team to create amazing events together." -msgstr "" +msgstr "Birlikte harika etkinlikler oluşturmak için ekibinizle işbirliği yapın." #: src/components/forms/ProductForm/index.tsx:444 msgid "Collapse this product when the event page is initially loaded" @@ -1387,7 +1404,7 @@ msgstr "Etkinlik sayfası ilk yüklendiğinde bu ürünü daralt" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "Satın alınan her bilet için katılımcı bilgilerini toplayın." #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "Renk" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "Renk Modu" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,11 +1425,11 @@ msgstr "Renkler" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "Sütunlar" #: src/constants/eventCategories.ts:9 msgid "Comedy" -msgstr "" +msgstr "Komedi" #: src/components/layouts/AppLayout/Sidebar/index.tsx:67 msgid "Coming Soon" @@ -1435,19 +1452,19 @@ msgstr "Ödemeyi Tamamla" #: src/components/common/StripeConnectButton/index.tsx:87 #: src/components/routes/event/EventDashboard/index.tsx:236 msgid "Complete Stripe Setup" -msgstr "" +msgstr "Stripe Kurulumunu Tamamla" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" -msgstr "" +msgstr "Devam etmek için aşağıdaki kurulumu tamamlayın" #: src/components/routes/event/EventDashboard/index.tsx:158 msgid "Complete these steps to start selling tickets for your event." -msgstr "" +msgstr "Etkinliğiniz için bilet satmaya başlamak için bu adımları tamamlayın." #: src/components/routes/product-widget/CollectInformation/index.tsx:331 msgid "Complete your payment to secure your tickets." -msgstr "" +msgstr "Biletlerinizi güvence altına almak için ödemenizi tamamlayın." #: src/components/common/OrdersTable/index.tsx:405 #: src/components/modals/SendMessageModal/index.tsx:225 @@ -1472,7 +1489,7 @@ msgstr "Bileşen Kodu" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:117 msgid "Conference Center" -msgstr "" +msgstr "Konferans Merkezi" #: src/components/routes/event/Reports/PromoCodesReport/index.tsx:35 msgid "Configured Discount" @@ -1489,7 +1506,7 @@ msgstr "Onayla" #: src/components/routes/product-widget/CollectInformation/index.tsx:641 #: src/components/routes/product-widget/CollectInformation/index.tsx:642 msgid "Confirm Email Address" -msgstr "" +msgstr "E-posta Adresini Onayla" #: src/components/routes/profile/ConfirmEmailChange/index.tsx:51 #: src/components/routes/profile/ConfirmEmailChange/index.tsx:56 @@ -1512,15 +1529,15 @@ msgstr "Şifreyi Onayla" #: src/components/layouts/Event/index.tsx:235 msgid "Confirm your email to access all features." -msgstr "" +msgstr "Tüm özelliklere erişmek için e-postanızı onaylayın." #: src/components/layouts/OrganizerLayout/index.tsx:296 msgid "Confirmation email sent! Please check your inbox." -msgstr "" +msgstr "Onay e-postası gönderildi! Lütfen gelen kutunuzu kontrol edin." #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:150 msgid "Confirmation sent to" -msgstr "" +msgstr "Onay gönderildi:" #: src/components/routes/profile/ConfirmEmailAddress/index.tsx:36 msgid "Confirming email address..." @@ -1528,19 +1545,19 @@ msgstr "E-posta adresi onaylanıyor..." #: src/components/routes/event/GettingStarted/index.tsx:88 msgid "Congratulations on creating an event!" -msgstr "" +msgstr "Bir etkinlik oluşturduğunuz için tebrikler!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" -msgstr "" +msgstr "Bağlan ve Yükselt" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" -msgstr "" +msgstr "Dokümantasyonu Bağla" #: src/components/routes/event/EventDashboard/index.tsx:223 msgid "Connect payment processing" -msgstr "" +msgstr "Ödeme işlemeyi bağla" #: src/components/layouts/OrganizerLayout/index.tsx:176 #: src/components/layouts/OrganizerLayout/index.tsx:184 @@ -1549,70 +1566,70 @@ msgstr "Stripe'ı Bağla" #: src/components/modals/SendMessageModal/index.tsx:159 msgid "Connect Stripe to enable messaging" -msgstr "" +msgstr "Mesajlaşmayı etkinleştirmek için Stripe'ı bağlayın" #: src/components/routes/event/EventDashboard/index.tsx:236 msgid "Connect to Stripe" -msgstr "" +msgstr "Stripe'a Bağlan" #: src/components/layouts/AuthLayout/index.tsx:91 msgid "Connect with CRM and automate tasks using webhooks and integrations" -msgstr "" +msgstr "CRM ile bağlanın ve webhook'lar ve entegrasyonlar kullanarak görevleri otomatikleştirin" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Stripe ile Bağlan" #: src/components/layouts/OrganizerLayout/index.tsx:177 msgid "Connect your Stripe account to accept payments for tickets and products." -msgstr "" +msgstr "Bilet ve ürünler için ödeme almak üzere Stripe hesabınızı bağlayın." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." -msgstr "" +msgstr "Ödeme almak için Stripe hesabınızı bağlayın." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." -msgstr "" +msgstr "Etkinlikleriniz için ödeme almaya başlamak üzere Stripe hesabınızı bağlayın." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." -msgstr "" +msgstr "Ödeme almaya başlamak için Stripe hesabınızı bağlayın." #: src/components/routes/event/GettingStarted/index.tsx:150 msgid "Connect your Stripe account to start receiving payments." msgstr "Ödeme almaya başlamak için Stripe hesabınızı bağlayın." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" -msgstr "" +msgstr "Stripe'a Bağlandı" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:98 msgid "Connection Details" msgstr "Bağlantı Detayları" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" -msgstr "" +msgstr "İletişim" #: src/components/common/ContactOrganizerModal/index.tsx:66 msgid "Contact {0}" -msgstr "" +msgstr "{0} ile İletişime Geç" #: src/components/forms/OrganizerForm/index.tsx:34 msgid "Contact Email" -msgstr "" +msgstr "İletişim E-postası" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:48 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:81 msgid "Contact email for support" -msgstr "" +msgstr "Destek için iletişim e-postası" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 @@ -1633,23 +1650,23 @@ msgstr "Kuruluma devam et" #: src/components/modals/CreateEventModal/index.tsx:264 #: src/components/routes/welcome/index.tsx:407 msgid "Continue Setup" -msgstr "" +msgstr "Kuruluma Devam Et" #: src/components/routes/product-widget/SelectProducts/index.tsx:376 msgid "Continue to Checkout" -msgstr "" +msgstr "Ödemeye Devam Et" #: src/components/forms/OrganizerForm/index.tsx:121 msgid "Continue to event creation" -msgstr "" +msgstr "Etkinlik oluşturmaya devam et" #: src/components/routes/welcome/index.tsx:405 msgid "Continue to next step" -msgstr "" +msgstr "Sonraki adıma devam et" #: src/components/routes/product-widget/CollectInformation/index.tsx:682 msgid "Continue to Payment" -msgstr "" +msgstr "Ödemeye Devam Et" #: src/components/common/AttendeeTicket/index.tsx:208 #: src/components/common/CopyButton/index.tsx:13 @@ -1660,7 +1677,7 @@ msgstr "Kopyalandı" #: src/components/routes/product-widget/CollectInformation/index.tsx:606 msgid "Copied from above" -msgstr "" +msgstr "Yukarıdan kopyalandı" #: src/components/common/PromoCodeTable/index.tsx:106 msgid "copied to clipboard" @@ -1668,11 +1685,11 @@ msgstr "panoya kopyalandı" #: src/components/common/AffiliateTable/index.tsx:49 msgid "Copied to clipboard" -msgstr "" +msgstr "Panoya kopyalandı" #: src/components/modals/ShareModal/index.tsx:248 msgid "Copied!" -msgstr "" +msgstr "Kopyalandı!" #: src/components/common/CopyButton/index.tsx:13 #: src/components/modals/CheckInListSuccessModal/index.tsx:42 @@ -1682,7 +1699,7 @@ msgstr "Kopyala" #: src/components/common/AffiliateTable/index.tsx:183 msgid "Copy Affiliate Link" -msgstr "" +msgstr "Bağlı Kuruluş Bağlantısını Kopyala" #: src/components/common/CheckInListList/index.tsx:154 msgid "Copy Check-In URL" @@ -1690,16 +1707,16 @@ msgstr "Check-In URL'sini Kopyala" #: src/components/common/AffiliateTable/index.tsx:178 msgid "Copy Code" -msgstr "" +msgstr "Kodu Kopyala" #: src/components/routes/product-widget/CollectInformation/index.tsx:447 msgid "Copy details to first attendee" -msgstr "" +msgstr "Bilgileri ilk katılımcıya kopyala" #: src/components/common/AttendeeTable/index.tsx:197 #: src/components/common/OrdersTable/index.tsx:256 msgid "Copy Email" -msgstr "" +msgstr "E-postayı Kopyala" #: src/components/common/AttendeeTicket/index.tsx:208 #: src/components/modals/ShareModal/index.tsx:171 @@ -1712,11 +1729,11 @@ msgstr "Bilgilerimi kopyala:" #: src/components/modals/ShareModal/index.tsx:264 msgid "Copy this link to share it anywhere" -msgstr "" +msgstr "Her yerde paylaşmak için bu bağlantıyı kopyalayın" #: src/components/modals/ShareModal/index.tsx:248 msgid "Copy to clipboard" -msgstr "" +msgstr "Panoya kopyala" #: src/components/common/AffiliateTable/index.tsx:106 #: src/components/common/PromoCodeTable/index.tsx:177 @@ -1737,15 +1754,15 @@ msgstr "Kapak" #: src/components/routes/event/HomepageDesigner/index.tsx:179 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:189 msgid "Cover Image" -msgstr "" +msgstr "Kapak Görseli" #: src/components/routes/event/HomepageDesigner/index.tsx:194 msgid "Cover image will be displayed at the top of your event page" -msgstr "" +msgstr "Kapak görseli etkinlik sayfanızın üstünde gösterilecektir" #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:204 msgid "Cover image will be displayed at the top of your organizer page" -msgstr "" +msgstr "Kapak görseli organizatör sayfanızın üstünde gösterilecektir" #: src/components/routes/event/attendees.tsx:194 #: src/components/routes/event/products.tsx:74 @@ -1758,7 +1775,7 @@ msgstr "{0} Oluştur" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:108 msgid "Create {0} Template" -msgstr "" +msgstr "{0} Şablonu Oluştur" #: src/components/modals/CreateCapacityAssignmentModal/index.tsx:59 msgid "Create a Product" @@ -1777,7 +1794,7 @@ msgstr "Bilet Oluştur" #: src/components/modals/CreateAffiliateModal/index.tsx:93 #: src/components/routes/event/Affiliates/index.tsx:84 msgid "Create Affiliate" -msgstr "" +msgstr "Bağlı Kuruluş Oluştur" #: src/components/routes/auth/Register/index.tsx:70 msgid "Create an account or <0>{0} to get started" @@ -1789,7 +1806,7 @@ msgstr "organizatör oluştur" #: src/components/layouts/AuthLayout/index.tsx:29 msgid "Create and customize your event page instantly" -msgstr "" +msgstr "Etkinlik sayfanızı anında oluşturun ve özelleştirin" #: src/components/modals/CreateAttendeeModal/index.tsx:207 msgid "Create Attendee" @@ -1821,11 +1838,11 @@ msgstr "Check-In Listesi Oluştur" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:302 msgid "Create custom email templates for this event that override the organizer defaults" -msgstr "" +msgstr "Organizatör varsayılanlarını geçersiz kılan bu etkinlik için özel e-posta şablonları oluşturun" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:292 msgid "Create Custom Template" -msgstr "" +msgstr "Özel Şablon Oluştur" #: src/components/common/NoEventsBlankSlate/index.tsx:27 #: src/components/layouts/OrganizerLayout/index.tsx:153 @@ -1864,53 +1881,53 @@ msgstr "Vergi veya Ücret Oluştur" #: src/components/modals/CreateProductModal/index.tsx:80 msgid "Create Ticket or Product" -msgstr "" +msgstr "Bilet veya Ürün Oluştur" #: src/components/routes/event/GettingStarted/index.tsx:122 msgid "Create tickets for your event, set prices, and manage available quantity." -msgstr "" +msgstr "Etkinliğiniz için biletler oluşturun, fiyatları belirleyin ve mevcut miktarı yönetin." #: src/components/modals/CreateWebhookModal/index.tsx:57 #: src/components/modals/CreateWebhookModal/index.tsx:67 msgid "Create Webhook" -msgstr "" +msgstr "Webhook Oluştur" #: src/components/modals/CreateEventModal/index.tsx:127 msgid "Create Your Event" -msgstr "" +msgstr "Etkinliğinizi Oluşturun" #: src/components/routes/welcome/index.tsx:299 msgid "Create your first event" -msgstr "" +msgstr "İlk etkinliğinizi oluşturun" #: src/components/routes/organizer/OrganizerDashboard/index.tsx:249 msgid "Create your first event to start selling tickets and managing attendees." -msgstr "" +msgstr "Bilet satmaya ve katılımcıları yönetmeye başlamak için ilk etkinliğinizi oluşturun." #: src/components/layouts/EventHomepage/EventNotAvailable/index.tsx:13 #: src/components/layouts/PublicOrganizer/OrganizerNotFound/index.tsx:12 msgid "Create your own event" -msgstr "" +msgstr "Kendi etkinliğinizi oluşturun" #: src/components/routes/welcome/index.tsx:407 msgid "Creating Event..." -msgstr "" +msgstr "Etkinlik Oluşturuluyor..." #: src/components/forms/OrganizerForm/index.tsx:123 msgid "Creating Organizer..." -msgstr "" +msgstr "Organizatör Oluşturuluyor..." #: src/components/routes/welcome/index.tsx:405 msgid "Creating your event, please wait" -msgstr "" +msgstr "Etkinliğiniz oluşturuluyor, lütfen bekleyin" #: src/components/forms/OrganizerForm/index.tsx:121 msgid "Creating your organizer profile, please wait" -msgstr "" +msgstr "Organizatör profiliniz oluşturuluyor, lütfen bekleyin" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:48 msgid "CTA label is required" -msgstr "" +msgstr "Harekete geçirici düğme etiketi gerekli" #: src/components/common/OrganizerReportTable/index.tsx:261 #: src/components/forms/OrganizerForm/index.tsx:49 @@ -1926,13 +1943,13 @@ msgstr "Para Birimi" msgid "Current Password" msgstr "Mevcut Şifre" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" -msgstr "" +msgstr "Mevcut ödeme işlemcisi" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "Şu anda satın alınabilir" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -1941,7 +1958,7 @@ msgstr "Özel Harita URL'si" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:50 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:83 msgid "Custom message after checkout" -msgstr "" +msgstr "Ödeme sonrası özel mesaj" #: src/components/common/OrganizerReportTable/index.tsx:58 #: src/components/common/ReportTable/index.tsx:53 @@ -1950,7 +1967,7 @@ msgstr "Özel Aralık" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:217 msgid "Custom template" -msgstr "" +msgstr "Özel şablon" #: src/components/common/OrdersTable/index.tsx:200 msgid "Customer" @@ -1958,23 +1975,23 @@ msgstr "Müşteri" #: src/components/modals/RefundOrderModal/index.tsx:125 msgid "Customer will receive an email confirming the refund" -msgstr "" +msgstr "Müşteri iade onayını içeren bir e-posta alacaktır" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:26 msgid "Customer's email address" -msgstr "" +msgstr "Müşterinin e-posta adresi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:24 msgid "Customer's first name" -msgstr "" +msgstr "Müşterinin adı" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:25 msgid "Customer's last name" -msgstr "" +msgstr "Müşterinin soyadı" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:108 msgid "Customers" -msgstr "" +msgstr "Müşteriler" #: src/components/routes/event/Settings/Sections/EmailSettings/GeneralEmailSettings.tsx:55 msgid "Customize the email and notification settings for this event" @@ -1982,7 +1999,7 @@ msgstr "Bu etkinlik için e-posta ve bildirim ayarlarını özelleştirin" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:304 msgid "Customize the emails sent to your customers using Liquid templating. These templates will be used as defaults for all events in your organization." -msgstr "" +msgstr "Liquid şablonu kullanarak müşterilerinize gönderilen e-postaları özelleştirin. Bu şablonlar kuruluşunuzdaki tüm etkinlikler için varsayılan olarak kullanılacaktır." #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:83 msgid "Customize the event homepage and checkout messaging" @@ -1999,11 +2016,11 @@ msgstr "Bu etkinlik için SEO ayarlarını özelleştirin" #: src/components/routes/event/HomepageDesigner/index.tsx:253 msgid "Customize the text shown on the continue button" -msgstr "" +msgstr "Devam düğmesinde gösterilen metni özelleştirin" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:112 msgid "Customize your email template using Liquid templating" -msgstr "" +msgstr "Liquid şablonu kullanarak e-posta şablonunuzu özelleştirin" #: src/components/routes/event/GettingStarted/index.tsx:169 msgid "Customize your event page" @@ -2011,11 +2028,11 @@ msgstr "Etkinlik sayfanızı özelleştirin" #: src/components/layouts/AuthLayout/index.tsx:86 msgid "Customize your event page and widget design to match your brand perfectly" -msgstr "" +msgstr "Etkinlik sayfanızı ve widget tasarımınızı markanıza mükemmel şekilde uyacak şekilde özelleştirin" #: src/components/routes/event/HomepageDesigner/index.tsx:161 msgid "Customize your event page appearance" -msgstr "" +msgstr "Etkinlik sayfanızın görünümünü özelleştirin" #: src/components/routes/event/GettingStarted/index.tsx:165 msgid "Customize your event page to match your brand and style." @@ -2023,23 +2040,23 @@ msgstr "Etkinlik sayfanızı markanız ve tarzınıza uyacak şekilde özelleşt #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:171 msgid "Customize your organizer page appearance" -msgstr "" +msgstr "Organizatör sayfanızın görünümünü özelleştirin" #: src/components/routes/event/TicketDesigner/index.tsx:108 msgid "Customize your ticket appearance" -msgstr "" +msgstr "Bilet görünümünüzü özelleştirin" #: src/components/routes/organizer/Reports/index.tsx:18 msgid "Daily revenue, taxes, fees, and refunds across all events" -msgstr "" +msgstr "Tüm etkinliklerdeki günlük gelir, vergiler, ücretler ve iadeler" #: src/components/routes/event/Reports/index.tsx:23 msgid "Daily Sales Report" -msgstr "" +msgstr "Günlük Satış Raporu" #: src/components/routes/event/Reports/index.tsx:24 msgid "Daily sales, tax, and fee breakdown" -msgstr "" +msgstr "Günlük satış, vergi ve ücret dökümü" #: src/components/common/CapacityAssignmentList/index.tsx:156 #: src/components/common/CheckInListList/index.tsx:174 @@ -2057,7 +2074,7 @@ msgstr "Tehlike Bölgesi" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "Koyu" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2079,11 +2096,11 @@ msgstr "Tarih ve Saat" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:35 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:69 msgid "Date of the event" -msgstr "" +msgstr "Etkinlik tarihi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:23 msgid "Date order was placed" -msgstr "" +msgstr "Siparişin verildiği tarih" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -2091,11 +2108,11 @@ msgstr "Birinci gün kapasitesi" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "Varsayılan katılımcı bilgi toplama" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" -msgstr "" +msgstr "Varsayılan şablon kullanılacak" #: src/components/common/ProductsTable/SortableProduct/index.tsx:483 #: src/components/common/PromoCodeTable/index.tsx:40 @@ -2105,7 +2122,7 @@ msgstr "Sil" #: src/components/common/AffiliateTable/index.tsx:198 msgid "Delete Affiliate" -msgstr "" +msgstr "Bağlı Kuruluşu Sil" #: src/components/common/CapacityAssignmentList/index.tsx:159 msgid "Delete Capacity" @@ -2126,7 +2143,7 @@ msgstr "Kodu sil" #: src/components/common/ImageUploadDropzone/index.tsx:239 msgid "Delete image" -msgstr "" +msgstr "Görseli sil" #: src/components/common/QuestionsTable/index.tsx:121 msgid "Delete question" @@ -2134,11 +2151,11 @@ msgstr "Soruyu sil" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:115 msgid "Delete Template" -msgstr "" +msgstr "Şablonu Sil" #: src/components/common/WebhookTable/index.tsx:127 msgid "Delete webhook" -msgstr "" +msgstr "Webhook'u sil" #: src/components/forms/ProductForm/index.tsx:267 #: src/components/forms/TaxAndFeeForm/index.tsx:81 @@ -2154,11 +2171,11 @@ msgstr "Check-in personeli için açıklama" #: src/components/modals/DuplicateEventModal/index.tsx:149 msgid "Deselect All" -msgstr "" +msgstr "Tümünün Seçimini Kaldır" #: src/components/routes/event/TicketDesigner/index.tsx:122 msgid "Design Elements" -msgstr "" +msgstr "Tasarım Öğeleri" #: src/components/common/ProgressStepper/index.tsx:18 #: src/components/common/ProgressStepper/index.tsx:23 @@ -2167,7 +2184,7 @@ msgstr "Detaylar" #: src/components/routes/welcome/index.tsx:191 msgid "Didn't receive the code?" -msgstr "" +msgstr "Kodu almadınız mı?" #: src/components/forms/CapaciyAssigmentForm/index.tsx:27 msgid "Disabling this capacity will track sales but not stop them when the limit is reached" @@ -2175,7 +2192,7 @@ msgstr "Bu kapasiteyi devre dışı bırakmak satışları takip edecek ancak li #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:71 msgid "Discord" -msgstr "" +msgstr "Discord" #: src/components/common/PromoCodeTable/index.tsx:70 msgid "Discount" @@ -2195,7 +2212,7 @@ msgstr "İndirim Türü" #: src/components/routes/product-widget/SelectProducts/index.tsx:393 msgid "Dismiss this message" -msgstr "" +msgstr "Bu mesajı kapat" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:127 msgid "Display a checkbox allowing customers to opt-in to receive marketing communications from this event organizer." @@ -2205,21 +2222,21 @@ msgstr "Müşterilerin bu etkinlik organizatöründen pazarlama iletişimi almay msgid "Document Label" msgstr "Belge Etiketi" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" -msgstr "" +msgstr "Dokümantasyon" #: src/components/common/AddToCalendarCTA/index.tsx:19 msgid "Don't forget!" -msgstr "" +msgstr "Unutmayın!" #: src/components/routes/auth/Login/index.tsx:81 msgid "Don't have an account? <0>Sign up" -msgstr "" +msgstr "Hesabınız yok mu? <0>Kayıt olun" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "Bağış" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2227,7 +2244,7 @@ msgstr "Bağış / İstediğiniz kadar öde ürünü" #: src/components/modals/CheckInListSuccessModal/index.tsx:59 msgid "Done" -msgstr "" +msgstr "Tamam" #: src/components/common/CalendarOptionsPopover/index.tsx:38 msgid "Download .ics" @@ -2257,7 +2274,7 @@ msgstr "Fatura İndiriliyor" #: src/components/layouts/Event/index.tsx:177 #: src/components/layouts/OrganizerLayout/index.tsx:206 msgid "Draft" -msgstr "" +msgstr "Taslak" #: src/components/forms/QuestionForm/index.tsx:124 msgid "Dropdown selection" @@ -2271,7 +2288,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "Çoğalt" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2289,15 +2306,15 @@ msgstr "Çoğaltma Seçenekleri" #: src/components/modals/DuplicateProductModal/index.tsx:113 #: src/components/modals/DuplicateProductModal/index.tsx:117 msgid "Duplicate Product" -msgstr "" +msgstr "Ürünü Çoğalt" #: src/components/common/LanguageSwitcher/index.tsx:26 msgid "Dutch" -msgstr "" +msgstr "Felemenkçe" #: src/components/routes/event/HomepageDesigner/index.tsx:254 msgid "e.g., Get Tickets, Register Now" -msgstr "" +msgstr "örn., Bilet Al, Şimdi Kaydol" #: src/components/forms/ProductForm/index.tsx:85 msgid "Early bird" @@ -2316,17 +2333,17 @@ msgstr "{0} Düzenle" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:106 msgid "Edit {0} Template" -msgstr "" +msgstr "{0} Şablonunu Düzenle" #: src/components/common/AffiliateTable/index.tsx:170 #: src/components/modals/EditAffiliateModal/index.tsx:81 #: src/components/modals/EditAffiliateModal/index.tsx:93 msgid "Edit Affiliate" -msgstr "" +msgstr "Bağlı Kuruluşu Düzenle" #: src/components/common/QuestionAndAnswerList/index.tsx:159 msgid "Edit Answer" -msgstr "" +msgstr "Cevabı Düzenle" #: src/components/common/CapacityAssignmentList/index.tsx:146 msgid "Edit Capacity" @@ -2391,20 +2408,20 @@ msgstr "Kullanıcıyı Düzenle" #: src/components/common/WebhookTable/index.tsx:104 msgid "Edit webhook" -msgstr "" +msgstr "Webhook'u düzenle" #: src/components/modals/EditWebhookModal/index.tsx:66 #: src/components/modals/EditWebhookModal/index.tsx:87 msgid "Edit Webhook" -msgstr "" +msgstr "Webhook'u Düzenle" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:136 msgid "Editor" -msgstr "" +msgstr "Düzenleyici" #: src/constants/eventCategories.ts:19 msgid "Education" -msgstr "" +msgstr "Eğitim" #: src/components/forms/TaxAndFeeForm/index.tsx:74 msgid "eg. 2.50 for $2.50" @@ -2416,7 +2433,7 @@ msgstr "örn. %23.5 için 23.5" #: src/components/common/CheckInStatusModal/index.tsx:164 msgid "Eligible Check-In Lists" -msgstr "" +msgstr "Uygun Giriş Listeleri" #: src/components/common/AttendeeDetails/index.tsx:22 #: src/components/common/OrderDetails/index.tsx:31 @@ -2438,7 +2455,7 @@ msgstr "E-posta ve Bildirim Ayarları" #: src/components/routes/event/Settings/index.tsx:52 msgid "Email & Templates" -msgstr "" +msgstr "E-posta ve Şablonlar" #: src/components/modals/CreateAttendeeModal/index.tsx:143 #: src/components/modals/ManageAttendeeModal/index.tsx:114 @@ -2458,16 +2475,16 @@ msgstr "E-posta Adresi" #: src/components/common/AttendeeTable/index.tsx:118 #: src/components/common/OrdersTable/index.tsx:114 msgid "Email address copied to clipboard" -msgstr "" +msgstr "E-posta adresi panoya kopyalandı" #: src/components/routes/product-widget/CollectInformation/index.tsx:107 #: src/components/routes/product-widget/CollectInformation/index.tsx:114 msgid "Email addresses do not match" -msgstr "" +msgstr "E-posta adresleri eşleşmiyor" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:149 msgid "Email Body" -msgstr "" +msgstr "E-posta Gövdesi" #: src/components/routes/profile/ManageProfile/index.tsx:82 msgid "Email change cancelled successfully" @@ -2493,7 +2510,7 @@ msgstr "E-posta alt bilgi mesajı" #: src/components/common/ContactOrganizerModal/index.tsx:34 msgid "Email is required" -msgstr "" +msgstr "E-posta gerekli" #: src/components/routes/profile/ManageProfile/index.tsx:146 msgid "Email not verified" @@ -2501,20 +2518,20 @@ msgstr "E-posta doğrulanmamış" #: src/components/common/EmailTemplateEditor/EmailTemplatePreviewPane.tsx:27 msgid "Email Preview" -msgstr "" +msgstr "E-posta Önizlemesi" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:327 #: src/components/routes/organizer/Settings/index.tsx:59 msgid "Email Templates" -msgstr "" +msgstr "E-posta Şablonları" #: src/components/layouts/OrganizerLayout/index.tsx:275 msgid "Email Verification Required" -msgstr "" +msgstr "E-posta Doğrulaması Gerekli" #: src/components/routes/welcome/index.tsx:95 msgid "Email verified successfully!" -msgstr "" +msgstr "E-posta başarıyla doğrulandı!" #: src/components/common/WidgetEditor/index.tsx:272 msgid "Embed Code" @@ -2534,11 +2551,11 @@ msgstr "Limite ulaşıldığında ürün satışlarını durdurmak için bu kapa #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:191 msgid "Enable this template for sending emails" -msgstr "" +msgstr "E-posta göndermek için bu şablonu etkinleştirin" #: src/components/forms/WebhookForm/index.tsx:19 msgid "Enabled" -msgstr "" +msgstr "Etkin" #: src/components/common/AdminEventsTable/index.tsx:103 #: src/components/modals/DuplicateEventModal/index.tsx:129 @@ -2548,16 +2565,16 @@ msgstr "Bitiş Tarihi" #: src/components/modals/CreateEventModal/index.tsx:232 msgid "End Date & Time (optional)" -msgstr "" +msgstr "Bitiş Tarihi ve Saati (isteğe bağlı)" #: src/components/modals/CreateEventModal/index.tsx:43 #: src/components/routes/welcome/index.tsx:234 msgid "End date must be after start date" -msgstr "" +msgstr "Bitiş tarihi başlangıç tarihinden sonra olmalıdır" #: src/components/routes/welcome/index.tsx:382 msgid "End time (optional)" -msgstr "" +msgstr "Bitiş saati (isteğe bağlı)" #: src/components/common/EventsDashboardStatusButtons/index.tsx:26 #: src/components/common/EventStatusBadge/index.tsx:14 @@ -2574,15 +2591,15 @@ msgstr "İngilizce" #: src/components/common/EmailTemplateEditor/EmailTemplatePreviewPane.tsx:58 msgid "Enter a subject and body to see the preview" -msgstr "" +msgstr "Önizlemeyi görmek için bir konu ve gövde girin" #: src/components/forms/AffiliateForm/index.tsx:91 msgid "Enter affiliate email (optional)" -msgstr "" +msgstr "Bağlı kuruluş e-postasını girin (isteğe bağlı)" #: src/components/forms/AffiliateForm/index.tsx:83 msgid "Enter affiliate name" -msgstr "" +msgstr "Bağlı kuruluş adını girin" #: src/components/modals/CreateAttendeeModal/index.tsx:181 msgid "Enter an amount excluding taxes and fees." @@ -2590,20 +2607,24 @@ msgstr "Vergiler ve ücretler hariç bir tutar girin." #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:128 msgid "Enter email subject..." -msgstr "" +msgstr "E-posta konusunu girin..." #: src/components/forms/AffiliateForm/index.tsx:39 msgid "Enter unique affiliate code" -msgstr "" +msgstr "Benzersiz bağlı kuruluş kodunu girin" #: src/components/common/ContactOrganizerModal/index.tsx:80 #: src/components/routes/auth/Login/index.tsx:149 #: src/components/routes/my-tickets/index.tsx:192 msgid "Enter your email" -msgstr "" +msgstr "E-postanızı girin" #: src/components/common/ContactOrganizerModal/index.tsx:74 msgid "Enter your name" +msgstr "Adınızı girin" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" msgstr "" #: src/components/common/OrdersTable/index.tsx:105 @@ -2621,7 +2642,12 @@ msgstr "E-posta değişikliğini onaylama hatası" #: src/components/modals/WebhookLogsModal/index.tsx:166 msgid "Error loading logs" -msgstr "" +msgstr "Günlükler yüklenirken hata oluştu" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "AB KDV kayıtlı işletmeler: Ters ödeme mekanizması uygulanır (%0 - KDV Direktifi 2006/112/EC Madde 196)" #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 @@ -2652,15 +2678,15 @@ msgstr "Etkinlik" #: src/components/modals/CreateEventModal/index.tsx:185 msgid "Event Category" -msgstr "" +msgstr "Etkinlik Kategorisi" #: src/components/modals/DuplicateEventModal/index.tsx:30 msgid "Event Cover Image" -msgstr "" +msgstr "Etkinlik Kapak Görseli" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:217 msgid "Event custom template" -msgstr "" +msgstr "Etkinlik özel şablonu" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:35 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:69 @@ -2680,12 +2706,12 @@ msgstr "Etkinlik Varsayılanları" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:72 #: src/components/modals/CreateEventModal/index.tsx:197 msgid "Event Description" -msgstr "" +msgstr "Etkinlik Açıklaması" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:38 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:72 msgid "Event details" -msgstr "" +msgstr "Etkinlik detayları" #: src/components/routes/event/Settings/index.tsx:28 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:68 @@ -2699,7 +2725,7 @@ msgstr "Etkinlik başarıyla çoğaltıldı" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:37 msgid "Event Full Address" -msgstr "" +msgstr "Etkinlik Tam Adresi" #: src/components/layouts/Checkout/index.tsx:165 msgid "Event Homepage" @@ -2707,7 +2733,7 @@ msgstr "Etkinlik Ana Sayfası" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:71 msgid "Event Location" -msgstr "" +msgstr "Etkinlik Konumu" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:85 msgid "Event location & venue details" @@ -2715,33 +2741,33 @@ msgstr "Etkinlik konumu ve mekan detayları" #: src/components/routes/welcome/index.tsx:349 msgid "Event name" -msgstr "" +msgstr "Etkinlik adı" #: src/components/modals/CreateEventModal/index.tsx:176 msgid "Event Name" -msgstr "" +msgstr "Etkinlik Adı" #: src/components/routes/welcome/index.tsx:230 msgid "Event name is required" -msgstr "" +msgstr "Etkinlik adı gerekli" #: src/components/modals/CreateEventModal/index.tsx:40 msgid "Event name should be less than 150 characters" -msgstr "" +msgstr "Etkinlik adı 150 karakterden az olmalıdır" #: src/components/layouts/EventHomepage/EventNotAvailable/index.tsx:9 #: src/components/layouts/EventHomepage/EventNotAvailable/index.tsx:11 msgid "Event Not Available" -msgstr "" +msgstr "Etkinlik Mevcut Değil" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:44 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:77 msgid "Event organizer name" -msgstr "" +msgstr "Etkinlik organizatör adı" #: src/components/layouts/Event/index.tsx:224 msgid "Event Page" -msgstr "" +msgstr "Etkinlik Sayfası" #: src/components/common/EventCard/index.tsx:70 #: src/components/common/StatusToggle/index.tsx:59 @@ -2762,33 +2788,33 @@ msgstr "Etkinlik durumu güncellendi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:36 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:70 msgid "Event Time" -msgstr "" +msgstr "Etkinlik Saati" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:39 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:73 msgid "Event timezone" -msgstr "" +msgstr "Etkinlik saat dilimi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:39 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:73 msgid "Event Timezone" -msgstr "" +msgstr "Etkinlik Saat Dilimi" #: src/components/common/AdminEventsTable/index.tsx:82 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:34 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:68 msgid "Event Title" -msgstr "" +msgstr "Etkinlik Başlığı" #: src/components/common/WebhookTable/index.tsx:237 #: src/components/forms/WebhookForm/index.tsx:122 msgid "Event Types" -msgstr "" +msgstr "Etkinlik Türleri" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:40 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:74 msgid "Event Venue" -msgstr "" +msgstr "Etkinlik Mekanı" #: src/components/common/AdminAccountsTable/index.tsx:63 #: src/components/layouts/Admin/index.tsx:16 @@ -2802,15 +2828,15 @@ msgstr "Etkinlikler" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:120 #: src/components/routes/organizer/Reports/index.tsx:23 msgid "Events Performance" -msgstr "" +msgstr "Etkinlik Performansı" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "Önümüzdeki 24 Saat İçinde Başlayan Etkinlikler" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" -msgstr "" +msgstr "Her e-posta şablonu uygun sayfaya bağlanan bir harekete geçirici düğme içermelidir" #: src/components/forms/CheckInListForm/index.tsx:68 msgid "Expiration date" @@ -2832,39 +2858,39 @@ msgstr "Dışa Aktar" #: src/components/common/QuestionsTable/index.tsx:279 msgid "Export answers" -msgstr "" +msgstr "Cevapları dışa aktar" #: src/mutations/useExportAnswers.ts:39 msgid "Export failed. Please try again." -msgstr "" +msgstr "Dışa aktarma başarısız oldu. Lütfen tekrar deneyin." #: src/mutations/useExportAnswers.ts:17 msgid "Export started. Preparing file..." -msgstr "" +msgstr "Dışa aktarma başladı. Dosya hazırlanıyor..." #: src/components/routes/event/Affiliates/index.tsx:42 msgid "Exporting Affiliates" -msgstr "" +msgstr "Bağlı Kuruluşlar Dışa Aktarılıyor" #: src/components/routes/event/attendees.tsx:127 msgid "Exporting Attendees" -msgstr "" +msgstr "Katılımcılar Dışa Aktarılıyor" #: src/mutations/useExportAnswers.ts:33 msgid "Exporting complete. Downloading file..." -msgstr "" +msgstr "Dışa aktarma tamamlandı. Dosya indiriliyor..." #: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" -msgstr "" +msgstr "Siparişler Dışa Aktarılıyor" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:46 msgid "Facebook" -msgstr "" +msgstr "Facebook" #: src/components/layouts/Checkout/index.tsx:105 msgid "Failed to abandon order. Please try again." -msgstr "" +msgstr "Sipariş terk edilemedi. Lütfen tekrar deneyin." #: src/components/common/AttendeeTable/index.tsx:103 msgid "Failed to cancel attendee" @@ -2876,12 +2902,12 @@ msgstr "Sipariş iptal edilemedi" #: src/components/modals/CreateAffiliateModal/index.tsx:62 msgid "Failed to create affiliate" -msgstr "" +msgstr "Bağlı kuruluş oluşturulamadı" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:176 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:179 msgid "Failed to create template" -msgstr "" +msgstr "Şablon oluşturulamadı" #: src/components/common/QuestionsTable/index.tsx:176 msgid "Failed to delete message. Please try again." @@ -2890,7 +2916,7 @@ msgstr "Mesaj silinemedi. Lütfen tekrar deneyin." #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:110 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:111 msgid "Failed to delete template" -msgstr "" +msgstr "Şablon silinemedi" #: src/components/common/OrdersTable/index.tsx:106 #: src/components/layouts/Checkout/index.tsx:91 @@ -2899,15 +2925,15 @@ msgstr "Fatura indirilemedi. Lütfen tekrar deneyin." #: src/components/routes/event/Affiliates/index.tsx:51 msgid "Failed to export affiliates" -msgstr "" +msgstr "Bağlı kuruluşlar dışa aktarılamadı" #: src/components/routes/event/attendees.tsx:136 msgid "Failed to export attendees" -msgstr "" +msgstr "Katılımcılar dışa aktarılamadı" #: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" -msgstr "" +msgstr "Siparişler dışa aktarılamadı" #: src/components/modals/EditCheckInListModal/index.tsx:79 msgid "Failed to load Check-In List" @@ -2915,7 +2941,7 @@ msgstr "Giriş Listesi yüklenemedi" #: src/components/modals/EditWebhookModal/index.tsx:75 msgid "Failed to load Webhook" -msgstr "" +msgstr "Webhook yüklenemedi" #: src/components/common/AttendeeTable/index.tsx:76 msgid "Failed to resend ticket email" @@ -2923,18 +2949,22 @@ msgstr "Bilet e-postası yeniden gönderilemedi" #: src/components/routes/welcome/index.tsx:123 msgid "Failed to resend verification code" -msgstr "" +msgstr "Doğrulama kodu yeniden gönderilemedi" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:142 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:145 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:148 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:173 msgid "Failed to save template" -msgstr "" +msgstr "Şablon kaydedilemedi" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "KDV ayarları kaydedilemedi. Lütfen tekrar deneyin." #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." -msgstr "" +msgstr "Mesaj gönderilemedi. Lütfen tekrar deneyin." #: src/components/common/ProductsTable/SortableProduct/index.tsx:229 msgid "Failed to sort products" @@ -2942,37 +2972,37 @@ msgstr "Ürünler sıralanamadı" #: src/mutations/useExportAnswers.ts:15 msgid "Failed to start export job" -msgstr "" +msgstr "Dışa aktarma işi başlatılamadı" #: src/components/routes/admin/Accounts/index.tsx:48 #: src/components/routes/admin/Events/index.tsx:68 #: src/components/routes/admin/Users/index.tsx:48 msgid "Failed to start impersonation. Please try again." -msgstr "" +msgstr "Taklit başlatılamadı. Lütfen tekrar deneyin." #: src/components/common/ImpersonationBanner/index.tsx:29 msgid "Failed to stop impersonation. Please try again." -msgstr "" +msgstr "Taklit durdurulamadı. Lütfen tekrar deneyin." #: src/components/modals/EditAffiliateModal/index.tsx:70 msgid "Failed to update affiliate" -msgstr "" +msgstr "Bağlı kuruluş güncellenemedi" #: src/components/common/QuestionAndAnswerList/index.tsx:102 msgid "Failed to update answer." -msgstr "" +msgstr "Cevap güncellenemedi." #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:66 msgid "Failed to upload image." -msgstr "" +msgstr "Görsel yüklenemedi." #: src/components/common/ImageUploadDropzone/index.tsx:88 msgid "Failed to upload image. Please try again." -msgstr "" +msgstr "Görsel yüklenemedi. Lütfen tekrar deneyin." #: src/components/routes/welcome/index.tsx:100 msgid "Failed to verify email" -msgstr "" +msgstr "E-posta doğrulanamadı" #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 @@ -2991,22 +3021,22 @@ msgstr "Ücret" msgid "Fees" msgstr "Ücretler" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." -msgstr "" +msgstr "Ücretler değişebilir. Ücret yapınızdaki herhangi bir değişiklik size bildirilecektir." #: src/constants/eventCategories.ts:5 msgid "Festival" -msgstr "" +msgstr "Festival" #: src/components/routes/product-widget/CollectInformation/index.tsx:439 #: src/components/routes/product-widget/CollectInformation/index.tsx:459 msgid "Fill in your details above first" -msgstr "" +msgstr "Önce yukarıdaki bilgilerinizi doldurun" #: src/components/routes/event/attendees.tsx:181 msgid "Filter Attendees" -msgstr "" +msgstr "Katılımcıları Filtrele" #: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" @@ -3021,14 +3051,14 @@ msgstr "Filtreler" msgid "Filters ({activeFilterCount})" msgstr "Filtreler ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" -msgstr "" +msgstr "Kurulumu Tamamla" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" -msgstr "" +msgstr "Stripe Kurulumunu Tamamla" #: src/components/routes/product-widget/CollectInformation/index.tsx:470 msgid "First attendee" @@ -3078,9 +3108,9 @@ msgstr "Sabit" msgid "Fixed amount" msgstr "Sabit tutar" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" -msgstr "" +msgstr "Sabit Ücret:" #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:138 msgid "Flash is not available on this device" @@ -3088,15 +3118,15 @@ msgstr "Bu cihazda flaş mevcut değil" #: src/components/layouts/AuthLayout/index.tsx:60 msgid "Flexible Ticketing" -msgstr "" +msgstr "Esnek Biletleme" #: src/constants/eventCategories.ts:14 msgid "Food & Drink" -msgstr "" +msgstr "Yiyecek ve İçecek" #: src/components/routes/event/TicketDesigner/index.tsx:160 msgid "Footer Text" -msgstr "" +msgstr "Alt Bilgi Metni" #: src/components/routes/auth/Login/index.tsx:104 msgid "Forgot password?" @@ -3127,11 +3157,11 @@ msgstr "Fransızca" #: src/components/modals/RefundOrderModal/index.tsx:109 msgid "Full refund" -msgstr "" +msgstr "Tam iade" #: src/components/layouts/AuthLayout/index.tsx:90 msgid "Fully Integrated" -msgstr "" +msgstr "Tam Entegre" #: src/components/forms/ProductForm/index.tsx:144 msgid "General" @@ -3140,43 +3170,43 @@ msgstr "Genel" #: src/components/routes/event/TicketDesigner/TicketDesignerPrint.tsx:36 #: src/components/routes/event/TicketDesigner/TicketPreview.tsx:41 msgid "General Admission" -msgstr "" +msgstr "Genel Giriş" #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:64 msgid "General information about your organizer" -msgstr "" +msgstr "Organizatörünüz hakkında genel bilgiler" #: src/components/forms/AffiliateForm/index.tsx:57 #: src/components/forms/PromoCodeForm/index.tsx:56 msgid "Generate" -msgstr "" +msgstr "Oluştur" #: src/components/forms/AffiliateForm/index.tsx:53 #: src/components/forms/AffiliateForm/index.tsx:60 #: src/components/forms/PromoCodeForm/index.tsx:52 #: src/components/forms/PromoCodeForm/index.tsx:59 msgid "Generate code" -msgstr "" +msgstr "Kod oluştur" #: src/components/common/LanguageSwitcher/index.tsx:16 msgid "German" msgstr "Almanca" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" -msgstr "" +msgstr "Yol Tarifi Al" #: src/components/layouts/AuthLayout/index.tsx:37 msgid "Get started for free, no subscription fees" -msgstr "" +msgstr "Ücretsiz başlayın, abonelik ücreti yok" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "Bilet Al" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" -msgstr "" +msgstr "Etkinliğinizi hazırlayın" #: src/components/layouts/Event/index.tsx:85 msgid "Getting Started" @@ -3184,7 +3214,7 @@ msgstr "Başlarken" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:102 msgid "GitHub" -msgstr "" +msgstr "GitHub" #: src/components/routes/profile/ConfirmEmailChange/index.tsx:23 #: src/components/routes/profile/ConfirmEmailChange/index.tsx:42 @@ -3193,15 +3223,15 @@ msgstr "Profile geri dön" #: src/components/routes/product-widget/CollectInformation/index.tsx:364 msgid "Go to Event Page" -msgstr "" +msgstr "Etkinlik Sayfasına Git" #: src/components/common/ErrorDisplay/index.tsx:67 msgid "Go to home page" -msgstr "" +msgstr "Ana sayfaya git" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "İyi okunabilirlik" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3209,7 +3239,7 @@ msgstr "Google Takvim" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:73 msgid "Gross Revenue" -msgstr "" +msgstr "Brüt Gelir" #: src/components/common/StatBoxes/index.tsx:63 msgid "Gross sales" @@ -3231,7 +3261,7 @@ msgstr "Promosyon kodunuz var mı?" #: src/components/routes/admin/Dashboard/index.tsx:46 msgid "Hello {0}, manage your platform from here." -msgstr "" +msgstr "Merhaba {0}, platformunuzu buradan yönetin." #: src/components/forms/OrganizerForm/index.tsx:35 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:81 @@ -3240,7 +3270,7 @@ msgstr "merhaba@harika-etkinlikler.com" #: src/components/routes/my-tickets/index.tsx:238 msgid "Here are all the tickets associated with your email address." -msgstr "" +msgstr "E-posta adresinizle ilişkili tüm biletler burada." #: src/components/common/WidgetEditor/index.tsx:295 msgid "Here is an example of how you can use the component in your application." @@ -3252,11 +3282,11 @@ msgstr "İşte widget'ı uygulamanıza yerleştirmek için kullanabileceğiniz R #: src/components/common/AffiliateTable/index.tsx:230 msgid "Here is your affiliate link" -msgstr "" +msgstr "Bağlı kuruluş bağlantınız burada" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" -msgstr "" +msgstr "Neleri beklemelisiniz:" #: src/components/routes/event/EventDashboard/index.tsx:108 msgid "Hi {0} 👋" @@ -3265,7 +3295,7 @@ msgstr "Merhaba {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "Gizli" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3291,11 +3321,11 @@ msgstr "Gizle" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "Ek Seçenekleri Gizle" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" -msgstr "" +msgstr "Cevapları Gizle" #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" @@ -3343,19 +3373,19 @@ msgstr "Bir ürünü gizlemek, kullanıcıların onu etkinlik sayfasında görme #: src/components/forms/ProductForm/index.tsx:467 msgid "Highlight" -msgstr "" +msgstr "Vurgula" #: src/components/forms/ProductForm/index.tsx:479 msgid "Highlight Message" -msgstr "" +msgstr "Vurgu Mesajı" #: src/components/forms/ProductForm/index.tsx:472 msgid "Highlight this product" -msgstr "" +msgstr "Bu ürünü vurgula" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "Vurgulandı" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3363,7 +3393,7 @@ msgstr "" #: src/components/layouts/Event/index.tsx:126 msgid "Home" -msgstr "" +msgstr "Ana Sayfa" #: src/components/routes/event/HomepageDesigner/index.tsx:160 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:170 @@ -3396,7 +3426,7 @@ msgstr "Bu kod kaç kez kullanılabilir?" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:49 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:82 msgid "How to pay offline" -msgstr "" +msgstr "Çevrimdışı nasıl ödeme yapılır" #: src/components/common/Editor/index.tsx:94 msgid "HTML character limit exceeded: {htmlLength}/{maxLength}" @@ -3404,7 +3434,7 @@ msgstr "HTML karakter sınırı aşıldı: {htmlLength}/{maxLength}" #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:104 msgid "https://awesome-events.com" -msgstr "" +msgstr "https://awesome-events.com" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:160 msgid "https://example-maps-service.com/..." @@ -3412,11 +3442,11 @@ msgstr "https://ornek-harita-servisi.com/..." #: src/components/forms/WebhookForm/index.tsx:118 msgid "https://webhook-domain.com/webhook" -msgstr "" +msgstr "https://webhook-domain.com/webhook" #: src/components/common/LanguageSwitcher/index.tsx:14 msgid "Hungarian" -msgstr "" +msgstr "Macarca" #: src/components/routes/auth/AcceptInvitation/index.tsx:119 msgid "I agree to the <0>terms and conditions" @@ -3438,6 +3468,10 @@ msgstr "Etkinleştirilirse, check-in personeli katılımcıları check-in yaptı msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Etkinleştirilirse, yeni bir sipariş verildiğinde organizatör e-posta bildirimi alacak" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Kayıtlıysanız, doğrulama için KDV numaranızı sağlayın" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Bu değişikliği talep etmediyseniz, lütfen hemen şifrenizi değiştirin." @@ -3463,43 +3497,43 @@ msgstr "Resim URL'si" #: src/components/routes/event/HomepageDesigner/index.tsx:173 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:183 msgid "Images" -msgstr "" +msgstr "Görseller" #: src/components/common/AdminAccountsTable/index.tsx:102 #: src/components/common/AdminUsersTable/index.tsx:84 #: src/components/common/AdminUsersTable/index.tsx:96 msgid "Impersonate" -msgstr "" +msgstr "Taklit Et" #: src/components/common/AdminEventsTable/index.tsx:162 msgid "Impersonate User" -msgstr "" +msgstr "Kullanıcıyı Taklit Et" #: src/components/routes/admin/Accounts/index.tsx:38 #: src/components/routes/admin/Events/index.tsx:58 #: src/components/routes/admin/Users/index.tsx:38 msgid "Impersonation started" -msgstr "" +msgstr "Taklit başlatıldı" #: src/components/common/ImpersonationBanner/index.tsx:23 msgid "Impersonation stopped" -msgstr "" +msgstr "Taklit durduruldu" #: src/components/routes/event/EventDashboard/index.tsx:124 msgid "Important: Stripe reconnection required" -msgstr "" +msgstr "Önemli: Stripe yeniden bağlantısı gerekli" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "{diffHours} saat içinde" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "{diffMinutes} dakika içinde" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" -msgstr "" +msgstr "Derinlemesine Analitik" #: src/components/common/AffiliateTable/index.tsx:131 #: src/components/common/CheckInListList/index.tsx:114 @@ -3530,9 +3564,13 @@ msgstr "{0} ürün içerir" msgid "Includes 1 product" msgstr "1 ürün içerir" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "AB'de KDV kaydınız olup olmadığını belirtin" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" -msgstr "" +msgstr "Bireysel katılımcılar" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:99 #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:120 @@ -3543,29 +3581,33 @@ msgstr "Resim Ekle" #: src/components/common/Editor/Controls/LiquidTokenControl.tsx:40 #: src/components/common/Editor/Controls/LiquidTokenControl.tsx:41 msgid "Insert Liquid Token" -msgstr "" +msgstr "Liquid Token Ekle" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:110 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:111 msgid "Insert Variable" -msgstr "" +msgstr "Değişken Ekle" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:53 msgid "Instagram" -msgstr "" +msgstr "Instagram" #: src/components/common/ContactOrganizerModal/index.tsx:35 msgid "Invalid email" -msgstr "" +msgstr "Geçersiz e-posta" #: src/components/modals/CreateAffiliateModal/index.tsx:38 #: src/components/modals/EditAffiliateModal/index.tsx:36 msgid "Invalid email format" -msgstr "" +msgstr "Geçersiz e-posta formatı" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:138 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:169 msgid "Invalid Liquid syntax. Please correct it and try again." +msgstr "Geçersiz Liquid sözdizimi. Lütfen düzeltin ve tekrar deneyin." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" msgstr "" #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 @@ -3578,15 +3620,15 @@ msgstr "Davet iptal edildi!" #: src/components/modals/InviteUserModal/index.tsx:54 msgid "Invite a team member" -msgstr "" +msgstr "Bir ekip üyesi davet et" #: src/components/modals/InviteUserModal/index.tsx:74 msgid "Invite Team Member" -msgstr "" +msgstr "Ekip Üyesi Davet Et" #: src/components/layouts/OrganizerLayout/index.tsx:165 msgid "Invite Team Members" -msgstr "" +msgstr "Ekip Üyelerini Davet Et" #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:144 msgid "Invite User" @@ -3594,11 +3636,11 @@ msgstr "Kullanıcı Davet Et" #: src/components/layouts/OrganizerLayout/index.tsx:162 msgid "Invite Your Team" -msgstr "" +msgstr "Ekibinizi Davet Edin" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "Fatura" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3617,9 +3659,13 @@ msgstr "Fatura Numaralandırma" msgid "Invoice Settings" msgstr "Fatura Ayarları" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "Platform ücretlerine %23 İrlanda KDV'si uygulanacaktır (yerel tedarik)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" -msgstr "" +msgstr "İtalyanca" #: src/components/routes/product-widget/CollectInformation/index.tsx:597 msgid "Item" @@ -3627,11 +3673,11 @@ msgstr "Öğe" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "ürün" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "Ürünler" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3641,21 +3687,21 @@ msgstr "John" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" -msgstr "" +msgstr "Her yerden katılın" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." -msgstr "" +msgstr "Stripe hesabınızı yeniden bağlamak için aşağıdaki düğmeye tıklayın." #: src/components/routes/auth/Login/index.tsx:120 msgid "Just looking for your tickets?" -msgstr "" +msgstr "Sadece biletlerinizi mi arıyorsunuz?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "{0} adresinden haberler ve etkinlikler hakkında beni bilgilendirin" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3733,11 +3779,11 @@ msgstr "Soyad" #: src/components/common/WebhookTable/index.tsx:239 msgid "Last Response" -msgstr "" +msgstr "Son Yanıt" #: src/components/common/WebhookTable/index.tsx:240 msgid "Last Triggered" -msgstr "" +msgstr "Son Tetiklenme" #: src/components/routes/event/Reports/PromoCodesReport/index.tsx:70 msgid "Last Used" @@ -3749,53 +3795,53 @@ msgstr "Varsayılan \"Fatura\" kelimesini kullanmak için boş bırakın" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "Açık" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" -msgstr "" +msgstr "Bağlantı Süresi Doldu veya Geçersiz" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:27 msgid "Link to order details" -msgstr "" +msgstr "Sipariş detaylarına bağlantı" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:60 msgid "Link to ticket" -msgstr "" +msgstr "Bilete bağlantı" #: src/components/routes/event/EventDashboard/index.tsx:225 msgid "Link your Stripe account to receive funds from ticket sales." -msgstr "" +msgstr "Bilet satışlarından gelir almak için Stripe hesabınızı bağlayın." #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:61 msgid "LinkedIn" -msgstr "" +msgstr "LinkedIn" #: src/components/layouts/Event/index.tsx:179 #: src/components/layouts/OrganizerLayout/index.tsx:208 msgid "Live" -msgstr "" +msgstr "Canlı" #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:111 msgid "LIVE" -msgstr "" +msgstr "CANLI" #: src/components/routes/admin/Dashboard/index.tsx:93 msgid "Live Events" -msgstr "" +msgstr "Canlı Etkinlikler" #: src/components/routes/event/TicketDesigner/TicketPreview.tsx:34 msgid "Loading preview..." -msgstr "" +msgstr "Önizleme yükleniyor..." #: src/components/common/Editor/Controls/LiquidTokenControl.tsx:25 #: src/components/common/Editor/Controls/LiquidTokenControl.tsx:26 msgid "Loading tokens..." -msgstr "" +msgstr "Token'lar yükleniyor..." #: src/components/routes/event/Webhooks/index.tsx:21 msgid "Loading Webhooks" -msgstr "" +msgstr "Webhook'lar Yükleniyor" #: src/components/common/OrganizerReportTable/index.tsx:223 #: src/components/common/ReportTable/index.tsx:210 @@ -3803,7 +3849,7 @@ msgid "Loading..." msgstr "Yükleniyor..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3824,23 +3870,23 @@ msgstr "Giriş yapılıyor" #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:211 #: src/components/routes/organizer/Settings/Sections/ImageAssetSettings/index.tsx:26 msgid "Logo" -msgstr "" +msgstr "Logo" #: src/components/routes/organizer/Settings/Sections/ImageAssetSettings/index.tsx:23 msgid "Logo & Cover" -msgstr "" +msgstr "Logo ve Kapak" #: src/components/routes/organizer/Settings/Sections/ImageAssetSettings/index.tsx:24 msgid "Logo and cover image for your organizer" -msgstr "" +msgstr "Organizatörünüz için logo ve kapak görseli" #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:225 msgid "Logo will be displayed in the header" -msgstr "" +msgstr "Logo başlıkta görüntülenecektir" #: src/components/routes/event/TicketDesigner/index.tsx:153 msgid "Logo will be displayed on the ticket" -msgstr "" +msgstr "Logo bilette görüntülenecektir" #: src/components/common/GlobalMenu/index.tsx:85 msgid "Logout" @@ -3860,7 +3906,7 @@ msgstr "Bu soruyu zorunlu kıl" #: src/components/routes/event/EventDashboard/index.tsx:179 msgid "Make your event live" -msgstr "" +msgstr "Etkinliğinizi canlı yapın" #: src/components/common/CapacityAssignmentList/index.tsx:143 #: src/components/common/CheckInListList/index.tsx:143 @@ -3882,7 +3928,7 @@ msgstr "Etkinliği yönet" #: src/components/common/EventCard/index.tsx:203 msgid "Manage Event" -msgstr "" +msgstr "Etkinliği Yönet" #: src/components/common/OrdersTable/index.tsx:152 msgid "Manage order" @@ -3908,9 +3954,9 @@ msgstr "Biletleri yönet" msgid "Manage your account details and default settings" msgstr "Hesap bilgilerinizi ve varsayılan ayarlarını yönetin" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" -msgstr "" +msgstr "Ödeme işlemenizi yönetin ve platform ücretlerini görüntüleyin" #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:143 msgid "Manage your users and their permissions" @@ -3935,7 +3981,7 @@ msgstr "Ödendi olarak işaretle" #: src/components/layouts/AuthLayout/index.tsx:85 msgid "Match Your Brand" -msgstr "" +msgstr "Markanızla Eşleştirin" #: src/components/forms/ProductForm/index.tsx:413 msgid "Maximum Per Order" @@ -3945,7 +3991,7 @@ msgstr "Sipariş Başına Maksimum" #: src/components/common/ContactOrganizerModal/index.tsx:88 #: src/components/common/OrdersTable/index.tsx:247 msgid "Message" -msgstr "" +msgstr "Mesaj" #: src/components/common/AttendeeTable/index.tsx:354 msgid "Message attendee" @@ -3957,11 +4003,11 @@ msgstr "Katılımcılara Mesaj" #: src/components/modals/SendMessageModal/index.tsx:201 msgid "Message attendees with specific tickets" -msgstr "" +msgstr "Belirli biletlere sahip katılımcılara mesaj gönderin" #: src/components/layouts/AuthLayout/index.tsx:76 msgid "Message attendees, manage orders, and handle refunds all in one place" -msgstr "" +msgstr "Katılımcılara mesaj gönderin, siparişleri yönetin ve iadeleri tek yerden halledin" #: src/components/common/OrdersTable/index.tsx:154 msgid "Message buyer" @@ -3969,7 +4015,7 @@ msgstr "Alıcıya mesaj gönder" #: src/components/common/ContactOrganizerModal/index.tsx:39 msgid "Message cannot exceed 5000 characters" -msgstr "" +msgstr "Mesaj 5000 karakteri geçemez" #: src/components/modals/SendMessageModal/index.tsx:245 msgid "Message Content" @@ -3981,11 +4027,11 @@ msgstr "Bireysel katılımcılara mesaj gönder" #: src/components/common/ContactOrganizerModal/index.tsx:41 msgid "Message is required" -msgstr "" +msgstr "Mesaj gerekli" #: src/components/modals/SendMessageModal/index.tsx:213 msgid "Message order owners with specific products" -msgstr "" +msgstr "Belirli ürünlere sahip sipariş sahiplerine mesaj gönderin" #: src/components/modals/SendMessageModal/index.tsx:119 msgid "Message Sent" @@ -4014,7 +4060,7 @@ msgstr "Çeşitli Ayarlar" #: src/components/layouts/AuthLayout/index.tsx:65 msgid "Mobile Check-in" -msgstr "" +msgstr "Mobil Giriş" #: src/components/forms/QuestionForm/index.tsx:106 msgid "Multi line text box" @@ -4026,7 +4072,7 @@ msgstr "Çoklu fiyat seçenekleri. Erken kayıt ürünleri vb. için mükemmel." #: src/constants/eventCategories.ts:7 msgid "Music" -msgstr "" +msgstr "Müzik" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:71 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:71 @@ -4044,7 +4090,7 @@ msgstr "Profilim" #: src/components/routes/my-tickets/index.tsx:236 msgid "My Tickets" -msgstr "" +msgstr "Biletlerim" #: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" @@ -4072,12 +4118,12 @@ msgstr "Ad" #: src/components/modals/CreateAffiliateModal/index.tsx:28 #: src/components/modals/EditAffiliateModal/index.tsx:33 msgid "Name is required" -msgstr "" +msgstr "Ad gerekli" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:34 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:68 msgid "Name of the event" -msgstr "" +msgstr "Etkinlik adı" #: src/components/common/QuestionAndAnswerList/index.tsx:181 #: src/components/common/QuestionAndAnswerList/index.tsx:289 @@ -4087,7 +4133,7 @@ msgstr "Katılımcıya Git" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:85 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:36 msgid "Net Revenue" -msgstr "" +msgstr "Net Gelir" #: src/components/common/PromoCodeTable/index.tsx:158 #: src/components/common/WebhookTable/index.tsx:266 @@ -4103,23 +4149,27 @@ msgstr "Yeni Şifre" #: src/constants/eventCategories.ts:4 msgid "Nightlife" -msgstr "" +msgstr "Gece Hayatı" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "Hayır - Bireyim veya KDV kayıtlı olmayan bir işletmeyim" #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" -msgstr "" +msgstr "Hesap yok" #: src/components/common/AdminAccountsTable/index.tsx:18 msgid "No accounts found" -msgstr "" +msgstr "Hesap bulunamadı" #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" -msgstr "" +msgstr "Aktif Webhook Yok" #: src/components/common/AffiliateTable/index.tsx:55 msgid "No Affiliates to show" -msgstr "" +msgstr "Gösterilecek bağlı kuruluş yok" #: src/components/common/NoEventsBlankSlate/index.tsx:21 msgid "No archived events to show." @@ -4147,11 +4197,11 @@ msgstr "Check-In Listesi Yok" #: src/components/common/CheckInStatusModal/index.tsx:156 msgid "No check-in lists available for this event." -msgstr "" +msgstr "Bu etkinlik için kullanılabilir giriş listesi yok." #: src/components/layouts/AuthLayout/index.tsx:36 msgid "No Credit Card Required" -msgstr "" +msgstr "Kredi Kartı Gerekmez" #: src/components/common/ReportTable/index.tsx:218 msgid "No data available" @@ -4159,7 +4209,7 @@ msgstr "Veri mevcut değil" #: src/components/common/OrganizerReportTable/index.tsx:230 msgid "No data found for the selected filters. Try adjusting the date range or currency." -msgstr "" +msgstr "Seçilen filtreler için veri bulunamadı. Tarih aralığını veya para birimini ayarlamayı deneyin." #: src/components/common/ReportTable/index.tsx:214 msgid "No data to show. Please select a date range" @@ -4171,7 +4221,7 @@ msgstr "İndirim Yok" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "Bitiş tarihi yok" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4179,11 +4229,11 @@ msgstr "Gösterilecek sona ermiş etkinlik yok." #: src/components/common/AdminEventsTable/index.tsx:22 msgid "No events found" -msgstr "" +msgstr "Etkinlik bulunamadı" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "Önümüzdeki 24 saat içinde başlayan etkinlik yok" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4191,23 +4241,23 @@ msgstr "Gösterilecek etkinlik yok" #: src/components/routes/organizer/OrganizerDashboard/index.tsx:248 msgid "No events yet" -msgstr "" +msgstr "Henüz etkinlik yok" #: src/components/common/FilterModal/index.tsx:261 msgid "No filters available" msgstr "Filtre mevcut değil" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" -msgstr "" +msgstr "Mevcut veya geçmiş işlemleriniz üzerinde etkisi yok" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "Fatura yok" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" -msgstr "" +msgstr "Günlük bulunamadı" #: src/components/common/MessageList/index.tsx:69 msgid "No messages to show" @@ -4219,15 +4269,15 @@ msgstr "Gösterilecek sipariş yok" #: src/components/routes/organizer/OrganizerDashboard/index.tsx:321 msgid "No orders yet" -msgstr "" +msgstr "Henüz sipariş yok" #: src/components/modals/SwitchOrganizerModal/index.tsx:44 msgid "No other organizers available" -msgstr "" +msgstr "Başka organizatör mevcut değil" #: src/components/layouts/OrganizerHomepage/index.tsx:273 msgid "No past events" -msgstr "" +msgstr "Geçmiş etkinlik yok" #: src/components/routes/product-widget/Payment/index.tsx:84 msgid "No payment methods are currently available. Please contact the event organizer for assistance." @@ -4243,7 +4293,7 @@ msgstr "Bu katılımcı ile ilişkili ürün yok." #: src/components/common/ProductSelector/index.tsx:33 msgid "No products available for selection" -msgstr "" +msgstr "Seçim için ürün mevcut değil" #: src/components/modals/CreateProductCategoryModal/index.tsx:22 msgid "No products available in this category." @@ -4267,11 +4317,11 @@ msgstr "Bu sipariş için hiçbir soru sorulmamış." #: src/components/common/WebhookTable/index.tsx:174 msgid "No response" -msgstr "" +msgstr "Yanıt yok" #: src/components/common/WebhookTable/index.tsx:141 msgid "No responses yet" -msgstr "" +msgstr "Henüz yanıt yok" #: src/components/common/NoResultsSplash/index.tsx:24 msgid "No results" @@ -4291,15 +4341,15 @@ msgstr "Hiçbir Vergi veya Ücret eklenmemiş." #: src/components/routes/my-tickets/index.tsx:220 msgid "No Tickets Found" -msgstr "" +msgstr "Bilet Bulunamadı" #: src/components/layouts/OrganizerHomepage/index.tsx:273 msgid "No upcoming events" -msgstr "" +msgstr "Yaklaşan etkinlik yok" #: src/components/common/AdminUsersTable/index.tsx:18 msgid "No users found" -msgstr "" +msgstr "Kullanıcı bulunamadı" #: src/components/modals/WebhookLogsModal/index.tsx:180 msgid "No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered." @@ -4307,11 +4357,16 @@ msgstr "" #: src/components/common/WebhookTable/index.tsx:201 msgid "No Webhooks" -msgstr "" +msgstr "Webhook Yok" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" -msgstr "" +msgstr "Hayır, beni burada tut" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "KDV kayıtlı olmayan işletmeler veya bireyler: %23 İrlanda KDV'si uygulanır" #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 @@ -4326,11 +4381,11 @@ msgstr "Mevcut değil" #: src/components/common/AttendeeTable/index.tsx:327 #: src/components/common/CheckInStatusModal/index.tsx:112 msgid "Not Checked In" -msgstr "" +msgstr "Giriş Yapılmadı" #: src/components/common/CheckInStatusModal/index.tsx:120 msgid "Not Eligible" -msgstr "" +msgstr "Uygun Değil" #: src/components/modals/ManageAttendeeModal/index.tsx:130 #: src/components/modals/ManageOrderModal/index.tsx:164 @@ -4360,12 +4415,12 @@ msgstr "Numara Öneki" #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:74 #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:75 msgid "Office or venue name" -msgstr "" +msgstr "Ofis veya mekan adı" #: src/components/common/OrdersTable/index.tsx:382 #: src/components/routes/product-widget/Payment/index.tsx:128 msgid "Offline" -msgstr "" +msgstr "Çevrimdışı" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:145 msgid "Offline orders are not reflected in event statistics until the order is marked as paid." @@ -4374,7 +4429,7 @@ msgstr "Çevrimdışı siparişler, sipariş ödendi olarak işaretlenene kadar #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:31 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:65 msgid "Offline Payment" -msgstr "" +msgstr "Çevrimdışı Ödeme" #: src/components/routes/product-widget/Payment/index.tsx:74 msgid "Offline payment failed. Please try again or contact the event organizer." @@ -4405,11 +4460,11 @@ msgstr "Satışta" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "{0} satışta" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." -msgstr "" +msgstr "Yükseltmeyi tamamladığınızda, eski hesabınız yalnızca iadeler için kullanılacaktır." #: src/components/common/NoEventsBlankSlate/index.tsx:19 msgid "Once you create an event, you'll see it here." @@ -4430,17 +4485,17 @@ msgstr "Devam Eden" #: src/components/routes/product-widget/Payment/index.tsx:120 msgid "Online" -msgstr "" +msgstr "Çevrimiçi" #: src/components/common/EventCard/index.tsx:178 msgid "Online event" msgstr "Online etkinlik" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" -msgstr "" +msgstr "Çevrimiçi Etkinlik" #: src/components/common/OnlineEventDetails/index.tsx:9 msgid "Online Event Details" @@ -4456,11 +4511,11 @@ msgstr "" #: src/components/modals/SendMessageModal/index.tsx:221 msgid "Only send to orders with these statuses" -msgstr "" +msgstr "Yalnızca bu durumlara sahip siparişlere gönder" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "Yalnızca promosyon koduyla görünür" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4471,11 +4526,11 @@ msgstr "Check-In Sayfasını Aç" msgid "Open sidebar" msgstr "Kenar çubuğunu aç" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" -msgstr "" +msgstr "Stripe Panosunu Aç" #: src/components/forms/QuestionForm/index.tsx:45 msgid "Option {i}" @@ -4491,7 +4546,7 @@ msgstr "Fatura numaraları için isteğe bağlı önek (örn., FAT-)" #: src/components/routes/event/TicketDesigner/index.tsx:161 msgid "Optional text for disclaimers, contact info, or thank you notes (single line only)" -msgstr "" +msgstr "Feragatnameler, iletişim bilgileri veya teşekkür notları için isteğe bağlı metin (yalnızca tek satır)" #: src/components/forms/QuestionForm/index.tsx:28 msgid "Options" @@ -4521,12 +4576,12 @@ msgstr "Sipariş" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "Sipariş ve Bilet" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 msgid "Order cancelled" -msgstr "" +msgstr "Sipariş iptal edildi" #: src/components/forms/WebhookForm/index.tsx:76 msgid "Order Cancelled" @@ -4535,20 +4590,20 @@ msgstr "Sipariş İptal Edildi" #: src/components/routes/product-widget/CollectInformation/index.tsx:340 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:278 msgid "Order complete" -msgstr "" +msgstr "Sipariş tamamlandı" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:94 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:194 msgid "Order Confirmation" -msgstr "" +msgstr "Sipariş Onayı" #: src/components/forms/WebhookForm/index.tsx:52 msgid "Order Created" -msgstr "" +msgstr "Sipariş Oluşturuldu" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:30 msgid "Order Currency" -msgstr "" +msgstr "Sipariş Para Birimi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:23 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:182 @@ -4564,15 +4619,15 @@ msgstr "Sipariş Detayları" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:26 msgid "Order Email" -msgstr "" +msgstr "Sipariş E-postası" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:24 msgid "Order First Name" -msgstr "" +msgstr "Sipariş Adı" #: src/components/modals/CancelOrderModal/index.tsx:40 msgid "Order has been canceled and refunded. The order owner has been notified." -msgstr "" +msgstr "Sipariş iptal edildi ve iade edildi. Sipariş sahibi bilgilendirildi." #: src/components/modals/CancelOrderModal/index.tsx:41 msgid "Order has been canceled and the order owner has been notified." @@ -4580,23 +4635,23 @@ msgstr "Sipariş iptal edildi ve sipariş sahibi bilgilendirildi." #: src/components/routes/organizer/OrganizerDashboard/index.tsx:277 msgid "Order ID: {0}" -msgstr "" +msgstr "Sipariş ID: {0}" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:28 msgid "Order Is Awaiting Offline Payment" -msgstr "" +msgstr "Sipariş Çevrimdışı Ödeme Bekliyor" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:25 msgid "Order Last Name" -msgstr "" +msgstr "Sipariş Soyadı" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "Sipariş Limitleri" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" -msgstr "" +msgstr "Sipariş Dili" #: src/components/common/OrdersTable/index.tsx:77 msgid "Order marked as paid" @@ -4604,11 +4659,11 @@ msgstr "Sipariş ödendi olarak işaretlendi" #: src/components/forms/WebhookForm/index.tsx:64 msgid "Order Marked as Paid" -msgstr "" +msgstr "Sipariş Ödendi Olarak İşaretlendi" #: src/components/routes/product-widget/CollectInformation/index.tsx:361 msgid "Order not found" -msgstr "" +msgstr "Sipariş bulunamadı" #: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" @@ -4616,23 +4671,23 @@ msgstr "Sipariş Notları" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:21 msgid "Order Number" -msgstr "" +msgstr "Sipariş Numarası" #: src/components/common/MessageList/index.tsx:23 msgid "Order owner" -msgstr "" +msgstr "Sipariş sahibi" #: src/components/modals/SendMessageModal/index.tsx:186 msgid "Order owners with a specific product" -msgstr "" +msgstr "Belirli bir ürüne sahip sipariş sahipleri" #: src/components/common/MessageList/index.tsx:19 msgid "Order owners with products" -msgstr "" +msgstr "Ürünlere sahip sipariş sahipleri" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:63 msgid "Order Payment Pending" -msgstr "" +msgstr "Sipariş Ödemesi Beklemede" #: src/components/common/QuestionsTable/index.tsx:325 #: src/components/common/QuestionsTable/index.tsx:370 @@ -4645,7 +4700,7 @@ msgstr "Sipariş Referansı" #: src/components/forms/WebhookForm/index.tsx:70 msgid "Order Refunded" -msgstr "" +msgstr "Sipariş İade Edildi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:64 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:64 @@ -4655,7 +4710,7 @@ msgstr "Sipariş Durumu" #: src/components/modals/SendMessageModal/index.tsx:223 msgid "Order statuses" -msgstr "" +msgstr "Sipariş durumları" #: src/components/common/InlineOrderSummary/index.tsx:54 #: src/components/modals/ManageOrderModal/index.tsx:105 @@ -4669,19 +4724,19 @@ msgstr "Sipariş zaman aşımı" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:22 #: src/components/modals/RefundOrderModal/index.tsx:78 msgid "Order Total" -msgstr "" +msgstr "Sipariş Toplamı" #: src/components/forms/WebhookForm/index.tsx:58 msgid "Order Updated" -msgstr "" +msgstr "Sipariş Güncellendi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:27 msgid "Order URL" -msgstr "" +msgstr "Sipariş URL'si" #: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Order was cancelled" -msgstr "" +msgstr "Sipariş iptal edildi" #: src/components/layouts/Event/index.tsx:100 #: src/components/routes/event/orders.tsx:113 @@ -4693,18 +4748,18 @@ msgstr "Siparişler" #: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" -msgstr "" +msgstr "Siparişler Dışa Aktarıldı" #: src/components/common/AdminEventsTable/index.tsx:138 msgid "Orders:" -msgstr "" +msgstr "Siparişler:" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:44 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:45 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:77 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:78 msgid "Organization" -msgstr "" +msgstr "Organizasyon" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:235 msgid "Organization Address" @@ -4721,7 +4776,7 @@ msgstr "Organizasyon Adı" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4733,17 +4788,17 @@ msgstr "Organizatör" #: src/components/layouts/OrganizerLayout/index.tsx:72 #: src/components/routes/organizer/OrganizerDashboard/index.tsx:160 msgid "Organizer Dashboard" -msgstr "" +msgstr "Organizatör Paneli" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:45 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:78 msgid "Organizer Email" -msgstr "" +msgstr "Organizatör E-postası" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:45 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:78 msgid "Organizer email address" -msgstr "" +msgstr "Organizatör e-posta adresi" #: src/components/modals/CreateEventModal/index.tsx:48 msgid "Organizer is required" @@ -4758,29 +4813,29 @@ msgstr "Organizatör Adı" #: src/components/layouts/PublicOrganizer/OrganizerNotFound/index.tsx:8 #: src/components/layouts/PublicOrganizer/OrganizerNotFound/index.tsx:10 msgid "Organizer Not Found" -msgstr "" +msgstr "Organizatör Bulunamadı" #: src/components/routes/organizer/Settings/index.tsx:98 msgid "Organizer Settings" -msgstr "" +msgstr "Organizatör Ayarları" #: src/components/routes/organizer/OrganizerDashboard/index.tsx:223 msgid "Organizer statistics are not available for the selected currency or an error occurred." -msgstr "" +msgstr "Seçilen para birimi için organizatör istatistikleri mevcut değil veya bir hata oluştu." #: src/components/common/StatusToggle/index.tsx:60 #: src/components/layouts/OrganizerLayout/index.tsx:132 msgid "Organizer status update failed. Please try again later" -msgstr "" +msgstr "Organizatör durum güncellemesi başarısız oldu. Lütfen daha sonra tekrar deneyin" #: src/components/common/StatusToggle/index.tsx:52 #: src/components/layouts/OrganizerLayout/index.tsx:129 msgid "Organizer status updated" -msgstr "" +msgstr "Organizatör durumu güncellendi" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:206 msgid "Organizer/default template will be used" -msgstr "" +msgstr "Organizatör/varsayılan şablon kullanılacak" #: src/components/modals/EditUserModal/index.tsx:57 #: src/components/modals/InviteUserModal/index.tsx:49 @@ -4791,15 +4846,15 @@ msgstr "Organizatörler yalnızca etkinlikleri ve ürünleri yönetebilir. Kulla #: src/components/common/OrdersTable/index.tsx:387 #: src/constants/eventCategories.ts:22 msgid "Other" -msgstr "" +msgstr "Diğer" #: src/components/common/CheckInStatusModal/index.tsx:173 msgid "Other Lists (Ticket Not Included)" -msgstr "" +msgstr "Diğer Listeler (Bilet Dahil Değil)" #: src/components/layouts/Event/index.tsx:82 msgid "Overview" -msgstr "" +msgstr "Genel Bakış" #: src/components/common/WidgetEditor/index.tsx:223 msgid "Padding" @@ -4807,7 +4862,7 @@ msgstr "İç Boşluk" #: src/components/forms/StripeCheckoutForm/index.tsx:106 msgid "Page no longer available" -msgstr "" +msgstr "Sayfa artık mevcut değil" #: src/components/common/ErrorDisplay/index.tsx:14 msgid "Page not found" @@ -4815,7 +4870,7 @@ msgstr "Sayfa bulunamadı" #: src/components/modals/ShareModal/index.tsx:236 msgid "Page URL" -msgstr "" +msgstr "Sayfa URL'si" #: src/components/common/StatBoxes/index.tsx:69 msgid "Page views" @@ -4823,7 +4878,7 @@ msgstr "Sayfa görüntüleme" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:113 msgid "Page Views" -msgstr "" +msgstr "Sayfa Görüntülemeleri" #: src/components/forms/ProductForm/index.tsx:382 msgid "page." @@ -4839,7 +4894,7 @@ msgstr "Ücretli Ürün" #: src/components/modals/RefundOrderModal/index.tsx:109 msgid "Partial refund" -msgstr "" +msgstr "Kısmi iade" #: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:56 @@ -4848,7 +4903,7 @@ msgstr "Kısmen İade Edildi" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "Kısmen iade edildi: {0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4876,11 +4931,11 @@ msgstr "Şifreler aynı değil" #: src/components/layouts/OrganizerHomepage/index.tsx:265 #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:30 msgid "Past" -msgstr "" +msgstr "Geçmiş" #: src/components/layouts/OrganizerHomepage/index.tsx:252 msgid "Past Events" -msgstr "" +msgstr "Geçmiş Etkinlikler" #: src/components/common/WidgetEditor/index.tsx:269 msgid "Paste this where you want the widget to appear." @@ -4888,7 +4943,7 @@ msgstr "Widget'ın görünmesini istediğiniz yere bunu yapıştırın." #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:103 msgid "Paste URL" -msgstr "" +msgstr "URL Yapıştır" #: src/components/modals/CreateAttendeeModal/index.tsx:130 msgid "Patrick" @@ -4901,15 +4956,15 @@ msgstr "patrick@acme.com" #: src/components/common/ProductsTable/SortableProduct/index.tsx:94 #: src/components/forms/WebhookForm/index.tsx:25 msgid "Paused" -msgstr "" +msgstr "Duraklatıldı" #: src/components/routes/product-widget/Payment/index.tsx:143 msgid "Pay" -msgstr "" +msgstr "Öde" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "Kilidi açmak için öde" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4927,7 +4982,7 @@ msgstr "Ödeme ve Faturalama Ayarları" #: src/components/routes/account/ManageAccount/index.tsx:38 msgid "Payment & Plan" -msgstr "" +msgstr "Ödeme ve Plan" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:216 msgid "Payment Due Period" @@ -4944,17 +4999,17 @@ msgstr "Ödeme Talimatları" #: src/components/routes/product-widget/Payment/index.tsx:111 msgid "Payment method" -msgstr "" +msgstr "Ödeme yöntemi" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:105 msgid "Payment Methods" msgstr "Ödeme Yöntemleri" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" -msgstr "" +msgstr "Ödeme İşleme" #: src/components/common/OrderDetails/index.tsx:76 msgid "Payment provider" @@ -4962,15 +5017,15 @@ msgstr "Ödeme sağlayıcısı" #: src/components/forms/StripeCheckoutForm/index.tsx:94 msgid "Payment received" -msgstr "" +msgstr "Ödeme alındı" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:44 msgid "Payment Received" msgstr "Ödeme Alındı" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" -msgstr "" +msgstr "Ödeme Ayarları" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:195 msgid "Payment Status" @@ -4986,21 +5041,21 @@ msgstr "Ödeme Koşulları" #: src/components/routes/product-widget/Payment/PaymentMethods/Stripe/index.tsx:49 msgid "Payments not available" -msgstr "" +msgstr "Ödemeler mevcut değil" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" -msgstr "" +msgstr "Ödemeler kesintisiz devam edecek" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "Sipariş başına" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "Bilet başına" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5013,15 +5068,15 @@ msgstr "Yüzde Miktarı" #: src/components/common/AffiliateTable/index.tsx:84 msgid "Performance" -msgstr "" +msgstr "Performans" #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:97 msgid "Phone" -msgstr "" +msgstr "Telefon" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:82 msgid "Pinterest" -msgstr "" +msgstr "Pinterest" #: src/components/common/WidgetEditor/index.tsx:257 msgid "Place this in the of your website." @@ -5029,11 +5084,11 @@ msgstr "Bunu web sitenizin bölümüne yerleştirin." #: src/components/common/PoweredByFooter/index.tsx:48 msgid "Planning an event?" -msgstr "" +msgstr "Bir etkinlik mi planlıyorsunuz?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" -msgstr "" +msgstr "Platform Ücretleri" #: src/components/forms/QuestionForm/index.tsx:31 msgid "Please add at least one option" @@ -5078,27 +5133,31 @@ msgstr "Lütfen bir resme işaret eden geçerli bir resim URL'si girin." #: src/components/modals/CreateWebhookModal/index.tsx:30 msgid "Please enter a valid URL" -msgstr "" +msgstr "Lütfen geçerli bir URL girin" #: src/components/routes/welcome/index.tsx:68 msgid "Please enter the 5-digit code" -msgstr "" +msgstr "Lütfen 5 haneli kodu girin" #: src/components/routes/auth/ResetPassword/index.tsx:55 msgid "Please enter your new password" msgstr "Lütfen yeni şifrenizi girin" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Lütfen KDV numaranızı girin" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Lütfen Dikkat" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:35 msgid "Please provide an image." -msgstr "" +msgstr "Lütfen bir görsel sağlayın." #: src/components/routes/product-widget/Payment/PaymentMethods/Stripe/index.tsx:65 msgid "Please restart the checkout process." -msgstr "" +msgstr "Lütfen ödeme işlemini yeniden başlatın." #: src/components/layouts/Checkout/index.tsx:251 msgid "Please return to the event page to start over." @@ -5110,11 +5169,11 @@ msgstr "Lütfen seçin" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "Lütfen bir tarih aralığı seçin" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." -msgstr "" +msgstr "Lütfen bir görsel seçin." #: src/components/routes/product-widget/SelectProducts/index.tsx:275 msgid "Please select at least one product" @@ -5124,7 +5183,7 @@ msgstr "Lütfen en az bir ürün seçin" #: src/components/routes/event/attendees.tsx:137 #: src/components/routes/event/orders.tsx:100 msgid "Please try again." -msgstr "" +msgstr "Lütfen tekrar deneyin." #: src/components/routes/profile/ManageProfile/index.tsx:147 msgid "Please verify your email address to access all features" @@ -5132,15 +5191,15 @@ msgstr "Tüm özelliklere erişmek için lütfen e-posta adresinizi doğrulayın #: src/components/routes/welcome/index.tsx:121 msgid "Please wait before requesting another code" -msgstr "" +msgstr "Başka bir kod istemeden önce lütfen bekleyin" #: src/components/routes/event/Affiliates/index.tsx:43 msgid "Please wait while we prepare your affiliates for export..." -msgstr "" +msgstr "Bağlı kuruluşlarınızı dışa aktarma için hazırlarken lütfen bekleyin..." #: src/components/routes/event/attendees.tsx:128 msgid "Please wait while we prepare your attendees for export..." -msgstr "" +msgstr "Katılımcılarınızı dışa aktarma için hazırlarken lütfen bekleyin..." #: src/components/common/OrdersTable/index.tsx:98 #: src/components/layouts/Checkout/index.tsx:83 @@ -5149,7 +5208,7 @@ msgstr "Faturanızı hazırlarken lütfen bekleyin..." #: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." -msgstr "" +msgstr "Siparişlerinizi dışa aktarma için hazırlarken lütfen bekleyin..." #: src/components/common/LanguageSwitcher/index.tsx:28 msgid "Portuguese" @@ -5162,7 +5221,7 @@ msgstr "Ödeme sonrası mesaj" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:50 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:83 msgid "Post Checkout Message" -msgstr "" +msgstr "Ödeme Sonrası Mesajı" #: src/components/common/PoweredByFooter/index.tsx:60 msgid "Powered by" @@ -5181,7 +5240,7 @@ msgstr "Önizleme" #: src/components/layouts/Event/index.tsx:217 #: src/components/layouts/Event/index.tsx:221 msgid "Preview Event page" -msgstr "" +msgstr "Etkinlik sayfasını önizle" #: src/components/common/ProductsTable/SortableProduct/index.tsx:349 #: src/components/forms/ProductForm/index.tsx:80 @@ -5199,11 +5258,11 @@ msgstr "Fiyat belirlenmedi" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:59 msgid "Price of the ticket" -msgstr "" +msgstr "Bilet fiyatı" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "Fiyat Kademeleri" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5223,11 +5282,11 @@ msgstr "Tüm Biletleri Yazdır" #: src/components/routes/event/TicketDesigner/index.tsx:204 msgid "Print Preview" -msgstr "" +msgstr "Yazdırma Önizlemesi" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "Bileti Yazdır" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5236,20 +5295,20 @@ msgstr "Biletleri Yazdır" #: src/components/common/AttendeeTicket/index.tsx:196 msgid "Print to PDF" -msgstr "" +msgstr "PDF'ye Yazdır" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" -msgstr "" +msgstr "Gizlilik Politikası" #: src/components/modals/RefundOrderModal/index.tsx:150 msgid "Process Refund" -msgstr "" +msgstr "İade İşle" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:287 msgid "Processing order" -msgstr "" +msgstr "Sipariş işleniyor" #: src/components/common/AttendeeDetails/index.tsx:30 #: src/components/common/ProductsTable/SortableProduct/index.tsx:285 @@ -5268,11 +5327,11 @@ msgstr "Ürün kategorisi başarıyla güncellendi." #: src/components/forms/WebhookForm/index.tsx:34 msgid "Product Created" -msgstr "" +msgstr "Ürün Oluşturuldu" #: src/components/forms/WebhookForm/index.tsx:46 msgid "Product Deleted" -msgstr "" +msgstr "Ürün Silindi" #: src/components/common/ProductsTable/SortableProduct/index.tsx:69 msgid "Product deleted successfully" @@ -5293,7 +5352,7 @@ msgstr "Ürün Satışları" #: src/components/routes/event/Reports/index.tsx:18 msgid "Product sales, revenue, and tax breakdown" -msgstr "" +msgstr "Ürün satışları, gelir ve vergi dökümü" #: src/components/common/ProductSelector/index.tsx:63 msgid "Product Tier" @@ -5306,7 +5365,7 @@ msgstr "Ürün Türü" #: src/components/forms/WebhookForm/index.tsx:40 msgid "Product Updated" -msgstr "" +msgstr "Ürün Güncellendi" #: src/components/common/WidgetEditor/index.tsx:313 msgid "Product Widget Preview" @@ -5337,7 +5396,7 @@ msgstr "Ürünler başarıyla sıralandı" #: src/components/layouts/AuthLayout/index.tsx:45 msgid "Products, merchandise, and flexible pricing options" -msgstr "" +msgstr "Ürünler, ticari ürünler ve esnek fiyatlandırma seçenekleri" #: src/components/routes/profile/ManageProfile/index.tsx:111 msgid "Profile" @@ -5353,7 +5412,7 @@ msgstr "Promosyon {promo_code} kodu uygulandı" #: src/components/common/OrderDetails/index.tsx:86 msgid "Promo code" -msgstr "" +msgstr "Promosyon kodu" #: src/components/routes/event/Reports/PromoCodesReport/index.tsx:20 msgid "Promo Code" @@ -5365,7 +5424,7 @@ msgstr "Promosyon Kodu sayfası" #: src/components/routes/event/Reports/index.tsx:30 msgid "Promo code usage and discount breakdown" -msgstr "" +msgstr "Promosyon kodu kullanımı ve indirim dökümü" #: src/components/layouts/Event/index.tsx:106 #: src/components/modals/DuplicateEventModal/index.tsx:27 @@ -5384,7 +5443,7 @@ msgstr "Promosyon Kodları Raporu" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "Yalnızca Promosyon" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5396,15 +5455,15 @@ msgstr "" #: src/components/common/StatusToggle/index.tsx:93 msgid "Publish" -msgstr "" +msgstr "Yayınla" #: src/components/routes/event/EventDashboard/index.tsx:190 msgid "Publish Event" -msgstr "" +msgstr "Etkinliği Yayınla" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Satın Alındı" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5412,7 +5471,7 @@ msgstr "QR Kod" #: src/components/layouts/AuthLayout/index.tsx:66 msgid "QR code scanning with instant feedback and secure sharing for staff access" -msgstr "" +msgstr "Personel erişimi için anında geri bildirim ve güvenli paylaşım ile QR kod tarama" #: src/components/forms/ProductForm/index.tsx:92 #: src/components/forms/ProductForm/index.tsx:311 @@ -5452,19 +5511,19 @@ msgstr "Radyo Seçeneği" #: src/components/routes/organizer/Reports/TaxSummaryReport/index.tsx:43 msgid "Rate" -msgstr "" +msgstr "Oran" #: src/components/common/MessageList/index.tsx:59 msgid "Read less" msgstr "Daha az oku" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." -msgstr "" +msgstr "Yükseltmeye hazır mısınız? Bu sadece birkaç dakika sürer." #: src/components/routes/organizer/OrganizerDashboard/index.tsx:265 msgid "Recent Orders" -msgstr "" +msgstr "Son Siparişler" #: src/components/modals/SendMessageModal/index.tsx:37 msgid "Recipient" @@ -5472,32 +5531,32 @@ msgstr "Alıcı" #: src/components/routes/event/EventDashboard/index.tsx:130 msgid "Reconnect Stripe →" -msgstr "" +msgstr "Stripe'ı Yeniden Bağla →" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:80 msgid "Reddit" -msgstr "" +msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." -msgstr "" +msgstr "Stripe'a yönlendiriliyor..." #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:175 msgid "Refresh Preview" -msgstr "" +msgstr "Önizlemeyi Yenile" #: src/components/modals/RefundOrderModal/index.tsx:107 msgid "Refund amount" -msgstr "" +msgstr "İade tutarı" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "İade başarısız oldu" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5509,11 +5568,11 @@ msgstr "Siparişi iade et" #: src/components/modals/RefundOrderModal/index.tsx:198 msgid "Refund Order {0}" -msgstr "" +msgstr "Siparişi İade Et {0}" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "İade beklemede" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5533,12 +5592,12 @@ msgstr "İade Edildi" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "İade edildi: {0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 msgid "Refunds" -msgstr "" +msgstr "İadeler" #: src/components/routes/auth/Register/index.tsx:130 msgid "Register" @@ -5559,7 +5618,7 @@ msgstr "Kaldır" #: src/components/routes/organizer/Reports/ReportLayout/index.tsx:23 msgid "Report not found" -msgstr "" +msgstr "Rapor bulunamadı" #: src/components/layouts/Event/index.tsx:92 #: src/components/layouts/OrganizerLayout/index.tsx:75 @@ -5570,7 +5629,7 @@ msgstr "Raporlar" #: src/components/routes/my-tickets/index.tsx:169 msgid "Request a new link" -msgstr "" +msgstr "Yeni bir bağlantı isteyin" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:169 msgid "Require Billing Address" @@ -5578,15 +5637,15 @@ msgstr "Fatura Adresi Gerekli" #: src/components/routes/welcome/index.tsx:203 msgid "Resend code" -msgstr "" +msgstr "Kodu yeniden gönder" #: src/components/layouts/OrganizerLayout/index.tsx:292 msgid "Resend Confirmation Email" -msgstr "" +msgstr "Onay E-postasını Yeniden Gönder" #: src/components/layouts/Event/index.tsx:237 msgid "Resend email" -msgstr "" +msgstr "E-postayı yeniden gönder" #: src/components/routes/profile/ManageProfile/index.tsx:149 msgid "Resend email confirmation" @@ -5594,7 +5653,7 @@ msgstr "E-posta onayını tekrar gönder" #: src/components/routes/welcome/index.tsx:202 msgid "Resend in {resendCooldown}s" -msgstr "" +msgstr "{resendCooldown}s içinde yeniden gönder" #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:124 msgid "Resend invitation" @@ -5614,11 +5673,11 @@ msgstr "Tekrar gönderiliyor..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "Rezerve edildi" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" -msgstr "" +msgstr "Rezerve edilme süresi:" #: src/components/common/FilterModal/index.tsx:279 msgid "Reset" @@ -5635,7 +5694,7 @@ msgstr "Şifreyi Sıfırla" #: src/components/routes/auth/ForgotPassword/index.tsx:50 msgid "Reset your password" -msgstr "" +msgstr "Parolanızı sıfırlayın" #: src/components/common/EventCard/index.tsx:103 msgid "Restore event" @@ -5644,9 +5703,9 @@ msgstr "Etkinliği geri yükle" #: src/components/routes/product-widget/Payment/PaymentMethods/Stripe/index.tsx:52 #: src/components/routes/product-widget/Payment/PaymentMethods/Stripe/index.tsx:67 msgid "Return to Event" -msgstr "" +msgstr "Etkinliğe Dön" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Etkinlik Sayfasına Dön" @@ -5658,7 +5717,7 @@ msgstr "Gelir" #: src/components/routes/organizer/Reports/index.tsx:17 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:67 msgid "Revenue Summary" -msgstr "" +msgstr "Gelir Özeti" #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:130 msgid "Revoke invitation" @@ -5677,16 +5736,16 @@ msgstr "Satış Bitiş Tarihi" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "Satış sona erdi {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "Satış bitiyor {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "Satış Dönemi" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5695,15 +5754,15 @@ msgstr "Satış Başlangıç Tarihi" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "Satış başlıyor {0}" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" -msgstr "" +msgstr "Satışlar" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "Satışlar duraklatıldı" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5717,16 +5776,16 @@ msgstr "Satış başlangıcı" #: src/components/routes/organizer/Reports/index.tsx:24 msgid "Sales, orders, and performance metrics for all events" -msgstr "" +msgstr "Tüm etkinlikler için satışlar, siparişler ve performans metrikleri" #: src/components/common/AdminEventsTable/index.tsx:130 msgid "Sales:" -msgstr "" +msgstr "Satışlar:" #: src/components/routes/event/TicketDesigner/TicketDesignerPrint.tsx:80 #: src/components/routes/event/TicketDesigner/TicketPreview.tsx:88 msgid "Sample Venue" -msgstr "" +msgstr "Örnek Mekan" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:135 #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:93 @@ -5765,32 +5824,36 @@ msgstr "Ayarları Kaydet" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:263 msgid "Save Social Links" -msgstr "" +msgstr "Sosyal Bağlantıları Kaydet" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:200 msgid "Save Template" -msgstr "" +msgstr "Şablonu Kaydet" #: src/components/routes/event/TicketDesigner/index.tsx:187 msgid "Save Ticket Design" -msgstr "" +msgstr "Bilet Tasarımını Kaydet" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "KDV Ayarlarını Kaydet" #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" -msgstr "" +msgstr "Tara" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "Planlandı" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." -msgstr "" +msgstr "Bağlı kuruluşları ara..." #: src/components/routes/admin/Accounts/index.tsx:60 msgid "Search by account name or email..." -msgstr "" +msgstr "Hesap adı veya e-posta ile ara..." #: src/components/routes/event/attendees.tsx:186 msgid "Search by attendee name, email or order #..." @@ -5803,11 +5866,11 @@ msgstr "Etkinlik adına göre ara..." #: src/components/routes/admin/Events/index.tsx:80 msgid "Search by event title or organizer..." -msgstr "" +msgstr "Etkinlik başlığı veya organizatöre göre ara..." #: src/components/routes/admin/Users/index.tsx:60 msgid "Search by name, email, or account..." -msgstr "" +msgstr "Ad, e-posta veya hesaba göre ara..." #: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." @@ -5851,7 +5914,7 @@ msgstr "İkincil Metin Rengi" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "Güvenli Ödeme" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -5861,19 +5924,19 @@ msgstr "{0} seç" #: src/components/modals/CreateEventModal/index.tsx:186 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:83 msgid "Select a category" -msgstr "" +msgstr "Bir kategori seçin" #: src/components/common/AdminUsersTable/index.tsx:100 msgid "Select Account" -msgstr "" +msgstr "Hesap Seç" #: src/components/modals/DuplicateEventModal/index.tsx:138 msgid "Select All" -msgstr "" +msgstr "Tümünü Seç" #: src/components/routes/events/Dashboard/index.tsx:235 msgid "Select an organizer to view their dashboard and events." -msgstr "" +msgstr "Pano ve etkinliklerini görüntülemek için bir organizatör seçin." #: src/components/common/AttendeeCheckInTable/QrScannerControls.tsx:47 msgid "Select Camera" @@ -5885,23 +5948,23 @@ msgstr "Kategori seç..." #: src/components/forms/OrganizerForm/index.tsx:50 msgid "Select currency" -msgstr "" +msgstr "Para birimi seçin" #: src/components/modals/CreateEventModal/index.tsx:235 msgid "Select end date and time" -msgstr "" +msgstr "Bitiş tarih ve saatini seçin" #: src/components/routes/welcome/index.tsx:383 msgid "Select end time" -msgstr "" +msgstr "Bitiş saatini seçin" #: src/components/routes/welcome/index.tsx:337 msgid "Select event category" -msgstr "" +msgstr "Etkinlik kategorisi seçin" #: src/components/forms/WebhookForm/index.tsx:124 msgid "Select event types" -msgstr "" +msgstr "Etkinlik türlerini seçin" #: src/components/modals/CreateEventModal/index.tsx:156 msgid "Select organizer" @@ -5922,15 +5985,15 @@ msgstr "Ürünleri seç" #: src/components/common/CheckIn/ScannerSelectionModal.tsx:25 msgid "Select Scanner Type" -msgstr "" +msgstr "Tarayıcı Türünü Seçin" #: src/components/modals/CreateEventModal/index.tsx:214 msgid "Select start date and time" -msgstr "" +msgstr "Başlangıç tarih ve saatini seçin" #: src/components/routes/welcome/index.tsx:362 msgid "Select start time" -msgstr "" +msgstr "Başlangıç saatini seçin" #: src/components/modals/EditUserModal/index.tsx:104 msgid "Select status" @@ -5952,11 +6015,11 @@ msgstr "Zaman aralığı seç" #: src/components/forms/OrganizerForm/index.tsx:59 msgid "Select timezone" -msgstr "" +msgstr "Saat dilimi seçin" #: src/components/forms/WebhookForm/index.tsx:123 msgid "Select which events will trigger this webhook" -msgstr "" +msgstr "Bu webhook'u tetikleyecek etkinlikleri seçin" #: src/components/forms/ProductForm/index.tsx:376 msgid "Select..." @@ -5964,7 +6027,7 @@ msgstr "Seç..." #: src/components/layouts/AuthLayout/index.tsx:70 msgid "Sell Anything" -msgstr "" +msgstr "Her Şeyi Satın" #: src/components/layouts/AuthLayout/index.tsx:71 msgid "Sell merchandise alongside tickets with integrated tax and promo code support" @@ -5972,11 +6035,11 @@ msgstr "" #: src/components/layouts/AuthLayout/index.tsx:44 msgid "Sell More Than Tickets" -msgstr "" +msgstr "Biletlerden Fazlasını Satın" #: src/components/forms/ProductForm/index.tsx:481 msgid "Selling fast 🔥" -msgstr "" +msgstr "Hızlı satılıyor 🔥" #: src/components/modals/SendMessageModal/index.tsx:290 #: src/components/routes/auth/Login/index.tsx:159 @@ -6007,7 +6070,7 @@ msgstr "Sipariş onayı ve bilet e-postası gönder" #: src/components/modals/RefundOrderModal/index.tsx:124 msgid "Send refund notification email" -msgstr "" +msgstr "İade bildirim e-postası gönder" #: src/components/modals/SendMessageModal/index.tsx:290 msgid "Send Test" @@ -6015,11 +6078,11 @@ msgstr "Test Gönder" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:199 msgid "Sent to customers when they place an order" -msgstr "" +msgstr "Müşterilere sipariş verdiklerinde gönderilir" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:200 msgid "Sent to each attendee with their ticket details" -msgstr "" +msgstr "Her katılımcıya bilet detaylarıyla birlikte gönderilir" #: src/components/routes/event/Settings/index.tsx:46 #: src/components/routes/organizer/Settings/index.tsx:53 @@ -6056,7 +6119,7 @@ msgstr "Minimum fiyat belirleyin ve kullanıcılar isterlerse daha fazla ödesin #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "Bu organizatör altında oluşturulan yeni etkinlikler için varsayılan ayarları belirleyin." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6068,7 +6131,7 @@ msgstr "Etkinliğinizi kurun" #: src/components/routes/welcome/index.tsx:40 msgid "Set up your organization" -msgstr "" +msgstr "Organizasyonunuzu kurun" #: src/components/routes/event/GettingStarted/index.tsx:183 msgid "Set your event live" @@ -6089,10 +6152,10 @@ msgstr "Ayarlar" #: src/components/layouts/AuthLayout/index.tsx:28 msgid "Setup in Minutes" -msgstr "" +msgstr "Dakikalar İçinde Kurulum" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6103,7 +6166,7 @@ msgstr "Paylaş" #: src/components/common/AffiliateTable/index.tsx:190 #: src/components/common/AffiliateTable/index.tsx:229 msgid "Share Affiliate Link" -msgstr "" +msgstr "Bağlı Kuruluş Bağlantısını Paylaş" #: src/components/layouts/Event/index.tsx:195 #: src/components/layouts/Event/index.tsx:201 @@ -6113,15 +6176,15 @@ msgstr "Etkinliği Paylaş" #: src/components/layouts/OrganizerLayout/index.tsx:225 #: src/components/layouts/OrganizerLayout/index.tsx:260 msgid "Share Organizer Page" -msgstr "" +msgstr "Organizatör Sayfasını Paylaş" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "Ek Seçenekleri Göster" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" -msgstr "" +msgstr "Tüm platformları göster ({0} değerli daha fazla)" #: src/components/forms/ProductForm/index.tsx:446 msgid "Show available product quantity" @@ -6129,7 +6192,7 @@ msgstr "Mevcut ürün miktarını göster" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:230 msgid "Show fewer platforms" -msgstr "" +msgstr "Daha az platform göster" #: src/components/common/QuestionsTable/index.tsx:307 msgid "Show hidden questions" @@ -6150,7 +6213,7 @@ msgstr "Daha fazla göster" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:233 msgid "Show more platforms" -msgstr "" +msgstr "Daha fazla platform göster" #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:60 msgid "Show tax and fees separately" @@ -6183,7 +6246,7 @@ msgstr "Bu adımı atla" #: src/components/layouts/AuthLayout/index.tsx:80 msgid "Smart Check-in" -msgstr "" +msgstr "Akıllı Giriş" #: src/components/routes/auth/Register/index.tsx:91 msgid "Smith" @@ -6191,27 +6254,27 @@ msgstr "Smith" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:73 msgid "Snapchat" -msgstr "" +msgstr "Snapchat" #: src/constants/eventCategories.ts:13 msgid "Social" -msgstr "" +msgstr "Sosyal" #: src/components/routes/organizer/Settings/index.tsx:47 msgid "Social Links" -msgstr "" +msgstr "Sosyal Bağlantılar" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:184 msgid "Social Links & Website" -msgstr "" +msgstr "Sosyal Bağlantılar ve Web Sitesi" #: src/components/common/EventCard/index.tsx:185 msgid "sold" -msgstr "" +msgstr "satıldı" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "Satıldı" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6219,7 +6282,7 @@ msgid "Sold out" msgstr "Tükendi" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Tükendi" @@ -6258,7 +6321,7 @@ msgstr "Bir şeyler yanlış gitti. Lütfen tekrar deneyin." #: src/components/routes/event/EventDashboard/index.tsx:126 msgid "Sorry for the inconvenience." -msgstr "" +msgstr "Rahatsızlık için özür dileriz." #: src/components/routes/product-widget/SelectProducts/index.tsx:284 msgid "Sorry, this promo code is not recognized" @@ -6270,7 +6333,7 @@ msgstr "İspanyolca" #: src/constants/eventCategories.ts:8 msgid "Sports" -msgstr "" +msgstr "Spor" #: src/components/forms/ProductForm/index.tsx:155 msgid "Standard product with a fixed price" @@ -6284,20 +6347,20 @@ msgstr "Başlangıç Tarihi" #: src/components/routes/welcome/index.tsx:361 msgid "Start date & time" -msgstr "" +msgstr "Başlangıç tarihi ve saati" #: src/components/modals/CreateEventModal/index.tsx:210 msgid "Start Date & Time" -msgstr "" +msgstr "Başlangıç Tarihi ve Saati" #: src/components/routes/welcome/index.tsx:231 msgid "Start date is required" -msgstr "" +msgstr "Başlangıç tarihi gerekli" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:36 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:70 msgid "Start time of the event" -msgstr "" +msgstr "Etkinliğin başlangıç saati" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 @@ -6309,7 +6372,7 @@ msgstr "Eyalet veya Bölge" #: src/components/common/AdminEventsTable/index.tsx:106 msgid "Statistics" -msgstr "" +msgstr "İstatistikler" #: src/components/common/AdminEventsTable/index.tsx:107 #: src/components/common/AffiliateTable/index.tsx:83 @@ -6327,22 +6390,22 @@ msgstr "" msgid "Status" msgstr "Durum" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." -msgstr "" +msgstr "Eski işlemleriniz için hala iadeleri işliyoruz." #: src/components/common/ImpersonationBanner/index.tsx:53 msgid "Stop Impersonating" -msgstr "" +msgstr "Taklidi Durdur" #: src/components/common/OrdersTable/index.tsx:377 #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:85 msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" -msgstr "" +msgstr "Stripe Connect" #: src/components/routes/product-widget/Payment/PaymentMethods/Stripe/index.tsx:50 msgid "Stripe payments are not enabled for this event." @@ -6350,7 +6413,7 @@ msgstr "Bu etkinlik için Stripe ödemeleri etkinleştirilmemiş." #: src/components/common/StripeConnectButton/index.tsx:69 msgid "Stripe setup is already complete." -msgstr "" +msgstr "Stripe kurulumu zaten tamamlandı." #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:127 #: src/components/modals/SendMessageModal/index.tsx:240 @@ -6359,15 +6422,15 @@ msgstr "Konu" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:46 msgid "Subject is required" -msgstr "" +msgstr "Konu gerekli" #: src/components/common/EmailTemplateEditor/EmailTemplatePreviewPane.tsx:30 msgid "Subject will appear here" -msgstr "" +msgstr "Konu burada görünecek" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:249 msgid "Subject:" -msgstr "" +msgstr "Konu:" #: src/components/common/InlineOrderSummary/index.tsx:131 #: src/components/common/OrderSummary/index.tsx:41 @@ -6415,11 +6478,11 @@ msgstr "Soru Başarıyla Oluşturuldu" #: src/components/modals/DuplicateProductModal/index.tsx:99 msgid "Successfully Duplicated Product" -msgstr "" +msgstr "Ürün Başarıyla Çoğaltıldı" #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:56 msgid "Successfully Updated Address" -msgstr "" +msgstr "Adres Başarıyla Güncellendi" #: src/components/modals/ManageAttendeeModal/index.tsx:96 msgid "Successfully updated attendee" @@ -6443,7 +6506,7 @@ msgstr "Etkinlik Başarıyla Güncellendi" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "Etkinlik Varsayılanları Başarıyla Güncellendi" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6468,7 +6531,7 @@ msgstr "Sipariş başarıyla güncellendi" #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:40 msgid "Successfully Updated Organizer" -msgstr "" +msgstr "Organizatör Başarıyla Güncellendi" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:74 msgid "Successfully Updated Payment & Invoicing Settings" @@ -6488,15 +6551,15 @@ msgstr "SEO Ayarları Başarıyla Güncellendi" #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:45 msgid "Successfully Updated SEO Settings" -msgstr "" +msgstr "SEO Ayarları Başarıyla Güncellendi" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:170 msgid "Successfully Updated Social Links" -msgstr "" +msgstr "Sosyal Bağlantılar Başarıyla Güncellendi" #: src/components/modals/EditWebhookModal/index.tsx:44 msgid "Successfully updated Webhook" -msgstr "" +msgstr "Webhook Başarıyla Güncellendi" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:128 #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:86 @@ -6506,17 +6569,17 @@ msgstr "Süit 100" #: src/components/common/ProgressStepper/index.tsx:20 #: src/components/common/ProgressStepper/index.tsx:24 msgid "Summary" -msgstr "" +msgstr "Özet" #: src/components/modals/CreateEventModal/index.tsx:177 #: src/components/modals/DuplicateEventModal/index.tsx:110 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:76 msgid "Summer Music Festival {0}" -msgstr "" +msgstr "Yaz Müzik Festivali {0}" #: src/components/routes/welcome/index.tsx:350 msgid "Summer Music Festival 2025" -msgstr "" +msgstr "Yaz Müzik Festivali 2025" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:48 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:81 @@ -6531,15 +6594,15 @@ msgstr "" #: src/components/layouts/OrganizerLayout/index.tsx:65 #: src/components/modals/SwitchOrganizerModal/index.tsx:33 msgid "Switch Organizer" -msgstr "" +msgstr "Organizatör Değiştir" #: src/components/forms/ProductForm/index.tsx:262 msgid "T-shirt" msgstr "Tişört" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" -msgstr "" +msgstr "Sadece birkaç dakika sürer" #: src/components/common/OrdersTable/index.tsx:351 #: src/components/forms/TaxAndFeeForm/index.tsx:12 @@ -6559,7 +6622,7 @@ msgstr "Vergi ve Ücretler" #: src/components/routes/organizer/Reports/index.tsx:30 msgid "Tax collected grouped by tax type and event" -msgstr "" +msgstr "Vergi türü ve etkinliğe göre gruplandırılmış toplanan vergi" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:243 msgid "Tax Details" @@ -6571,7 +6634,7 @@ msgstr "Tüm faturaların altında görünecek vergi bilgisi (örn., KDV numaras #: src/components/routes/organizer/Reports/TaxSummaryReport/index.tsx:38 msgid "Tax Name" -msgstr "" +msgstr "Vergi Adı" #: src/components/common/TaxAndFeeList/index.tsx:36 msgid "Tax or Fee deleted successfully" @@ -6580,7 +6643,7 @@ msgstr "Vergi veya Ücret başarıyla silindi" #: src/components/routes/organizer/Reports/index.tsx:29 #: src/components/routes/organizer/Reports/TaxSummaryReport/index.tsx:62 msgid "Tax Summary" -msgstr "" +msgstr "Vergi Özeti" #: src/components/common/InlineOrderSummary/index.tsx:148 #: src/components/forms/ProductForm/index.tsx:386 @@ -6590,7 +6653,7 @@ msgstr "Vergiler" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "Uygulanan vergiler ve ücretler" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6600,23 +6663,23 @@ msgstr "Vergiler ve Ücretler" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "Vergiler, ücretler, satış dönemi, sipariş limitleri ve görünürlük ayarları" #: src/constants/eventCategories.ts:18 msgid "Tech" -msgstr "" +msgstr "Teknoloji" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:96 msgid "Telegram" -msgstr "" +msgstr "Telegram" #: src/components/modals/CreateEventModal/index.tsx:198 msgid "Tell people what to expect at your event" -msgstr "" +msgstr "İnsanlara etkinliğinizde neleri bekleyeceklerini anlatın" #: src/components/modals/CreateEventModal/index.tsx:128 msgid "Tell us about your event" -msgstr "" +msgstr "Bize etkinliğinizden bahsedin" #: src/components/routes/welcome/index.tsx:43 msgid "Tell us about your organization. This information will be displayed on your event pages." @@ -6624,36 +6687,36 @@ msgstr "" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:190 msgid "Template Active" -msgstr "" +msgstr "Şablon Aktif" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:158 msgid "Template created successfully" -msgstr "" +msgstr "Şablon başarıyla oluşturuldu" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:106 msgid "Template deleted successfully" -msgstr "" +msgstr "Şablon başarıyla silindi" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:127 msgid "Template saved successfully" -msgstr "" +msgstr "Şablon başarıyla kaydedildi" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" -msgstr "" +msgstr "Hizmet Koşulları" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "Metin okunması zor olabilir" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" -msgstr "" +msgstr "Katıldığınız için teşekkürler!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" -msgstr "" +msgstr "Hi.Events'i büyütmeye ve geliştirmeye devam ederken desteğiniz için teşekkürler!" #: src/components/routes/product-widget/SelectProducts/index.tsx:176 #: src/components/routes/product-widget/SelectProducts/index.tsx:224 @@ -6674,7 +6737,7 @@ msgstr "" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:30 msgid "The currency of the order" -msgstr "" +msgstr "Siparişin para birimi" #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:75 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:118 @@ -6689,7 +6752,7 @@ msgstr "Etkinlikleriniz için varsayılan saat dilimi." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:40 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:74 msgid "The event venue" -msgstr "" +msgstr "Etkinlik mekanı" #: src/components/layouts/EventHomepage/EventNotAvailable/index.tsx:10 #: src/components/layouts/EventHomepage/EventNotAvailable/index.tsx:12 @@ -6699,11 +6762,11 @@ msgstr "" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:37 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:71 msgid "The full event address" -msgstr "" +msgstr "Tam etkinlik adresi" #: src/components/modals/CancelOrderModal/index.tsx:77 msgid "The full order amount will be refunded to the customer's original payment method." -msgstr "" +msgstr "Tam sipariş tutarı müşterinin orijinal ödeme yöntemine iade edilecektir." #: src/components/modals/CreateAttendeeModal/index.tsx:157 msgid "The language the attendee will receive emails in." @@ -6715,7 +6778,7 @@ msgstr "Tıkladığınız bağlantı geçersiz." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "The locale of the customer" -msgstr "" +msgstr "Müşterinin dili" #: src/components/routes/product-widget/SelectProducts/index.tsx:498 msgid "The maximum number of products for {0}is {1}" @@ -6740,7 +6803,7 @@ msgstr "Müşteriye gösterilen fiyat vergi ve ücretleri içermeyecektir. Bunla #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "Düğmeler ve vurgular için kullanılan birincil marka rengi" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6753,7 +6816,7 @@ msgstr "Bu ürüne uygulanacak vergi ve ücretler. Yeni vergi ve ücretleri şur #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:139 #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:170 msgid "The template body contains invalid Liquid syntax. Please correct it and try again." -msgstr "" +msgstr "Şablon gövdesi geçersiz Liquid sözdizimi içeriyor. Lütfen düzeltin ve tekrar deneyin." #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:63 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:63 @@ -6762,12 +6825,12 @@ msgstr "Arama motoru sonuçlarında ve sosyal medyada paylaşırken görüntüle #: src/constants/eventCategories.ts:10 msgid "Theater" -msgstr "" +msgstr "Tiyatro" #: src/components/routes/event/HomepageDesigner/index.tsx:204 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:235 msgid "Theme & Colors" -msgstr "" +msgstr "Tema ve Renkler" #: src/components/routes/product-widget/SelectProducts/index.tsx:310 msgid "There are no products available for this event" @@ -6843,7 +6906,7 @@ msgstr "" #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "Bu renk kombinasyonu bazı kullanıcılar için okunması zor olabilir" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6851,7 +6914,7 @@ msgstr "Bu e-posta tanıtım amaçlı değildir ve doğrudan etkinlikle ilgilidi #: src/components/common/StatusToggle/index.tsx:78 msgid "This event is not published yet" -msgstr "" +msgstr "Bu etkinlik henüz yayınlanmadı" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:152 msgid "This information will be shown on the payment page, order summary page, and order confirmation email." @@ -6867,11 +6930,11 @@ msgstr "Bu çevrimiçi bir etkinlik" #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:73 msgid "This is the name of your organizer that will be displayed to your users." -msgstr "" +msgstr "Bu, kullanıcılarınıza görüntülenecek organizatörünüzün adıdır." #: src/components/routes/my-tickets/index.tsx:162 msgid "This link is invalid or has expired." -msgstr "" +msgstr "Bu bağlantı geçersiz veya süresi dolmuş." #: src/components/routes/event/Settings/Sections/EmailSettings/GeneralEmailSettings.tsx:68 msgid "This message will be included in the footer of all emails sent from this event" @@ -6899,7 +6962,7 @@ msgstr "Bu siparişin süresi dolmuş. Lütfen tekrar başlayın." #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:288 msgid "This order is being processed." -msgstr "" +msgstr "Bu sipariş işleniyor." #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:279 msgid "This order is complete." @@ -6911,15 +6974,15 @@ msgstr "Bu sipariş sayfası artık mevcut değil." #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "Bu sipariş terk edildi. İstediğiniz zaman yeni bir sipariş başlatabilirsiniz." #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." -msgstr "" +msgstr "Bu sipariş iptal edildi. İstediğiniz zaman yeni bir sipariş başlatabilirsiniz." #: src/components/common/StatusToggle/index.tsx:79 msgid "This organizer profile is not published yet" -msgstr "" +msgstr "Bu organizatör profili henüz yayınlanmadı" #: src/components/forms/ProductForm/index.tsx:457 msgid "This overrides all visibility settings and will hide the product from all customers." @@ -6939,11 +7002,11 @@ msgstr "Bu ürün bir bilettir. Alıcılara satın alma sonrasında bilet verile #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "Bu ürün etkinlik sayfasında vurgulanmıştır" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "Bu ürün tükendi" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6955,7 +7018,7 @@ msgstr "Bu şifre sıfırlama bağlantısı geçersiz veya süresi dolmuş." #: src/components/layouts/CheckIn/index.tsx:205 msgid "This ticket was just scanned. Please wait before scanning again." -msgstr "" +msgstr "Bu bilet az önce tarandı. Tekrar taramadan önce lütfen bekleyin." #: src/components/modals/EditUserModal/index.tsx:65 msgid "This user is not active, as they have not accepted their invitation." @@ -6963,7 +7026,7 @@ msgstr "Bu kullanıcı davetini kabul etmediği için aktif değil." #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:80 msgid "This will be used for notifications and communication with your users." -msgstr "" +msgstr "Bu, kullanıcılarınızla bildirimler ve iletişim için kullanılacaktır." #: src/components/forms/AffiliateForm/index.tsx:82 msgid "This will not be visible to customers, but helps you identify the affiliate." @@ -6986,16 +7049,16 @@ msgstr "Bilet" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "Bilet İptal Edildi" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 msgid "Ticket Design" -msgstr "" +msgstr "Bilet Tasarımı" #: src/components/routes/event/TicketDesigner/index.tsx:83 msgid "Ticket design saved successfully" -msgstr "" +msgstr "Bilet tasarımı başarıyla kaydedildi" #: src/components/common/AttendeeTable/index.tsx:75 msgid "Ticket email has been resent to attendee" @@ -7003,70 +7066,70 @@ msgstr "Bilet e-postası katılımcıya yeniden gönderildi" #: src/components/routes/product-widget/PrintProduct/index.tsx:42 msgid "Ticket for" -msgstr "" +msgstr "Bilet:" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Ticket holder's email" -msgstr "" +msgstr "Bilet sahibinin e-postası" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:54 msgid "Ticket holder's name" -msgstr "" +msgstr "Bilet sahibinin adı" #: src/components/common/MessageList/index.tsx:22 msgid "Ticket holders" -msgstr "" +msgstr "Bilet sahipleri" #: src/components/common/AttendeeTicket/index.tsx:168 msgid "Ticket ID" -msgstr "" +msgstr "Bilet ID" #: src/components/modals/DuplicateEventModal/index.tsx:31 msgid "Ticket Logo" -msgstr "" +msgstr "Bilet Logosu" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:58 msgid "Ticket Name" -msgstr "" +msgstr "Bilet Adı" #: src/components/routes/event/products.tsx:86 msgid "Ticket or Product" -msgstr "" +msgstr "Bilet veya Ürün" #: src/components/routes/event/TicketDesigner/TicketDesignerPrint.tsx:89 msgid "Ticket Preview for" -msgstr "" +msgstr "Bilet Önizlemesi:" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:59 msgid "Ticket Price" -msgstr "" +msgstr "Bilet Fiyatı" #: src/components/common/AttendeeTicket/index.tsx:99 #: src/components/routes/event/attendees.tsx:66 msgid "Ticket Type" -msgstr "" +msgstr "Bilet Türü" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:60 msgid "Ticket URL" -msgstr "" +msgstr "Bilet URL'si" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "bilet" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "Biletler" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" -msgstr "" +msgstr "Biletler ve Ürünler" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" -msgstr "" +msgstr "Mevcut Biletler" #: src/components/routes/product-widget/PrintOrder/index.tsx:40 msgid "Tickets for" @@ -7074,7 +7137,7 @@ msgstr "Biletler" #: src/components/routes/admin/Dashboard/index.tsx:111 msgid "Tickets Sold" -msgstr "" +msgstr "Satılan Biletler" #: src/components/forms/ProductForm/index.tsx:73 msgid "Tier {0}" @@ -7090,7 +7153,7 @@ msgstr "Kademeli ürünler aynı ürün için birden fazla fiyat seçeneği sunm #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:70 msgid "TikTok" -msgstr "" +msgstr "TikTok" #: src/components/layouts/Checkout/index.tsx:184 msgid "Time left:" @@ -7118,13 +7181,13 @@ msgstr "Saat Dilimi" msgid "TIP" msgstr "İPUCU" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "" #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "Sütunları değiştir" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7138,15 +7201,15 @@ msgstr "Toplam" #: src/components/routes/admin/Dashboard/index.tsx:75 msgid "Total Accounts" -msgstr "" +msgstr "Toplam Hesaplar" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:22 msgid "Total amount paid" -msgstr "" +msgstr "Ödenen toplam tutar" #: src/components/routes/organizer/Reports/CheckInSummaryReport/index.tsx:35 msgid "Total Attendees" -msgstr "" +msgstr "Toplam Katılımcılar" #: src/components/routes/event/Reports/PromoCodesReport/index.tsx:52 msgid "Total Before Discounts" @@ -7154,7 +7217,7 @@ msgstr "İndirimlerden Önceki Toplam" #: src/components/routes/organizer/Reports/TaxSummaryReport/index.tsx:49 msgid "Total Collected" -msgstr "" +msgstr "Toplam Toplanan" #: src/components/routes/event/Reports/PromoCodesReport/index.tsx:58 msgid "Total Discount Amount" @@ -7176,7 +7239,7 @@ msgstr "Toplam sipariş tutarı" #: src/components/routes/organizer/OrganizerDashboard/index.tsx:137 msgid "Total Orders" -msgstr "" +msgstr "Toplam Siparişler" #: src/components/common/OrderDetails/index.tsx:67 msgid "Total refunded" @@ -7194,50 +7257,50 @@ msgstr "Toplam Vergi" #: src/components/routes/admin/Dashboard/index.tsx:57 msgid "Total Users" -msgstr "" +msgstr "Toplam Kullanıcılar" #: src/components/layouts/AuthLayout/index.tsx:56 msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" -msgstr "" +msgstr "Ayrıntılı analitik ve dışa aktarılabilir raporlarla gelir, sayfa görüntülemeleri ve satışları izleyin" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" -msgstr "" +msgstr "İşlem Ücreti:" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:31 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:65 msgid "True if offline payment" -msgstr "" +msgstr "Çevrimdışı ödeme ise doğru" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:28 #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:63 msgid "True if payment pending" -msgstr "" +msgstr "Ödeme beklemedeyse doğru" #: src/components/routes/auth/Login/index.tsx:140 #: src/components/routes/my-tickets/index.tsx:183 msgid "Try another email" -msgstr "" +msgstr "Başka bir e-posta deneyin" #: src/components/common/PoweredByFooter/index.tsx:55 msgid "Try Hi.Events Free" -msgstr "" +msgstr "Hi.Events'i Ücretsiz Deneyin" #: src/components/common/LanguageSwitcher/index.tsx:38 msgid "Turkish" -msgstr "" +msgstr "Türkçe" #: src/components/layouts/CheckIn/index.tsx:446 msgid "Turn sound off" -msgstr "" +msgstr "Sesi kapat" #: src/components/layouts/CheckIn/index.tsx:446 msgid "Turn sound on" -msgstr "" +msgstr "Sesi aç" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:79 msgid "Twitch" -msgstr "" +msgstr "Twitch" #: src/components/forms/TaxAndFeeForm/index.tsx:44 msgid "Type" @@ -7245,7 +7308,7 @@ msgstr "Tür" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:58 msgid "Type of ticket" -msgstr "" +msgstr "Bilet türü" #: src/components/layouts/CheckIn/index.tsx:146 msgid "Unable to check in attendee" @@ -7270,11 +7333,11 @@ msgstr "Soru oluşturulamadı. Lütfen bilgilerinizi kontrol edin" #: src/components/modals/DuplicateProductModal/index.tsx:107 msgid "Unable to duplicate product. Please check the your details" -msgstr "" +msgstr "Ürün çoğaltılamıyor. Lütfen bilgilerinizi kontrol edin" #: src/components/layouts/CheckIn/index.tsx:221 msgid "Unable to fetch attendee" -msgstr "" +msgstr "Katılımcı getirilemedi" #: src/components/modals/EditQuestionModal/index.tsx:84 msgid "Unable to update question. Please check the your details" @@ -7286,7 +7349,7 @@ msgstr "Benzersiz Müşteriler" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:21 msgid "Unique order reference" -msgstr "" +msgstr "Benzersiz sipariş referansı" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:153 #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:111 @@ -7295,11 +7358,11 @@ msgstr "Amerika Birleşik Devletleri" #: src/components/routes/organizer/OrganizerDashboard/index.tsx:364 msgid "Unknown" -msgstr "" +msgstr "Bilinmeyen" #: src/components/common/QuestionAndAnswerList/index.tsx:284 msgid "Unknown Attendee" -msgstr "" +msgstr "Bilinmeyen Katılımcı" #: src/components/common/ProductsTable/SortableProduct/index.tsx:395 #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 @@ -7325,7 +7388,7 @@ msgstr "Ödenmemiş Sipariş" #: src/components/routes/event/EventDashboard/index.tsx:201 msgid "Unpublish Event" -msgstr "" +msgstr "Etkinliği Yayından Kaldır" #: src/components/common/EventsDashboardStatusButtons/index.tsx:20 #: src/components/common/EventStatusBadge/index.tsx:16 @@ -7345,7 +7408,7 @@ msgstr "{0} Güncelle" #: src/components/modals/EditAffiliateModal/index.tsx:108 msgid "Update Affiliate" -msgstr "" +msgstr "Bağlı Kuruluşu Güncelle" #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:69 msgid "Update event name, description and dates" @@ -7355,26 +7418,26 @@ msgstr "Etkinlik adı, açıklaması ve tarihlerini güncelle" msgid "Update profile" msgstr "Profili güncelle" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" -msgstr "" +msgstr "Yükseltme Mevcut" #: src/components/routes/organizer/Settings/Sections/ImageAssetSettings/index.tsx:39 msgid "Upload a cover image for your organizer" -msgstr "" +msgstr "Organizatörünüz için bir kapak görseli yükleyin" #: src/components/routes/organizer/Settings/Sections/ImageAssetSettings/index.tsx:28 msgid "Upload a logo for your organizer" -msgstr "" +msgstr "Organizatörünüz için bir logo yükleyin" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:104 #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:158 msgid "Upload Image" -msgstr "" +msgstr "Görsel Yükle" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:131 msgid "Uploading image..." -msgstr "" +msgstr "Görsel yükleniyor..." #: src/components/common/WebhookTable/index.tsx:236 msgid "URL" @@ -7386,7 +7449,7 @@ msgstr "URL panoya kopyalandı" #: src/components/modals/CreateWebhookModal/index.tsx:25 msgid "URL is required" -msgstr "" +msgstr "URL gerekli" #: src/components/common/WidgetEditor/index.tsx:298 msgid "Usage Example" @@ -7398,23 +7461,23 @@ msgstr "Kullanım Sınırı" #: src/components/common/CheckIn/ScannerSelectionModal.tsx:50 msgid "USB Scanner Already Active" -msgstr "" +msgstr "USB Tarayıcı Zaten Aktif" #: src/components/common/CheckIn/ScannerSelectionModal.tsx:42 msgid "USB Scanner mode activated. Start scanning tickets now." -msgstr "" +msgstr "USB Tarayıcı modu etkinleştirildi. Şimdi biletleri taramaya başlayın." #: src/components/common/CheckIn/HidScannerStatus.tsx:48 msgid "USB Scanner mode deactivated" -msgstr "" +msgstr "USB Tarayıcı modu devre dışı bırakıldı" #: src/components/common/CheckIn/ScannerSelectionModal.tsx:50 msgid "USB/HID Scanner" -msgstr "" +msgstr "USB/HID Tarayıcı" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:150 msgid "Use <0>Liquid templating to personalize your emails" -msgstr "" +msgstr "E-postalarınızı kişiselleştirmek için <0>Liquid şablonunu kullanın" #: src/components/routes/event/HomepageDesigner/index.tsx:222 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:254 @@ -7433,7 +7496,7 @@ msgstr "" #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" -msgstr "" +msgstr "Kenarlıklar, vurgular ve QR kod stillemesi için kullanılır" #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:154 msgid "User" @@ -7464,33 +7527,86 @@ msgstr "Kullanıcılar e-postalarını <0>Profil Ayarları'nda değiştirebi msgid "UTC" msgstr "UTC" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "Geçerli KDV numarası" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "KDV" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "KDV Bilgisi" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "KDV Numarası" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "KDV numarası doğrulaması başarısız oldu. Lütfen numaranızı kontrol edin ve tekrar deneyin." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "KDV Kayıt Bilgisi" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "KDV ayarları başarıyla kaydedildi ve doğrulandı" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "KDV ayarları başarıyla kaydedildi" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "Platform Ücretleri için KDV Uygulaması" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "" + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "Mekan Adı" #: src/components/routes/welcome/index.tsx:157 msgid "Verification code" -msgstr "" +msgstr "Doğrulama kodu" #: src/components/routes/welcome/index.tsx:185 msgid "Verify Email" -msgstr "" +msgstr "E-postayı Doğrula" #: src/components/layouts/Event/index.tsx:234 msgid "Verify your email" -msgstr "" +msgstr "E-postanızı doğrulayın" #: src/components/routes/welcome/index.tsx:185 msgid "Verifying..." -msgstr "" +msgstr "Doğrulanıyor..." #: src/components/common/LanguageSwitcher/index.tsx:36 msgid "Vietnamese" -msgstr "" +msgstr "Vietnamca" #: src/components/modals/ManageAttendeeModal/index.tsx:220 #: src/components/modals/ManageOrderModal/index.tsx:200 @@ -7500,7 +7616,7 @@ msgstr "Görüntüle" #: src/components/routes/organizer/Reports/index.tsx:44 msgid "View and download reports across all your events. Only completed orders are included." -msgstr "" +msgstr "Tüm etkinliklerinizde raporları görüntüleyin ve indirin. Yalnızca tamamlanan siparişler dahildir." #: src/components/routes/event/Reports/index.tsx:38 msgid "View and download reports for your event. Please note, only completed orders are included in these reports." @@ -7508,7 +7624,7 @@ msgstr "" #: src/components/common/AttendeeList/index.tsx:84 msgid "View Answers" -msgstr "" +msgstr "Cevapları Görüntüle" #: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" @@ -7517,7 +7633,7 @@ msgstr "Katılımcı Detaylarını Görüntüle" #: src/components/common/AdminEventsTable/index.tsx:153 #: src/components/routes/admin/Dashboard/index.tsx:157 msgid "View Event" -msgstr "" +msgstr "Etkinliği Görüntüle" #: src/components/common/EventCard/index.tsx:81 msgid "View event page" @@ -7529,18 +7645,18 @@ msgstr "Tam mesajı görüntüle" #: src/components/common/WebhookTable/index.tsx:113 msgid "View logs" -msgstr "" +msgstr "Günlükleri görüntüle" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 msgid "View map" msgstr "Haritayı görüntüle" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" -msgstr "" +msgstr "Haritayı Görüntüle" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "Google Haritalar'da görüntüle" @@ -7549,27 +7665,27 @@ msgstr "Google Haritalar'da görüntüle" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:69 #: src/components/routes/my-tickets/index.tsx:110 msgid "View Order" -msgstr "" +msgstr "Siparişi Görüntüle" #: src/components/forms/StripeCheckoutForm/index.tsx:96 #: src/components/routes/product-widget/CollectInformation/index.tsx:343 msgid "View Order Details" -msgstr "" +msgstr "Sipariş Detaylarını Görüntüle" #: src/components/layouts/OrganizerLayout/index.tsx:243 #: src/components/layouts/OrganizerLayout/index.tsx:246 msgid "View Organizer Homepage" -msgstr "" +msgstr "Organizatör Ana Sayfasını Görüntüle" #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:57 #: src/components/common/EmailTemplateEditor/EmailTemplateEditor.tsx:69 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:79 msgid "View Ticket" -msgstr "" +msgstr "Bileti Görüntüle" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:103 msgid "Vimeo" -msgstr "" +msgstr "Vimeo" #: src/components/forms/CheckInListForm/index.tsx:38 msgid "VIP check-in list" @@ -7585,15 +7701,15 @@ msgstr "Görünürlük" #: src/components/forms/CheckInListForm/index.tsx:54 msgid "Visible to check-in staff only. Helps identify this list during check-in." -msgstr "" +msgstr "Yalnızca giriş personeline görünür. Giriş sırasında bu listeyi tanımlamaya yardımcı olur." #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:104 msgid "VK" -msgstr "" +msgstr "VK" #: src/components/routes/product-widget/CollectInformation/index.tsx:330 msgid "Waiting for payment" -msgstr "" +msgstr "Ödeme bekleniyor" #: src/components/routes/product-widget/PaymentReturn/index.tsx:77 msgid "We could not process your payment. Please try again or contact support." @@ -7605,7 +7721,7 @@ msgstr "Kategoriyi silemedik. Lütfen tekrar deneyin." #: src/components/routes/my-tickets/index.tsx:222 msgid "We couldn't find any orders associated with this email address." -msgstr "" +msgstr "Bu e-posta adresiyle ilişkili herhangi bir sipariş bulamadık." #: src/components/common/ProductsTable/ProductsBlankSlate/index.tsx:24 msgid "We couldn't find any tickets matching {0}" @@ -7613,7 +7729,7 @@ msgstr "{0} ile eşleşen herhangi bir bilet bulamadık" #: src/components/routes/product-widget/CollectInformation/index.tsx:362 msgid "We couldn't find this order. It may have been removed." -msgstr "" +msgstr "Bu siparişi bulamadık. Kaldırılmış olabilir." #: src/components/common/ErrorLoadingMessage/index.tsx:13 msgid "We couldn't load the data. Please try again." @@ -7625,11 +7741,11 @@ msgstr "Kategorileri yeniden sıralayamadık. Lütfen tekrar deneyin." #: src/components/routes/product-widget/CollectInformation/index.tsx:374 msgid "We hit a snag loading this page. Please try again." -msgstr "" +msgstr "Bu sayfayı yüklerken bir sorunla karşılaştık. Lütfen tekrar deneyin." #: src/components/routes/event/TicketDesigner/index.tsx:140 msgid "We recommend a square logo with minimum dimensions of 200x200px" -msgstr "" +msgstr "Minimum 200x200px boyutunda kare bir logo öneriyoruz" #: src/components/routes/event/HomepageDesigner/index.tsx:181 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:191 @@ -7638,7 +7754,7 @@ msgstr "1950px x 650px boyutlarında, 3:1 oranında ve maksimum 5MB dosya boyutu #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:212 msgid "We recommend dimensions of 400px by 400px, and a maximum file size of 5MB" -msgstr "" +msgstr "400px x 400px boyutlarını ve maksimum 5MB dosya boyutunu öneriyoruz" #: src/components/routes/product-widget/PaymentReturn/index.tsx:88 msgid "We were unable to confirm your payment. Please try again or contact support." @@ -7646,13 +7762,13 @@ msgstr "Ödemenizi onaylayamadık. Lütfen tekrar deneyin veya destek ile ileti #: src/components/routes/product-widget/CollectInformation/index.tsx:397 msgid "We'll send your tickets to this email" -msgstr "" +msgstr "Biletlerinizi bu e-postaya göndereceğiz" #: src/components/routes/product-widget/PaymentReturn/index.tsx:79 msgid "We're processing your order. Please wait..." msgstr "Siparişinizi işliyoruz. Lütfen bekleyin..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "" @@ -7662,45 +7778,45 @@ msgstr "" #: src/components/routes/welcome/index.tsx:143 msgid "We've sent a 5-digit verification code to:" -msgstr "" +msgstr "5 haneli doğrulama kodunu şuraya gönderdik:" #: src/components/modals/CreateWebhookModal/index.tsx:46 msgid "Webhook created successfully" -msgstr "" +msgstr "Webhook başarıyla oluşturuldu" #: src/components/common/WebhookTable/index.tsx:53 msgid "Webhook deleted successfully" -msgstr "" +msgstr "Webhook başarıyla silindi" #: src/components/modals/WebhookLogsModal/index.tsx:151 msgid "Webhook Logs" -msgstr "" +msgstr "Webhook Günlükleri" #: src/components/forms/WebhookForm/index.tsx:117 msgid "Webhook URL" -msgstr "" +msgstr "Webhook URL'si" #: src/components/forms/WebhookForm/index.tsx:27 msgid "Webhook will not send notifications" -msgstr "" +msgstr "Webhook bildirim göndermeyecek" #: src/components/forms/WebhookForm/index.tsx:21 msgid "Webhook will send notifications" -msgstr "" +msgstr "Webhook bildirim gönderecek" #: src/components/layouts/Event/index.tsx:113 #: src/components/modals/DuplicateEventModal/index.tsx:32 #: src/components/routes/event/Webhooks/index.tsx:30 msgid "Webhooks" -msgstr "" +msgstr "Webhook'lar" #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:102 msgid "Website" -msgstr "" +msgstr "Web Sitesi" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:105 msgid "Weibo" -msgstr "" +msgstr "Weibo" #: src/components/routes/auth/AcceptInvitation/index.tsx:77 msgid "Welcome aboard! Please login to continue." @@ -7708,7 +7824,7 @@ msgstr "Hoş geldiniz! Devam etmek için lütfen giriş yapın." #: src/components/routes/auth/Login/index.tsx:79 msgid "Welcome back 👋" -msgstr "" +msgstr "Tekrar hoş geldiniz 👋" #: src/components/routes/event/EventDashboard/index.tsx:102 msgid "Welcome back{0} 👋" @@ -7716,15 +7832,15 @@ msgstr "Tekrar hoş geldin{0} 👋" #: src/components/routes/auth/Register/index.tsx:68 msgid "Welcome to {0} 👋" -msgstr "" +msgstr "{0}'e Hoş Geldiniz 👋" #: src/components/routes/welcome/index.tsx:457 msgid "Welcome to {0}, {1} 👋" -msgstr "" +msgstr "{0}'e Hoş Geldiniz, {1} 👋" #: src/components/routes/events/Dashboard/index.tsx:86 msgid "Welcome to {0}, here's a listing of all your events" -msgstr "" +msgstr "{0}'e hoş geldiniz, işte tüm etkinliklerinizin listesi" #: src/components/forms/ProductForm/index.tsx:250 msgid "What are Tiered Products?" @@ -7752,79 +7868,83 @@ msgstr "Hangi saatte geleceksiniz?" #: src/components/routes/welcome/index.tsx:308 msgid "What type of event?" -msgstr "" +msgstr "Ne tür bir etkinlik?" #: src/components/forms/QuestionForm/index.tsx:170 msgid "What type of question is this?" msgstr "Bu ne tür bir soru?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "Yapmanız gerekenler:" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" -msgstr "" +msgstr "WhatsApp" #: src/components/forms/WebhookForm/index.tsx:108 msgid "When a check-in is deleted" -msgstr "" +msgstr "Bir giriş silindiğinde" #: src/components/forms/WebhookForm/index.tsx:84 msgid "When a new attendee is created" -msgstr "" +msgstr "Yeni bir katılımcı oluşturulduğunda" #: src/components/forms/WebhookForm/index.tsx:54 msgid "When a new order is created" -msgstr "" +msgstr "Yeni bir sipariş oluşturulduğunda" #: src/components/forms/WebhookForm/index.tsx:36 msgid "When a new product is created" -msgstr "" +msgstr "Yeni bir ürün oluşturulduğunda" #: src/components/forms/WebhookForm/index.tsx:48 msgid "When a product is deleted" -msgstr "" +msgstr "Bir ürün silindiğinde" #: src/components/forms/WebhookForm/index.tsx:42 msgid "When a product is updated" -msgstr "" +msgstr "Bir ürün güncellendiğinde" #: src/components/forms/WebhookForm/index.tsx:96 msgid "When an attendee is cancelled" -msgstr "" +msgstr "Bir katılımcı iptal edildiğinde" #: src/components/forms/WebhookForm/index.tsx:102 msgid "When an attendee is checked in" -msgstr "" +msgstr "Bir katılımcı giriş yaptığında" #: src/components/forms/WebhookForm/index.tsx:90 msgid "When an attendee is updated" -msgstr "" +msgstr "Bir katılımcı güncellendiğinde" #: src/components/forms/WebhookForm/index.tsx:78 msgid "When an order is cancelled" -msgstr "" +msgstr "Bir sipariş iptal edildiğinde" #: src/components/forms/WebhookForm/index.tsx:66 msgid "When an order is marked as paid" -msgstr "" +msgstr "Bir sipariş ödendi olarak işaretlendiğinde" #: src/components/forms/WebhookForm/index.tsx:72 msgid "When an order is refunded" -msgstr "" +msgstr "Bir sipariş iade edildiğinde" #: src/components/forms/WebhookForm/index.tsx:60 msgid "When an order is updated" -msgstr "" +msgstr "Bir sipariş güncellendiğinde" #: src/components/forms/CheckInListForm/index.tsx:69 msgid "When check-in closes" -msgstr "" +msgstr "Giriş kapandığında" #: src/components/forms/CheckInListForm/index.tsx:63 msgid "When check-in opens" -msgstr "" +msgstr "Giriş açıldığında" #: src/components/routes/organizer/OrganizerDashboard/index.tsx:322 msgid "When customers purchase tickets, their orders will appear here." -msgstr "" +msgstr "Müşteriler bilet satın aldığında, siparişleri burada görünecektir." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:182 msgid "When enabled, invoices will be generated for ticket orders. Invoices will sent along with the order confirmation email. Attendees can also download their invoices from the order confirmation page." @@ -7886,24 +8006,28 @@ msgstr "Çalışıyor..." #: src/constants/eventCategories.ts:20 msgid "Workshop" -msgstr "" +msgstr "Atölye" #: src/components/common/ContactOrganizerModal/index.tsx:89 msgid "Write your message here..." -msgstr "" +msgstr "Mesajınızı buraya yazın..." #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:59 msgid "X (Twitter)" -msgstr "" +msgstr "X (Twitter)" #: src/components/common/OrganizerReportTable/index.tsx:56 #: src/components/common/ReportTable/index.tsx:51 msgid "Year to date" msgstr "Yıl başından beri" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "Evet - Geçerli bir AB KDV kayıt numaram var" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" -msgstr "" +msgstr "Evet, siparişimi iptal et" #: src/components/forms/ProductForm/index.tsx:399 msgid "Yes, remove them" @@ -7919,7 +8043,7 @@ msgstr "E-postanızı <0>{0} olarak değiştiriyorsunuz." #: src/components/common/ImpersonationBanner/index.tsx:40 msgid "You are impersonating <0>{0} ({1})" -msgstr "" +msgstr "<0>{0} ({1}) rolünü üstleniyorsunuz" #: src/components/modals/RefundOrderModal/index.tsx:139 msgid "You are issuing a partial refund. The customer will be refunded {0} {1}." @@ -7989,7 +8113,7 @@ msgstr "Siparişinizi tamamlamak için zamanınız doldu." #: src/components/forms/ProductForm/index.tsx:397 msgid "You have taxes and fees added to a Free Product. Would you like to remove them?" -msgstr "" +msgstr "Ücretsiz Bir Ürüne eklenen vergiler ve ücretleriniz var. Bunları kaldırmak ister misiniz?" #: src/components/common/MessageList/index.tsx:74 msgid "You haven't sent any messages yet. You can send messages to all attendees, or to specific product holders." @@ -8017,7 +8141,7 @@ msgstr "" #: src/components/modals/SendMessageModal/index.tsx:152 msgid "You need to verify your account email before you can send messages." -msgstr "" +msgstr "Mesaj göndermeden önce hesap e-postanızı doğrulamanız gerekir." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:143 msgid "You will have to mark an order as paid manually. This can be done on the manage order page." @@ -8035,13 +8159,13 @@ msgstr "Kapasite ataması oluşturabilmek için önce bir ürüne ihtiyacınız msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "Başlamak için en az bir ürüne ihtiyacınız var. Ücretsiz, ücretli veya kullanıcının ne kadar ödeyeceğine karar vermesine izin verin." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." -msgstr "" +msgstr "Her şey hazır! Ödemeleriniz sorunsuz bir şekilde işleniyor." #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:118 msgid "You're going to {0}!" -msgstr "" +msgstr "{0}'e gidiyorsunuz!" #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:64 msgid "Your account name is used on event pages and in emails." @@ -8049,11 +8173,11 @@ msgstr "Hesap adınız etkinlik sayfalarında ve e-postalarda kullanılır." #: src/components/routes/event/Affiliates/index.tsx:47 msgid "Your affiliates have been exported successfully." -msgstr "" +msgstr "Bağlı kuruluşlarınız başarıyla dışa aktarıldı." #: src/components/routes/event/attendees.tsx:132 msgid "Your attendees have been exported successfully." -msgstr "" +msgstr "Katılımcılarınız başarıyla dışa aktarıldı." #: src/components/common/AttendeeTable/index.tsx:404 msgid "Your attendees will appear here once they have registered for your event. You can also manually add attendees." @@ -8067,9 +8191,9 @@ msgstr "Harika web siteniz 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "" -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." -msgstr "" +msgstr "Mevcut siparişiniz kaybolacak." #: src/components/routes/product-widget/CollectInformation/index.tsx:394 msgid "Your Details" @@ -8078,7 +8202,7 @@ msgstr "Bilgileriniz" #: src/components/common/ContactOrganizerModal/index.tsx:79 #: src/components/routes/auth/ForgotPassword/index.tsx:52 msgid "Your Email" -msgstr "" +msgstr "E-postanız" #: src/components/routes/profile/ManageProfile/index.tsx:123 msgid "Your email request change to <0>{0} is pending. Please check your email to confirm" @@ -8086,7 +8210,7 @@ msgstr "<0>{0} adresine e-posta değişiklik talebiniz beklemede. Onaylamak #: src/components/routes/event/EventDashboard/index.tsx:181 msgid "Your event must be live before you can sell tickets to attendees." -msgstr "" +msgstr "Katılımcılara bilet satmadan önce etkinliğinizin canlı olması gerekir." #: src/components/common/OrdersTable/index.tsx:84 msgid "Your message has been sent" @@ -8094,11 +8218,11 @@ msgstr "Mesajınız gönderildi" #: src/components/common/ContactOrganizerModal/index.tsx:52 msgid "Your message has been sent successfully!" -msgstr "" +msgstr "Mesajınız başarıyla gönderildi!" #: src/components/common/ContactOrganizerModal/index.tsx:73 msgid "Your Name" -msgstr "" +msgstr "Adınız" #: src/components/layouts/Checkout/index.tsx:177 msgid "Your Order" @@ -8110,15 +8234,15 @@ msgstr "Siparişiniz iptal edildi" #: src/components/layouts/Checkout/index.tsx:108 msgid "Your order has been cancelled." -msgstr "" +msgstr "Siparişiniz iptal edildi." #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:121 msgid "Your order is awaiting payment" -msgstr "" +msgstr "Siparişiniz ödeme bekliyor" #: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." -msgstr "" +msgstr "Siparişleriniz başarıyla dışa aktarıldı." #: src/components/common/OrdersTable/index.tsx:462 msgid "Your orders will appear here once they start rolling in." @@ -8126,7 +8250,7 @@ msgstr "Siparişleriniz gelmeye başladığında burada görünecek." #: src/components/routes/organizer/Settings/Sections/AddressSettings/index.tsx:68 msgid "Your organizer address" -msgstr "" +msgstr "Organizatör adresiniz" #: src/components/routes/auth/Login/index.tsx:98 #: src/components/routes/auth/Register/index.tsx:108 @@ -8139,7 +8263,7 @@ msgstr "Ödemeniz işleniyor." #: src/components/common/InlineOrderSummary/index.tsx:170 msgid "Your payment is protected with bank-level encryption" -msgstr "" +msgstr "Ödemeniz banka düzeyinde şifreleme ile korunmaktadır" #: src/components/forms/StripeCheckoutForm/index.tsx:66 msgid "Your payment was not successful, please try again." @@ -8153,14 +8277,14 @@ msgstr "Ödemeniz başarısız oldu. Lütfen tekrar deneyin." msgid "Your refund is processing." msgstr "İadeniz işleniyor." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." -msgstr "" +msgstr "Stripe hesabınız bağlı ve ödemeleri işliyor." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." -msgstr "" +msgstr "Stripe hesabınız bağlı ve ödemeleri işlemeye hazır." #: src/components/routes/product-widget/AttendeeProductAndInformation/index.tsx:36 msgid "Your ticket for" @@ -8168,11 +8292,15 @@ msgstr "Biletiniz" #: src/components/routes/product-widget/CollectInformation/index.tsx:341 msgid "Your tickets have been confirmed." -msgstr "" +msgstr "Biletleriniz onaylandı." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "KDV numaranız kaydettiğinizde otomatik olarak doğrulanacaktır" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" -msgstr "" +msgstr "YouTube" #: src/components/routes/product-widget/CollectInformation/index.tsx:518 msgid "ZIP / Postal Code" diff --git a/frontend/src/locales/vi.js b/frontend/src/locales/vi.js index b004680bb7..5b950546d0 100644 --- a/frontend/src/locales/vi.js +++ b/frontend/src/locales/vi.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'không có gì để hiển thị'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in thành công\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out thành công\"],\"KMgp2+\":[[\"0\"],\" Có sẵn\"],\"Pmr5xp\":[[\"0\"],\" đã tạo thành công\"],\"FImCSc\":[[\"0\"],\" cập nhật thành công\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" đã checked in\"],\"Vjij1k\":[[\"ngày\"],\" ngày, \",[\"giờ\"],\" giờ, \",[\"phút\"],\" phút và \",[\"giây\"],\" giây\"],\"f3RdEk\":[[\"giờ\"],\" giờ, \",[\"phút\"],\" phút và \",[\"giây\"],\" giây\"],\"fyE7Au\":[[\"phút\"],\" phút và \",[\"giây\"],\" giây\"],\"NlQ0cx\":[\"Sự kiện đầu tiên của \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Phân bổ sức chứa cho phép bạn quản lý sức chứa trên các vé hoặc toàn bộ sự kiện. Điều này lý tưởng cho các sự kiện nhiều ngày, hội thảo và nhiều hoạt động khác, nơi việc kiểm soát số lượng người tham gia là rất quan trọng.<1>Ví dụ: bạn có thể liên kết một phân bổ sức chứa với vé <2>Ngày đầu tiên và <3>Tất cả các ngày. Khi đạt đến giới hạn, cả hai vé sẽ tự động ngừng bán.\",\"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> Vui lòng nhập giá không bao gồm thuế và phí. <1> Thuế và phí có thể được thêm vào bên dưới. \",\"ZjMs6e\":\"<0> Số lượng sản phẩm có sẵn cho sản phẩm này <1> Giá trị này có thể được ghi đè nếu có giới hạn công suất <2>\",\"E15xs8\":\"Thiết lập sự kiện của bạn\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎟️ Tùy chỉnh trang sự kiện của bạn\",\"3VPPdS\":\"💳 Kết nối với Stripe\",\"cjdktw\":\"🚀 Đặt sự kiện của bạn công khai\",\"rmelwV\":\"0 phút và 0 giây\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"123 Phố chính\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Trường nhập ngày. Hoàn hảo để hỏi ngày sinh, v.v.\",\"6euFZ/\":[\"Một mặc định \",[\"type\"],\" là tự động được áp dụng cho tất cả các sản phẩm mới. \"],\"SMUbbQ\":\"Đầu vào thả xuống chỉ cho phép một lựa chọn\",\"qv4bfj\":\"Một khoản phí, như phí đặt phòng hoặc phí dịch vụ\",\"POT0K/\":\"Một lượng cố định cho mỗi sản phẩm. Vd, $0.5 cho mỗi sản phẩm \",\"f4vJgj\":\"Đầu vào văn bản nhiều dòng\",\"OIPtI5\":\"Một tỷ lệ phần trăm của giá sản phẩm. \",\"ZthcdI\":\"Mã khuyến mãi không có giảm giá có thể được sử dụng để tiết lộ các sản phẩm ẩn.\",\"AG/qmQ\":\"Tùy chọn radio có nhiều tùy chọn nhưng chỉ có thể chọn một tùy chọn.\",\"h179TP\":\"Mô tả ngắn về sự kiện sẽ được hiển thị trong kết quả tìm kiếm và khi chia sẻ trên mạng xã hội. Theo mặc định, mô tả sự kiện sẽ được sử dụng.\",\"WKMnh4\":\"Một đầu vào văn bản dòng duy nhất\",\"BHZbFy\":\"Một câu hỏi duy nhất cho mỗi đơn hàng. Ví dụ: Địa chỉ giao hàng của bạn là gì?\",\"Fuh+dI\":\"Một câu hỏi duy nhất cho mỗi sản phẩm. Ví dụ: Kích thước áo thun của bạn là gì?\",\"RlJmQg\":\"Thuế tiêu chuẩn, như VAT hoặc GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Chấp nhận chuyển khoản ngân hàng, séc hoặc các phương thức thanh toán offline khác\",\"hrvLf4\":\"Chấp nhận thanh toán thẻ tín dụng với Stripe\",\"bfXQ+N\":\"Chấp nhận lời mời\",\"AeXO77\":\"Tài khoản\",\"lkNdiH\":\"Tên tài khoản\",\"Puv7+X\":\"Cài đặt tài khoản\",\"OmylXO\":\"Tài khoản được cập nhật thành công\",\"7L01XJ\":\"Hành động\",\"FQBaXG\":\"Kích hoạt\",\"5T2HxQ\":\"Ngày kích hoạt\",\"F6pfE9\":\"Hoạt động\",\"/PN1DA\":\"Thêm mô tả cho danh sách check-in này\",\"0/vPdA\":\"Thêm bất kỳ ghi chú nào về người tham dự. Những ghi chú này sẽ không hiển thị cho người tham dự.\",\"Or1CPR\":\"Thêm bất kỳ ghi chú nào về người tham dự ...\",\"l3sZO1\":\"Thêm bất kỳ ghi chú nào về đơn hàng. Những ghi chú này sẽ không hiển thị cho khách hàng.\",\"xMekgu\":\"Thêm bất kỳ ghi chú nào về đơn hàng ...\",\"PGPGsL\":\"Thêm mô tả\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Thêm hướng dẫn thanh toán offline (ví dụ: chi tiết chuyển khoản ngân hàng, nơi gửi séc, thời hạn thanh toán)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Thêm mới\",\"TZxnm8\":\"Thêm tùy chọn\",\"24l4x6\":\"Thêm sản phẩm\",\"8q0EdE\":\"Thêm sản phẩm vào danh mục\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Thêm câu hỏi\",\"yWiPh+\":\"Thêm thuế hoặc phí\",\"goOKRY\":\"Thêm tầng\",\"oZW/gT\":\"Thêm vào lịch\",\"pn5qSs\":\"Thông tin bổ sung\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Địa chỉ\",\"NY/x1b\":\"Dòng địa chỉ 1\",\"POdIrN\":\"Dòng địa chỉ 1\",\"cormHa\":\"Dòng địa chỉ 2\",\"gwk5gg\":\"Dòng địa chỉ 2\",\"U3pytU\":\"Quản trị viên\",\"HLDaLi\":\"Người dùng quản trị có quyền truy cập đầy đủ vào các sự kiện và cài đặt tài khoản.\",\"W7AfhC\":\"Tất cả những người tham dự sự kiện này\",\"cde2hc\":\"Tất cả các sản phẩm\",\"5CQ+r0\":\"Cho phép người tham dự liên kết với đơn hàng chưa thanh toán được check-in\",\"ipYKgM\":\"Cho phép công cụ tìm kiếm lập chỉ mục\",\"LRbt6D\":\"Cho phép các công cụ tìm kiếm lập chỉ mục cho sự kiện này\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Tuyệt vời, sự kiện, từ khóa ...\",\"hehnjM\":\"Số tiền\",\"R2O9Rg\":[\"Số tiền đã trả (\",[\"0\"],\")\"],\"V7MwOy\":\"Đã xảy ra lỗi trong khi tải trang\",\"Q7UCEH\":\"Vui lòng thử lại hoặc tải lại trang này\",\"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\":\"Đã xảy ra lỗi không mong muốn.\",\"byKna+\":\"Đã xảy ra lỗi không mong muốn. Vui lòng thử lại.\",\"ubdMGz\":\"Mọi thắc mắc từ chủ sở hữu sản phẩm sẽ được gửi đến địa chỉ email này. Địa chỉ này cũng sẽ được sử dụng làm địa chỉ \\\"trả lời\\\" cho tất cả email gửi từ sự kiện này.\",\"aAIQg2\":\"Giao diện\",\"Ym1gnK\":\"đã được áp dụng\",\"sy6fss\":[\"Áp dụng cho các sản phẩm \",[\"0\"]],\"kadJKg\":\"Áp dụng cho 1 sản phẩm\",\"DB8zMK\":\"Áp dụng\",\"GctSSm\":\"Áp dụng mã khuyến mãi\",\"ARBThj\":[\"Áp dụng \",[\"type\"],\" này cho tất cả các sản phẩm mới\"],\"S0ctOE\":\"Lưu trữ sự kiện\",\"TdfEV7\":\"Lưu trữ\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Bạn có chắc mình muốn kích hoạt người tham dự này không?\",\"TvkW9+\":\"Bạn có chắc mình muốn lưu trữ sự kiện này không?\",\"/CV2x+\":\"Bạn có chắc mình muốn hủy người tham dự này không? Điều này sẽ làm mất hiệu lực vé của họ\",\"YgRSEE\":\"Bạn có chắc là bạn muốn xóa mã khuyến mãi này không?\",\"iU234U\":\"Bạn có chắc là bạn muốn xóa câu hỏi này không?\",\"CMyVEK\":\"Bạn có chắc chắn muốn chuyển sự kiện này thành bản nháp không? Điều này sẽ làm cho sự kiện không hiển thị với công chúng.\",\"mEHQ8I\":\"Bạn có chắc mình muốn công khai sự kiện này không? \",\"s4JozW\":\"Bạn có chắc chắn muốn khôi phục sự kiện này không? Sự kiện sẽ được khôi phục dưới dạng bản nháp.\",\"vJuISq\":\"Bạn có chắc chắn muốn xóa phân bổ sức chứa này không?\",\"baHeCz\":\"Bạn có chắc là bạn muốn xóa danh sách tham dự này không?\",\"LBLOqH\":\"Hỏi một lần cho mỗi đơn hàng\",\"wu98dY\":\"Hỏi một lần cho mỗi sản phẩm\",\"ss9PbX\":\"Người tham dự\",\"m0CFV2\":\"Chi tiết người tham dự\",\"QKim6l\":\"Không tìm thấy người tham dự\",\"R5IT/I\":\"Ghi chú của người tham dự\",\"lXcSD2\":\"Câu hỏi của người tham dự\",\"HT/08n\":\"Vé tham dự\",\"9SZT4E\":\"Người tham dự\",\"iPBfZP\":\"Người tham dự đã đăng ký\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Tự động thay đổi kích thước\",\"vZ5qKF\":\"Tự động điều chỉnh chiều cao của widget dựa trên nội dung. Khi tắt, widget sẽ lấp đầy chiều cao của vùng chứa.\",\"4lVaWA\":\"Đang chờ thanh toán offline\",\"2rHwhl\":\"Đang chờ thanh toán offline\",\"3wF4Q/\":\"Đang chờ thanh toán\",\"ioG+xt\":\"Đang chờ thanh toán\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Nhà tổ chức tuyệt vời Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Trở lại trang sự kiện\",\"VCoEm+\":\"Quay lại đăng nhập\",\"k1bLf+\":\"Màu nền\",\"I7xjqg\":\"Loại nền\",\"1mwMl+\":\"Trước khi bạn gửi!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Địa chỉ thanh toán\",\"/xC/im\":\"Cài đặt thanh toán\",\"rp/zaT\":\"Tiếng Bồ Đào Nha Brazil\",\"whqocw\":\"Bằng cách đăng ký, bạn đồng ý với các <0>Điều khoản dịch vụ của chúng tôi và <1>Chính sách bảo mật.\",\"bcCn6r\":\"Loại tính toán\",\"+8bmSu\":\"California\",\"iStTQt\":\"Quyền sử dụng máy ảnh đã bị từ chối. Hãy <0>Yêu cầu cấp quyền lần nữa hoặc nếu không được, bạn sẽ cần <1>cấp cho trang này quyền truy cập vào máy ảnh trong cài đặt trình duyệt của bạn.\",\"dEgA5A\":\"Hủy\",\"Gjt/py\":\"Hủy thay đổi email\",\"tVJk4q\":\"Hủy đơn hàng\",\"Os6n2a\":\"Hủy đơn hàng\",\"Mz7Ygx\":[\"Hủy đơn hàng \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Hủy bỏ\",\"U7nGvl\":\"Không thể check-in\",\"QyjCeq\":\"Công suất\",\"V6Q5RZ\":\"Phân bổ sức chứa được tạo thành công\",\"k5p8dz\":\"Phân bổ sức chứa đã được xóa thành công\",\"nDBs04\":\"Quản lý sức chứa\",\"ddha3c\":\"Danh mục giúp bạn nhóm các sản phẩm lại với nhau. Ví dụ, bạn có thể có một danh mục cho \\\"Vé\\\" và một danh mục khác cho \\\"Hàng hóa\\\".\",\"iS0wAT\":\"Danh mục giúp bạn sắp xếp sản phẩm của mình. Tiêu đề này sẽ được hiển thị trên trang sự kiện công khai.\",\"eorM7z\":\"Danh mục đã được sắp xếp lại thành công.\",\"3EXqwa\":\"Danh mục được tạo thành công\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Thay đổi mật khẩu\",\"xMDm+I\":\"Check-in\",\"p2WLr3\":[\"Check-in \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Check-in và đánh dấu đơn hàng đã thanh toán\",\"QYLpB4\":\"Chỉ check-in\",\"/Ta1d4\":\"Check-out\",\"5LDT6f\":\"Xác nhận rời khỏi sự kiện này!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Danh sách check-in đã bị xóa thành công\",\"+hBhWk\":\"Danh sách check-in đã hết hạn\",\"mBsBHq\":\"Danh sách check-in không hoạt động\",\"vPqpQG\":\"Danh sách Check-In không tồn tại\",\"tejfAy\":\"Danh sách Check-In\",\"hD1ocH\":\"URL check-in đã được sao chép vào clipboard\",\"CNafaC\":\"Tùy chọn checkbox cho phép chọn nhiều mục\",\"SpabVf\":\"Checkbox\",\"CRu4lK\":\"Đã check-in\",\"znIg+z\":\"Thanh toán\",\"1WnhCL\":\"Cài đặt thanh toán\",\"6imsQS\":\"Trung Quốc (đơn giản hóa)\",\"JjkX4+\":\"Chọn một màu cho nền của bạn\",\"/Jizh9\":\"Chọn một tài khoản\",\"3wV73y\":\"Thành phố\",\"FG98gC\":\"Xoá văn bản tìm kiếm\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Bấm để sao chép\",\"yz7wBu\":\"Đóng\",\"62Ciis\":\"Đóng thanh bên\",\"EWPtMO\":\"Mã\",\"ercTDX\":\"Mã phải dài từ 3 đến 50 ký tự\",\"oqr9HB\":\"Thu gọn sản phẩm này khi trang sự kiện ban đầu được tải\",\"jZlrte\":\"Màu sắc\",\"Vd+LC3\":\"Màu sắc phải là mã màu hex hợp lệ. Ví dụ: #ffffff\",\"1HfW/F\":\"Màu sắc\",\"VZeG/A\":\"Sắp ra mắt\",\"yPI7n9\":\"Các từ khóa mô tả sự kiện, được phân tách bằng dấu phẩy. Chúng sẽ được công cụ tìm kiếm sử dụng để phân loại và lập chỉ mục sự kiện.\",\"NPZqBL\":\"Hoàn tất đơn hàng\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Hoàn tất thanh toán\",\"qqWcBV\":\"Hoàn thành\",\"6HK5Ct\":\"Đơn hàng đã hoàn thành\",\"NWVRtl\":\"Đơn hàng đã hoàn thành\",\"DwF9eH\":\"Mã thành phần\",\"Tf55h7\":\"Giảm giá đã cấu hình\",\"7VpPHA\":\"Xác nhận\",\"ZaEJZM\":\"Xác nhận thay đổi email\",\"yjkELF\":\"Xác nhận mật khẩu mới\",\"xnWESi\":\"Xác nhận mật khẩu\",\"p2/GCq\":\"Xác nhận mật khẩu\",\"wnDgGj\":\"Đang xác nhận địa chỉ email...\",\"pbAk7a\":\"Kết nối Stripe\",\"UMGQOh\":\"Kết nối với Stripe\",\"QKLP1W\":\"Kết nối tài khoản Stripe của bạn để bắt đầu nhận thanh toán.\",\"5lcVkL\":\"Chi tiết kết nối\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Tiếp tục\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Văn bản nút tiếp tục\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Tiếp tục thiết lập\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Đã Sao chép\",\"T5rdis\":\"Sao chép vào bộ nhớ tạm\",\"he3ygx\":\"Sao chép\",\"r2B2P8\":\"Sao chép URL check-in\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Sao chép Link\",\"E6nRW7\":\"Sao chép URL\",\"JNCzPW\":\"Quốc gia\",\"IF7RiR\":\"Bìa\",\"hYgDIe\":\"Tạo\",\"b9XOHo\":[\"Tạo \",[\"0\"]],\"k9RiLi\":\"Tạo một sản phẩm\",\"6kdXbW\":\"Tạo mã khuyến mãi\",\"n5pRtF\":\"Tạo một vé\",\"X6sRve\":[\"Tạo tài khoản hoặc <0>\",[\"0\"],\" để bắt đầu\"],\"nx+rqg\":\"Tạo một tổ chức\",\"ipP6Ue\":\"Tạo người tham dự\",\"VwdqVy\":\"Tạo phân bổ sức chứa\",\"EwoMtl\":\"Tạo thể loại\",\"XletzW\":\"Tạo thể loại\",\"WVbTwK\":\"Tạo danh sách check-in\",\"uN355O\":\"Tạo sự kiện\",\"BOqY23\":\"Tạo mới\",\"kpJAeS\":\"Tạo tổ chức\",\"a0EjD+\":\"Tạo sản phẩm\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Tạo mã khuyến mãi\",\"B3Mkdt\":\"Tạo câu hỏi\",\"UKfi21\":\"Tạo thuế hoặc phí\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Tiền tệ\",\"DCKkhU\":\"Mật khẩu hiện tại\",\"uIElGP\":\"URL bản đồ tùy chỉnh\",\"UEqXyt\":\"Phạm vi tùy chỉnh\",\"876pfE\":\"Khách hàng\",\"QOg2Sf\":\"Tùy chỉnh cài đặt email và thông báo cho sự kiện này\",\"Y9Z/vP\":\"Tùy chỉnh trang chủ sự kiện và tin nhắn thanh toán\",\"2E2O5H\":\"Tùy chỉnh các cài đặt linh tinh cho sự kiện này\",\"iJhSxe\":\"Tùy chỉnh cài đặt SEO cho sự kiện này\",\"KIhhpi\":\"Tùy chỉnh trang sự kiện của bạn\",\"nrGWUv\":\"Tùy chỉnh trang sự kiện của bạn để phù hợp với thương hiệu và phong cách của bạn.\",\"Zz6Cxn\":\"Vùng nguy hiểm\",\"ZQKLI1\":\"Vùng nguy hiểm\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Ngày\",\"JvUngl\":\"Ngày và giờ\",\"JJhRbH\":\"Sức chứa ngày đầu tiên\",\"cnGeoo\":\"Xóa\",\"jRJZxD\":\"Xóa sức chứa\",\"VskHIx\":\"Xóa danh mục\",\"Qrc8RZ\":\"Xóa danh sách check-in\",\"WHf154\":\"Xóa mã\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Xóa câu hỏi\",\"Nu4oKW\":\"Mô tả\",\"YC3oXa\":\"Mô tả cho nhân viên làm thủ tục check-in\",\"URmyfc\":\"Chi tiết\",\"1lRT3t\":\"Vô hiệu hóa sức chứa này sẽ theo dõi doanh số nhưng không dừng bán khi đạt giới hạn\",\"H6Ma8Z\":\"Giảm giá\",\"ypJ62C\":\"Giảm giá %\",\"3LtiBI\":[\"Giảm giá trong \",[\"0\"]],\"C8JLas\":\"Loại giảm giá\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Nhãn tài liệu\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Sản phẩm quyên góp / Trả số tiền bạn muốn\",\"OvNbls\":\"Tải xuống .ics\",\"kodV18\":\"Tải xuống CSV\",\"CELKku\":\"Tải xuống hóa đơn\",\"LQrXcu\":\"Tải xuống hóa đơn\",\"QIodqd\":\"Tải về mã QR\",\"yhjU+j\":\"Tải xuống hóa đơn\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Lựa chọn thả xuống\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Nhân bản sự kiện\",\"3ogkAk\":\"Nhân bản sự kiện\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Tùy chọn nhân bản\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Ưu đãi sớm\",\"ePK91l\":\"Chỉnh sửa\",\"N6j2JH\":[\"chỉnh sửa \",[\"0\"]],\"kBkYSa\":\"Chỉnh sửa công suất\",\"oHE9JT\":\"Chỉnh sửa phân bổ sức chứa\",\"j1Jl7s\":\"Chỉnh sửa danh mục\",\"FU1gvP\":\"Chỉnh sửa danh sách check-in\",\"iFgaVN\":\"Chỉnh sửa mã\",\"jrBSO1\":\"Chỉnh sửa tổ chức\",\"tdD/QN\":\"Chỉnh sửa sản phẩm\",\"n143Tq\":\"Chỉnh sửa danh mục sản phẩm\",\"9BdS63\":\"Chỉnh sửa mã khuyến mãi\",\"O0CE67\":\"Chỉnh sửa câu hỏi\",\"EzwCw7\":\"Chỉnh sửa câu hỏi\",\"poTr35\":\"Chỉnh sửa người dùng\",\"GTOcxw\":\"Chỉnh sửa người dùng\",\"pqFrv2\":\"ví dụ: 2.50 cho $2.50\",\"3yiej1\":\"ví dụ: 23.5 cho 23.5%\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"Cài đặt email & thông báo\",\"ATGYL1\":\"Địa chỉ email\",\"hzKQCy\":\"Địa chỉ Email\",\"HqP6Qf\":\"Hủy thay đổi email thành công\",\"mISwW1\":\"Thay đổi email đang chờ xử lý\",\"APuxIE\":\"Xác nhận email đã được gửi lại\",\"YaCgdO\":\"Xác nhận email đã được gửi lại thành công\",\"jyt+cx\":\"Thông điệp chân trang email\",\"I6F3cp\":\"Email không được xác minh\",\"NTZ/NX\":\"Mã nhúng\",\"4rnJq4\":\"Tập lệnh nhúng\",\"8oPbg1\":\"Bật hóa đơn\",\"j6w7d/\":\"Cho phép khả năng này dừng bán sản phẩm khi đạt đến giới hạn\",\"VFv2ZC\":\"Ngày kết thúc\",\"237hSL\":\"Kết thúc\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Tiếng Anh\",\"MhVoma\":\"Nhập một số tiền không bao gồm thuế và phí.\",\"SlfejT\":\"Lỗi\",\"3Z223G\":\"Lỗi xác nhận địa chỉ email\",\"a6gga1\":\"Lỗi xác nhận thay đổi email\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Sự kiện\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Ngày sự kiện\",\"0Zptey\":\"Mặc định sự kiện\",\"QcCPs8\":\"Chi tiết sự kiện\",\"6fuA9p\":\"Sự kiện nhân đôi thành công\",\"AEuj2m\":\"Trang chủ sự kiện\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Vị trí sự kiện & địa điểm tổ chức\",\"OopDbA\":\"Event page\",\"4/If97\":\"Cập nhật trạng thái sự kiện thất bại. Vui lòng thử lại sau\",\"btxLWj\":\"Trạng thái sự kiện đã được cập nhật\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Sự kiện\",\"sZg7s1\":\"Ngày hết hạn\",\"KnN1Tu\":\"Hết hạn\",\"uaSvqt\":\"Ngày hết hạn\",\"GS+Mus\":\"Xuất\",\"9xAp/j\":\"Không thể hủy người tham dự\",\"ZpieFv\":\"Không thể hủy đơn hàng\",\"z6tdjE\":\"Không thể xóa tin nhắn. Vui lòng thử lại.\",\"xDzTh7\":\"Không thể tải hóa đơn. Vui lòng thử lại.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Không thể tải danh sách check-in\",\"ZQ15eN\":\"Không thể gửi lại email vé\",\"ejXy+D\":\"Không thể sắp xếp sản phẩm\",\"PLUB/s\":\"Phí\",\"/mfICu\":\"Các khoản phí\",\"LyFC7X\":\"Lọc đơn hàng\",\"cSev+j\":\"Bộ lọc\",\"CVw2MU\":[\"Bộ lọc (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Số hóa đơn đầu tiên\",\"V1EGGU\":\"Tên\",\"kODvZJ\":\"Tên\",\"S+tm06\":\"Tên của bạn phải nằm trong khoảng từ 1 đến 50 ký tự\",\"1g0dC4\":\"Tên, họ và địa chỉ email là các câu hỏi mặc định và luôn được đưa vào quy trình thanh toán.\",\"Rs/IcB\":\"Được sử dụng lần đầu tiên\",\"TpqW74\":\"Đã sửa\",\"irpUxR\":\"Số tiền cố định\",\"TF9opW\":\"đèn Flash không khả dụng trên thiết bị này\",\"UNMVei\":\"Quên mật khẩu?\",\"2POOFK\":\"Miễn phí\",\"P/OAYJ\":\"Sản phẩm miễn phí\",\"vAbVy9\":\"Sản phẩm miễn phí, không cần thông tin thanh toán\",\"nLC6tu\":\"Tiếng Pháp\",\"Weq9zb\":\"Chung\",\"DDcvSo\":\"Tiếng Đức\",\"4GLxhy\":\"Bắt đầu\",\"4D3rRj\":\"Quay trở lại hồ sơ\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Lịch Google\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Tổng doanh số\",\"yRg26W\":\"Doanh thu gộp\",\"R4r4XO\":\"Người được mời\",\"26pGvx\":\"Nhập mã khuyến mãi?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"Đây là một ví dụ về cách bạn có thể sử dụng thành phần trong ứng dụng của mình.\",\"Y1SSqh\":\"Đây là thành phần React bạn có thể sử dụng để nhúng tiện ích vào ứng dụng của mình.\",\"QuhVpV\":[\"Chào \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Ẩn khỏi chế độ xem công khai\",\"gt3Xw9\":\"Câu hỏi ẩn\",\"g3rqFe\":\"Câu hỏi ẩn\",\"k3dfFD\":\"Các câu hỏi ẩn chỉ hiển thị cho người tổ chức sự kiện chứ không phải cho khách hàng.\",\"vLyv1R\":\"Ẩn\",\"Mkkvfd\":\"ẩn trang bắt đầu\",\"mFn5Xz\":\"ẩn các câu hỏi ẩn\",\"YHsF9c\":\"ẩn sản phẩm sau ngày kết thúc bán\",\"06s3w3\":\"ẩn sản phẩm trước ngày bắt đầu bán\",\"axVMjA\":\"ẩn sản phẩm trừ khi người dùng có mã khuyến mãi áp dụng\",\"ySQGHV\":\"Ẩn sản phẩm khi bán hết\",\"SCimta\":\"ẩn trang bắt đầu từ thanh bên\",\"5xR17G\":\"Ẩn sản phẩm này khỏi khách hàng\",\"Da29Y6\":\"Ẩn câu hỏi này\",\"fvDQhr\":\"Ẩn tầng này khỏi người dùng\",\"lNipG+\":\"Việc ẩn một sản phẩm sẽ ngăn người dùng xem nó trên trang sự kiện.\",\"ZOBwQn\":\"Thiết kế trang sự kiện\",\"PRuBTd\":\"Thiết kế trang sự kiện\",\"YjVNGZ\":\"Xem trước trang chủ\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Khách hàng phải hoàn thành đơn đơn hàng bao nhiêu phút. \",\"ySxKZe\":\"Mã này có thể được sử dụng bao nhiêu lần?\",\"dZsDbK\":[\"Vượt quá giới hạn ký tự HTML: \",[\"htmllesth\"],\"/\",[\"maxlength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Tôi đồng ý với <0>các điều khoản và điều kiện\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Nếu trống, địa chỉ sẽ được sử dụng để tạo liên kết Google Mapa link\",\"UYT+c8\":\"Nếu được bật, nhân viên check-in có thể đánh dấu người tham dự đã check-in hoặc đánh dấu đơn hàng đã thanh toán và check-in người tham dự. Nếu tắt, những người tham dự liên kết với đơn hàng chưa thanh toán sẽ không thể check-in.\",\"muXhGi\":\"Nếu được bật, người tổ chức sẽ nhận được thông báo email khi có đơn hàng mới\",\"6fLyj/\":\"Nếu bạn không yêu cầu thay đổi này, vui lòng thay đổi ngay mật khẩu của bạn.\",\"n/ZDCz\":\"Hình ảnh đã xóa thành công\",\"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\":\"Hình ảnh được tải lên thành công\",\"VyUuZb\":\"URL hình ảnh\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Không hoạt động\",\"T0K0yl\":\"Người dùng không hoạt động không thể đăng nhập.\",\"kO44sp\":\"Bao gồm thông tin kết nối cho sự kiện trực tuyến của bạn. Những chi tiết này sẽ được hiển thị trên trang tóm tắt đơn hàng và trang vé của người tham dự.\",\"FlQKnG\":\"Bao gồm thuế và phí trong giá\",\"Vi+BiW\":[\"Bao gồm các sản phẩm \",[\"0\"]],\"lpm0+y\":\"Bao gồm 1 sản phẩm\",\"UiAk5P\":\"Chèn hình ảnh\",\"OyLdaz\":\"Lời mời đã được gửi lại!\",\"HE6KcK\":\"Lời mời bị thu hồi!\",\"SQKPvQ\":\"Mời người dùng\",\"bKOYkd\":\"Hóa đơn được tải xuống thành công\",\"alD1+n\":\"Ghi chú hóa đơn\",\"kOtCs2\":\"Đánh số hóa đơn\",\"UZ2GSZ\":\"Cài đặt hóa đơn\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Mục\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Nhãn\",\"vXIe7J\":\"Ngôn ngữ\",\"2LMsOq\":\"12 tháng qua\",\"vfe90m\":\"14 ngày qua\",\"aK4uBd\":\"24 giờ qua\",\"uq2BmQ\":\"30 ngày qua\",\"bB6Ram\":\"48 giờ qua\",\"VlnB7s\":\"6 tháng qua\",\"ct2SYD\":\"7 ngày qua\",\"XgOuA7\":\"90 ngày qua\",\"I3yitW\":\"Đăng nhập cuối cùng\",\"1ZaQUH\":\"Họ\",\"UXBCwc\":\"Họ\",\"tKCBU0\":\"Được sử dụng lần cuối\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Để trống để sử dụng từ mặc định \\\"Hóa đơn\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Đang tải ...\",\"wJijgU\":\"Vị trí\",\"sQia9P\":\"Đăng nhập\",\"zUDyah\":\"Đăng nhập\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Đăng xuất\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Bắt buộc nhập địa chỉ thanh toán, trong khi thanh toán\",\"MU3ijv\":\"Làm cho câu hỏi này bắt buộc\",\"wckWOP\":\"Quản lý\",\"onpJrA\":\"Quản lý người tham dự\",\"n4SpU5\":\"Quản lý sự kiện\",\"WVgSTy\":\"Quản lý đơn hàng\",\"1MAvUY\":\"Quản lý cài đặt thanh toán và lập hóa đơn cho sự kiện này.\",\"cQrNR3\":\"Quản lý hồ sơ\",\"AtXtSw\":\"Quản lý thuế và phí có thể được áp dụng cho sản phẩm của bạn\",\"ophZVW\":\"Quản lý Vé\",\"DdHfeW\":\"Quản lý chi tiết tài khoản của bạn và cài đặt mặc định\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Quản lý người dùng của bạn và quyền của họ\",\"1m+YT2\":\"Các câu hỏi bắt buộc phải được trả lời trước khi khách hàng có thể thanh toán.\",\"Dim4LO\":\"Thêm một người tham dự theo cách thủ công\",\"e4KdjJ\":\"Thêm người tham dự\",\"vFjEnF\":\"Đánh dấu đã trả tiền\",\"g9dPPQ\":\"Tối đa mỗi đơn hàng\",\"l5OcwO\":\"Tin nhắn cho người tham dự\",\"Gv5AMu\":\"Tin nhắn cho người tham dự\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Tin nhắn cho người mua\",\"tNZzFb\":\"Nội dung tin nhắn\",\"lYDV/s\":\"Tin nhắn cho những người tham dự cá nhân\",\"V7DYWd\":\"Tin nhắn được gửi\",\"t7TeQU\":\"Tin nhắn\",\"xFRMlO\":\"Tối thiểu cho mỗi đơn hàng\",\"QYcUEf\":\"Giá tối thiểu\",\"RDie0n\":\"Linh tinh\",\"mYLhkl\":\"Cài đặt linh tinh\",\"KYveV8\":\"Hộp văn bản đa dòng\",\"VD0iA7\":\"Nhiều tùy chọn giá. Hoàn hảo cho sản phẩm giảm giá sớm, v.v.\",\"/bhMdO\":\"Mô tả sự kiện tuyệt vời của tôi ...\",\"vX8/tc\":\"Tiêu đề sự kiện tuyệt vời của tôi ...\",\"hKtWk2\":\"Hồ sơ của tôi\",\"fj5byd\":\"Không áp dụng\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Tên\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Đi tới người tham dự\",\"qqeAJM\":\"Không bao giờ\",\"7vhWI8\":\"Mật khẩu mới\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Không có sự kiện lưu trữ để hiển thị.\",\"q2LEDV\":\"Không có người tham dự tìm thấy cho đơn hàng này.\",\"zlHa5R\":\"Không có người tham dự đã được thêm vào đơn hàng này.\",\"Wjz5KP\":\"Không có người tham dự để hiển thị\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Không có phân bổ sức chứa\",\"a/gMx2\":\"Không có danh sách check-in\",\"tMFDem\":\"Không có dữ liệu có sẵn\",\"6Z/F61\":\"Không có dữ liệu để hiển thị. Vui lòng chọn khoảng thời gian\",\"fFeCKc\":\"Không giảm giá\",\"HFucK5\":\"Không có sự kiện đã kết thúc để hiển thị.\",\"yAlJXG\":\"Không có sự kiện nào hiển thị\",\"GqvPcv\":\"Không có bộ lọc có sẵn\",\"KPWxKD\":\"Không có tin nhắn nào hiển thị\",\"J2LkP8\":\"Không có đơn hàng nào để hiển thị\",\"RBXXtB\":\"Hiện không có phương thức thanh toán. Vui lòng liên hệ ban tổ chức sự kiện để được hỗ trợ.\",\"ZWEfBE\":\"Không cần thanh toán\",\"ZPoHOn\":\"Không có sản phẩm liên quan đến người tham dự này.\",\"Ya1JhR\":\"Không có sản phẩm có sẵn trong danh mục này.\",\"FTfObB\":\"Chưa có sản phẩm\",\"+Y976X\":\"Không có mã khuyến mãi để hiển thị\",\"MAavyl\":\"Không có câu hỏi nào được trả lời bởi người tham dự này.\",\"SnlQeq\":\"Không có câu hỏi nào được hỏi cho đơn hàng này.\",\"Ev2r9A\":\"Không có kết quả\",\"gk5uwN\":\"Không có kết quả tìm kiếm\",\"RHyZUL\":\"Không có kết quả tìm kiếm.\",\"RY2eP1\":\"Không có thuế hoặc phí đã được thêm vào.\",\"EdQY6l\":\"Không\",\"OJx3wK\":\"Không có sẵn\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Ghi chú\",\"jtrY3S\":\"Chưa có gì để hiển thị\",\"hFwWnI\":\"Cài đặt thông báo\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Thông báo cho ban tổ chức các đơn hàng mới\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Số ngày quá hạn thanh toán (để trống để bỏ qua các điều khoản thanh toán từ hóa đơn)\",\"n86jmj\":\"Tiền tố số\",\"mwe+2z\":\"Các đơn hàng ngoại tuyến không được phản ánh trong thống kê sự kiện cho đến khi đơn hàng được đánh dấu là được thanh toán.\",\"dWBrJX\":\"Thanh toán offline không thành công. Vui lòng thử loại hoặc liên hệ với ban tổ chức sự kiện.\",\"fcnqjw\":\"Hướng Dẫn Thanh Toán Offline\",\"+eZ7dp\":\"Thanh toán offline\",\"ojDQlR\":\"Thông tin thanh toán offline\",\"u5oO/W\":\"Cài đặt thanh toán offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"Đang Bán\",\"Ug4SfW\":\"Khi bạn tạo một sự kiện, bạn sẽ thấy nó ở đây.\",\"ZxnK5C\":\"Khi bạn bắt đầu thu thập dữ liệu, bạn sẽ thấy nó ở đây.\",\"PnSzEc\":\"Khi bạn đã sẵn sàng, hãy đặt sự kiện của bạn trực tiếp và bắt đầu bán sản phẩm.\",\"J6n7sl\":\"Đang diễn ra\",\"z+nuVJ\":\"Sự kiện trực tuyến\",\"WKHW0N\":\"Chi tiết sự kiện trực tuyến\",\"/xkmKX\":\"Chỉ nên gửi các email quan trọng liên quan trực tiếp đến sự kiện này bằng biểu mẫu này.\\nBất kỳ hành vi lạm dụng nào, bao gồm việc gửi email quảng cáo, sẽ dẫn đến việc cấm tài khoản ngay lập tức.\",\"Qqqrwa\":\"Mở Trang Check-In\",\"OdnLE4\":\"Mở thanh bên\",\"ZZEYpT\":[\"Tùy chọn \",[\"i\"]],\"oPknTP\":\"Thông tin bổ sung tùy chọn xuất hiện trên tất cả các hóa đơn (ví dụ: điều khoản thanh toán, phí thanh toán trễ, chính sách trả lại)\",\"OrXJBY\":\"Tiền tố tùy chọn cho số hóa đơn (ví dụ: Inv-)\",\"0zpgxV\":\"Tùy chọn\",\"BzEFor\":\"Hoặc\",\"UYUgdb\":\"Đơn hàng\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Đơn hàng bị hủy\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Ngày đơn hàng\",\"Tol4BF\":\"Chi tiết đơn hàng\",\"WbImlQ\":\"Đơn hàng đã bị hủy và chủ sở hữu đơn hàng đã được thông báo.\",\"nAn4Oe\":\"Đơn hàng được đánh dấu là đã thanh toán\",\"uzEfRz\":\"Ghi chú đơn hàng\",\"VCOi7U\":\"Câu hỏi đơn hàng\",\"TPoYsF\":\"Mã đơn hàng\",\"acIJ41\":\"Trạng thái đơn hàng\",\"GX6dZv\":\"Tóm tắt đơn hàng\",\"tDTq0D\":\"Thời gian chờ đơn hàng\",\"1h+RBg\":\"Đơn hàng\",\"3y+V4p\":\"Địa chỉ tổ chức\",\"GVcaW6\":\"Chi tiết tổ chức\",\"nfnm9D\":\"Tên tổ chức\",\"G5RhpL\":\"Người tổ chức\",\"mYygCM\":\"Người tổ chức là bắt buộc\",\"Pa6G7v\":\"Tên ban tổ chức\",\"l894xP\":\"Ban tổ chức chỉ có thể quản lý các sự kiện và sản phẩm. Họ không thể quản lý người dùng, tài khoản hoặc thông tin thanh toán.\",\"fdjq4c\":\"Khoảng cách lề\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Không tìm thấy trang\",\"QbrUIo\":\"Lượt xem trang\",\"6D8ePg\":\"trang.\",\"IkGIz8\":\"đã trả tiền\",\"HVW65c\":\"Sản phẩm trả phí\",\"ZfxaB4\":\"Hoàn lại tiền một phần\",\"8ZsakT\":\"Mật khẩu\",\"TUJAyx\":\"Mật khẩu phải tối thiểu 8 ký tự\",\"vwGkYB\":\"Mật khẩu phải có ít nhất 8 ký tự\",\"BLTZ42\":\"Đặt lại mật khẩu thành công. Vui lòng sử dụng mật khẩu mới để đăng nhập.\",\"f7SUun\":\"Mật khẩu không giống nhau\",\"aEDp5C\":\"Dán cái này nơi bạn muốn tiện ích xuất hiện.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Thanh toán\",\"Lg+ewC\":\"Thanh toán & Hoá đơn\",\"DZjk8u\":\"Cài đặt Thanh toán & Hoá đơn\",\"lflimf\":\"Thời hạn thanh toán\",\"JhtZAK\":\"Thanh toán thất bại\",\"JEdsvQ\":\"Hướng dẫn thanh toán\",\"bLB3MJ\":\"Phương thức thanh toán\",\"QzmQBG\":\"Nhà cung cấp Thanh toán\",\"lsxOPC\":\"Thanh toán đã nhận\",\"wJTzyi\":\"Tình trạng thanh toán\",\"xgav5v\":\"Thanh toán thành công!\",\"R29lO5\":\"Điều khoản thanh toán\",\"/roQKz\":\"Tỷ lệ phần trăm\",\"vPJ1FI\":\"Tỷ lệ phần trăm\",\"xdA9ud\":\"Đặt cái này vào của trang web của bạn.\",\"blK94r\":\"Vui lòng thêm ít nhất một tùy chọn\",\"FJ9Yat\":\"Vui lòng kiểm tra thông tin được cung cấp là chính xác\",\"TkQVup\":\"Vui lòng kiểm tra email và mật khẩu của bạn và thử lại\",\"sMiGXD\":\"Vui lòng kiểm tra email của bạn là hợp lệ\",\"Ajavq0\":\"Vui lòng kiểm tra email của bạn để xác nhận địa chỉ email của bạn\",\"MdfrBE\":\"Vui lòng điền vào biểu mẫu bên dưới để chấp nhận lời mời của bạn\",\"b1Jvg+\":\"Vui lòng tiếp tục trong tab mới\",\"hcX103\":\"Vui lòng tạo một sản phẩm\",\"cdR8d6\":\"Vui lòng tạo vé\",\"x2mjl4\":\"Vui lòng nhập URL hình ảnh hợp lệ trỏ đến một hình ảnh.\",\"HnNept\":\"Vui lòng nhập mật khẩu mới của bạn\",\"5FSIzj\":\"Xin lưu ý\",\"C63rRe\":\"Vui lòng quay lại trang sự kiện để bắt đầu lại.\",\"pJLvdS\":\"Vui lòng chọn\",\"Ewir4O\":\"Vui lòng chọn ít nhất một sản phẩm\",\"igBrCH\":\"Vui lòng xác minh địa chỉ email của bạn để truy cập tất cả các tính năng\",\"/IzmnP\":\"Vui lòng đợi trong khi chúng tôi chuẩn bị hóa đơn của bạn ...\",\"MOERNx\":\"Tiếng Bồ Đào Nha\",\"qCJyMx\":\"Tin nhắn sau phần thanh toán\",\"g2UNkE\":\"Được cung cấp bởi\",\"Rs7IQv\":\"Thông báo trước khi thanh toán\",\"rdUucN\":\"Xem trước\",\"a7u1N9\":\"Giá\",\"CmoB9j\":\"Chế độ hiển thị giá\",\"BI7D9d\":\"Giá không được đặt\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Loại giá\",\"6RmHKN\":\"Màu sắc chính\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Màu văn bản chính\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"In tất cả vé\",\"DKwDdj\":\"In vé\",\"K47k8R\":\"Sản phẩm\",\"1JwlHk\":\"Danh mục sản phẩm\",\"U61sAj\":\"Danh mục sản phẩm được cập nhật thành công.\",\"1USFWA\":\"Sản phẩm đã xóa thành công\",\"4Y2FZT\":\"Loại giá sản phẩm\",\"mFwX0d\":\"Câu hỏi sản phẩm\",\"Lu+kBU\":\"Bán Hàng\",\"U/R4Ng\":\"Cấp sản phẩm\",\"sJsr1h\":\"Loại sản phẩm\",\"o1zPwM\":\"Xem trước tiện ích sản phẩm\",\"ktyvbu\":\"Sản phẩm(s)\",\"N0qXpE\":\"Sản phẩm\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Sản phẩm đã bán\",\"/u4DIx\":\"Sản phẩm đã bán\",\"DJQEZc\":\"Sản phẩm được sắp xếp thành công\",\"vERlcd\":\"Hồ sơ\",\"kUlL8W\":\"Hồ sơ cập nhật thành công\",\"cl5WYc\":[\"Mã \",[\"Promo_code\"],\" đã được áp dụng\"],\"P5sgAk\":\"Mã khuyến mãi\",\"yKWfjC\":\"Trang mã khuyến mãi\",\"RVb8Fo\":\"Mã khuyến mãi\",\"BZ9GWa\":\"Mã khuyến mãi có thể được sử dụng để giảm giá, truy cập bán trước hoặc cung cấp quyền truy cập đặc biệt vào sự kiện của bạn.\",\"OP094m\":\"Báo cáo mã khuyến mãi\",\"4kyDD5\":\"Cung cấp thêm ngữ cảnh hoặc hướng dẫn cho câu hỏi này. Sử dụng trường này để thêm các điều khoản\\nvà điều kiện, hướng dẫn hoặc bất kỳ thông tin quan trọng nào mà người tham dự cần biết trước khi trả lời.\",\"toutGW\":\"Mã QR\",\"LkMOWF\":\"Số lượng có sẵn\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Câu hỏi bị xóa\",\"avf0gk\":\"Mô tả câu hỏi\",\"oQvMPn\":\"Tiêu đề câu hỏi\",\"enzGAL\":\"Câu hỏi\",\"ROv2ZT\":\"Câu hỏi\",\"K885Eq\":\"Câu hỏi được sắp xếp thành công\",\"OMJ035\":\"Tùy chọn radio\",\"C4TjpG\":\"Đọc ít hơn\",\"I3QpvQ\":\"Người nhận\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Hoàn tiền không thành công\",\"n10yGu\":\"Lệnh hoàn trả\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Hoàn tiền chờ xử lý\",\"xHpVRl\":\"Trạng thái hoàn trả\",\"/BI0y9\":\"Đã hoàn lại\",\"fgLNSM\":\"Đăng ký\",\"9+8Vez\":\"Sử dụng còn lại\",\"tasfos\":\"Loại bỏ\",\"t/YqKh\":\"Hủy bỏ\",\"t9yxlZ\":\"Báo cáo\",\"prZGMe\":\"Yêu cầu địa chỉ thanh toán\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Gửi lại xác nhận email\",\"wIa8Qe\":\"Gửi lại lời mời\",\"VeKsnD\":\"Gửi lại email đơn hàng\",\"dFuEhO\":\"Gửi lại email vé\",\"o6+Y6d\":\"Đang gửi lại ...\",\"OfhWJH\":\"Đặt lại\",\"RfwZxd\":\"Đặt lại mật khẩu\",\"KbS2K9\":\"Đặt lại mật khẩu\",\"e99fHm\":\"Khôi phục sự kiện\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Trở lại trang sự kiện\",\"8YBH95\":\"Doanh thu\",\"PO/sOY\":\"Thu hồi lời mời\",\"GDvlUT\":\"Vai trò\",\"ELa4O9\":\"Ngày bán kết thúc\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Ngày bắt đầu bán hàng\",\"hBsw5C\":\"Bán hàng kết thúc\",\"kpAzPe\":\"Bán hàng bắt đầu\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Lưu\",\"IUwGEM\":\"Lưu thay đổi\",\"U65fiW\":\"Lưu tổ chức\",\"UGT5vp\":\"Lưu cài đặt\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Tìm kiếm theo tên người tham dự, email hoặc đơn hàng\",\"+pr/FY\":\"Tìm kiếm theo tên sự kiện\",\"3zRbWw\":\"Tìm kiếm theo tên, email, hoặc mã đơn hàng #\",\"L22Tdf\":\"Tìm kiếm theo tên, mã đơn hàng #, người tham dự, hoặc email...\",\"BiYOdA\":\"Tìm kiếm theo tên...\",\"YEjitp\":\"Tìm kiếm theo chủ đề hoặc nội dung...\",\"Pjsch9\":\"Tìm kiếm phân bổ sức chứa...\",\"r9M1hc\":\"Tìm kiếm danh sách check-in...\",\"+0Yy2U\":\"Tìm kiếm sản phẩm\",\"YIix5Y\":\"Tìm kiếm\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Màu phụ\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Màu chữ phụ\",\"02ePaq\":[\"Chọn \",[\"0\"]],\"QuNKRX\":\"Chọn máy ảnh\",\"9FQEn8\":\"Chọn danh mục...\",\"kWI/37\":\"Chọn nhà tổ chức\",\"ixIx1f\":\"Chọn sản phẩm\",\"3oSV95\":\"Chọn bậc sản phẩm\",\"C4Y1hA\":\"Chọn sản phẩm\",\"hAjDQy\":\"Chọn trạng thái\",\"QYARw/\":\"Chọn Vé\",\"OMX4tH\":\"Chọn Vé\",\"DrwwNd\":\"Chọn khoảng thời gian\",\"O/7I0o\":\"Chọn ...\",\"JlFcis\":\"Gửi\",\"qKWv5N\":[\"Gửi một bản sao đến <0>\",[\"0\"],\"\"],\"RktTWf\":\"Gửi tin nhắn\",\"/mQ/tD\":\"Gửi dưới dạng thử nghiệm. Thông báo sẽ được gửi đến địa chỉ email của bạn thay vì người nhận.\",\"M/WIer\":\"Gửi tin nhắn\",\"D7ZemV\":\"Gửi email xác nhận và vé\",\"v1rRtW\":\"Gửi Test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Mô tả SEO\",\"/SIY6o\":\"Từ khóa SEO\",\"GfWoKv\":\"Cài đặt SEO\",\"rXngLf\":\"Tiêu đề SEO\",\"/jZOZa\":\"Phí dịch vụ\",\"Bj/QGQ\":\"Đặt giá tối thiểu và cho phép người dùng thanh toán nhiều hơn nếu họ chọn\",\"L0pJmz\":\"Đặt số bắt đầu cho hóa đơn. Sau khi hóa đơn được tạo, số này không thể thay đổi.\",\"nYNT+5\":\"Thiết lập sự kiện của bạn\",\"A8iqfq\":\"Đặt sự kiện của bạn trực tiếp\",\"Tz0i8g\":\"Cài đặt\",\"Z8lGw6\":\"Chia sẻ\",\"B2V3cA\":\"Chia sẻ sự kiện\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Hiển thị số lượng sản phẩm có sẵn\",\"qDsmzu\":\"Hiển thị câu hỏi ẩn\",\"fMPkxb\":\"Hiển thị thêm\",\"izwOOD\":\"Hiển thị thuế và phí riêng biệt\",\"1SbbH8\":\"Hiển thị cho khách hàng sau khi họ thanh toán, trên trang Tóm tắt đơn hàng.\",\"YfHZv0\":\"Hiển thị cho khách hàng trước khi họ thanh toán\",\"CBBcly\":\"Hiển thị các trường địa chỉ chung, bao gồm quốc gia\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Hộp văn bản dòng đơn\",\"+P0Cn2\":\"Bỏ qua bước này\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Đã bán hết\",\"Mi1rVn\":\"Đã bán hết\",\"nwtY4N\":\"Đã xảy ra lỗi\",\"GRChTw\":\"Có gì đó không ổn trong khi xóa thuế hoặc phí\",\"YHFrbe\":\"Có gì đó không ổn! Vui lòng thử lại\",\"kf83Ld\":\"Có gì đó không ổn.\",\"fWsBTs\":\"Có gì đó không ổn. Vui lòng thử lại\",\"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.\",\"6a/UJE\":\"Xin lỗi, mã khuyến mãi này không được công nhận\",\"65A04M\":\"Tiếng Tây Ban Nha\",\"mFuBqb\":\"Sản phẩm tiêu chuẩn với giá cố định\",\"D3iCkb\":\"Ngày bắt đầu\",\"/2by1f\":\"Nhà nước hoặc khu vực\",\"uAQUqI\":\"Trạng thái\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Thanh toán Stripe không được kích hoạt cho sự kiện này.\",\"UJmAAK\":\"Chủ đề\",\"X2rrlw\":\"Tổng phụ\",\"zzDlyQ\":\"Thành công\",\"b0HJ45\":[\"Thành công! \",[\"0\"],\" sẽ nhận một email trong chốc lát.\"],\"BJIEiF\":[[\"0\"],\" Người tham dự thành công\"],\"OtgNFx\":\"Địa chỉ email được xác nhận thành công\",\"IKwyaF\":\"Thay đổi email được xác nhận thành công\",\"zLmvhE\":\"Người tham dự được tạo thành công\",\"gP22tw\":\"Sản phẩm được tạo thành công\",\"9mZEgt\":\"Mã khuyến mãi được tạo thành công\",\"aIA9C4\":\"Câu hỏi được tạo thành công\",\"J3RJSZ\":\"Người tham dự cập nhật thành công\",\"3suLF0\":\"Phân công công suất được cập nhật thành công\",\"Z+rnth\":\"Danh sách soát vé được cập nhật thành công\",\"vzJenu\":\"Cài đặt email được cập nhật thành công\",\"7kOMfV\":\"Sự kiện cập nhật thành công\",\"G0KW+e\":\"Thiết kế trang sự kiện được cập nhật thành công\",\"k9m6/E\":\"Cài đặt trang chủ được cập nhật thành công\",\"y/NR6s\":\"Vị trí cập nhật thành công\",\"73nxDO\":\"Cài đặt linh tinh được cập nhật thành công\",\"4H80qv\":\"Đơn hàng cập nhật thành công\",\"6xCBVN\":\"Cập nhật cài đặt thanh toán & lập hóa đơn thành công\",\"1Ycaad\":\"Cập nhật sản phẩm thành công\",\"70dYC8\":\"Cập nhật mã khuyến mãi thành công\",\"F+pJnL\":\"Cập nhật cài đặt SEO thành công\",\"DXZRk5\":\"Phòng 100\",\"GNcfRk\":\"Email hỗ trợ\",\"uRfugr\":\"Áo thun\",\"JpohL9\":\"Thuế\",\"geUFpZ\":\"Thuế & Phí\",\"dFHcIn\":\"Chi tiết thuế\",\"wQzCPX\":\"Thông tin thuế sẽ xuất hiện ở cuối tất cả các hóa đơn (ví dụ: mã số thuế VAT, đăng ký thuế)\",\"0RXCDo\":\"Xóa thuế hoặc phí thành công\",\"ZowkxF\":\"Thuế\",\"qu6/03\":\"Thuế và phí\",\"gypigA\":\"Mã khuyến mãi không hợp lệ\",\"5ShqeM\":\"Danh sách check-in bạn đang tìm kiếm không tồn tại.\",\"QXlz+n\":\"Tiền tệ mặc định cho các sự kiện của bạn.\",\"mnafgQ\":\"Múi giờ mặc định cho các sự kiện của bạn.\",\"o7s5FA\":\"Ngôn ngữ mà người tham dự sẽ nhận email.\",\"NlfnUd\":\"Liên kết bạn đã nhấp vào không hợp lệ.\",\"HsFnrk\":[\"Số lượng sản phẩm tối đa cho \",[\"0\"],\"là \",[\"1\"]],\"TSAiPM\":\"Trang bạn đang tìm kiếm không tồn tại\",\"MSmKHn\":\"Giá hiển thị cho khách hàng sẽ bao gồm thuế và phí.\",\"6zQOg1\":\"Giá hiển thị cho khách hàng sẽ không bao gồm thuế và phí. Chúng sẽ được hiển thị riêng biệt.\",\"ne/9Ur\":\"Các cài đặt kiểu dáng bạn chọn chỉ áp dụng cho HTML được sao chép và sẽ không được lưu trữ.\",\"vQkyB3\":\"Thuế và phí áp dụng cho sản phẩm này. \",\"esY5SG\":\"Tiêu đề của sự kiện sẽ được hiển thị trong kết quả của công cụ tìm kiếm và khi chia sẻ trên phương tiện truyền thông xã hội. \",\"wDx3FF\":\"Không có sản phẩm nào cho sự kiện này\",\"pNgdBv\":\"Không có sản phẩm nào trong danh mục này\",\"rMcHYt\":\"Có một khoản hoàn tiền đang chờ xử lý. Vui lòng đợi hoàn tất trước khi yêu cầu hoàn tiền khác.\",\"F89D36\":\"Đã xảy ra lỗi khi đánh dấu đơn hàng là đã thanh toán\",\"68Axnm\":\"Đã xảy ra lỗi khi xử lý yêu cầu của bạn. Vui lòng thử lại.\",\"mVKOW6\":\"Có một lỗi khi gửi tin nhắn của bạn\",\"AhBPHd\":\"Những chi tiết này sẽ chỉ được hiển thị nếu đơn hàng được hoàn thành thành công. Đơn hàng chờ thanh toán sẽ không hiển thị tin nhắn này.\",\"Pc/Wtj\":\"Người tham dự này có đơn hàng chưa thanh toán.\",\"mf3FrP\":\"Danh mục này chưa có bất kỳ sản phẩm nào.\",\"8QH2Il\":\"Danh mục này bị ẩn khỏi chế độ xem công khai\",\"xxv3BZ\":\"Danh sách người tham dự này đã hết hạn\",\"Sa7w7S\":\"Danh sách người tham dự này đã hết hạn và không còn có sẵn để kiểm tra.\",\"Uicx2U\":\"Danh sách người tham dự này đang hoạt động\",\"1k0Mp4\":\"Danh sách người tham dự này chưa hoạt động\",\"K6fmBI\":\"Danh sách người tham dự này chưa hoạt động và không có sẵn để kiểm tra.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Email này không phải là quảng cáo và liên quan trực tiếp đến sự kiện này.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Thông tin này sẽ được hiển thị trên trang thanh toán, trang tóm tắt đơn hàng và email xác nhận đơn hàng.\",\"XAHqAg\":\"Đây là một sản phẩm chung, như áo phông hoặc cốc. Không có vé nào được phát hành\",\"CNk/ro\":\"Đây là một sự kiện trực tuyến\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Thông báo này sẽ được bao gồm trong phần chân trang của tất cả các email được gửi từ sự kiện này\",\"55i7Fa\":\"Thông báo này sẽ chỉ được hiển thị nếu đơn hàng được hoàn thành thành công. Đơn chờ thanh toán sẽ không hiển thị thông báo này.\",\"RjwlZt\":\"Đơn hàng này đã được thanh toán.\",\"5K8REg\":\"Đơn hàng này đã được hoàn trả.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Đơn hàng này đã bị hủy bỏ.\",\"Q0zd4P\":\"Đơn hàng này đã hết hạn. Vui lòng bắt đầu lại.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Đơn hàng này đã hoàn tất.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Trang Đơn hàng này không còn có sẵn.\",\"i0TtkR\":\"Điều này ghi đè tất cả các cài đặt khả năng hiển thị và sẽ ẩn sản phẩm khỏi tất cả các khách hàng.\",\"cRRc+F\":\"Sản phẩm này không thể bị xóa vì nó được liên kết với một đơn hàng. \",\"3Kzsk7\":\"Sản phẩm này là vé. Người mua sẽ nhận được vé sau khi mua\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Câu hỏi này chỉ hiển thị cho người tổ chức sự kiện\",\"os29v1\":\"Liên kết mật khẩu đặt lại này không hợp lệ hoặc hết hạn.\",\"IV9xTT\":\"Người dùng này không hoạt động, vì họ chưa chấp nhận lời mời của họ.\",\"5AnPaO\":\"vé\",\"kjAL4v\":\"Vé\",\"dtGC3q\":\"Email vé đã được gửi lại với người tham dự\",\"54q0zp\":\"Vé cho\",\"xN9AhL\":[\"Cấp \",[\"0\"]],\"jZj9y9\":\"Sản phẩm cấp bậc\",\"8wITQA\":\"Sản phẩm theo bậc cho phép bạn cung cấp nhiều tùy chọn giá cho cùng một sản phẩm. Điều này hoàn hảo cho các sản phẩm ưu đãi sớm hoặc các nhóm giá khác nhau cho từng đối tượng.\",\"nn3mSR\":\"Thời gian còn lại:\",\"s/0RpH\":\"Thời gian được sử dụng\",\"y55eMd\":\"Thời gian được sử dụng\",\"40Gx0U\":\"Múi giờ\",\"oDGm7V\":\"Tip\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Công cụ\",\"72c5Qo\":\"Tổng\",\"YXx+fG\":\"Tổng trước khi giảm giá\",\"NRWNfv\":\"Tổng tiền chiết khấu\",\"BxsfMK\":\"Tổng phí\",\"2bR+8v\":\"Tổng doanh thu\",\"mpB/d9\":\"Tổng tiền đơn hàng\",\"m3FM1g\":\"Tổng đã hoàn lại\",\"jEbkcB\":\"Tổng đã hoàn lại\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Tổng thuế\",\"+zy2Nq\":\"Loại\",\"FMdMfZ\":\"Không thể kiểm tra người tham dự\",\"bPWBLL\":\"Không thể kiểm tra người tham dự\",\"9+P7zk\":\"Không thể tạo sản phẩm. Vui lòng kiểm tra thông tin của bạn\",\"WLxtFC\":\"Không thể tạo sản phẩm. Vui lòng kiểm tra thông tin của bạn\",\"/cSMqv\":\"Không thể tạo câu hỏi. Vui lòng kiểm tra thông tin của bạn\",\"MH/lj8\":\"Không thể cập nhật câu hỏi. Vui lòng kiểm tra thông tin của bạn\",\"nnfSdK\":\"Khách hàng duy nhất\",\"Mqy/Zy\":\"Hoa Kỳ\",\"NIuIk1\":\"Không giới hạn\",\"/p9Fhq\":\"Không giới hạn có sẵn\",\"E0q9qH\":\"Sử dụng không giới hạn\",\"h10Wm5\":\"Đơn hàng chưa thanh toán\",\"ia8YsC\":\"Sắp tới\",\"TlEeFv\":\"Các sự kiện sắp tới\",\"L/gNNk\":[\"Cập nhật \",[\"0\"]],\"+qqX74\":\"Cập nhật tên sự kiện, mô tả và ngày\",\"vXPSuB\":\"Cập nhật hồ sơ\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL được sao chép vào bảng tạm\",\"e5lF64\":\"Ví dụ sử dụng\",\"fiV0xj\":\"Giới hạn sử dụng\",\"sGEOe4\":\"Sử dụng phiên bản làm mờ của ảnh bìa làm nền\",\"OadMRm\":\"Sử dụng hình ảnh bìa\",\"7PzzBU\":\"Người dùng\",\"yDOdwQ\":\"Quản lý người dùng\",\"Sxm8rQ\":\"Người dùng\",\"VEsDvU\":\"Người dùng có thể thay đổi email của họ trong <0>Cài đặt hồ sơ\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"Thuế VAT\",\"E/9LUk\":\"Tên địa điểm\",\"jpctdh\":\"Xem\",\"Pte1Hv\":\"Xem chi tiết người tham dự\",\"/5PEQz\":\"Xem trang sự kiện\",\"fFornT\":\"Xem tin nhắn đầy đủ\",\"YIsEhQ\":\"Xem bản đồ\",\"Ep3VfY\":\"Xem trên Google Maps\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"Danh sách người tham dự VIP\",\"tF+VVr\":\"Vé VIP\",\"2q/Q7x\":\"Tầm nhìn\",\"vmOFL/\":\"Chúng tôi không thể xử lý thanh toán của bạn. Vui lòng thử lại hoặc liên hệ với ban tổ chức.\",\"45Srzt\":\"Chúng tôi không thể xóa danh mục. Vui lòng thử lại.\",\"/DNy62\":[\"Chúng tôi không thể tìm thấy bất kỳ vé nào khớp với \",[\"0\"]],\"1E0vyy\":\"Chúng tôi không thể tải dữ liệu. Vui lòng thử lại.\",\"NmpGKr\":\"Chúng tôi không thể sắp xếp lại các danh mục. Vui lòng thử lại.\",\"BJtMTd\":\"Chúng tôi đề xuất kích thước 2160px bằng 1080px và kích thước tệp tối đa là 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"Chúng tôi không thể xác nhận thanh toán của bạn. Vui lòng thử lại hoặc liên hệ với ban tổ chức.\",\"Gspam9\":\"Chúng tôi đang xử lý đơn hàng của bạn. Đợi một chút...\",\"LuY52w\":\"Chào mừng bạn! Vui lòng đăng nhập để tiếp tục.\",\"dVxpp5\":[\"Chào mừng trở lại\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Sản phẩm cấp bậc là gì?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Thể loại là gì?\",\"gxeWAU\":\"Mã này áp dụng cho sản phẩm nào?\",\"hFHnxR\":\"Mã này áp dụng cho sản phẩm nào? (Mặc định áp dụng cho tất cả)\",\"AeejQi\":\"Sản phẩm nào nên áp dụng công suất này?\",\"Rb0XUE\":\"Bạn sẽ đến lúc mấy giờ?\",\"5N4wLD\":\"Đây là loại câu hỏi nào?\",\"gyLUYU\":\"Khi được bật, hóa đơn sẽ được tạo cho các đơn hàng vé. Hóa đơn sẽ được gửi kèm với email xác nhận đơn hàng. Người tham dự cũng có thể tải hóa đơn của họ từ trang xác nhận đơn hàng.\",\"D3opg4\":\"Khi thanh toán ngoại tuyến được bật, người dùng có thể hoàn tất đơn hàng và nhận vé của họ. Vé của họ sẽ hiển thị rõ ràng rằng đơn hàng chưa được thanh toán, và công cụ check-in sẽ thông báo cho nhân viên check-in nếu đơn hàng cần thanh toán.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Những vé nào nên được liên kết với danh sách người tham dự này?\",\"S+OdxP\":\"Ai đang tổ chức sự kiện này?\",\"LINr2M\":\"Tin nhắn này gửi tới ai?\",\"nWhye/\":\"Ai nên được hỏi câu hỏi này?\",\"VxFvXQ\":\"Nhúng Widget\",\"v1P7Gm\":\"Cài đặt widget\",\"b4itZn\":\"Làm việc\",\"hqmXmc\":\"Làm việc ...\",\"+G/XiQ\":\"Từ đầu năm đến nay\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Có, loại bỏ chúng\",\"ySeBKv\":\"Bạn đã quét vé này rồi\",\"P+Sty0\":[\"Bạn đang thay đổi email của mình thành <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Bạn đang ngoại tuyến\",\"sdB7+6\":\"Bạn có thể tạo mã khuyến mãi nhắm mục tiêu sản phẩm này trên\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Bạn không thể thay đổi loại sản phẩm vì có những người tham dự liên quan đến sản phẩm này.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Bạn không thể xác nhận người tham dự với các đơn hàng không được thanh toán. Cài đặt này có thể được thay đổi ở phần cài đặt sự kiện.\",\"c9Evkd\":\"Bạn không thể xóa danh mục cuối cùng.\",\"6uwAvx\":\"Bạn không thể xóa cấp giá này vì đã có sản phẩm được bán cho cấp này. Thay vào đó, bạn có thể ẩn nó.\",\"tFbRKJ\":\"Bạn không thể chỉnh sửa vai trò hoặc trạng thái của chủ sở hữu tài khoản.\",\"fHfiEo\":\"Bạn không thể hoàn trả một Đơn hàng được tạo thủ công.\",\"hK9c7R\":\"Bạn đã tạo một câu hỏi ẩn nhưng đã tắt tùy chọn hiển thị câu hỏi ẩn. Nó đã được bật.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Bạn có quyền truy cập vào nhiều tài khoản. Vui lòng chọn một tài khoản để tiếp tục.\",\"Z6q0Vl\":\"Bạn đã chấp nhận lời mời này. Vui lòng đăng nhập để tiếp tục.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Bạn không có câu hỏi cho người tham dự.\",\"CoZHDB\":\"Bạn không có câu hỏi nào về đơn hàng.\",\"15qAvl\":\"Bạn không có thay đổi email đang chờ xử lý.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Bạn đã hết thời gian để hoàn thành đơn hàng của mình.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Bạn chưa gửi bất kỳ tin nhắn nào. Bạn có thể gửi tin nhắn tới tất cả người tham dự, hoặc cho người giữ sản phẩm cụ thể.\",\"R6i9o9\":\"Bạn phải hiểu rằng email này không phải là email quảng cáo\",\"3ZI8IL\":\"Bạn phải đồng ý với các điều khoản và điều kiện\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Bạn phải tạo một vé trước khi bạn có thể thêm một người tham dự.\",\"jE4Z8R\":\"Bạn phải có ít nhất một cấp giá\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Bạn sẽ phải đánh dấu một đơn hàng theo cách thủ công. Được thực hiện trong trang quản lý đơn hàng.\",\"L/+xOk\":\"Bạn sẽ cần một vé trước khi bạn có thể tạo một danh sách người tham dự.\",\"Djl45M\":\"Bạn sẽ cần tại một sản phẩm trước khi bạn có thể tạo một sự phân công công suất.\",\"y3qNri\":\"Bạn cần ít nhất một sản phẩm để bắt đầu. Miễn phí, trả phí hoặc để người dùng quyết định số tiền thanh toán.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Tên tài khoản của bạn được sử dụng trên các trang sự kiện và trong email.\",\"veessc\":\"Người tham dự của bạn sẽ xuất hiện ở đây sau khi họ đăng ký tham gia sự kiện. Bạn cũng có thể thêm người tham dự theo cách thủ công.\",\"Eh5Wrd\":\"Trang web tuyệt vời của bạn 🎉\",\"lkMK2r\":\"Thông tin của bạn\",\"3ENYTQ\":[\"Yêu cầu email của bạn thay đổi thành <0>\",[\"0\"],\" đang chờ xử lý. \"],\"yZfBoy\":\"Tin nhắn của bạn đã được gửi\",\"KSQ8An\":\"Đơn hàng của bạn\",\"Jwiilf\":\"Đơn hàng của bạn đã bị hủy\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"Đơn hàng của bạn sẽ xuất hiện ở đây sau khi chúng bắt đầu tham gia.\",\"9TO8nT\":\"Mật khẩu của bạn\",\"P8hBau\":\"Thanh toán của bạn đang xử lý.\",\"UdY1lL\":\"Thanh toán của bạn không thành công, vui lòng thử lại.\",\"fzuM26\":\"Thanh toán của bạn không thành công. Vui lòng thử lại.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Hoàn lại tiền của bạn đang xử lý.\",\"IFHV2p\":\"Vé của bạn cho\",\"x1PPdr\":\"mã zip / bưu điện\",\"BM/KQm\":\"mã zip hoặc bưu điện\",\"+LtVBt\":\"mã zip hoặc bưu điện\",\"25QDJ1\":\"- Nhấp để xuất bản\",\"WOyJmc\":\"- Nhấp để gỡ bỏ\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" đã check-in\"],\"S4PqS9\":[[\"0\"],\" Webhook đang hoạt động\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" nhà tổ chức\"],\"/HkCs4\":[[\"0\"],\" vé\"],\"OJnhhX\":[[\"EventCount\"],\" Sự kiện\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>Danh sách check-in giúp bạn quản lý lối vào sự kiện theo ngày, khu vực hoặc loại vé. Bạn có thể liên kết vé với các danh sách cụ thể như khu vực VIP hoặc vé Ngày 1 và chia sẻ liên kết check-in an toàn với nhân viên. Không cần tài khoản. Check-in hoạt động trên điện thoại di động, máy tính để bàn hoặc máy tính bảng, sử dụng camera thiết bị hoặc máy quét USB HID. \",\"ZnVt5v\":\"<0>Webhooks thông báo ngay lập tức cho các dịch vụ bên ngoài khi sự kiện diễn ra, chẳng hạn như thêm người tham dự mới vào CRM hoặc danh sách email khi đăng ký, đảm bảo tự động hóa mượt mà.<1>Sử dụng các dịch vụ bên thứ ba như <2>Zapier, <3>IFTTT hoặc <4>Make để tạo quy trình làm việc tùy chỉnh và tự động hóa công việc.\",\"fAv9QG\":\"🎟️ Thêm vé\",\"M2DyLc\":\"1 Webhook đang hoạt động\",\"yTsaLw\":\"1 vé\",\"HR/cvw\":\"123 Đường Mẫu\",\"kMU5aM\":\"Thông báo hủy đã được gửi đến\",\"V53XzQ\":\"Mã xác thực mới đã được gửi đến email của bạn\",\"/z/bH1\":\"Mô tả ngắn gọn về nhà tổ chức của bạn sẽ được hiển thị cho người dùng.\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"Thông tin sự kiện\",\"WTk/ke\":\"Giới thiệu về Stripe Connect\",\"1uJlG9\":\"Màu nhấn\",\"VTfZPy\":\"Truy cập bị từ chối\",\"iN5Cz3\":\"Tài khoản đã được kết nối!\",\"bPwFdf\":\"Tài Khoản\",\"nMtNd+\":\"Cần hành động: Kết nối lại tài khoản Stripe của bạn\",\"a5KFZU\":\"Thêm chi tiết sự kiện và quản lý cài đặt sự kiện.\",\"Fb+SDI\":\"Thêm nhiều vé hơn\",\"6PNlRV\":\"Thêm sự kiện này vào lịch của bạn\",\"BGD9Yt\":\"Thêm vé\",\"QN2F+7\":\"Thêm Webhook\",\"NsWqSP\":\"Thêm tài khoản mạng xã hội và URL trang web của bạn. Chúng sẽ được hiển thị trên trang công khai của nhà tổ chức.\",\"0Zypnp\":\"Bảng Điều Khiển Quản Trị\",\"YAV57v\":\"Đối tác liên kết\",\"I+utEq\":\"Mã đối tác liên kết không thể thay đổi\",\"/jHBj5\":\"Tạo đối tác liên kết thành công\",\"uCFbG2\":\"Xóa đối tác liên kết thành công\",\"a41PKA\":\"Doanh số đối tác liên kết sẽ được theo dõi\",\"mJJh2s\":\"Doanh số đối tác liên kết sẽ không được theo dõi. Điều này sẽ vô hiệu hóa đối tác.\",\"jabmnm\":\"Cập nhật đối tác liên kết thành công\",\"CPXP5Z\":\"Chi nhánh\",\"9Wh+ug\":\"Đã xuất danh sách đối tác\",\"3cqmut\":\"Đối tác liên kết giúp bạn theo dõi doanh số từ các đối tác và người ảnh hưởng. Tạo mã đối tác và chia sẻ để theo dõi hiệu suất.\",\"7rLTkE\":\"Tất cả sự kiện đã lưu trữ\",\"gKq1fa\":\"Tất cả người tham dự\",\"pMLul+\":\"Tất cả tiền tệ\",\"qlaZuT\":\"Hoàn thành! Bây giờ bạn đang sử dụng hệ thống thanh toán nâng cấp của chúng tôi.\",\"ZS/D7f\":\"Tất cả sự kiện đã kết thúc\",\"dr7CWq\":\"Tất cả sự kiện sắp diễn ra\",\"QUg5y1\":\"Gần xong rồi! Hoàn thành kết nối tài khoản Stripe để bắt đầu nhận thanh toán.\",\"c4uJfc\":\"Sắp xong rồi! Chúng tôi đang chờ thanh toán của bạn được xử lý. Quá trình này chỉ mất vài giây.\",\"/H326L\":\"Đã hoàn tiền\",\"RtxQTF\":\"Cũng hủy đơn hàng này\",\"jkNgQR\":\"Cũng hoàn tiền đơn hàng này\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"Email để liên kết với đối tác này. Đối tác sẽ không nhận được thông báo.\",\"vRznIT\":\"Đã xảy ra lỗi khi kiểm tra trạng thái xuất.\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"Câu trả lời đã được cập nhật thành công.\",\"LchiNd\":\"Bạn có chắc chắn muốn xóa đối tác này? Hành động này không thể hoàn tác.\",\"JmVITJ\":\"Bạn có chắc chắn muốn xóa mẫu này không? Hành động này không thể hoàn tác và email sẽ quay về mẫu mặc định.\",\"aLS+A6\":\"Bạn có chắc chắn muốn xóa mẫu này không? Hành động này không thể hoàn tác và email sẽ quay về mẫu của tổ chức hoặc mẫu mặc định.\",\"5H3Z78\":\"Bạn có chắc là bạn muốn xóa webhook này không?\",\"147G4h\":\"Bạn có chắc chắn muốn rời đi?\",\"VDWChT\":\"Bạn có chắc muốn chuyển nhà tổ chức này sang bản nháp không? Trang của nhà tổ chức sẽ không hiển thị công khai.\",\"pWtQJM\":\"Bạn có chắc muốn công khai nhà tổ chức này không? Trang của nhà tổ chức sẽ hiển thị công khai.\",\"WFHOlF\":\"Bạn có chắc chắn muốn xuất bản sự kiện này? Sau khi xuất bản, sự kiện sẽ hiển thị công khai.\",\"4TNVdy\":\"Bạn có chắc chắn muốn xuất bản hồ sơ nhà tổ chức này? Sau khi xuất bản, hồ sơ sẽ hiển thị công khai.\",\"ExDt3P\":\"Bạn có chắc chắn muốn hủy xuất bản sự kiện này? Sự kiện sẽ không còn hiển thị công khai.\",\"5Qmxo/\":\"Bạn có chắc chắn muốn hủy xuất bản hồ sơ nhà tổ chức này? Hồ sơ sẽ không còn hiển thị công khai.\",\"+QARA4\":\"Nghệ thuật\",\"F2rX0R\":\"Ít nhất một loại sự kiện phải được chọn\",\"6PecK3\":\"Tỷ lệ tham dự và check-in cho tất cả sự kiện\",\"AJ4rvK\":\"Người tham dự đã hủy bỏ\",\"qvylEK\":\"Người tham dự đã tạo ra\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"Email người tham dự\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"Quản lý người tham dự\",\"av+gjP\":\"Tên người tham dự\",\"cosfD8\":\"Trạng Thái Người Tham Dự\",\"D2qlBU\":\"Người tham dự cập nhật\",\"x8Vnvf\":\"Vé của người tham dự không có trong danh sách này\",\"k3Tngl\":\"Danh sách người tham dự đã được xuất\",\"5UbY+B\":\"Người tham dự có vé cụ thể\",\"4HVzhV\":\"Người tham dự:\",\"VPoeAx\":\"Quản lý vào cổng tự động với nhiều danh sách check-in và xác thực theo thời gian thực\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"Có thể hoàn tiền\",\"NB5+UG\":\"Token có sẵn\",\"EmYMHc\":\"Chờ thanh toán ngoại tuyến\",\"kNmmvE\":\"Công ty TNHH Awesome Events\",\"kYqM1A\":\"Quay lại sự kiện\",\"td/bh+\":\"Quay lại Báo cáo\",\"jIPNJG\":\"Thông tin cơ bản\",\"iMdwTb\":\"Trước khi sự kiện của bạn có thể phát trực tiếp, bạn cần thực hiện một vài việc. Hoàn thành tất cả các bước dưới đây để bắt đầu.\",\"UabgBd\":\"Nội dung là bắt buộc\",\"9N+p+g\":\"Kinh doanh\",\"bv6RXK\":\"Nhãn nút\",\"ChDLlO\":\"Văn bản nút\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"Nút hành động\",\"PUpvQe\":\"Máy quét camera\",\"H4nE+E\":\"Hủy tất cả sản phẩm và trả lại pool có sẵn\",\"tOXAdc\":\"Hủy sẽ hủy tất cả người tham dự liên quan đến đơn hàng này và trả vé về pool có sẵn.\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"Phân bổ sức chứa\",\"K7tIrx\":\"Danh mục\",\"2tbLdK\":\"Từ thiện\",\"v4fiSg\":\"Kiểm tra email của bạn\",\"51AsAN\":\"Kiểm tra hộp thư của bạn! Nếu có vé liên kết với email này, bạn sẽ nhận được liên kết để xem.\",\"udRwQs\":\"Check-in đã được tạo\",\"F4SRy3\":\"Check-in đã bị xóa\",\"9gPPUY\":\"Danh sách Check-In Đã Tạo!\",\"f2vU9t\":\"Danh sách check-in\",\"tMNBEF\":\"Danh sách check-in cho phép bạn kiểm soát lối vào theo ngày, khu vực hoặc loại vé. Bạn có thể chia sẻ liên kết check-in an toàn với nhân viên — không cần tài khoản.\",\"SHJwyq\":\"Tỷ lệ check-in\",\"qCqdg6\":\"Trạng thái đăng ký\",\"cKj6OE\":\"Tóm tắt Check-in\",\"7B5M35\":\"Check-In\",\"DM4gBB\":\"Tiếng Trung (Phồn thể)\",\"pkk46Q\":\"Chọn một nhà tổ chức\",\"Crr3pG\":\"Chọn lịch\",\"CySr+W\":\"Nhấp để xem ghi chú\",\"RG3szS\":\"đóng\",\"RWw9Lg\":\"Đóng hộp thoại\",\"XwdMMg\":\"Mã chỉ được chứa chữ cái, số, dấu gạch ngang và dấu gạch dưới\",\"+yMJb7\":\"Mã là bắt buộc\",\"m9SD3V\":\"Mã phải có ít nhất 3 ký tự\",\"V1krgP\":\"Mã không được quá 20 ký tự\",\"psqIm5\":\"Hợp tác với nhóm của bạn để tạo nên những sự kiện tuyệt vời.\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"Hài kịch\",\"7D9MJz\":\"Hoàn tất thiết lập Stripe\",\"OqEV/G\":\"Hoàn thành thiết lập bên dưới để tiếp tục\",\"nqx+6h\":\"Hoàn thành các bước này để bắt đầu bán vé cho sự kiện của bạn.\",\"5YrKW7\":\"Hoàn tất thanh toán để đảm bảo vé của bạn.\",\"ih35UP\":\"Trung tâm hội nghị\",\"NGXKG/\":\"Xác nhận địa chỉ email\",\"Auz0Mz\":\"Xác nhận email của bạn để sử dụng đầy đủ tính năng.\",\"7+grte\":\"Email xác nhận đã được gửi! Vui lòng kiểm tra hộp thư đến của bạn.\",\"n/7+7Q\":\"Xác nhận đã gửi đến\",\"o5A0Go\":\"Chúc mừng bạn đã tạo sự kiện thành công!\",\"WNnP3w\":\"Kết nối và nâng cấp\",\"Xe2tSS\":\"Tài liệu kết nối\",\"1Xxb9f\":\"Kết nối xử lý thanh toán\",\"LmvZ+E\":\"Kết nối Stripe để bật tính năng nhắn tin\",\"EWnXR+\":\"Kết nối với Stripe\",\"MOUF31\":\"Kết nối với CRM và tự động hóa các tác vụ bằng webhooks và tích hợp\",\"VioGG1\":\"Kết nối tài khoản Stripe để chấp nhận thanh toán cho vé và sản phẩm.\",\"4qmnU8\":\"Kết nối tài khoản Stripe để nhận thanh toán.\",\"E1eze1\":\"Kết nối tài khoản Stripe để bắt đầu nhận thanh toán cho sự kiện của bạn.\",\"ulV1ju\":\"Kết nối tài khoản Stripe để bắt đầu nhận thanh toán.\",\"/3017M\":\"Đã kết nối với Stripe\",\"jfC/xh\":\"Liên hệ\",\"LOFgda\":[\"Liên hệ \",[\"0\"]],\"41BQ3k\":\"Email liên hệ\",\"KcXRN+\":\"Email liên hệ hỗ trợ\",\"m8WD6t\":\"Tiếp tục thiết lập\",\"0GwUT4\":\"Tiếp tục đến thanh toán\",\"sBV87H\":\"Tiếp tục tạo sự kiện\",\"nKtyYu\":\"Tiếp tục bước tiếp theo\",\"F3/nus\":\"Tiếp tục thanh toán\",\"1JnTgU\":\"Đã sao chép từ trên\",\"FxVG/l\":\"Đã sao chép vào clipboard\",\"PiH3UR\":\"Đã sao chép!\",\"uUPbPg\":\"Sao chép liên kết đối tác\",\"iVm46+\":\"Sao chép mã\",\"+2ZJ7N\":\"Sao chép chi tiết cho người tham dự đầu tiên\",\"ZN1WLO\":\"Sao chép Email\",\"tUGbi8\":\"Sao chép thông tin của tôi cho:\",\"y22tv0\":\"Sao chép liên kết này để chia sẻ ở bất kỳ đâu\",\"/4gGIX\":\"Sao chép vào bộ nhớ tạm\",\"P0rbCt\":\"Ảnh bìa\",\"60u+dQ\":\"Ảnh bìa sẽ được hiển thị ở đầu trang sự kiện của bạn\",\"2NLjA6\":\"Ảnh bìa sẽ hiển thị ở đầu trang của nhà tổ chức\",\"zg4oSu\":[\"Tạo mẫu \",[\"0\"]],\"xfKgwv\":\"Tạo đối tác\",\"dyrgS4\":\"Tạo và tùy chỉnh trang sự kiện của bạn ngay lập tức\",\"BTne9e\":\"Tạo mẫu email tùy chỉnh cho sự kiện này ghi đè mặc định của tổ chức\",\"YIDzi/\":\"Tạo mẫu tùy chỉnh\",\"8AiKIu\":\"Tạo vé hoặc sản phẩm\",\"agZ87r\":\"Tạo vé cho sự kiện của bạn, đặt giá và quản lý số lượng có sẵn.\",\"dkAPxi\":\"Tạo webhook\",\"5slqwZ\":\"Tạo sự kiện của bạn\",\"JQNMrj\":\"Tạo sự kiện đầu tiên của bạn\",\"CCjxOC\":\"Tạo sự kiện đầu tiên để bắt đầu bán vé và quản lý người tham dự.\",\"ZCSSd+\":\"Tạo sự kiện của riêng bạn\",\"67NsZP\":\"Đang tạo sự kiện...\",\"H34qcM\":\"Đang tạo nhà tổ chức...\",\"1YMS+X\":\"Đang tạo sự kiện của bạn, vui lòng đợi\",\"yiy8Jt\":\"Đang tạo hồ sơ nhà tổ chức của bạn, vui lòng đợi\",\"lfLHNz\":\"Nhãn CTA là bắt buộc\",\"BMtue0\":\"Bộ xử lý thanh toán hiện tại\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"Tin nhắn tùy chỉnh sau thanh toán\",\"axv/Mi\":\"Mẫu tùy chỉnh\",\"QMHSMS\":\"Khách hàng sẽ nhận email xác nhận hoàn tiền\",\"L/Qc+w\":\"Địa chỉ email khách hàng\",\"wpfWhJ\":\"Tên khách hàng\",\"GIoqtA\":\"Họ khách hàng\",\"NihQNk\":\"Khách hàng\",\"7gsjkI\":\"Tùy chỉnh email gửi cho khách hàng bằng mẫu Liquid. Các mẫu này sẽ được dùng làm mặc định cho tất cả sự kiện trong tổ chức của bạn.\",\"iX6SLo\":\"Tùy chỉnh văn bản trên nút tiếp tục\",\"pxNIxa\":\"Tùy chỉnh mẫu email của bạn bằng mẫu Liquid\",\"q9Jg0H\":\"Tùy chỉnh trang sự kiện và thiết kế widget của bạn để phù hợp với thương hiệu của bạn một cách hoàn hảo\",\"mkLlne\":\"Tùy chỉnh giao diện trang sự kiện của bạn\",\"3trPKm\":\"Tùy chỉnh giao diện trang tổ chức của bạn\",\"4df0iX\":\"Tùy chỉnh giao diện vé của bạn\",\"/gWrVZ\":\"Doanh thu hàng ngày, thuế, phí và hoàn tiền cho tất cả sự kiện\",\"zgCHnE\":\"Báo cáo doanh số hàng ngày\",\"nHm0AI\":\"Chi tiết doanh số hàng ngày, thuế và phí\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"Ngày của sự kiện\",\"gnBreG\":\"Ngày đặt đơn hàng\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"Mẫu mặc định sẽ được sử dụng\",\"vu7gDm\":\"Xóa đối tác\",\"+jw/c1\":\"Xóa ảnh\",\"dPyJ15\":\"Xóa mẫu\",\"snMaH4\":\"Xóa webhook\",\"vYgeDk\":\"Bỏ chọn tất cả\",\"NvuEhl\":\"Các yếu tố thiết kế\",\"H8kMHT\":\"Không nhận được mã?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Bỏ qua thông báo này\",\"BREO0S\":\"Hiển thị hộp kiểm cho phép khách hàng đăng ký nhận thông tin tiếp thị từ ban tổ chức sự kiện này.\",\"TvY/XA\":\"Tài liệu\",\"Kdpf90\":\"Đừng quên!\",\"V6Jjbr\":\"Chưa có tài khoản? <0>Đăng ký\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"Xong\",\"eneWvv\":\"Bản nháp\",\"TnzbL+\":\"Do rủi ro spam cao, bạn phải kết nối tài khoản Stripe trước khi có thể gửi tin nhắn đến người tham dự.\\nĐiều này để đảm bảo rằng tất cả các tổ chức sự kiện đều được xác minh và chịu trách nhiệm.\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"Nhân bản sản phẩm\",\"KIjvtr\":\"Tiếng Hà Lan\",\"SPKbfM\":\"ví dụ: Mua vé, Đăng ký ngay\",\"LTzmgK\":[\"Chỉnh sửa mẫu \",[\"0\"]],\"v4+lcZ\":\"Chỉnh sửa đối tác\",\"2iZEz7\":\"Chỉnh sửa câu trả lời\",\"fW5sSv\":\"Chỉnh sửa webhook\",\"nP7CdQ\":\"Chỉnh sửa webhook\",\"uBAxNB\":\"Trình chỉnh sửa\",\"aqxYLv\":\"Giáo dục\",\"zPiC+q\":\"Danh Sách Đăng Ký Đủ Điều Kiện\",\"V2sk3H\":\"Email & Mẫu\",\"hbwCKE\":\"Đã sao chép địa chỉ email vào clipboard\",\"dSyJj6\":\"Địa chỉ email không khớp\",\"elW7Tn\":\"Nội dung email\",\"ZsZeV2\":\"Email là bắt buộc\",\"Be4gD+\":\"Xem trước email\",\"6IwNUc\":\"Mẫu email\",\"H/UMUG\":\"Yêu cầu xác minh email\",\"L86zy2\":\"Xác thực email thành công!\",\"Upeg/u\":\"Kích hoạt mẫu này để gửi email\",\"RxzN1M\":\"Đã bật\",\"sGjBEq\":\"Ngày và giờ kết thúc (tùy chọn)\",\"PKXt9R\":\"Ngày kết thúc phải sau ngày bắt đầu\",\"48Y16Q\":\"Thời gian kết thúc (tùy chọn)\",\"7YZofi\":\"Nhập tiêu đề và nội dung để xem trước\",\"3bR1r4\":\"Nhập email đối tác (tùy chọn)\",\"ARkzso\":\"Nhập tên đối tác\",\"INDKM9\":\"Nhập tiêu đề email...\",\"kWg31j\":\"Nhập mã đối tác duy nhất\",\"C3nD/1\":\"Nhập email của bạn\",\"n9V+ps\":\"Nhập tên của bạn\",\"LslKhj\":\"Lỗi khi tải nhật ký\",\"WgD6rb\":\"Danh mục sự kiện\",\"b46pt5\":\"Ảnh bìa sự kiện\",\"1Hzev4\":\"Mẫu tùy chỉnh sự kiện\",\"imgKgl\":\"Mô tả sự kiện\",\"kJDmsI\":\"Chi tiết sự kiện\",\"m/N7Zq\":\"Địa Chỉ Đầy Đủ Sự Kiện\",\"Nl1ZtM\":\"Địa điểm sự kiện\",\"PYs3rP\":\"Tên sự kiện\",\"HhwcTQ\":\"Tên sự kiện\",\"WZZzB6\":\"Tên sự kiện là bắt buộc\",\"Wd5CDM\":\"Tên sự kiện nên ít hơn 150 ký tự\",\"4JzCvP\":\"Sự kiện không có sẵn\",\"Gh9Oqb\":\"Tên ban tổ chức sự kiện\",\"mImacG\":\"Trang sự kiện\",\"cOePZk\":\"Thời gian sự kiện\",\"e8WNln\":\"Múi giờ sự kiện\",\"GeqWgj\":\"Múi Giờ Sự Kiện\",\"XVLu2v\":\"Tiêu đề sự kiện\",\"YDVUVl\":\"Loại sự kiện\",\"4K2OjV\":\"Địa Điểm Sự Kiện\",\"19j6uh\":\"Hiệu suất sự kiện\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"Mọi mẫu email phải bao gồm nút hành động liên kết đến trang thích hợp\",\"VlvpJ0\":\"Xuất câu trả lời\",\"JKfSAv\":\"Xuất thất bại. Vui lòng thử lại.\",\"SVOEsu\":\"Đã bắt đầu xuất. Đang chuẩn bị tệp...\",\"9bpUSo\":\"Đang xuất danh sách đối tác\",\"jtrqH9\":\"Đang xuất danh sách người tham dự\",\"R4Oqr8\":\"Xuất hoàn tất. Đang tải xuống tệp...\",\"UlAK8E\":\"Đang xuất đơn hàng\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Không thể hủy đơn hàng. Vui lòng thử lại.\",\"cEFg3R\":\"Không thể tạo đối tác\",\"U66oUa\":\"Không thể tạo mẫu\",\"xFj7Yj\":\"Không thể xóa mẫu\",\"jo3Gm6\":\"Không thể xuất danh sách đối tác\",\"Jjw03p\":\"Không thể xuất danh sách người tham dự\",\"ZPwFnN\":\"Không thể xuất đơn hàng\",\"X4o0MX\":\"Không thể tải Webhook\",\"YQ3QSS\":\"Không thể gửi lại mã xác thực\",\"zTkTF3\":\"Không thể lưu mẫu\",\"T6B2gk\":\"Không thể gửi tin nhắn. Vui lòng thử lại.\",\"lKh069\":\"Không thể bắt đầu quá trình xuất\",\"t/KVOk\":\"Không thể bắt đầu mạo danh. Vui lòng thử lại.\",\"QXgjH0\":\"Không thể dừng mạo danh. Vui lòng thử lại.\",\"i0QKrm\":\"Không thể cập nhật đối tác\",\"NNc33d\":\"Không thể cập nhật câu trả lời.\",\"7/9RFs\":\"Không thể tải ảnh lên.\",\"nkNfWu\":\"Tải ảnh lên không thành công. Vui lòng thử lại.\",\"rxy0tG\":\"Không thể xác thực email\",\"T4BMxU\":\"Các khoản phí có thể thay đổi. Bạn sẽ được thông báo về bất kỳ thay đổi nào trong cấu trúc phí của mình.\",\"cf35MA\":\"Lễ hội\",\"VejKUM\":\"Vui lòng điền thông tin của bạn ở trên trước\",\"8OvVZZ\":\"Lọc Người Tham Dự\",\"8BwQeU\":\"Hoàn thành thiết lập\",\"hg80P7\":\"Hoàn thành thiết lập Stripe\",\"1vBhpG\":\"Người tham dự đầu tiên\",\"YXhom6\":\"Phí cố định:\",\"KgxI80\":\"Vé linh hoạt\",\"lWxAUo\":\"Ẩm thực\",\"nFm+5u\":\"Văn bản chân trang\",\"MY2SVM\":\"Hoàn tiền toàn bộ\",\"vAVBBv\":\"Tích hợp hoàn toàn\",\"T02gNN\":\"Vé phổ thông\",\"3ep0Gx\":\"Thông tin chung về nhà tổ chức của bạn\",\"ziAjHi\":\"Tạo\",\"exy8uo\":\"Tạo mã\",\"4CETZY\":\"Chỉ đường\",\"kfVY6V\":\"Bắt đầu miễn phí, không có phí đăng ký\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"Chuẩn bị sự kiện của bạn\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Đến trang sự kiện\",\"gHSuV/\":\"Đi đến trang chủ\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"Doanh thu gộp\",\"kTSQej\":[\"Xin chào \",[\"0\"],\", quản lý nền tảng của bạn từ đây.\"],\"dORAcs\":\"Đây là tất cả các vé liên kết với địa chỉ email của bạn.\",\"g+2103\":\"Đây là liên kết đối tác của bạn\",\"QlwJ9d\":\"Đây là những gì cần mong đợi:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"Ẩn câu trả lời\",\"gtEbeW\":\"Nổi bật\",\"NF8sdv\":\"Tin nhắn nổi bật\",\"MXSqmS\":\"Làm nổi bật sản phẩm này\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"Sản phẩm nổi bật sẽ có màu nền khác để nổi bật trên trang sự kiện.\",\"i0qMbr\":\"Trang chủ\",\"AVpmAa\":\"Cách thanh toán offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Tiếng Hungary\",\"4/kP5a\":\"Nếu tab mới không tự động mở, vui lòng nhấn nút bên dưới để tiếp tục thanh toán.\",\"wOU3Tr\":\"Nếu bạn có tài khoản với chúng tôi, bạn sẽ nhận được email với hướng dẫn cách đặt lại mật khẩu.\",\"an5hVd\":\"Hình ảnh\",\"tSVr6t\":\"Mạo danh\",\"TWXU0c\":\"Mạo danh người dùng\",\"5LAZwq\":\"Đã bắt đầu mạo danh\",\"IMwcdR\":\"Đã dừng mạo danh\",\"M8M6fs\":\"Quan trọng: Cần kết nối lại Stripe\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"Phân tích chuyên sâu\",\"F1Xp97\":\"Người tham dự riêng lẻ\",\"85e6zs\":\"Chèn token Liquid\",\"38KFY0\":\"Chèn biến\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Email không hợp lệ\",\"5tT0+u\":\"Định dạng email không hợp lệ\",\"tnL+GP\":\"Cú pháp Liquid không hợp lệ. Vui lòng sửa và thử lại.\",\"g+lLS9\":\"Mời thành viên nhóm\",\"1z26sk\":\"Mời thành viên nhóm\",\"KR0679\":\"Mời các thành viên nhóm\",\"aH6ZIb\":\"Mời nhóm của bạn\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"Tiếng Ý\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"Tham gia từ bất cứ đâu\",\"hTJ4fB\":\"Chỉ cần nhấn nút bên dưới để kết nối lại tài khoản Stripe của bạn.\",\"MxjCqk\":\"Chỉ đang tìm vé của bạn?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"Phản hồi cuối cùng\",\"gw3Ur5\":\"Trình kích hoạt cuối cùng\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"Liên kết hết hạn hoặc không hợp lệ\",\"psosdY\":\"Liên kết đến chi tiết đơn hàng\",\"6JzK4N\":\"Liên kết đến vé\",\"shkJ3U\":\"Liên kết tài khoản Stripe của bạn để nhận tiền từ việc bán vé.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Trực tiếp\",\"fpMs2Z\":\"TRỰC TIẾP\",\"D9zTjx\":\"Sự Kiện Trực Tiếp\",\"WdmJIX\":\"Đang tải xem trước...\",\"IoDI2o\":\"Đang tải token...\",\"NFxlHW\":\"Đang tải Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Ảnh bìa\",\"gddQe0\":\"Logo và ảnh bìa cho nhà tổ chức của bạn\",\"TBEnp1\":\"Logo sẽ được hiển thị trong phần đầu trang\",\"Jzu30R\":\"Logo sẽ được hiển thị trên vé\",\"4wUIjX\":\"Làm cho sự kiện của bạn hoạt động\",\"0A7TvI\":\"Quản lý sự kiện\",\"2FzaR1\":\"Quản lý xử lý thanh toán và xem phí nền tảng của bạn\",\"/x0FyM\":\"Phù hợp với thương hiệu của bạn\",\"xDAtGP\":\"Tin nhắn\",\"1jRD0v\":\"Nhắn tin cho người tham dự có vé cụ thể\",\"97QrnA\":\"Tin nhắn cho người tham dự, quản lý đơn hàng và xử lý hoàn lại tất cả ở một nơi\",\"48rf3i\":\"Tin nhắn không được quá 5000 ký tự\",\"Vjat/X\":\"Tin nhắn là bắt buộc\",\"0/yJtP\":\"Nhắn tin cho chủ đơn hàng có sản phẩm cụ thể\",\"tccUcA\":\"Check-in trên thiết bị di động\",\"GfaxEk\":\"Âm nhạc\",\"oVGCGh\":\"Vé Của Tôi\",\"8/brI5\":\"Tên là bắt buộc\",\"sCV5Yc\":\"Tên sự kiện\",\"xxU3NX\":\"Doanh thu ròng\",\"eWRECP\":\"Cuộc sống về đêm\",\"VHfLAW\":\"Không có tài khoản\",\"+jIeoh\":\"Không tìm thấy tài khoản\",\"074+X8\":\"Không có Webhook hoạt động\",\"zxnup4\":\"Không có đối tác nào\",\"99ntUF\":\"Không có danh sách đăng ký nào cho sự kiện này.\",\"6r9SGl\":\"Không yêu cầu thẻ tín dụng\",\"eb47T5\":\"Không tìm thấy dữ liệu cho bộ lọc đã chọn. Hãy thử điều chỉnh khoảng thời gian hoặc tiền tệ.\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"Không tìm thấy sự kiện\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"Chưa có sự kiện nào\",\"54GxeB\":\"Không ảnh hưởng đến giao dịch hiện tại hoặc quá khứ của bạn\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"Không tìm thấy nhật ký\",\"NEmyqy\":\"Chưa có đơn hàng nào\",\"B7w4KY\":\"Không có nhà tổ chức nào khác\",\"6jYQGG\":\"Không có sự kiện trước đó\",\"zK/+ef\":\"Không có sản phẩm nào có sẵn để lựa chọn\",\"QoAi8D\":\"Không có phản hồi\",\"EK/G11\":\"Chưa có phản hồi\",\"3sRuiW\":\"Không tìm thấy vé\",\"yM5c0q\":\"Không có sự kiện sắp tới\",\"qpC74J\":\"Không tìm thấy người dùng\",\"n5vdm2\":\"Chưa có sự kiện webhook nào được ghi nhận cho điểm cuối này. Sự kiện sẽ xuất hiện ở đây khi chúng được kích hoạt.\",\"4GhX3c\":\"Không có webhooks\",\"4+am6b\":\"Không, giữ tôi ở đây\",\"x5+Lcz\":\"Chưa Đăng Ký\",\"8n10sz\":\"Không Đủ Điều Kiện\",\"lQgMLn\":\"Tên văn phòng hoặc địa điểm\",\"6Aih4U\":\"Ngoại tuyến\",\"Z6gBGW\":\"Thanh toán ngoại tuyến\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"Khi bạn hoàn thành nâng cấp, tài khoản cũ sẽ chỉ được sử dụng để hoàn tiền.\",\"oXOSPE\":\"Trực tuyến\",\"WjSpu5\":\"Sự kiện trực tuyến\",\"bU7oUm\":\"Chỉ gửi đến các đơn hàng có trạng thái này\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"Mở bảng điều khiển Stripe\",\"HXMJxH\":\"Văn bản tùy chọn cho tuyên bố từ chối, thông tin liên hệ hoặc ghi chú cảm ơn (chỉ một dòng)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"Đơn hàng đã hủy\",\"b6+Y+n\":\"Đơn hàng hoàn tất\",\"x4MLWE\":\"Xác nhận đơn hàng\",\"ppuQR4\":\"Đơn hàng được tạo\",\"0UZTSq\":\"Đơn Vị Tiền Tệ Đơn Hàng\",\"HdmwrI\":\"Email đơn hàng\",\"bwBlJv\":\"Tên trong đơn hàng\",\"vrSW9M\":\"Đơn hàng đã được hủy và hoàn tiền. Chủ đơn hàng đã được thông báo.\",\"+spgqH\":[\"Mã đơn hàng: \",[\"0\"]],\"Pc729f\":\"Đơn Hàng Đang Chờ Thanh Toán Ngoại Tuyến\",\"F4NXOl\":\"Họ trong đơn hàng\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"Ngôn Ngữ Đơn Hàng\",\"vu6Arl\":\"Đơn hàng được đánh dấu là đã trả\",\"sLbJQz\":\"Không tìm thấy đơn hàng\",\"i8VBuv\":\"Số đơn hàng\",\"FaPYw+\":\"Chủ sở hữu đơn hàng\",\"eB5vce\":\"Chủ đơn hàng có sản phẩm cụ thể\",\"CxLoxM\":\"Chủ đơn hàng có sản phẩm\",\"DoH3fD\":\"Thanh Toán Đơn Hàng Đang Chờ\",\"EZy55F\":\"Đơn hàng đã hoàn lại\",\"6eSHqs\":\"Trạng thái đơn hàng\",\"oW5877\":\"Tổng đơn hàng\",\"e7eZuA\":\"Đơn hàng cập nhật\",\"KndP6g\":\"URL đơn hàng\",\"3NT0Ck\":\"Đơn hàng đã bị hủy\",\"5It1cQ\":\"Đơn hàng đã được xuất\",\"B/EBQv\":\"Đơn hàng:\",\"ucgZ0o\":\"Tổ chức\",\"S3CZ5M\":\"Bảng điều khiển nhà tổ chức\",\"Uu0hZq\":\"Email nhà tổ chức\",\"Gy7BA3\":\"Địa chỉ email nhà tổ chức\",\"SQqJd8\":\"Không tìm thấy nhà tổ chức\",\"wpj63n\":\"Cài đặt nhà tổ chức\",\"coIKFu\":\"Không có thống kê nào cho nhà tổ chức với loại tiền tệ đã chọn hoặc đã xảy ra lỗi.\",\"o1my93\":\"Cập nhật trạng thái nhà tổ chức thất bại. Vui lòng thử lại sau\",\"rLHma1\":\"Trạng thái nhà tổ chức đã được cập nhật\",\"LqBITi\":\"Mẫu của tổ chức/mặc định sẽ được sử dụng\",\"/IX/7x\":\"Khác\",\"RsiDDQ\":\"Danh Sách Khác (Vé Không Bao Gồm)\",\"6/dCYd\":\"Tổng quan\",\"8uqsE5\":\"Trang không còn khả dụng\",\"QkLf4H\":\"URL trang\",\"sF+Xp9\":\"Lượt xem trang\",\"5F7SYw\":\"Hoàn tiền một phần\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"Đã qua\",\"xTPjSy\":\"Sự kiện đã qua\",\"/l/ckQ\":\"Dán URL\",\"URAE3q\":\"Tạm dừng\",\"4fL/V7\":\"Thanh toán\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"Thanh toán & Gói\",\"ENEPLY\":\"Phương thức thanh toán\",\"EyE8E6\":\"Thanh toán đang xử lý\",\"8Lx2X7\":\"Đã nhận thanh toán\",\"vcyz2L\":\"Cài đặt thanh toán\",\"fx8BTd\":\"Thanh toán không khả dụng\",\"51U9mG\":\"Thanh toán sẽ tiếp tục diễn ra không bị gián đoạn\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"Hiệu suất\",\"zmwvG2\":\"Điện thoại\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Đang lên kế hoạch cho một sự kiện?\",\"br3Y/y\":\"Phí nền tảng\",\"jEw0Mr\":\"Vui lòng nhập URL hợp lệ\",\"n8+Ng/\":\"Vui lòng nhập mã 5 chữ số\",\"Dvq0wf\":\"Vui lòng cung cấp một hình ảnh.\",\"2cUopP\":\"Vui lòng bắt đầu lại quy trình thanh toán.\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"Vui lòng chọn một hình ảnh.\",\"fuwKpE\":\"Vui lòng thử lại.\",\"klWBeI\":\"Vui lòng đợi trước khi yêu cầu mã khác\",\"hfHhaa\":\"Vui lòng đợi trong khi chúng tôi chuẩn bị xuất danh sách đối tác...\",\"o+tJN/\":\"Vui lòng đợi trong khi chúng tôi chuẩn bị cho người tham dự xuất ra...\",\"+5Mlle\":\"Vui lòng đợi trong khi chúng tôi chuẩn bị đơn hàng của bạn để xuất ra...\",\"TjX7xL\":\"Tin Nhắn Sau Thanh Toán\",\"cs5muu\":\"Xem trước trang sự kiện\",\"+4yRWM\":\"Giá vé\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"Xem trước khi in\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"In ra PDF\",\"LcET2C\":\"Chính sách quyền riêng tư\",\"8z6Y5D\":\"Xử lý hoàn tiền\",\"JcejNJ\":\"Đang xử lý đơn hàng\",\"EWCLpZ\":\"Sản phẩm được tạo ra\",\"XkFYVB\":\"Xóa sản phẩm\",\"YMwcbR\":\"Chi tiết doanh số sản phẩm, doanh thu và thuế\",\"ldVIlB\":\"Cập nhật sản phẩm\",\"mIqT3T\":\"Sản phẩm, Hàng hóa và Tùy chọn định giá linh hoạt\",\"JoKGiJ\":\"Mã khuyến mãi\",\"k3wH7i\":\"Chi tiết sử dụng mã khuyến mãi và giảm giá\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"Xuất bản\",\"evDBV8\":\"Công bố sự kiện\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"Quét mã QR với phản hồi tức thì và chia sẻ an toàn cho quyền truy cập nhân viên\",\"fqDzSu\":\"Tỷ lệ\",\"spsZys\":\"Sẵn sàng nâng cấp? Điều này chỉ mất vài phút.\",\"Fi3b48\":\"Đơn hàng gần đây\",\"Edm6av\":\"Kết nối lại Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Đang chuyển hướng đến Stripe...\",\"ACKu03\":\"Làm mới xem trước\",\"fKn/k6\":\"Số tiền hoàn lại\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"Hoàn tiền đơn hàng \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"Hoàn tiền\",\"CQeZT8\":\"Không tìm thấy báo cáo\",\"JEPMXN\":\"Yêu cầu liên kết mới\",\"mdeIOH\":\"Gửi lại mã\",\"bxoWpz\":\"Gửi lại email xác nhận\",\"G42SNI\":\"Gửi lại email\",\"TTpXL3\":[\"Gửi lại sau \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"Đặt trước đến\",\"slOprG\":\"Đặt lại mật khẩu của bạn\",\"CbnrWb\":\"Quay lại sự kiện\",\"Oo/PLb\":\"Tóm tắt doanh thu\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"Doanh số\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"Doanh số, đơn hàng và chỉ số hiệu suất cho tất cả sự kiện\",\"3Q1AWe\":\"Doanh thu:\",\"8BRPoH\":\"Địa điểm Mẫu\",\"KZrfYJ\":\"Lưu liên kết mạng xã hội\",\"9Y3hAT\":\"Lưu mẫu\",\"C8ne4X\":\"Lưu thiết kế vé\",\"I+FvbD\":\"Quét\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"Tìm kiếm đối tác...\",\"VY+Bdn\":\"Tìm kiếm theo tên tài khoản hoặc email...\",\"VX+B3I\":\"Tìm kiếm theo tiêu đề sự kiện hoặc người tổ chức...\",\"GHdjuo\":\"Tìm kiếm theo tên, email hoặc tài khoản...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"Chọn danh mục\",\"BFRSTT\":\"Chọn Tài Khoản\",\"mCB6Je\":\"Chọn tất cả\",\"kYZSFD\":\"Chọn một nhà tổ chức để xem bảng điều khiển và sự kiện của họ.\",\"tVW/yo\":\"Chọn tiền tệ\",\"n9ZhRa\":\"Chọn ngày và giờ kết thúc\",\"gTN6Ws\":\"Chọn thời gian kết thúc\",\"0U6E9W\":\"Chọn danh mục sự kiện\",\"j9cPeF\":\"Chọn loại sự kiện\",\"1nhy8G\":\"Chọn loại máy quét\",\"KizCK7\":\"Chọn ngày và giờ bắt đầu\",\"dJZTv2\":\"Chọn thời gian bắt đầu\",\"aT3jZX\":\"Chọn múi giờ\",\"Ropvj0\":\"Chọn những sự kiện nào sẽ kích hoạt webhook này\",\"BG3f7v\":\"Bán bất cứ thứ gì\",\"VtX8nW\":\"Bán hàng hóa cùng với vé, hỗ trợ thuế và mã khuyến mãi tích hợp\",\"Cye3uV\":\"Bán nhiều hơn vé\",\"j9b/iy\":\"Bán chạy 🔥\",\"1lNPhX\":\"Gửi email thông báo hoàn tiền\",\"SPdzrs\":\"Gửi cho khách hàng khi họ đặt hàng\",\"LxSN5F\":\"Gửi cho từng người tham dự với chi tiết vé của họ\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"Thiết lập tổ chức của bạn\",\"HbUQWA\":\"Thiết lập trong vài phút\",\"GG7qDw\":\"Chia sẻ liên kết đối tác\",\"hL7sDJ\":\"Chia sẻ trang nhà tổ chức\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"Hiển thị tất cả nền tảng (\",[\"0\"],\" có giá trị khác)\"],\"UVPI5D\":\"Hiển thị ít nền tảng hơn\",\"Eu/N/d\":\"Hiển thị hộp kiểm đăng ký tiếp thị\",\"SXzpzO\":\"Hiển thị hộp kiểm đăng ký tiếp thị theo mặc định\",\"b33PL9\":\"Hiển thị thêm nền tảng\",\"v6IwHE\":\"Check-in thông minh\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Xã hội\",\"d0rUsW\":\"Liên kết mạng xã hội\",\"j/TOB3\":\"Liên kết mạng xã hội & Trang web\",\"2pxNFK\":\"đã bán\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"Có gì đó không ổn, vui lòng thử lại hoặc liên hệ với hỗ trợ nếu vấn đề vẫn còn\",\"H6Gslz\":\"Xin lỗi vì sự bất tiện này.\",\"7JFNej\":\"Thể thao\",\"JcQp9p\":\"Ngày & giờ bắt đầu\",\"0m/ekX\":\"Ngày và giờ bắt đầu\",\"izRfYP\":\"Ngày bắt đầu là bắt buộc\",\"2R1+Rv\":\"Thời gian bắt đầu sự kiện\",\"2NbyY/\":\"Thống kê\",\"DRykfS\":\"Vẫn đang xử lý hoàn tiền cho các giao dịch cũ của bạn.\",\"wuV0bK\":\"Dừng Mạo Danh\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Thiết lập Stripe đã hoàn tất.\",\"ii0qn/\":\"Tiêu đề là bắt buộc\",\"M7Uapz\":\"Tiêu đề sẽ xuất hiện ở đây\",\"6aXq+t\":\"Tiêu đề:\",\"JwTmB6\":\"Sản phẩm nhân đôi thành công\",\"RuaKfn\":\"Cập nhật địa chỉ thành công\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"Cập nhật nhà tổ chức thành công\",\"0Dk/l8\":\"Cập nhật cài đặt SEO thành công\",\"MhOoLQ\":\"Cập nhật liên kết mạng xã hội thành công\",\"kj7zYe\":\"Cập nhật Webhook thành công\",\"dXoieq\":\"Tóm tắt\",\"/RfJXt\":[\"Lễ hội âm nhạc mùa hè \",[\"0\"]],\"CWOPIK\":\"Lễ hội Âm nhạc Mùa hè 2025\",\"5gIl+x\":\"Hỗ trợ bán hàng theo bậc, dựa trên quyên góp và bán sản phẩm với giá và sức chứa tùy chỉnh\",\"JZTQI0\":\"Chuyển đổi nhà tổ chức\",\"XX32BM\":\"Chỉ mất vài phút\",\"yT6dQ8\":\"Thuế thu được theo loại thuế và sự kiện\",\"Ye321X\":\"Tên thuế\",\"WyCBRt\":\"Tóm tắt thuế\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"Công nghệ\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Hãy cho mọi người biết điều gì sẽ có tại sự kiện của bạn\",\"NiIUyb\":\"Hãy cho chúng tôi biết về sự kiện của bạn\",\"DovcfC\":\"Hãy cho chúng tôi biết về tổ chức của bạn. Thông tin này sẽ được hiển thị trên các trang sự kiện của bạn.\",\"7wtpH5\":\"Mẫu đang hoạt động\",\"QHhZeE\":\"Tạo mẫu thành công\",\"xrWdPR\":\"Xóa mẫu thành công\",\"G04Zjt\":\"Lưu mẫu thành công\",\"xowcRf\":\"Điều khoản dịch vụ\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"Cảm ơn bạn đã tham dự!\",\"lhAWqI\":\"Cảm ơn sự hỗ trợ của bạn khi chúng tôi tiếp tục phát triển và cải thiện Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"Mã sẽ hết hạn sau 10 phút. Kiểm tra thư mục spam nếu bạn không thấy email.\",\"MJm4Tq\":\"Đơn vị tiền tệ của đơn hàng\",\"I/NNtI\":\"Địa điểm sự kiện\",\"tXadb0\":\"Sự kiện bạn đang tìm kiếm hiện không khả dụng. Nó có thể đã bị xóa, hết hạn hoặc URL không chính xác.\",\"EBzPwC\":\"Địa chỉ đầy đủ của sự kiện\",\"sxKqBm\":\"Toàn bộ số tiền đơn hàng sẽ được hoàn lại phương thức thanh toán gốc của khách hàng.\",\"5OmEal\":\"Ngôn ngữ của khách hàng\",\"sYLeDq\":\"Không tìm thấy nhà tổ chức bạn đang tìm kiếm. Trang có thể đã bị chuyển, xóa hoặc URL không chính xác.\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"Nội dung template chứa cú pháp Liquid không hợp lệ. Vui lòng sửa và thử lại.\",\"A4UmDy\":\"Sân khấu\",\"tDwYhx\":\"Chủ đề & Màu sắc\",\"HirZe8\":\"Các mẫu này sẽ được sử dụng làm mặc định cho tất cả sự kiện trong tổ chức của bạn. Các sự kiện riêng lẻ có thể ghi đè các mẫu này bằng phiên bản tùy chỉnh của riêng họ.\",\"lzAaG5\":\"Các mẫu này sẽ ghi đè mặc định của tổ chức chỉ cho sự kiện này. Nếu không có mẫu tùy chỉnh nào được thiết lập ở đây, mẫu của tổ chức sẽ được sử dụng thay thế.\",\"XBNC3E\":\"Mã này sẽ được dùng để theo dõi doanh số. Chỉ cho phép chữ cái, số, dấu gạch ngang và dấu gạch dưới.\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"Sự kiện này chưa được xuất bản\",\"dFJnia\":\"Đây là tên nhà tổ chức sẽ hiển thị cho người dùng của bạn.\",\"L7dIM7\":\"Liên kết này không hợp lệ hoặc đã hết hạn.\",\"j5FdeA\":\"Đơn hàng này đang được xử lý.\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"Đơn hàng này đã bị hủy. Bạn có thể bắt đầu đơn hàng mới bất cứ lúc nào.\",\"lyD7rQ\":\"Hồ sơ nhà tổ chức này chưa được xuất bản\",\"9b5956\":\"Xem trước này cho thấy email của bạn sẽ trông như thế nào với dữ liệu mẫu. Email thực tế sẽ sử dụng giá trị thực.\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"Vé này vừa được quét. Vui lòng chờ trước khi quét lại.\",\"kvpxIU\":\"Thông tin này sẽ được dùng để gửi thông báo và liên hệ với người dùng của bạn.\",\"rhsath\":\"Thông tin này sẽ không hiển thị với khách hàng, nhưng giúp bạn nhận diện đối tác.\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"Thiết kế vé\",\"EZC/Cu\":\"Thiết kế vé đã được lưu thành công\",\"1BPctx\":\"Vé cho\",\"bgqf+K\":\"Email người giữ vé\",\"oR7zL3\":\"Tên người giữ vé\",\"HGuXjF\":\"Người sở hữu vé\",\"awHmAT\":\"ID vé\",\"6czJik\":\"Logo Vé\",\"OkRZ4Z\":\"Tên vé\",\"6tmWch\":\"Vé hoặc sản phẩm\",\"1tfWrD\":\"Xem trước vé cho\",\"tGCY6d\":\"Giá vé\",\"8jLPgH\":\"Loại vé\",\"X26cQf\":\"URL vé\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"Vé & Sản phẩm\",\"EUnesn\":\"Vé còn sẵn\",\"AGRilS\":\"Vé Đã Bán\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Để nhận thanh toán bằng thẻ tín dụng, bạn cần kết nối tài khoản Stripe của mình. Stripe là đối tác xử lý thanh toán của chúng tôi, đảm bảo giao dịch an toàn và thanh toán kịp thời.\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"Tổng Tài Khoản\",\"EaAPbv\":\"Tổng số tiền đã trả\",\"SMDzqJ\":\"Tổng số người tham dự\",\"orBECM\":\"Tổng thu được\",\"KSDwd5\":\"Tổng số đơn hàng\",\"vb0Q0/\":\"Tổng Người Dùng\",\"/b6Z1R\":\"Theo dõi doanh thu, lượt xem trang và bán hàng với các phân tích chi tiết và báo cáo có thể xuất khẩu\",\"OpKMSn\":\"Phí giao dịch:\",\"uKOFO5\":\"Đúng nếu thanh toán ngoại tuyến\",\"9GsDR2\":\"Đúng nếu thanh toán đang chờ xử lý\",\"ouM5IM\":\"Thử email khác\",\"3DZvE7\":\"Dùng thử Hi.Events miễn phí\",\"Kz91g/\":\"Tiếng Thổ Nhĩ Kỳ\",\"GdOhw6\":\"Tắt âm thanh\",\"KUOhTy\":\"Bật âm thanh\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Loại vé\",\"IrVSu+\":\"Không thể nhân bản sản phẩm. Vui lòng kiểm tra thông tin của bạn\",\"Vx2J6x\":\"Không thể lấy thông tin người tham dự\",\"b9SN9q\":\"Mã tham chiếu đơn hàng duy nhất\",\"Ef7StM\":\"Không rõ\",\"ZBAScj\":\"Người tham dự không xác định\",\"ZkS2p3\":\"Hủy công bố sự kiện\",\"Pp1sWX\":\"Cập nhật đối tác\",\"KMMOAy\":\"Có nâng cấp\",\"gJQsLv\":\"Tải lên ảnh bìa cho nhà tổ chức của bạn\",\"4kEGqW\":\"Tải lên logo cho nhà tổ chức của bạn\",\"lnCMdg\":\"Tải ảnh lên\",\"29w7p6\":\"Đang tải ảnh...\",\"HtrFfw\":\"URL là bắt buộc\",\"WBq1/R\":\"Máy quét USB đã hoạt động\",\"EV30TR\":\"Chế độ máy quét USB đã kích hoạt. Bắt đầu quét vé ngay bây giờ.\",\"fovJi3\":\"Chế độ máy quét USB đã tắt\",\"hli+ga\":\"Máy quét USB/HID\",\"OHJXlK\":\"Sử dụng <0>mẫu Liquid để cá nhân hóa email của bạn\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Được sử dụng cho viền, vùng tô sáng và kiểu mã QR\",\"AdWhjZ\":\"Mã xác thực\",\"wCKkSr\":\"Xác thực email\",\"/IBv6X\":\"Xác minh email của bạn\",\"e/cvV1\":\"Đang xác thực...\",\"fROFIL\":\"Tiếng Việt\",\"+WFMis\":\"Xem và tải xuống báo cáo cho tất cả sự kiện của bạn. Chỉ bao gồm đơn hàng đã hoàn thành.\",\"gj5YGm\":\"Xem và tải xuống báo cáo cho sự kiện của bạn. Lưu ý rằng chỉ các đơn hàng đã hoàn thành mới được đưa vào các báo cáo này.\",\"c7VN/A\":\"Xem câu trả lời\",\"FCVmuU\":\"Xem sự kiện\",\"n6EaWL\":\"Xem nhật ký\",\"OaKTzt\":\"Xem bản đồ\",\"67OJ7t\":\"Xem đơn hàng\",\"tKKZn0\":\"Xem chi tiết đơn hàng\",\"9jnAcN\":\"Xem trang chủ nhà tổ chức\",\"1J/AWD\":\"Xem vé\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Chỉ hiển thị với nhân viên check-in. Giúp xác định danh sách này trong quá trình check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Đang chờ thanh toán\",\"RRZDED\":\"Chúng tôi không tìm thấy đơn hàng nào liên kết với địa chỉ email này.\",\"miysJh\":\"Chúng tôi không thể tìm thấy đơn hàng này. Nó có thể đã bị xóa.\",\"HJKdzP\":\"Đã xảy ra sự cố khi tải trang này. Vui lòng thử lại.\",\"IfN2Qo\":\"Chúng tôi khuyến nghị logo hình vuông với kích thước tối thiểu 200x200px\",\"wJzo/w\":\"Chúng tôi khuyến nghị kích thước 400px x 400px và dung lượng tối đa 5MB\",\"q1BizZ\":\"Chúng tôi sẽ gửi vé đến email này\",\"zCdObC\":\"Chúng tôi đã chính thức chuyển trụ sở chính đến Ireland 🇮🇪. Như một phần của quá trình chuyển đổi này, chúng tôi hiện sử dụng Stripe Ireland thay vì Stripe Canada. Để giữ cho các khoản thanh toán của bạn diễn ra suôn sẻ, bạn cần kết nối lại tài khoản Stripe của mình.\",\"jh2orE\":\"Chúng tôi đã chuyển trụ sở chính đến Ireland. Do đó, chúng tôi cần bạn kết nối lại tài khoản Stripe. Quy trình nhanh này chỉ mất vài phút. Doanh số và dữ liệu hiện tại của bạn hoàn toàn không bị ảnh hưởng.\",\"Fq/Nx7\":\"Chúng tôi đã gửi mã xác thực 5 chữ số đến:\",\"GdWB+V\":\"Webhook tạo thành công\",\"2X4ecw\":\"Webhook đã xóa thành công\",\"CThMKa\":\"Nhật ký webhook\",\"nuh/Wq\":\"URL Webhook\",\"8BMPMe\":\"Webhook sẽ không gửi thông báo\",\"FSaY52\":\"Webhook sẽ gửi thông báo\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Trang web\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Chào mừng trở lại 👋\",\"kSYpfa\":[\"Chào mừng đến với \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Chào mừng đến với \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Chào mừng đến với \",[\"0\"],\", đây là danh sách tất cả sự kiện của bạn\"],\"FaSXqR\":\"Loại sự kiện nào?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Khi một lượt check-in bị xóa\",\"Gmd0hv\":\"Khi một người tham dự mới được tạo ra\",\"Lc18qn\":\"Khi một đơn hàng mới được tạo\",\"dfkQIO\":\"Khi một sản phẩm mới được tạo ra\",\"8OhzyY\":\"Khi một sản phẩm bị xóa\",\"tRXdQ9\":\"Khi một sản phẩm được cập nhật\",\"Q7CWxp\":\"Khi một người tham dự bị hủy\",\"IuUoyV\":\"Khi một người tham dự được check-in\",\"nBVOd7\":\"Khi một người tham dự được cập nhật\",\"ny2r8d\":\"Khi một đơn hàng bị hủy\",\"c9RYbv\":\"Khi một đơn hàng được đánh dấu là đã thanh toán\",\"ejMDw1\":\"Khi một đơn hàng được hoàn trả\",\"fVPt0F\":\"Khi một đơn hàng được cập nhật\",\"bcYlvb\":\"Khi check-in đóng\",\"XIG669\":\"Khi check-in mở\",\"de6HLN\":\"Khi khách hàng mua vé, đơn hàng của họ sẽ hiển thị tại đây.\",\"blXLKj\":\"Khi được bật, các sự kiện mới sẽ hiển thị hộp kiểm đăng ký tiếp thị trong quá trình thanh toán. Điều này có thể được ghi đè cho từng sự kiện.\",\"uvIqcj\":\"Hội thảo\",\"EpknJA\":\"Viết tin nhắn của bạn tại đây...\",\"nhtR6Y\":\"X (Twitter)\",\"Tz5oXG\":\"Có, hủy đơn hàng của tôi\",\"QlSZU0\":[\"Bạn đang mạo danh <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Bạn đang thực hiện hoàn tiền một phần. Khách hàng sẽ được hoàn lại \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Bạn có thuế và phí được thêm vào một sản phẩm miễn phí. Bạn có muốn bỏ chúng?\",\"FVTVBy\":\"Bạn phải xác minh địa chỉ email trước khi cập nhật trạng thái nhà tổ chức.\",\"FRl8Jv\":\"Bạn cần xác minh email tài khoản trước khi có thể gửi tin nhắn.\",\"U3wiCB\":\"Bạn đã sẵn sàng! Thanh toán của bạn đang được xử lý suôn sẻ.\",\"MNFIxz\":[\"Bạn sẽ tham gia \",[\"0\"],\"!\"],\"x/xjzn\":\"Danh sách đối tác của bạn đã được xuất thành công.\",\"TF37u6\":\"Những người tham dự của bạn đã được xuất thành công.\",\"79lXGw\":\"Danh sách check-in của bạn đã được tạo thành công. Chia sẻ liên kết bên dưới với nhân viên check-in của bạn.\",\"BnlG9U\":\"Đơn hàng hiện tại của bạn sẽ bị mất.\",\"nBqgQb\":\"Email của bạn\",\"R02pnV\":\"Sự kiện của bạn phải được phát trực tiếp trước khi bạn có thể bán vé cho người tham dự.\",\"ifRqmm\":\"Tin nhắn của bạn đã được gửi thành công!\",\"/Rj5P4\":\"Tên của bạn\",\"naQW82\":\"Đơn hàng của bạn đã bị hủy.\",\"bhlHm/\":\"Đơn hàng của bạn đang chờ thanh toán\",\"XeNum6\":\"Đơn hàng của bạn đã được xuất thành công.\",\"Xd1R1a\":\"Địa chỉ nhà tổ chức của bạn\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Tài khoản Stripe của bạn đã được kết nối và đang xử lý thanh toán.\",\"vvO1I2\":\"Tài khoản Stripe của bạn được kết nối và sẵn sàng xử lý thanh toán.\",\"CnZ3Ou\":\"Vé của bạn đã được xác nhận.\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"'không có gì để hiển thị'\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>checked in thành công\"],\"yxhYRZ\":[[\"0\"],\" <0>checked out thành công\"],\"KMgp2+\":[[\"0\"],\" Có sẵn\"],\"Pmr5xp\":[[\"0\"],\" đã tạo thành công\"],\"FImCSc\":[[\"0\"],\" cập nhật thành công\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" đã checked in\"],\"Vjij1k\":[[\"ngày\"],\" ngày, \",[\"giờ\"],\" giờ, \",[\"phút\"],\" phút và \",[\"giây\"],\" giây\"],\"f3RdEk\":[[\"giờ\"],\" giờ, \",[\"phút\"],\" phút và \",[\"giây\"],\" giây\"],\"fyE7Au\":[[\"phút\"],\" phút và \",[\"giây\"],\" giây\"],\"NlQ0cx\":[\"Sự kiện đầu tiên của \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Phân bổ sức chứa cho phép bạn quản lý sức chứa trên các vé hoặc toàn bộ sự kiện. Điều này lý tưởng cho các sự kiện nhiều ngày, hội thảo và nhiều hoạt động khác, nơi việc kiểm soát số lượng người tham gia là rất quan trọng.<1>Ví dụ: bạn có thể liên kết một phân bổ sức chứa với vé <2>Ngày đầu tiên và <3>Tất cả các ngày. Khi đạt đến giới hạn, cả hai vé sẽ tự động ngừng bán.\",\"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> Vui lòng nhập giá không bao gồm thuế và phí. <1> Thuế và phí có thể được thêm vào bên dưới. \",\"ZjMs6e\":\"<0> Số lượng sản phẩm có sẵn cho sản phẩm này <1> Giá trị này có thể được ghi đè nếu có giới hạn công suất <2>\",\"E15xs8\":\"Thiết lập sự kiện của bạn\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎟️ Tùy chỉnh trang sự kiện của bạn\",\"3VPPdS\":\"💳 Kết nối với Stripe\",\"cjdktw\":\"🚀 Đặt sự kiện của bạn công khai\",\"rmelwV\":\"0 phút và 0 giây\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"123 Phố chính\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Trường nhập ngày. Hoàn hảo để hỏi ngày sinh, v.v.\",\"6euFZ/\":[\"Một mặc định \",[\"type\"],\" là tự động được áp dụng cho tất cả các sản phẩm mới. \"],\"SMUbbQ\":\"Đầu vào thả xuống chỉ cho phép một lựa chọn\",\"qv4bfj\":\"Một khoản phí, như phí đặt phòng hoặc phí dịch vụ\",\"POT0K/\":\"Một lượng cố định cho mỗi sản phẩm. Vd, $0.5 cho mỗi sản phẩm \",\"f4vJgj\":\"Đầu vào văn bản nhiều dòng\",\"OIPtI5\":\"Một tỷ lệ phần trăm của giá sản phẩm. \",\"ZthcdI\":\"Mã khuyến mãi không có giảm giá có thể được sử dụng để tiết lộ các sản phẩm ẩn.\",\"AG/qmQ\":\"Tùy chọn radio có nhiều tùy chọn nhưng chỉ có thể chọn một tùy chọn.\",\"h179TP\":\"Mô tả ngắn về sự kiện sẽ được hiển thị trong kết quả tìm kiếm và khi chia sẻ trên mạng xã hội. Theo mặc định, mô tả sự kiện sẽ được sử dụng.\",\"WKMnh4\":\"Một đầu vào văn bản dòng duy nhất\",\"BHZbFy\":\"Một câu hỏi duy nhất cho mỗi đơn hàng. Ví dụ: Địa chỉ giao hàng của bạn là gì?\",\"Fuh+dI\":\"Một câu hỏi duy nhất cho mỗi sản phẩm. Ví dụ: Kích thước áo thun của bạn là gì?\",\"RlJmQg\":\"Thuế tiêu chuẩn, như VAT hoặc GST\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"Chấp nhận chuyển khoản ngân hàng, séc hoặc các phương thức thanh toán offline khác\",\"hrvLf4\":\"Chấp nhận thanh toán thẻ tín dụng với Stripe\",\"bfXQ+N\":\"Chấp nhận lời mời\",\"AeXO77\":\"Tài khoản\",\"lkNdiH\":\"Tên tài khoản\",\"Puv7+X\":\"Cài đặt tài khoản\",\"OmylXO\":\"Tài khoản được cập nhật thành công\",\"7L01XJ\":\"Hành động\",\"FQBaXG\":\"Kích hoạt\",\"5T2HxQ\":\"Ngày kích hoạt\",\"F6pfE9\":\"Hoạt động\",\"/PN1DA\":\"Thêm mô tả cho danh sách check-in này\",\"0/vPdA\":\"Thêm bất kỳ ghi chú nào về người tham dự. Những ghi chú này sẽ không hiển thị cho người tham dự.\",\"Or1CPR\":\"Thêm bất kỳ ghi chú nào về người tham dự ...\",\"l3sZO1\":\"Thêm bất kỳ ghi chú nào về đơn hàng. Những ghi chú này sẽ không hiển thị cho khách hàng.\",\"xMekgu\":\"Thêm bất kỳ ghi chú nào về đơn hàng ...\",\"PGPGsL\":\"Thêm mô tả\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"Thêm hướng dẫn thanh toán offline (ví dụ: chi tiết chuyển khoản ngân hàng, nơi gửi séc, thời hạn thanh toán)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"Thêm mới\",\"TZxnm8\":\"Thêm tùy chọn\",\"24l4x6\":\"Thêm sản phẩm\",\"8q0EdE\":\"Thêm sản phẩm vào danh mục\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"Thêm câu hỏi\",\"yWiPh+\":\"Thêm thuế hoặc phí\",\"goOKRY\":\"Thêm tầng\",\"oZW/gT\":\"Thêm vào lịch\",\"pn5qSs\":\"Thông tin bổ sung\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"Địa chỉ\",\"NY/x1b\":\"Dòng địa chỉ 1\",\"POdIrN\":\"Dòng địa chỉ 1\",\"cormHa\":\"Dòng địa chỉ 2\",\"gwk5gg\":\"Dòng địa chỉ 2\",\"U3pytU\":\"Quản trị viên\",\"HLDaLi\":\"Người dùng quản trị có quyền truy cập đầy đủ vào các sự kiện và cài đặt tài khoản.\",\"W7AfhC\":\"Tất cả những người tham dự sự kiện này\",\"cde2hc\":\"Tất cả các sản phẩm\",\"5CQ+r0\":\"Cho phép người tham dự liên kết với đơn hàng chưa thanh toán được check-in\",\"ipYKgM\":\"Cho phép công cụ tìm kiếm lập chỉ mục\",\"LRbt6D\":\"Cho phép các công cụ tìm kiếm lập chỉ mục cho sự kiện này\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"Tuyệt vời, sự kiện, từ khóa ...\",\"hehnjM\":\"Số tiền\",\"R2O9Rg\":[\"Số tiền đã trả (\",[\"0\"],\")\"],\"V7MwOy\":\"Đã xảy ra lỗi trong khi tải trang\",\"Q7UCEH\":\"Vui lòng thử lại hoặc tải lại trang này\",\"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\":\"Đã xảy ra lỗi không mong muốn.\",\"byKna+\":\"Đã xảy ra lỗi không mong muốn. Vui lòng thử lại.\",\"ubdMGz\":\"Mọi thắc mắc từ chủ sở hữu sản phẩm sẽ được gửi đến địa chỉ email này. Địa chỉ này cũng sẽ được sử dụng làm địa chỉ \\\"trả lời\\\" cho tất cả email gửi từ sự kiện này.\",\"aAIQg2\":\"Giao diện\",\"Ym1gnK\":\"đã được áp dụng\",\"sy6fss\":[\"Áp dụng cho các sản phẩm \",[\"0\"]],\"kadJKg\":\"Áp dụng cho 1 sản phẩm\",\"DB8zMK\":\"Áp dụng\",\"GctSSm\":\"Áp dụng mã khuyến mãi\",\"ARBThj\":[\"Áp dụng \",[\"type\"],\" này cho tất cả các sản phẩm mới\"],\"S0ctOE\":\"Lưu trữ sự kiện\",\"TdfEV7\":\"Lưu trữ\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"Bạn có chắc mình muốn kích hoạt người tham dự này không?\",\"TvkW9+\":\"Bạn có chắc mình muốn lưu trữ sự kiện này không?\",\"/CV2x+\":\"Bạn có chắc mình muốn hủy người tham dự này không? Điều này sẽ làm mất hiệu lực vé của họ\",\"YgRSEE\":\"Bạn có chắc là bạn muốn xóa mã khuyến mãi này không?\",\"iU234U\":\"Bạn có chắc là bạn muốn xóa câu hỏi này không?\",\"CMyVEK\":\"Bạn có chắc chắn muốn chuyển sự kiện này thành bản nháp không? Điều này sẽ làm cho sự kiện không hiển thị với công chúng.\",\"mEHQ8I\":\"Bạn có chắc mình muốn công khai sự kiện này không? \",\"s4JozW\":\"Bạn có chắc chắn muốn khôi phục sự kiện này không? Sự kiện sẽ được khôi phục dưới dạng bản nháp.\",\"vJuISq\":\"Bạn có chắc chắn muốn xóa phân bổ sức chứa này không?\",\"baHeCz\":\"Bạn có chắc là bạn muốn xóa danh sách tham dự này không?\",\"LBLOqH\":\"Hỏi một lần cho mỗi đơn hàng\",\"wu98dY\":\"Hỏi một lần cho mỗi sản phẩm\",\"ss9PbX\":\"Người tham dự\",\"m0CFV2\":\"Chi tiết người tham dự\",\"QKim6l\":\"Không tìm thấy người tham dự\",\"R5IT/I\":\"Ghi chú của người tham dự\",\"lXcSD2\":\"Câu hỏi của người tham dự\",\"HT/08n\":\"Vé tham dự\",\"9SZT4E\":\"Người tham dự\",\"iPBfZP\":\"Người tham dự đã đăng ký\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"Tự động thay đổi kích thước\",\"vZ5qKF\":\"Tự động điều chỉnh chiều cao của widget dựa trên nội dung. Khi tắt, widget sẽ lấp đầy chiều cao của vùng chứa.\",\"4lVaWA\":\"Đang chờ thanh toán offline\",\"2rHwhl\":\"Đang chờ thanh toán offline\",\"3wF4Q/\":\"Đang chờ thanh toán\",\"ioG+xt\":\"Đang chờ thanh toán\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Nhà tổ chức tuyệt vời Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"Trở lại trang sự kiện\",\"VCoEm+\":\"Quay lại đăng nhập\",\"k1bLf+\":\"Màu nền\",\"I7xjqg\":\"Loại nền\",\"1mwMl+\":\"Trước khi bạn gửi!\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"Địa chỉ thanh toán\",\"/xC/im\":\"Cài đặt thanh toán\",\"rp/zaT\":\"Tiếng Bồ Đào Nha Brazil\",\"whqocw\":\"Bằng cách đăng ký, bạn đồng ý với các <0>Điều khoản dịch vụ của chúng tôi và <1>Chính sách bảo mật.\",\"bcCn6r\":\"Loại tính toán\",\"+8bmSu\":\"California\",\"iStTQt\":\"Quyền sử dụng máy ảnh đã bị từ chối. Hãy <0>Yêu cầu cấp quyền lần nữa hoặc nếu không được, bạn sẽ cần <1>cấp cho trang này quyền truy cập vào máy ảnh trong cài đặt trình duyệt của bạn.\",\"dEgA5A\":\"Hủy\",\"Gjt/py\":\"Hủy thay đổi email\",\"tVJk4q\":\"Hủy đơn hàng\",\"Os6n2a\":\"Hủy đơn hàng\",\"Mz7Ygx\":[\"Hủy đơn hàng \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"Hủy bỏ\",\"U7nGvl\":\"Không thể check-in\",\"QyjCeq\":\"Công suất\",\"V6Q5RZ\":\"Phân bổ sức chứa được tạo thành công\",\"k5p8dz\":\"Phân bổ sức chứa đã được xóa thành công\",\"nDBs04\":\"Quản lý sức chứa\",\"ddha3c\":\"Danh mục giúp bạn nhóm các sản phẩm lại với nhau. Ví dụ, bạn có thể có một danh mục cho \\\"Vé\\\" và một danh mục khác cho \\\"Hàng hóa\\\".\",\"iS0wAT\":\"Danh mục giúp bạn sắp xếp sản phẩm của mình. Tiêu đề này sẽ được hiển thị trên trang sự kiện công khai.\",\"eorM7z\":\"Danh mục đã được sắp xếp lại thành công.\",\"3EXqwa\":\"Danh mục được tạo thành công\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"Thay đổi mật khẩu\",\"xMDm+I\":\"Check-in\",\"p2WLr3\":[\"Check-in \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Check-in và đánh dấu đơn hàng đã thanh toán\",\"QYLpB4\":\"Chỉ check-in\",\"/Ta1d4\":\"Check-out\",\"5LDT6f\":\"Xác nhận rời khỏi sự kiện này!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"Danh sách check-in đã bị xóa thành công\",\"+hBhWk\":\"Danh sách check-in đã hết hạn\",\"mBsBHq\":\"Danh sách check-in không hoạt động\",\"vPqpQG\":\"Danh sách Check-In không tồn tại\",\"tejfAy\":\"Danh sách Check-In\",\"hD1ocH\":\"URL check-in đã được sao chép vào clipboard\",\"CNafaC\":\"Tùy chọn checkbox cho phép chọn nhiều mục\",\"SpabVf\":\"Checkbox\",\"CRu4lK\":\"Đã check-in\",\"znIg+z\":\"Thanh toán\",\"1WnhCL\":\"Cài đặt thanh toán\",\"6imsQS\":\"Trung Quốc (đơn giản hóa)\",\"JjkX4+\":\"Chọn một màu cho nền của bạn\",\"/Jizh9\":\"Chọn một tài khoản\",\"3wV73y\":\"Thành phố\",\"FG98gC\":\"Xoá văn bản tìm kiếm\",\"EYeuMv\":\"click here\",\"sby+1/\":\"Bấm để sao chép\",\"yz7wBu\":\"Đóng\",\"62Ciis\":\"Đóng thanh bên\",\"EWPtMO\":\"Mã\",\"ercTDX\":\"Mã phải dài từ 3 đến 50 ký tự\",\"oqr9HB\":\"Thu gọn sản phẩm này khi trang sự kiện ban đầu được tải\",\"jZlrte\":\"Màu sắc\",\"Vd+LC3\":\"Màu sắc phải là mã màu hex hợp lệ. Ví dụ: #ffffff\",\"1HfW/F\":\"Màu sắc\",\"VZeG/A\":\"Sắp ra mắt\",\"yPI7n9\":\"Các từ khóa mô tả sự kiện, được phân tách bằng dấu phẩy. Chúng sẽ được công cụ tìm kiếm sử dụng để phân loại và lập chỉ mục sự kiện.\",\"NPZqBL\":\"Hoàn tất đơn hàng\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"Hoàn tất thanh toán\",\"qqWcBV\":\"Hoàn thành\",\"6HK5Ct\":\"Đơn hàng đã hoàn thành\",\"NWVRtl\":\"Đơn hàng đã hoàn thành\",\"DwF9eH\":\"Mã thành phần\",\"Tf55h7\":\"Giảm giá đã cấu hình\",\"7VpPHA\":\"Xác nhận\",\"ZaEJZM\":\"Xác nhận thay đổi email\",\"yjkELF\":\"Xác nhận mật khẩu mới\",\"xnWESi\":\"Xác nhận mật khẩu\",\"p2/GCq\":\"Xác nhận mật khẩu\",\"wnDgGj\":\"Đang xác nhận địa chỉ email...\",\"pbAk7a\":\"Kết nối Stripe\",\"UMGQOh\":\"Kết nối với Stripe\",\"QKLP1W\":\"Kết nối tài khoản Stripe của bạn để bắt đầu nhận thanh toán.\",\"5lcVkL\":\"Chi tiết kết nối\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"Tiếp tục\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"Văn bản nút tiếp tục\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"Tiếp tục thiết lập\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"Đã Sao chép\",\"T5rdis\":\"Sao chép vào bộ nhớ tạm\",\"he3ygx\":\"Sao chép\",\"r2B2P8\":\"Sao chép URL check-in\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"Sao chép Link\",\"E6nRW7\":\"Sao chép URL\",\"JNCzPW\":\"Quốc gia\",\"IF7RiR\":\"Bìa\",\"hYgDIe\":\"Tạo\",\"b9XOHo\":[\"Tạo \",[\"0\"]],\"k9RiLi\":\"Tạo một sản phẩm\",\"6kdXbW\":\"Tạo mã khuyến mãi\",\"n5pRtF\":\"Tạo một vé\",\"X6sRve\":[\"Tạo tài khoản hoặc <0>\",[\"0\"],\" để bắt đầu\"],\"nx+rqg\":\"Tạo một tổ chức\",\"ipP6Ue\":\"Tạo người tham dự\",\"VwdqVy\":\"Tạo phân bổ sức chứa\",\"EwoMtl\":\"Tạo thể loại\",\"XletzW\":\"Tạo thể loại\",\"WVbTwK\":\"Tạo danh sách check-in\",\"uN355O\":\"Tạo sự kiện\",\"BOqY23\":\"Tạo mới\",\"kpJAeS\":\"Tạo tổ chức\",\"a0EjD+\":\"Tạo sản phẩm\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"Tạo mã khuyến mãi\",\"B3Mkdt\":\"Tạo câu hỏi\",\"UKfi21\":\"Tạo thuế hoặc phí\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"Tiền tệ\",\"DCKkhU\":\"Mật khẩu hiện tại\",\"uIElGP\":\"URL bản đồ tùy chỉnh\",\"UEqXyt\":\"Phạm vi tùy chỉnh\",\"876pfE\":\"Khách hàng\",\"QOg2Sf\":\"Tùy chỉnh cài đặt email và thông báo cho sự kiện này\",\"Y9Z/vP\":\"Tùy chỉnh trang chủ sự kiện và tin nhắn thanh toán\",\"2E2O5H\":\"Tùy chỉnh các cài đặt linh tinh cho sự kiện này\",\"iJhSxe\":\"Tùy chỉnh cài đặt SEO cho sự kiện này\",\"KIhhpi\":\"Tùy chỉnh trang sự kiện của bạn\",\"nrGWUv\":\"Tùy chỉnh trang sự kiện của bạn để phù hợp với thương hiệu và phong cách của bạn.\",\"Zz6Cxn\":\"Vùng nguy hiểm\",\"ZQKLI1\":\"Vùng nguy hiểm\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"Ngày\",\"JvUngl\":\"Ngày và giờ\",\"JJhRbH\":\"Sức chứa ngày đầu tiên\",\"cnGeoo\":\"Xóa\",\"jRJZxD\":\"Xóa sức chứa\",\"VskHIx\":\"Xóa danh mục\",\"Qrc8RZ\":\"Xóa danh sách check-in\",\"WHf154\":\"Xóa mã\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"Xóa câu hỏi\",\"Nu4oKW\":\"Mô tả\",\"YC3oXa\":\"Mô tả cho nhân viên làm thủ tục check-in\",\"URmyfc\":\"Chi tiết\",\"1lRT3t\":\"Vô hiệu hóa sức chứa này sẽ theo dõi doanh số nhưng không dừng bán khi đạt giới hạn\",\"H6Ma8Z\":\"Giảm giá\",\"ypJ62C\":\"Giảm giá %\",\"3LtiBI\":[\"Giảm giá trong \",[\"0\"]],\"C8JLas\":\"Loại giảm giá\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"Nhãn tài liệu\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"Sản phẩm quyên góp / Trả số tiền bạn muốn\",\"OvNbls\":\"Tải xuống .ics\",\"kodV18\":\"Tải xuống CSV\",\"CELKku\":\"Tải xuống hóa đơn\",\"LQrXcu\":\"Tải xuống hóa đơn\",\"QIodqd\":\"Tải về mã QR\",\"yhjU+j\":\"Tải xuống hóa đơn\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"Lựa chọn thả xuống\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"Nhân bản sự kiện\",\"3ogkAk\":\"Nhân bản sự kiện\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"Tùy chọn nhân bản\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"Ưu đãi sớm\",\"ePK91l\":\"Chỉnh sửa\",\"N6j2JH\":[\"chỉnh sửa \",[\"0\"]],\"kBkYSa\":\"Chỉnh sửa công suất\",\"oHE9JT\":\"Chỉnh sửa phân bổ sức chứa\",\"j1Jl7s\":\"Chỉnh sửa danh mục\",\"FU1gvP\":\"Chỉnh sửa danh sách check-in\",\"iFgaVN\":\"Chỉnh sửa mã\",\"jrBSO1\":\"Chỉnh sửa tổ chức\",\"tdD/QN\":\"Chỉnh sửa sản phẩm\",\"n143Tq\":\"Chỉnh sửa danh mục sản phẩm\",\"9BdS63\":\"Chỉnh sửa mã khuyến mãi\",\"O0CE67\":\"Chỉnh sửa câu hỏi\",\"EzwCw7\":\"Chỉnh sửa câu hỏi\",\"poTr35\":\"Chỉnh sửa người dùng\",\"GTOcxw\":\"Chỉnh sửa người dùng\",\"pqFrv2\":\"ví dụ: 2.50 cho $2.50\",\"3yiej1\":\"ví dụ: 23.5 cho 23.5%\",\"O3oNi5\":\"Email\",\"VxYKoK\":\"Cài đặt email & thông báo\",\"ATGYL1\":\"Địa chỉ email\",\"hzKQCy\":\"Địa chỉ Email\",\"HqP6Qf\":\"Hủy thay đổi email thành công\",\"mISwW1\":\"Thay đổi email đang chờ xử lý\",\"APuxIE\":\"Xác nhận email đã được gửi lại\",\"YaCgdO\":\"Xác nhận email đã được gửi lại thành công\",\"jyt+cx\":\"Thông điệp chân trang email\",\"I6F3cp\":\"Email không được xác minh\",\"NTZ/NX\":\"Mã nhúng\",\"4rnJq4\":\"Tập lệnh nhúng\",\"8oPbg1\":\"Bật hóa đơn\",\"j6w7d/\":\"Cho phép khả năng này dừng bán sản phẩm khi đạt đến giới hạn\",\"VFv2ZC\":\"Ngày kết thúc\",\"237hSL\":\"Kết thúc\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"Tiếng Anh\",\"MhVoma\":\"Nhập một số tiền không bao gồm thuế và phí.\",\"SlfejT\":\"Lỗi\",\"3Z223G\":\"Lỗi xác nhận địa chỉ email\",\"a6gga1\":\"Lỗi xác nhận thay đổi email\",\"5/63nR\":\"EUR\",\"0pC/y6\":\"Sự kiện\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"Ngày sự kiện\",\"0Zptey\":\"Mặc định sự kiện\",\"QcCPs8\":\"Chi tiết sự kiện\",\"6fuA9p\":\"Sự kiện nhân đôi thành công\",\"AEuj2m\":\"Trang chủ sự kiện\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"Vị trí sự kiện & địa điểm tổ chức\",\"OopDbA\":\"Event page\",\"4/If97\":\"Cập nhật trạng thái sự kiện thất bại. Vui lòng thử lại sau\",\"btxLWj\":\"Trạng thái sự kiện đã được cập nhật\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"Sự kiện\",\"sZg7s1\":\"Ngày hết hạn\",\"KnN1Tu\":\"Hết hạn\",\"uaSvqt\":\"Ngày hết hạn\",\"GS+Mus\":\"Xuất\",\"9xAp/j\":\"Không thể hủy người tham dự\",\"ZpieFv\":\"Không thể hủy đơn hàng\",\"z6tdjE\":\"Không thể xóa tin nhắn. Vui lòng thử lại.\",\"xDzTh7\":\"Không thể tải hóa đơn. Vui lòng thử lại.\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"Không thể tải danh sách check-in\",\"ZQ15eN\":\"Không thể gửi lại email vé\",\"ejXy+D\":\"Không thể sắp xếp sản phẩm\",\"PLUB/s\":\"Phí\",\"/mfICu\":\"Các khoản phí\",\"LyFC7X\":\"Lọc đơn hàng\",\"cSev+j\":\"Bộ lọc\",\"CVw2MU\":[\"Bộ lọc (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"Số hóa đơn đầu tiên\",\"V1EGGU\":\"Tên\",\"kODvZJ\":\"Tên\",\"S+tm06\":\"Tên của bạn phải nằm trong khoảng từ 1 đến 50 ký tự\",\"1g0dC4\":\"Tên, họ và địa chỉ email là các câu hỏi mặc định và luôn được đưa vào quy trình thanh toán.\",\"Rs/IcB\":\"Được sử dụng lần đầu tiên\",\"TpqW74\":\"Đã sửa\",\"irpUxR\":\"Số tiền cố định\",\"TF9opW\":\"đèn Flash không khả dụng trên thiết bị này\",\"UNMVei\":\"Quên mật khẩu?\",\"2POOFK\":\"Miễn phí\",\"P/OAYJ\":\"Sản phẩm miễn phí\",\"vAbVy9\":\"Sản phẩm miễn phí, không cần thông tin thanh toán\",\"nLC6tu\":\"Tiếng Pháp\",\"Weq9zb\":\"Chung\",\"DDcvSo\":\"Tiếng Đức\",\"4GLxhy\":\"Bắt đầu\",\"4D3rRj\":\"Quay trở lại hồ sơ\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"Lịch Google\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"Tổng doanh số\",\"yRg26W\":\"Doanh thu gộp\",\"R4r4XO\":\"Người được mời\",\"26pGvx\":\"Nhập mã khuyến mãi?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"Đây là một ví dụ về cách bạn có thể sử dụng thành phần trong ứng dụng của mình.\",\"Y1SSqh\":\"Đây là thành phần React bạn có thể sử dụng để nhúng tiện ích vào ứng dụng của mình.\",\"QuhVpV\":[\"Chào \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"Ẩn khỏi chế độ xem công khai\",\"gt3Xw9\":\"Câu hỏi ẩn\",\"g3rqFe\":\"Câu hỏi ẩn\",\"k3dfFD\":\"Các câu hỏi ẩn chỉ hiển thị cho người tổ chức sự kiện chứ không phải cho khách hàng.\",\"vLyv1R\":\"Ẩn\",\"Mkkvfd\":\"ẩn trang bắt đầu\",\"mFn5Xz\":\"ẩn các câu hỏi ẩn\",\"YHsF9c\":\"ẩn sản phẩm sau ngày kết thúc bán\",\"06s3w3\":\"ẩn sản phẩm trước ngày bắt đầu bán\",\"axVMjA\":\"ẩn sản phẩm trừ khi người dùng có mã khuyến mãi áp dụng\",\"ySQGHV\":\"Ẩn sản phẩm khi bán hết\",\"SCimta\":\"ẩn trang bắt đầu từ thanh bên\",\"5xR17G\":\"Ẩn sản phẩm này khỏi khách hàng\",\"Da29Y6\":\"Ẩn câu hỏi này\",\"fvDQhr\":\"Ẩn tầng này khỏi người dùng\",\"lNipG+\":\"Việc ẩn một sản phẩm sẽ ngăn người dùng xem nó trên trang sự kiện.\",\"ZOBwQn\":\"Thiết kế trang sự kiện\",\"PRuBTd\":\"Thiết kế trang sự kiện\",\"YjVNGZ\":\"Xem trước trang chủ\",\"c3E/kw\":\"Homer\",\"8k8Njd\":\"Khách hàng phải hoàn thành đơn đơn hàng bao nhiêu phút. \",\"ySxKZe\":\"Mã này có thể được sử dụng bao nhiêu lần?\",\"dZsDbK\":[\"Vượt quá giới hạn ký tự HTML: \",[\"htmllesth\"],\"/\",[\"maxlength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"Tôi đồng ý với <0>các điều khoản và điều kiện\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"Nếu trống, địa chỉ sẽ được sử dụng để tạo liên kết Google Mapa link\",\"UYT+c8\":\"Nếu được bật, nhân viên check-in có thể đánh dấu người tham dự đã check-in hoặc đánh dấu đơn hàng đã thanh toán và check-in người tham dự. Nếu tắt, những người tham dự liên kết với đơn hàng chưa thanh toán sẽ không thể check-in.\",\"muXhGi\":\"Nếu được bật, người tổ chức sẽ nhận được thông báo email khi có đơn hàng mới\",\"6fLyj/\":\"Nếu bạn không yêu cầu thay đổi này, vui lòng thay đổi ngay mật khẩu của bạn.\",\"n/ZDCz\":\"Hình ảnh đã xóa thành công\",\"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\":\"Hình ảnh được tải lên thành công\",\"VyUuZb\":\"URL hình ảnh\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"Không hoạt động\",\"T0K0yl\":\"Người dùng không hoạt động không thể đăng nhập.\",\"kO44sp\":\"Bao gồm thông tin kết nối cho sự kiện trực tuyến của bạn. Những chi tiết này sẽ được hiển thị trên trang tóm tắt đơn hàng và trang vé của người tham dự.\",\"FlQKnG\":\"Bao gồm thuế và phí trong giá\",\"Vi+BiW\":[\"Bao gồm các sản phẩm \",[\"0\"]],\"lpm0+y\":\"Bao gồm 1 sản phẩm\",\"UiAk5P\":\"Chèn hình ảnh\",\"OyLdaz\":\"Lời mời đã được gửi lại!\",\"HE6KcK\":\"Lời mời bị thu hồi!\",\"SQKPvQ\":\"Mời người dùng\",\"bKOYkd\":\"Hóa đơn được tải xuống thành công\",\"alD1+n\":\"Ghi chú hóa đơn\",\"kOtCs2\":\"Đánh số hóa đơn\",\"UZ2GSZ\":\"Cài đặt hóa đơn\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"Mục\",\"KFXip/\":\"John\",\"XcgRvb\":\"Johnson\",\"87a/t/\":\"Nhãn\",\"vXIe7J\":\"Ngôn ngữ\",\"2LMsOq\":\"12 tháng qua\",\"vfe90m\":\"14 ngày qua\",\"aK4uBd\":\"24 giờ qua\",\"uq2BmQ\":\"30 ngày qua\",\"bB6Ram\":\"48 giờ qua\",\"VlnB7s\":\"6 tháng qua\",\"ct2SYD\":\"7 ngày qua\",\"XgOuA7\":\"90 ngày qua\",\"I3yitW\":\"Đăng nhập cuối cùng\",\"1ZaQUH\":\"Họ\",\"UXBCwc\":\"Họ\",\"tKCBU0\":\"Được sử dụng lần cuối\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"Để trống để sử dụng từ mặc định \\\"Hóa đơn\\\"\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"Đang tải ...\",\"wJijgU\":\"Vị trí\",\"sQia9P\":\"Đăng nhập\",\"zUDyah\":\"Đăng nhập\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"Đăng xuất\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"NJahlc\":\"Bắt buộc nhập địa chỉ thanh toán, trong khi thanh toán\",\"MU3ijv\":\"Làm cho câu hỏi này bắt buộc\",\"wckWOP\":\"Quản lý\",\"onpJrA\":\"Quản lý người tham dự\",\"n4SpU5\":\"Quản lý sự kiện\",\"WVgSTy\":\"Quản lý đơn hàng\",\"1MAvUY\":\"Quản lý cài đặt thanh toán và lập hóa đơn cho sự kiện này.\",\"cQrNR3\":\"Quản lý hồ sơ\",\"AtXtSw\":\"Quản lý thuế và phí có thể được áp dụng cho sản phẩm của bạn\",\"ophZVW\":\"Quản lý Vé\",\"DdHfeW\":\"Quản lý chi tiết tài khoản của bạn và cài đặt mặc định\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"Quản lý người dùng của bạn và quyền của họ\",\"1m+YT2\":\"Các câu hỏi bắt buộc phải được trả lời trước khi khách hàng có thể thanh toán.\",\"Dim4LO\":\"Thêm một người tham dự theo cách thủ công\",\"e4KdjJ\":\"Thêm người tham dự\",\"vFjEnF\":\"Đánh dấu đã trả tiền\",\"g9dPPQ\":\"Tối đa mỗi đơn hàng\",\"l5OcwO\":\"Tin nhắn cho người tham dự\",\"Gv5AMu\":\"Tin nhắn cho người tham dự\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"Tin nhắn cho người mua\",\"tNZzFb\":\"Nội dung tin nhắn\",\"lYDV/s\":\"Tin nhắn cho những người tham dự cá nhân\",\"V7DYWd\":\"Tin nhắn được gửi\",\"t7TeQU\":\"Tin nhắn\",\"xFRMlO\":\"Tối thiểu cho mỗi đơn hàng\",\"QYcUEf\":\"Giá tối thiểu\",\"RDie0n\":\"Linh tinh\",\"mYLhkl\":\"Cài đặt linh tinh\",\"KYveV8\":\"Hộp văn bản đa dòng\",\"VD0iA7\":\"Nhiều tùy chọn giá. Hoàn hảo cho sản phẩm giảm giá sớm, v.v.\",\"/bhMdO\":\"Mô tả sự kiện tuyệt vời của tôi ...\",\"vX8/tc\":\"Tiêu đề sự kiện tuyệt vời của tôi ...\",\"hKtWk2\":\"Hồ sơ của tôi\",\"fj5byd\":\"Không áp dụng\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"Tên\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"Đi tới người tham dự\",\"qqeAJM\":\"Không bao giờ\",\"7vhWI8\":\"Mật khẩu mới\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"Không có sự kiện lưu trữ để hiển thị.\",\"q2LEDV\":\"Không có người tham dự tìm thấy cho đơn hàng này.\",\"zlHa5R\":\"Không có người tham dự đã được thêm vào đơn hàng này.\",\"Wjz5KP\":\"Không có người tham dự để hiển thị\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"Không có phân bổ sức chứa\",\"a/gMx2\":\"Không có danh sách check-in\",\"tMFDem\":\"Không có dữ liệu có sẵn\",\"6Z/F61\":\"Không có dữ liệu để hiển thị. Vui lòng chọn khoảng thời gian\",\"fFeCKc\":\"Không giảm giá\",\"HFucK5\":\"Không có sự kiện đã kết thúc để hiển thị.\",\"yAlJXG\":\"Không có sự kiện nào hiển thị\",\"GqvPcv\":\"Không có bộ lọc có sẵn\",\"KPWxKD\":\"Không có tin nhắn nào hiển thị\",\"J2LkP8\":\"Không có đơn hàng nào để hiển thị\",\"RBXXtB\":\"Hiện không có phương thức thanh toán. Vui lòng liên hệ ban tổ chức sự kiện để được hỗ trợ.\",\"ZWEfBE\":\"Không cần thanh toán\",\"ZPoHOn\":\"Không có sản phẩm liên quan đến người tham dự này.\",\"Ya1JhR\":\"Không có sản phẩm có sẵn trong danh mục này.\",\"FTfObB\":\"Chưa có sản phẩm\",\"+Y976X\":\"Không có mã khuyến mãi để hiển thị\",\"MAavyl\":\"Không có câu hỏi nào được trả lời bởi người tham dự này.\",\"SnlQeq\":\"Không có câu hỏi nào được hỏi cho đơn hàng này.\",\"Ev2r9A\":\"Không có kết quả\",\"gk5uwN\":\"Không có kết quả tìm kiếm\",\"RHyZUL\":\"Không có kết quả tìm kiếm.\",\"RY2eP1\":\"Không có thuế hoặc phí đã được thêm vào.\",\"EdQY6l\":\"Không\",\"OJx3wK\":\"Không có sẵn\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"Ghi chú\",\"jtrY3S\":\"Chưa có gì để hiển thị\",\"hFwWnI\":\"Cài đặt thông báo\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"Thông báo cho ban tổ chức các đơn hàng mới\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"Số ngày quá hạn thanh toán (để trống để bỏ qua các điều khoản thanh toán từ hóa đơn)\",\"n86jmj\":\"Tiền tố số\",\"mwe+2z\":\"Các đơn hàng ngoại tuyến không được phản ánh trong thống kê sự kiện cho đến khi đơn hàng được đánh dấu là được thanh toán.\",\"dWBrJX\":\"Thanh toán offline không thành công. Vui lòng thử loại hoặc liên hệ với ban tổ chức sự kiện.\",\"fcnqjw\":\"Hướng Dẫn Thanh Toán Offline\",\"+eZ7dp\":\"Thanh toán offline\",\"ojDQlR\":\"Thông tin thanh toán offline\",\"u5oO/W\":\"Cài đặt thanh toán offline\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"Đang Bán\",\"Ug4SfW\":\"Khi bạn tạo một sự kiện, bạn sẽ thấy nó ở đây.\",\"ZxnK5C\":\"Khi bạn bắt đầu thu thập dữ liệu, bạn sẽ thấy nó ở đây.\",\"PnSzEc\":\"Khi bạn đã sẵn sàng, hãy đặt sự kiện của bạn trực tiếp và bắt đầu bán sản phẩm.\",\"J6n7sl\":\"Đang diễn ra\",\"z+nuVJ\":\"Sự kiện trực tuyến\",\"WKHW0N\":\"Chi tiết sự kiện trực tuyến\",\"/xkmKX\":\"Chỉ nên gửi các email quan trọng liên quan trực tiếp đến sự kiện này bằng biểu mẫu này.\\nBất kỳ hành vi lạm dụng nào, bao gồm việc gửi email quảng cáo, sẽ dẫn đến việc cấm tài khoản ngay lập tức.\",\"Qqqrwa\":\"Mở Trang Check-In\",\"OdnLE4\":\"Mở thanh bên\",\"ZZEYpT\":[\"Tùy chọn \",[\"i\"]],\"oPknTP\":\"Thông tin bổ sung tùy chọn xuất hiện trên tất cả các hóa đơn (ví dụ: điều khoản thanh toán, phí thanh toán trễ, chính sách trả lại)\",\"OrXJBY\":\"Tiền tố tùy chọn cho số hóa đơn (ví dụ: Inv-)\",\"0zpgxV\":\"Tùy chọn\",\"BzEFor\":\"Hoặc\",\"UYUgdb\":\"Đơn hàng\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"Đơn hàng bị hủy\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"Ngày đơn hàng\",\"Tol4BF\":\"Chi tiết đơn hàng\",\"WbImlQ\":\"Đơn hàng đã bị hủy và chủ sở hữu đơn hàng đã được thông báo.\",\"nAn4Oe\":\"Đơn hàng được đánh dấu là đã thanh toán\",\"uzEfRz\":\"Ghi chú đơn hàng\",\"VCOi7U\":\"Câu hỏi đơn hàng\",\"TPoYsF\":\"Mã đơn hàng\",\"acIJ41\":\"Trạng thái đơn hàng\",\"GX6dZv\":\"Tóm tắt đơn hàng\",\"tDTq0D\":\"Thời gian chờ đơn hàng\",\"1h+RBg\":\"Đơn hàng\",\"3y+V4p\":\"Địa chỉ tổ chức\",\"GVcaW6\":\"Chi tiết tổ chức\",\"nfnm9D\":\"Tên tổ chức\",\"G5RhpL\":\"Người tổ chức\",\"mYygCM\":\"Người tổ chức là bắt buộc\",\"Pa6G7v\":\"Tên ban tổ chức\",\"l894xP\":\"Ban tổ chức chỉ có thể quản lý các sự kiện và sản phẩm. Họ không thể quản lý người dùng, tài khoản hoặc thông tin thanh toán.\",\"fdjq4c\":\"Khoảng cách lề\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"Không tìm thấy trang\",\"QbrUIo\":\"Lượt xem trang\",\"6D8ePg\":\"trang.\",\"IkGIz8\":\"đã trả tiền\",\"HVW65c\":\"Sản phẩm trả phí\",\"ZfxaB4\":\"Hoàn lại tiền một phần\",\"8ZsakT\":\"Mật khẩu\",\"TUJAyx\":\"Mật khẩu phải tối thiểu 8 ký tự\",\"vwGkYB\":\"Mật khẩu phải có ít nhất 8 ký tự\",\"BLTZ42\":\"Đặt lại mật khẩu thành công. Vui lòng sử dụng mật khẩu mới để đăng nhập.\",\"f7SUun\":\"Mật khẩu không giống nhau\",\"aEDp5C\":\"Dán cái này nơi bạn muốn tiện ích xuất hiện.\",\"+23bI/\":\"Patrick\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"Thanh toán\",\"Lg+ewC\":\"Thanh toán & Hoá đơn\",\"DZjk8u\":\"Cài đặt Thanh toán & Hoá đơn\",\"lflimf\":\"Thời hạn thanh toán\",\"JhtZAK\":\"Thanh toán thất bại\",\"JEdsvQ\":\"Hướng dẫn thanh toán\",\"bLB3MJ\":\"Phương thức thanh toán\",\"QzmQBG\":\"Nhà cung cấp Thanh toán\",\"lsxOPC\":\"Thanh toán đã nhận\",\"wJTzyi\":\"Tình trạng thanh toán\",\"xgav5v\":\"Thanh toán thành công!\",\"R29lO5\":\"Điều khoản thanh toán\",\"/roQKz\":\"Tỷ lệ phần trăm\",\"vPJ1FI\":\"Tỷ lệ phần trăm\",\"xdA9ud\":\"Đặt cái này vào của trang web của bạn.\",\"blK94r\":\"Vui lòng thêm ít nhất một tùy chọn\",\"FJ9Yat\":\"Vui lòng kiểm tra thông tin được cung cấp là chính xác\",\"TkQVup\":\"Vui lòng kiểm tra email và mật khẩu của bạn và thử lại\",\"sMiGXD\":\"Vui lòng kiểm tra email của bạn là hợp lệ\",\"Ajavq0\":\"Vui lòng kiểm tra email của bạn để xác nhận địa chỉ email của bạn\",\"MdfrBE\":\"Vui lòng điền vào biểu mẫu bên dưới để chấp nhận lời mời của bạn\",\"b1Jvg+\":\"Vui lòng tiếp tục trong tab mới\",\"hcX103\":\"Vui lòng tạo một sản phẩm\",\"cdR8d6\":\"Vui lòng tạo vé\",\"x2mjl4\":\"Vui lòng nhập URL hình ảnh hợp lệ trỏ đến một hình ảnh.\",\"HnNept\":\"Vui lòng nhập mật khẩu mới của bạn\",\"5FSIzj\":\"Xin lưu ý\",\"C63rRe\":\"Vui lòng quay lại trang sự kiện để bắt đầu lại.\",\"pJLvdS\":\"Vui lòng chọn\",\"Ewir4O\":\"Vui lòng chọn ít nhất một sản phẩm\",\"igBrCH\":\"Vui lòng xác minh địa chỉ email của bạn để truy cập tất cả các tính năng\",\"/IzmnP\":\"Vui lòng đợi trong khi chúng tôi chuẩn bị hóa đơn của bạn ...\",\"MOERNx\":\"Tiếng Bồ Đào Nha\",\"qCJyMx\":\"Tin nhắn sau phần thanh toán\",\"g2UNkE\":\"Được cung cấp bởi\",\"Rs7IQv\":\"Thông báo trước khi thanh toán\",\"rdUucN\":\"Xem trước\",\"a7u1N9\":\"Giá\",\"CmoB9j\":\"Chế độ hiển thị giá\",\"BI7D9d\":\"Giá không được đặt\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"Loại giá\",\"6RmHKN\":\"Màu sắc chính\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"Màu văn bản chính\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"In tất cả vé\",\"DKwDdj\":\"In vé\",\"K47k8R\":\"Sản phẩm\",\"1JwlHk\":\"Danh mục sản phẩm\",\"U61sAj\":\"Danh mục sản phẩm được cập nhật thành công.\",\"1USFWA\":\"Sản phẩm đã xóa thành công\",\"4Y2FZT\":\"Loại giá sản phẩm\",\"mFwX0d\":\"Câu hỏi sản phẩm\",\"Lu+kBU\":\"Bán Hàng\",\"U/R4Ng\":\"Cấp sản phẩm\",\"sJsr1h\":\"Loại sản phẩm\",\"o1zPwM\":\"Xem trước tiện ích sản phẩm\",\"ktyvbu\":\"Sản phẩm(s)\",\"N0qXpE\":\"Sản phẩm\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"Sản phẩm đã bán\",\"/u4DIx\":\"Sản phẩm đã bán\",\"DJQEZc\":\"Sản phẩm được sắp xếp thành công\",\"vERlcd\":\"Hồ sơ\",\"kUlL8W\":\"Hồ sơ cập nhật thành công\",\"cl5WYc\":[\"Mã \",[\"Promo_code\"],\" đã được áp dụng\"],\"P5sgAk\":\"Mã khuyến mãi\",\"yKWfjC\":\"Trang mã khuyến mãi\",\"RVb8Fo\":\"Mã khuyến mãi\",\"BZ9GWa\":\"Mã khuyến mãi có thể được sử dụng để giảm giá, truy cập bán trước hoặc cung cấp quyền truy cập đặc biệt vào sự kiện của bạn.\",\"OP094m\":\"Báo cáo mã khuyến mãi\",\"4kyDD5\":\"Cung cấp thêm ngữ cảnh hoặc hướng dẫn cho câu hỏi này. Sử dụng trường này để thêm các điều khoản\\nvà điều kiện, hướng dẫn hoặc bất kỳ thông tin quan trọng nào mà người tham dự cần biết trước khi trả lời.\",\"toutGW\":\"Mã QR\",\"LkMOWF\":\"Số lượng có sẵn\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"Câu hỏi bị xóa\",\"avf0gk\":\"Mô tả câu hỏi\",\"oQvMPn\":\"Tiêu đề câu hỏi\",\"enzGAL\":\"Câu hỏi\",\"ROv2ZT\":\"Câu hỏi\",\"K885Eq\":\"Câu hỏi được sắp xếp thành công\",\"OMJ035\":\"Tùy chọn radio\",\"C4TjpG\":\"Đọc ít hơn\",\"I3QpvQ\":\"Người nhận\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"Hoàn tiền không thành công\",\"n10yGu\":\"Lệnh hoàn trả\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"Hoàn tiền chờ xử lý\",\"xHpVRl\":\"Trạng thái hoàn trả\",\"/BI0y9\":\"Đã hoàn lại\",\"fgLNSM\":\"Đăng ký\",\"9+8Vez\":\"Sử dụng còn lại\",\"tasfos\":\"Loại bỏ\",\"t/YqKh\":\"Hủy bỏ\",\"t9yxlZ\":\"Báo cáo\",\"prZGMe\":\"Yêu cầu địa chỉ thanh toán\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"Gửi lại xác nhận email\",\"wIa8Qe\":\"Gửi lại lời mời\",\"VeKsnD\":\"Gửi lại email đơn hàng\",\"dFuEhO\":\"Gửi lại email vé\",\"o6+Y6d\":\"Đang gửi lại ...\",\"OfhWJH\":\"Đặt lại\",\"RfwZxd\":\"Đặt lại mật khẩu\",\"KbS2K9\":\"Đặt lại mật khẩu\",\"e99fHm\":\"Khôi phục sự kiện\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"Trở lại trang sự kiện\",\"8YBH95\":\"Doanh thu\",\"PO/sOY\":\"Thu hồi lời mời\",\"GDvlUT\":\"Vai trò\",\"ELa4O9\":\"Ngày bán kết thúc\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"Ngày bắt đầu bán hàng\",\"hBsw5C\":\"Bán hàng kết thúc\",\"kpAzPe\":\"Bán hàng bắt đầu\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Lưu\",\"IUwGEM\":\"Lưu thay đổi\",\"U65fiW\":\"Lưu tổ chức\",\"UGT5vp\":\"Lưu cài đặt\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"Tìm kiếm theo tên người tham dự, email hoặc đơn hàng\",\"+pr/FY\":\"Tìm kiếm theo tên sự kiện\",\"3zRbWw\":\"Tìm kiếm theo tên, email, hoặc mã đơn hàng #\",\"L22Tdf\":\"Tìm kiếm theo tên, mã đơn hàng #, người tham dự, hoặc email...\",\"BiYOdA\":\"Tìm kiếm theo tên...\",\"YEjitp\":\"Tìm kiếm theo chủ đề hoặc nội dung...\",\"Pjsch9\":\"Tìm kiếm phân bổ sức chứa...\",\"r9M1hc\":\"Tìm kiếm danh sách check-in...\",\"+0Yy2U\":\"Tìm kiếm sản phẩm\",\"YIix5Y\":\"Tìm kiếm\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"Màu phụ\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"Màu chữ phụ\",\"02ePaq\":[\"Chọn \",[\"0\"]],\"QuNKRX\":\"Chọn máy ảnh\",\"9FQEn8\":\"Chọn danh mục...\",\"kWI/37\":\"Chọn nhà tổ chức\",\"ixIx1f\":\"Chọn sản phẩm\",\"3oSV95\":\"Chọn bậc sản phẩm\",\"C4Y1hA\":\"Chọn sản phẩm\",\"hAjDQy\":\"Chọn trạng thái\",\"QYARw/\":\"Chọn Vé\",\"OMX4tH\":\"Chọn Vé\",\"DrwwNd\":\"Chọn khoảng thời gian\",\"O/7I0o\":\"Chọn ...\",\"JlFcis\":\"Gửi\",\"qKWv5N\":[\"Gửi một bản sao đến <0>\",[\"0\"],\"\"],\"RktTWf\":\"Gửi tin nhắn\",\"/mQ/tD\":\"Gửi dưới dạng thử nghiệm. Thông báo sẽ được gửi đến địa chỉ email của bạn thay vì người nhận.\",\"M/WIer\":\"Gửi tin nhắn\",\"D7ZemV\":\"Gửi email xác nhận và vé\",\"v1rRtW\":\"Gửi Test\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"Mô tả SEO\",\"/SIY6o\":\"Từ khóa SEO\",\"GfWoKv\":\"Cài đặt SEO\",\"rXngLf\":\"Tiêu đề SEO\",\"/jZOZa\":\"Phí dịch vụ\",\"Bj/QGQ\":\"Đặt giá tối thiểu và cho phép người dùng thanh toán nhiều hơn nếu họ chọn\",\"L0pJmz\":\"Đặt số bắt đầu cho hóa đơn. Sau khi hóa đơn được tạo, số này không thể thay đổi.\",\"nYNT+5\":\"Thiết lập sự kiện của bạn\",\"A8iqfq\":\"Đặt sự kiện của bạn trực tiếp\",\"Tz0i8g\":\"Cài đặt\",\"Z8lGw6\":\"Chia sẻ\",\"B2V3cA\":\"Chia sẻ sự kiện\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"Hiển thị số lượng sản phẩm có sẵn\",\"qDsmzu\":\"Hiển thị câu hỏi ẩn\",\"fMPkxb\":\"Hiển thị thêm\",\"izwOOD\":\"Hiển thị thuế và phí riêng biệt\",\"1SbbH8\":\"Hiển thị cho khách hàng sau khi họ thanh toán, trên trang Tóm tắt đơn hàng.\",\"YfHZv0\":\"Hiển thị cho khách hàng trước khi họ thanh toán\",\"CBBcly\":\"Hiển thị các trường địa chỉ chung, bao gồm quốc gia\",\"yTnnYg\":\"Simpson\",\"TNaCfq\":\"Hộp văn bản dòng đơn\",\"+P0Cn2\":\"Bỏ qua bước này\",\"YSEnLE\":\"Smith\",\"lgFfeO\":\"Đã bán hết\",\"Mi1rVn\":\"Đã bán hết\",\"nwtY4N\":\"Đã xảy ra lỗi\",\"GRChTw\":\"Có gì đó không ổn trong khi xóa thuế hoặc phí\",\"YHFrbe\":\"Có gì đó không ổn! Vui lòng thử lại\",\"kf83Ld\":\"Có gì đó không ổn.\",\"fWsBTs\":\"Có gì đó không ổn. Vui lòng thử lại\",\"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.\",\"6a/UJE\":\"Xin lỗi, mã khuyến mãi này không được công nhận\",\"65A04M\":\"Tiếng Tây Ban Nha\",\"mFuBqb\":\"Sản phẩm tiêu chuẩn với giá cố định\",\"D3iCkb\":\"Ngày bắt đầu\",\"/2by1f\":\"Nhà nước hoặc khu vực\",\"uAQUqI\":\"Trạng thái\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"Thanh toán Stripe không được kích hoạt cho sự kiện này.\",\"UJmAAK\":\"Chủ đề\",\"X2rrlw\":\"Tổng phụ\",\"zzDlyQ\":\"Thành công\",\"b0HJ45\":[\"Thành công! \",[\"0\"],\" sẽ nhận một email trong chốc lát.\"],\"BJIEiF\":[[\"0\"],\" Người tham dự thành công\"],\"OtgNFx\":\"Địa chỉ email được xác nhận thành công\",\"IKwyaF\":\"Thay đổi email được xác nhận thành công\",\"zLmvhE\":\"Người tham dự được tạo thành công\",\"gP22tw\":\"Sản phẩm được tạo thành công\",\"9mZEgt\":\"Mã khuyến mãi được tạo thành công\",\"aIA9C4\":\"Câu hỏi được tạo thành công\",\"J3RJSZ\":\"Người tham dự cập nhật thành công\",\"3suLF0\":\"Phân công công suất được cập nhật thành công\",\"Z+rnth\":\"Danh sách soát vé được cập nhật thành công\",\"vzJenu\":\"Cài đặt email được cập nhật thành công\",\"7kOMfV\":\"Sự kiện cập nhật thành công\",\"G0KW+e\":\"Thiết kế trang sự kiện được cập nhật thành công\",\"k9m6/E\":\"Cài đặt trang chủ được cập nhật thành công\",\"y/NR6s\":\"Vị trí cập nhật thành công\",\"73nxDO\":\"Cài đặt linh tinh được cập nhật thành công\",\"4H80qv\":\"Đơn hàng cập nhật thành công\",\"6xCBVN\":\"Cập nhật cài đặt thanh toán & lập hóa đơn thành công\",\"1Ycaad\":\"Cập nhật sản phẩm thành công\",\"70dYC8\":\"Cập nhật mã khuyến mãi thành công\",\"F+pJnL\":\"Cập nhật cài đặt SEO thành công\",\"DXZRk5\":\"Phòng 100\",\"GNcfRk\":\"Email hỗ trợ\",\"uRfugr\":\"Áo thun\",\"JpohL9\":\"Thuế\",\"geUFpZ\":\"Thuế & Phí\",\"dFHcIn\":\"Chi tiết thuế\",\"wQzCPX\":\"Thông tin thuế sẽ xuất hiện ở cuối tất cả các hóa đơn (ví dụ: mã số thuế VAT, đăng ký thuế)\",\"0RXCDo\":\"Xóa thuế hoặc phí thành công\",\"ZowkxF\":\"Thuế\",\"qu6/03\":\"Thuế và phí\",\"gypigA\":\"Mã khuyến mãi không hợp lệ\",\"5ShqeM\":\"Danh sách check-in bạn đang tìm kiếm không tồn tại.\",\"QXlz+n\":\"Tiền tệ mặc định cho các sự kiện của bạn.\",\"mnafgQ\":\"Múi giờ mặc định cho các sự kiện của bạn.\",\"o7s5FA\":\"Ngôn ngữ mà người tham dự sẽ nhận email.\",\"NlfnUd\":\"Liên kết bạn đã nhấp vào không hợp lệ.\",\"HsFnrk\":[\"Số lượng sản phẩm tối đa cho \",[\"0\"],\"là \",[\"1\"]],\"TSAiPM\":\"Trang bạn đang tìm kiếm không tồn tại\",\"MSmKHn\":\"Giá hiển thị cho khách hàng sẽ bao gồm thuế và phí.\",\"6zQOg1\":\"Giá hiển thị cho khách hàng sẽ không bao gồm thuế và phí. Chúng sẽ được hiển thị riêng biệt.\",\"ne/9Ur\":\"Các cài đặt kiểu dáng bạn chọn chỉ áp dụng cho HTML được sao chép và sẽ không được lưu trữ.\",\"vQkyB3\":\"Thuế và phí áp dụng cho sản phẩm này. \",\"esY5SG\":\"Tiêu đề của sự kiện sẽ được hiển thị trong kết quả của công cụ tìm kiếm và khi chia sẻ trên phương tiện truyền thông xã hội. \",\"wDx3FF\":\"Không có sản phẩm nào cho sự kiện này\",\"pNgdBv\":\"Không có sản phẩm nào trong danh mục này\",\"rMcHYt\":\"Có một khoản hoàn tiền đang chờ xử lý. Vui lòng đợi hoàn tất trước khi yêu cầu hoàn tiền khác.\",\"F89D36\":\"Đã xảy ra lỗi khi đánh dấu đơn hàng là đã thanh toán\",\"68Axnm\":\"Đã xảy ra lỗi khi xử lý yêu cầu của bạn. Vui lòng thử lại.\",\"mVKOW6\":\"Có một lỗi khi gửi tin nhắn của bạn\",\"AhBPHd\":\"Những chi tiết này sẽ chỉ được hiển thị nếu đơn hàng được hoàn thành thành công. Đơn hàng chờ thanh toán sẽ không hiển thị tin nhắn này.\",\"Pc/Wtj\":\"Người tham dự này có đơn hàng chưa thanh toán.\",\"mf3FrP\":\"Danh mục này chưa có bất kỳ sản phẩm nào.\",\"8QH2Il\":\"Danh mục này bị ẩn khỏi chế độ xem công khai\",\"xxv3BZ\":\"Danh sách người tham dự này đã hết hạn\",\"Sa7w7S\":\"Danh sách người tham dự này đã hết hạn và không còn có sẵn để kiểm tra.\",\"Uicx2U\":\"Danh sách người tham dự này đang hoạt động\",\"1k0Mp4\":\"Danh sách người tham dự này chưa hoạt động\",\"K6fmBI\":\"Danh sách người tham dự này chưa hoạt động và không có sẵn để kiểm tra.\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"Email này không phải là quảng cáo và liên quan trực tiếp đến sự kiện này.\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"Thông tin này sẽ được hiển thị trên trang thanh toán, trang tóm tắt đơn hàng và email xác nhận đơn hàng.\",\"XAHqAg\":\"Đây là một sản phẩm chung, như áo phông hoặc cốc. Không có vé nào được phát hành\",\"CNk/ro\":\"Đây là một sự kiện trực tuyến\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"Thông báo này sẽ được bao gồm trong phần chân trang của tất cả các email được gửi từ sự kiện này\",\"55i7Fa\":\"Thông báo này sẽ chỉ được hiển thị nếu đơn hàng được hoàn thành thành công. Đơn chờ thanh toán sẽ không hiển thị thông báo này.\",\"RjwlZt\":\"Đơn hàng này đã được thanh toán.\",\"5K8REg\":\"Đơn hàng này đã được hoàn trả.\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"Đơn hàng này đã bị hủy bỏ.\",\"Q0zd4P\":\"Đơn hàng này đã hết hạn. Vui lòng bắt đầu lại.\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"Đơn hàng này đã hoàn tất.\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"Trang Đơn hàng này không còn có sẵn.\",\"i0TtkR\":\"Điều này ghi đè tất cả các cài đặt khả năng hiển thị và sẽ ẩn sản phẩm khỏi tất cả các khách hàng.\",\"cRRc+F\":\"Sản phẩm này không thể bị xóa vì nó được liên kết với một đơn hàng. \",\"3Kzsk7\":\"Sản phẩm này là vé. Người mua sẽ nhận được vé sau khi mua\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"Câu hỏi này chỉ hiển thị cho người tổ chức sự kiện\",\"os29v1\":\"Liên kết mật khẩu đặt lại này không hợp lệ hoặc hết hạn.\",\"IV9xTT\":\"Người dùng này không hoạt động, vì họ chưa chấp nhận lời mời của họ.\",\"5AnPaO\":\"vé\",\"kjAL4v\":\"Vé\",\"dtGC3q\":\"Email vé đã được gửi lại với người tham dự\",\"54q0zp\":\"Vé cho\",\"xN9AhL\":[\"Cấp \",[\"0\"]],\"jZj9y9\":\"Sản phẩm cấp bậc\",\"8wITQA\":\"Sản phẩm theo bậc cho phép bạn cung cấp nhiều tùy chọn giá cho cùng một sản phẩm. Điều này hoàn hảo cho các sản phẩm ưu đãi sớm hoặc các nhóm giá khác nhau cho từng đối tượng.\",\"nn3mSR\":\"Thời gian còn lại:\",\"s/0RpH\":\"Thời gian được sử dụng\",\"y55eMd\":\"Thời gian được sử dụng\",\"40Gx0U\":\"Múi giờ\",\"oDGm7V\":\"Tip\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"Công cụ\",\"72c5Qo\":\"Tổng\",\"YXx+fG\":\"Tổng trước khi giảm giá\",\"NRWNfv\":\"Tổng tiền chiết khấu\",\"BxsfMK\":\"Tổng phí\",\"2bR+8v\":\"Tổng doanh thu\",\"mpB/d9\":\"Tổng tiền đơn hàng\",\"m3FM1g\":\"Tổng đã hoàn lại\",\"jEbkcB\":\"Tổng đã hoàn lại\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"Tổng thuế\",\"+zy2Nq\":\"Loại\",\"FMdMfZ\":\"Không thể kiểm tra người tham dự\",\"bPWBLL\":\"Không thể kiểm tra người tham dự\",\"9+P7zk\":\"Không thể tạo sản phẩm. Vui lòng kiểm tra thông tin của bạn\",\"WLxtFC\":\"Không thể tạo sản phẩm. Vui lòng kiểm tra thông tin của bạn\",\"/cSMqv\":\"Không thể tạo câu hỏi. Vui lòng kiểm tra thông tin của bạn\",\"MH/lj8\":\"Không thể cập nhật câu hỏi. Vui lòng kiểm tra thông tin của bạn\",\"nnfSdK\":\"Khách hàng duy nhất\",\"Mqy/Zy\":\"Hoa Kỳ\",\"NIuIk1\":\"Không giới hạn\",\"/p9Fhq\":\"Không giới hạn có sẵn\",\"E0q9qH\":\"Sử dụng không giới hạn\",\"h10Wm5\":\"Đơn hàng chưa thanh toán\",\"ia8YsC\":\"Sắp tới\",\"TlEeFv\":\"Các sự kiện sắp tới\",\"L/gNNk\":[\"Cập nhật \",[\"0\"]],\"+qqX74\":\"Cập nhật tên sự kiện, mô tả và ngày\",\"vXPSuB\":\"Cập nhật hồ sơ\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"URL\",\"UtDm3q\":\"URL được sao chép vào bảng tạm\",\"e5lF64\":\"Ví dụ sử dụng\",\"fiV0xj\":\"Giới hạn sử dụng\",\"sGEOe4\":\"Sử dụng phiên bản làm mờ của ảnh bìa làm nền\",\"OadMRm\":\"Sử dụng hình ảnh bìa\",\"7PzzBU\":\"Người dùng\",\"yDOdwQ\":\"Quản lý người dùng\",\"Sxm8rQ\":\"Người dùng\",\"VEsDvU\":\"Người dùng có thể thay đổi email của họ trong <0>Cài đặt hồ sơ\",\"vgwVkd\":\"UTC\",\"khBZkl\":\"Thuế VAT\",\"E/9LUk\":\"Tên địa điểm\",\"jpctdh\":\"Xem\",\"Pte1Hv\":\"Xem chi tiết người tham dự\",\"/5PEQz\":\"Xem trang sự kiện\",\"fFornT\":\"Xem tin nhắn đầy đủ\",\"YIsEhQ\":\"Xem bản đồ\",\"Ep3VfY\":\"Xem trên Google Maps\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"Danh sách người tham dự VIP\",\"tF+VVr\":\"Vé VIP\",\"2q/Q7x\":\"Tầm nhìn\",\"vmOFL/\":\"Chúng tôi không thể xử lý thanh toán của bạn. Vui lòng thử lại hoặc liên hệ với ban tổ chức.\",\"45Srzt\":\"Chúng tôi không thể xóa danh mục. Vui lòng thử lại.\",\"/DNy62\":[\"Chúng tôi không thể tìm thấy bất kỳ vé nào khớp với \",[\"0\"]],\"1E0vyy\":\"Chúng tôi không thể tải dữ liệu. Vui lòng thử lại.\",\"NmpGKr\":\"Chúng tôi không thể sắp xếp lại các danh mục. Vui lòng thử lại.\",\"BJtMTd\":\"Chúng tôi đề xuất kích thước 2160px bằng 1080px và kích thước tệp tối đa là 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"Chúng tôi không thể xác nhận thanh toán của bạn. Vui lòng thử lại hoặc liên hệ với ban tổ chức.\",\"Gspam9\":\"Chúng tôi đang xử lý đơn hàng của bạn. Đợi một chút...\",\"LuY52w\":\"Chào mừng bạn! Vui lòng đăng nhập để tiếp tục.\",\"dVxpp5\":[\"Chào mừng trở lại\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Sản phẩm cấp bậc là gì?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"Thể loại là gì?\",\"gxeWAU\":\"Mã này áp dụng cho sản phẩm nào?\",\"hFHnxR\":\"Mã này áp dụng cho sản phẩm nào? (Mặc định áp dụng cho tất cả)\",\"AeejQi\":\"Sản phẩm nào nên áp dụng công suất này?\",\"Rb0XUE\":\"Bạn sẽ đến lúc mấy giờ?\",\"5N4wLD\":\"Đây là loại câu hỏi nào?\",\"gyLUYU\":\"Khi được bật, hóa đơn sẽ được tạo cho các đơn hàng vé. Hóa đơn sẽ được gửi kèm với email xác nhận đơn hàng. Người tham dự cũng có thể tải hóa đơn của họ từ trang xác nhận đơn hàng.\",\"D3opg4\":\"Khi thanh toán ngoại tuyến được bật, người dùng có thể hoàn tất đơn hàng và nhận vé của họ. Vé của họ sẽ hiển thị rõ ràng rằng đơn hàng chưa được thanh toán, và công cụ check-in sẽ thông báo cho nhân viên check-in nếu đơn hàng cần thanh toán.\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"Những vé nào nên được liên kết với danh sách người tham dự này?\",\"S+OdxP\":\"Ai đang tổ chức sự kiện này?\",\"LINr2M\":\"Tin nhắn này gửi tới ai?\",\"nWhye/\":\"Ai nên được hỏi câu hỏi này?\",\"VxFvXQ\":\"Nhúng Widget\",\"v1P7Gm\":\"Cài đặt widget\",\"b4itZn\":\"Làm việc\",\"hqmXmc\":\"Làm việc ...\",\"+G/XiQ\":\"Từ đầu năm đến nay\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"Có, loại bỏ chúng\",\"ySeBKv\":\"Bạn đã quét vé này rồi\",\"P+Sty0\":[\"Bạn đang thay đổi email của mình thành <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Bạn đang ngoại tuyến\",\"sdB7+6\":\"Bạn có thể tạo mã khuyến mãi nhắm mục tiêu sản phẩm này trên\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"Bạn không thể thay đổi loại sản phẩm vì có những người tham dự liên quan đến sản phẩm này.\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"Bạn không thể xác nhận người tham dự với các đơn hàng không được thanh toán. Cài đặt này có thể được thay đổi ở phần cài đặt sự kiện.\",\"c9Evkd\":\"Bạn không thể xóa danh mục cuối cùng.\",\"6uwAvx\":\"Bạn không thể xóa cấp giá này vì đã có sản phẩm được bán cho cấp này. Thay vào đó, bạn có thể ẩn nó.\",\"tFbRKJ\":\"Bạn không thể chỉnh sửa vai trò hoặc trạng thái của chủ sở hữu tài khoản.\",\"fHfiEo\":\"Bạn không thể hoàn trả một Đơn hàng được tạo thủ công.\",\"hK9c7R\":\"Bạn đã tạo một câu hỏi ẩn nhưng đã tắt tùy chọn hiển thị câu hỏi ẩn. Nó đã được bật.\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"Bạn có quyền truy cập vào nhiều tài khoản. Vui lòng chọn một tài khoản để tiếp tục.\",\"Z6q0Vl\":\"Bạn đã chấp nhận lời mời này. Vui lòng đăng nhập để tiếp tục.\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"Bạn không có câu hỏi cho người tham dự.\",\"CoZHDB\":\"Bạn không có câu hỏi nào về đơn hàng.\",\"15qAvl\":\"Bạn không có thay đổi email đang chờ xử lý.\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"Bạn đã hết thời gian để hoàn thành đơn hàng của mình.\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"Bạn chưa gửi bất kỳ tin nhắn nào. Bạn có thể gửi tin nhắn tới tất cả người tham dự, hoặc cho người giữ sản phẩm cụ thể.\",\"R6i9o9\":\"Bạn phải hiểu rằng email này không phải là email quảng cáo\",\"3ZI8IL\":\"Bạn phải đồng ý với các điều khoản và điều kiện\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"Bạn phải tạo một vé trước khi bạn có thể thêm một người tham dự.\",\"jE4Z8R\":\"Bạn phải có ít nhất một cấp giá\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"Bạn sẽ phải đánh dấu một đơn hàng theo cách thủ công. Được thực hiện trong trang quản lý đơn hàng.\",\"L/+xOk\":\"Bạn sẽ cần một vé trước khi bạn có thể tạo một danh sách người tham dự.\",\"Djl45M\":\"Bạn sẽ cần tại một sản phẩm trước khi bạn có thể tạo một sự phân công công suất.\",\"y3qNri\":\"Bạn cần ít nhất một sản phẩm để bắt đầu. Miễn phí, trả phí hoặc để người dùng quyết định số tiền thanh toán.\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"Tên tài khoản của bạn được sử dụng trên các trang sự kiện và trong email.\",\"veessc\":\"Người tham dự của bạn sẽ xuất hiện ở đây sau khi họ đăng ký tham gia sự kiện. Bạn cũng có thể thêm người tham dự theo cách thủ công.\",\"Eh5Wrd\":\"Trang web tuyệt vời của bạn 🎉\",\"lkMK2r\":\"Thông tin của bạn\",\"3ENYTQ\":[\"Yêu cầu email của bạn thay đổi thành <0>\",[\"0\"],\" đang chờ xử lý. \"],\"yZfBoy\":\"Tin nhắn của bạn đã được gửi\",\"KSQ8An\":\"Đơn hàng của bạn\",\"Jwiilf\":\"Đơn hàng của bạn đã bị hủy\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"Đơn hàng của bạn sẽ xuất hiện ở đây sau khi chúng bắt đầu tham gia.\",\"9TO8nT\":\"Mật khẩu của bạn\",\"P8hBau\":\"Thanh toán của bạn đang xử lý.\",\"UdY1lL\":\"Thanh toán của bạn không thành công, vui lòng thử lại.\",\"fzuM26\":\"Thanh toán của bạn không thành công. Vui lòng thử lại.\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"Hoàn lại tiền của bạn đang xử lý.\",\"IFHV2p\":\"Vé của bạn cho\",\"x1PPdr\":\"mã zip / bưu điện\",\"BM/KQm\":\"mã zip hoặc bưu điện\",\"+LtVBt\":\"mã zip hoặc bưu điện\",\"25QDJ1\":\"- Nhấp để xuất bản\",\"WOyJmc\":\"- Nhấp để gỡ bỏ\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" đã check-in\"],\"S4PqS9\":[[\"0\"],\" Webhook đang hoạt động\"],\"6MIiOI\":[\"Còn \",[\"0\"]],\"COnw8D\":[\"Logo \",[\"0\"]],\"B7pZfX\":[[\"0\"],\" nhà tổ chức\"],\"/HkCs4\":[[\"0\"],\" vé\"],\"OJnhhX\":[[\"EventCount\"],\" Sự kiện\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Thuế/Phí\",\"B1St2O\":\"<0>Danh sách check-in giúp bạn quản lý lối vào sự kiện theo ngày, khu vực hoặc loại vé. Bạn có thể liên kết vé với các danh sách cụ thể như khu vực VIP hoặc vé Ngày 1 và chia sẻ liên kết check-in an toàn với nhân viên. Không cần tài khoản. Check-in hoạt động trên điện thoại di động, máy tính để bàn hoặc máy tính bảng, sử dụng camera thiết bị hoặc máy quét USB HID. \",\"ZnVt5v\":\"<0>Webhooks thông báo ngay lập tức cho các dịch vụ bên ngoài khi sự kiện diễn ra, chẳng hạn như thêm người tham dự mới vào CRM hoặc danh sách email khi đăng ký, đảm bảo tự động hóa mượt mà.<1>Sử dụng các dịch vụ bên thứ ba như <2>Zapier, <3>IFTTT hoặc <4>Make để tạo quy trình làm việc tùy chỉnh và tự động hóa công việc.\",\"fAv9QG\":\"🎟️ Thêm vé\",\"M2DyLc\":\"1 Webhook đang hoạt động\",\"yTsaLw\":\"1 vé\",\"HR/cvw\":\"123 Đường Mẫu\",\"kMU5aM\":\"Thông báo hủy đã được gửi đến\",\"V53XzQ\":\"Mã xác thực mới đã được gửi đến email của bạn\",\"/z/bH1\":\"Mô tả ngắn gọn về nhà tổ chức của bạn sẽ được hiển thị cho người dùng.\",\"aS0jtz\":\"Đã bỏ\",\"uyJsf6\":\"Thông tin sự kiện\",\"WTk/ke\":\"Giới thiệu về Stripe Connect\",\"1uJlG9\":\"Màu nhấn\",\"VTfZPy\":\"Truy cập bị từ chối\",\"iN5Cz3\":\"Tài khoản đã được kết nối!\",\"bPwFdf\":\"Tài Khoản\",\"nMtNd+\":\"Cần hành động: Kết nối lại tài khoản Stripe của bạn\",\"AhwTa1\":\"Cần hành động: Cần thông tin VAT\",\"a5KFZU\":\"Thêm chi tiết sự kiện và quản lý cài đặt sự kiện.\",\"Fb+SDI\":\"Thêm nhiều vé hơn\",\"6PNlRV\":\"Thêm sự kiện này vào lịch của bạn\",\"BGD9Yt\":\"Thêm vé\",\"QN2F+7\":\"Thêm Webhook\",\"NsWqSP\":\"Thêm tài khoản mạng xã hội và URL trang web của bạn. Chúng sẽ được hiển thị trên trang công khai của nhà tổ chức.\",\"0Zypnp\":\"Bảng Điều Khiển Quản Trị\",\"YAV57v\":\"Đối tác liên kết\",\"I+utEq\":\"Mã đối tác liên kết không thể thay đổi\",\"/jHBj5\":\"Tạo đối tác liên kết thành công\",\"uCFbG2\":\"Xóa đối tác liên kết thành công\",\"a41PKA\":\"Doanh số đối tác liên kết sẽ được theo dõi\",\"mJJh2s\":\"Doanh số đối tác liên kết sẽ không được theo dõi. Điều này sẽ vô hiệu hóa đối tác.\",\"jabmnm\":\"Cập nhật đối tác liên kết thành công\",\"CPXP5Z\":\"Chi nhánh\",\"9Wh+ug\":\"Đã xuất danh sách đối tác\",\"3cqmut\":\"Đối tác liên kết giúp bạn theo dõi doanh số từ các đối tác và người ảnh hưởng. Tạo mã đối tác và chia sẻ để theo dõi hiệu suất.\",\"7rLTkE\":\"Tất cả sự kiện đã lưu trữ\",\"gKq1fa\":\"Tất cả người tham dự\",\"pMLul+\":\"Tất cả tiền tệ\",\"qlaZuT\":\"Hoàn thành! Bây giờ bạn đang sử dụng hệ thống thanh toán nâng cấp của chúng tôi.\",\"ZS/D7f\":\"Tất cả sự kiện đã kết thúc\",\"dr7CWq\":\"Tất cả sự kiện sắp diễn ra\",\"QUg5y1\":\"Gần xong rồi! Hoàn thành kết nối tài khoản Stripe để bắt đầu nhận thanh toán.\",\"c4uJfc\":\"Sắp xong rồi! Chúng tôi đang chờ thanh toán của bạn được xử lý. Quá trình này chỉ mất vài giây.\",\"/H326L\":\"Đã hoàn tiền\",\"RtxQTF\":\"Cũng hủy đơn hàng này\",\"jkNgQR\":\"Cũng hoàn tiền đơn hàng này\",\"xYqsHg\":\"Luôn có sẵn\",\"Zkymb9\":\"Email để liên kết với đối tác này. Đối tác sẽ không nhận được thông báo.\",\"vRznIT\":\"Đã xảy ra lỗi khi kiểm tra trạng thái xuất.\",\"eusccx\":\"Thông báo tùy chọn để hiển thị trên sản phẩm nổi bật, ví dụ: \\\"Bán nhanh 🔥\\\" hoặc \\\"Giá trị tốt nhất\\\"\",\"QNrkms\":\"Câu trả lời đã được cập nhật thành công.\",\"LchiNd\":\"Bạn có chắc chắn muốn xóa đối tác này? Hành động này không thể hoàn tác.\",\"JmVITJ\":\"Bạn có chắc chắn muốn xóa mẫu này không? Hành động này không thể hoàn tác và email sẽ quay về mẫu mặc định.\",\"aLS+A6\":\"Bạn có chắc chắn muốn xóa mẫu này không? Hành động này không thể hoàn tác và email sẽ quay về mẫu của tổ chức hoặc mẫu mặc định.\",\"5H3Z78\":\"Bạn có chắc là bạn muốn xóa webhook này không?\",\"147G4h\":\"Bạn có chắc chắn muốn rời đi?\",\"VDWChT\":\"Bạn có chắc muốn chuyển nhà tổ chức này sang bản nháp không? Trang của nhà tổ chức sẽ không hiển thị công khai.\",\"pWtQJM\":\"Bạn có chắc muốn công khai nhà tổ chức này không? Trang của nhà tổ chức sẽ hiển thị công khai.\",\"WFHOlF\":\"Bạn có chắc chắn muốn xuất bản sự kiện này? Sau khi xuất bản, sự kiện sẽ hiển thị công khai.\",\"4TNVdy\":\"Bạn có chắc chắn muốn xuất bản hồ sơ nhà tổ chức này? Sau khi xuất bản, hồ sơ sẽ hiển thị công khai.\",\"ExDt3P\":\"Bạn có chắc chắn muốn hủy xuất bản sự kiện này? Sự kiện sẽ không còn hiển thị công khai.\",\"5Qmxo/\":\"Bạn có chắc chắn muốn hủy xuất bản hồ sơ nhà tổ chức này? Hồ sơ sẽ không còn hiển thị công khai.\",\"Uqefyd\":\"Bạn có đăng ký VAT tại EU không?\",\"+QARA4\":\"Nghệ thuật\",\"tLf3yJ\":\"Vì doanh nghiệp của bạn có trụ sở tại Ireland, VAT Ireland 23% sẽ được áp dụng tự động cho tất cả phí nền tảng.\",\"QGoXh3\":\"Vì doanh nghiệp của bạn có trụ sở tại EU, chúng tôi cần xác định cách xử lý VAT chính xác cho phí nền tảng:\",\"F2rX0R\":\"Ít nhất một loại sự kiện phải được chọn\",\"6PecK3\":\"Tỷ lệ tham dự và check-in cho tất cả sự kiện\",\"AJ4rvK\":\"Người tham dự đã hủy bỏ\",\"qvylEK\":\"Người tham dự đã tạo ra\",\"DVQSxl\":\"Thông tin người tham dự sẽ được sao chép từ thông tin đơn hàng.\",\"0R3Y+9\":\"Email người tham dự\",\"KkrBiR\":\"Thu thập thông tin người tham dự\",\"XBLgX1\":\"Thu thập thông tin người tham dự được đặt thành \\\"Mỗi đơn hàng\\\". Thông tin người tham dự sẽ được sao chép từ thông tin đơn hàng.\",\"Xc2I+v\":\"Quản lý người tham dự\",\"av+gjP\":\"Tên người tham dự\",\"cosfD8\":\"Trạng Thái Người Tham Dự\",\"D2qlBU\":\"Người tham dự cập nhật\",\"x8Vnvf\":\"Vé của người tham dự không có trong danh sách này\",\"k3Tngl\":\"Danh sách người tham dự đã được xuất\",\"5UbY+B\":\"Người tham dự có vé cụ thể\",\"4HVzhV\":\"Người tham dự:\",\"VPoeAx\":\"Quản lý vào cổng tự động với nhiều danh sách check-in và xác thực theo thời gian thực\",\"PZ7FTW\":\"Tự động phát hiện dựa trên màu nền, nhưng có thể ghi đè\",\"clF06r\":\"Có thể hoàn tiền\",\"NB5+UG\":\"Token có sẵn\",\"EmYMHc\":\"Chờ thanh toán ngoại tuyến\",\"kNmmvE\":\"Công ty TNHH Awesome Events\",\"kYqM1A\":\"Quay lại sự kiện\",\"td/bh+\":\"Quay lại Báo cáo\",\"jIPNJG\":\"Thông tin cơ bản\",\"iMdwTb\":\"Trước khi sự kiện của bạn có thể phát trực tiếp, bạn cần thực hiện một vài việc. Hoàn thành tất cả các bước dưới đây để bắt đầu.\",\"UabgBd\":\"Nội dung là bắt buộc\",\"9N+p+g\":\"Kinh doanh\",\"bv6RXK\":\"Nhãn nút\",\"ChDLlO\":\"Văn bản nút\",\"DFqasq\":[\"Bằng cách tiếp tục, bạn đồng ý với <0>Điều khoản dịch vụ của \",[\"0\"],\"\"],\"2VLZwd\":\"Nút hành động\",\"PUpvQe\":\"Máy quét camera\",\"H4nE+E\":\"Hủy tất cả sản phẩm và trả lại pool có sẵn\",\"tOXAdc\":\"Hủy sẽ hủy tất cả người tham dự liên quan đến đơn hàng này và trả vé về pool có sẵn.\",\"IrUqjC\":\"Không thể check-in (Đã hủy)\",\"VsM1HH\":\"Phân bổ sức chứa\",\"K7tIrx\":\"Danh mục\",\"2tbLdK\":\"Từ thiện\",\"v4fiSg\":\"Kiểm tra email của bạn\",\"51AsAN\":\"Kiểm tra hộp thư của bạn! Nếu có vé liên kết với email này, bạn sẽ nhận được liên kết để xem.\",\"udRwQs\":\"Check-in đã được tạo\",\"F4SRy3\":\"Check-in đã bị xóa\",\"9gPPUY\":\"Danh sách Check-In Đã Tạo!\",\"f2vU9t\":\"Danh sách check-in\",\"tMNBEF\":\"Danh sách check-in cho phép bạn kiểm soát lối vào theo ngày, khu vực hoặc loại vé. Bạn có thể chia sẻ liên kết check-in an toàn với nhân viên — không cần tài khoản.\",\"SHJwyq\":\"Tỷ lệ check-in\",\"qCqdg6\":\"Trạng thái đăng ký\",\"cKj6OE\":\"Tóm tắt Check-in\",\"7B5M35\":\"Check-In\",\"DM4gBB\":\"Tiếng Trung (Phồn thể)\",\"pkk46Q\":\"Chọn một nhà tổ chức\",\"Crr3pG\":\"Chọn lịch\",\"CySr+W\":\"Nhấp để xem ghi chú\",\"RG3szS\":\"đóng\",\"RWw9Lg\":\"Đóng hộp thoại\",\"XwdMMg\":\"Mã chỉ được chứa chữ cái, số, dấu gạch ngang và dấu gạch dưới\",\"+yMJb7\":\"Mã là bắt buộc\",\"m9SD3V\":\"Mã phải có ít nhất 3 ký tự\",\"V1krgP\":\"Mã không được quá 20 ký tự\",\"psqIm5\":\"Hợp tác với nhóm của bạn để tạo nên những sự kiện tuyệt vời.\",\"4bUH9i\":\"Thu thập thông tin chi tiết người tham dự cho mỗi vé đã mua.\",\"FpsvqB\":\"Chế độ màu\",\"jEu4bB\":\"Cột\",\"CWk59I\":\"Hài kịch\",\"7D9MJz\":\"Hoàn tất thiết lập Stripe\",\"OqEV/G\":\"Hoàn thành thiết lập bên dưới để tiếp tục\",\"nqx+6h\":\"Hoàn thành các bước này để bắt đầu bán vé cho sự kiện của bạn.\",\"5YrKW7\":\"Hoàn tất thanh toán để đảm bảo vé của bạn.\",\"ih35UP\":\"Trung tâm hội nghị\",\"NGXKG/\":\"Xác nhận địa chỉ email\",\"Auz0Mz\":\"Xác nhận email của bạn để sử dụng đầy đủ tính năng.\",\"7+grte\":\"Email xác nhận đã được gửi! Vui lòng kiểm tra hộp thư đến của bạn.\",\"n/7+7Q\":\"Xác nhận đã gửi đến\",\"o5A0Go\":\"Chúc mừng bạn đã tạo sự kiện thành công!\",\"WNnP3w\":\"Kết nối và nâng cấp\",\"Xe2tSS\":\"Tài liệu kết nối\",\"1Xxb9f\":\"Kết nối xử lý thanh toán\",\"LmvZ+E\":\"Kết nối Stripe để bật tính năng nhắn tin\",\"EWnXR+\":\"Kết nối với Stripe\",\"MOUF31\":\"Kết nối với CRM và tự động hóa các tác vụ bằng webhooks và tích hợp\",\"VioGG1\":\"Kết nối tài khoản Stripe để chấp nhận thanh toán cho vé và sản phẩm.\",\"4qmnU8\":\"Kết nối tài khoản Stripe để nhận thanh toán.\",\"E1eze1\":\"Kết nối tài khoản Stripe để bắt đầu nhận thanh toán cho sự kiện của bạn.\",\"ulV1ju\":\"Kết nối tài khoản Stripe để bắt đầu nhận thanh toán.\",\"/3017M\":\"Đã kết nối với Stripe\",\"jfC/xh\":\"Liên hệ\",\"LOFgda\":[\"Liên hệ \",[\"0\"]],\"41BQ3k\":\"Email liên hệ\",\"KcXRN+\":\"Email liên hệ hỗ trợ\",\"m8WD6t\":\"Tiếp tục thiết lập\",\"0GwUT4\":\"Tiếp tục đến thanh toán\",\"sBV87H\":\"Tiếp tục tạo sự kiện\",\"nKtyYu\":\"Tiếp tục bước tiếp theo\",\"F3/nus\":\"Tiếp tục thanh toán\",\"1JnTgU\":\"Đã sao chép từ trên\",\"FxVG/l\":\"Đã sao chép vào clipboard\",\"PiH3UR\":\"Đã sao chép!\",\"uUPbPg\":\"Sao chép liên kết đối tác\",\"iVm46+\":\"Sao chép mã\",\"+2ZJ7N\":\"Sao chép chi tiết cho người tham dự đầu tiên\",\"ZN1WLO\":\"Sao chép Email\",\"tUGbi8\":\"Sao chép thông tin của tôi cho:\",\"y22tv0\":\"Sao chép liên kết này để chia sẻ ở bất kỳ đâu\",\"/4gGIX\":\"Sao chép vào bộ nhớ tạm\",\"P0rbCt\":\"Ảnh bìa\",\"60u+dQ\":\"Ảnh bìa sẽ được hiển thị ở đầu trang sự kiện của bạn\",\"2NLjA6\":\"Ảnh bìa sẽ hiển thị ở đầu trang của nhà tổ chức\",\"zg4oSu\":[\"Tạo mẫu \",[\"0\"]],\"xfKgwv\":\"Tạo đối tác\",\"dyrgS4\":\"Tạo và tùy chỉnh trang sự kiện của bạn ngay lập tức\",\"BTne9e\":\"Tạo mẫu email tùy chỉnh cho sự kiện này ghi đè mặc định của tổ chức\",\"YIDzi/\":\"Tạo mẫu tùy chỉnh\",\"8AiKIu\":\"Tạo vé hoặc sản phẩm\",\"agZ87r\":\"Tạo vé cho sự kiện của bạn, đặt giá và quản lý số lượng có sẵn.\",\"dkAPxi\":\"Tạo webhook\",\"5slqwZ\":\"Tạo sự kiện của bạn\",\"JQNMrj\":\"Tạo sự kiện đầu tiên của bạn\",\"CCjxOC\":\"Tạo sự kiện đầu tiên để bắt đầu bán vé và quản lý người tham dự.\",\"ZCSSd+\":\"Tạo sự kiện của riêng bạn\",\"67NsZP\":\"Đang tạo sự kiện...\",\"H34qcM\":\"Đang tạo nhà tổ chức...\",\"1YMS+X\":\"Đang tạo sự kiện của bạn, vui lòng đợi\",\"yiy8Jt\":\"Đang tạo hồ sơ nhà tổ chức của bạn, vui lòng đợi\",\"lfLHNz\":\"Nhãn CTA là bắt buộc\",\"BMtue0\":\"Bộ xử lý thanh toán hiện tại\",\"iTvh6I\":\"Hiện có sẵn để mua\",\"mimF6c\":\"Tin nhắn tùy chỉnh sau thanh toán\",\"axv/Mi\":\"Mẫu tùy chỉnh\",\"QMHSMS\":\"Khách hàng sẽ nhận email xác nhận hoàn tiền\",\"L/Qc+w\":\"Địa chỉ email khách hàng\",\"wpfWhJ\":\"Tên khách hàng\",\"GIoqtA\":\"Họ khách hàng\",\"NihQNk\":\"Khách hàng\",\"7gsjkI\":\"Tùy chỉnh email gửi cho khách hàng bằng mẫu Liquid. Các mẫu này sẽ được dùng làm mặc định cho tất cả sự kiện trong tổ chức của bạn.\",\"iX6SLo\":\"Tùy chỉnh văn bản trên nút tiếp tục\",\"pxNIxa\":\"Tùy chỉnh mẫu email của bạn bằng mẫu Liquid\",\"q9Jg0H\":\"Tùy chỉnh trang sự kiện và thiết kế widget của bạn để phù hợp với thương hiệu của bạn một cách hoàn hảo\",\"mkLlne\":\"Tùy chỉnh giao diện trang sự kiện của bạn\",\"3trPKm\":\"Tùy chỉnh giao diện trang tổ chức của bạn\",\"4df0iX\":\"Tùy chỉnh giao diện vé của bạn\",\"/gWrVZ\":\"Doanh thu hàng ngày, thuế, phí và hoàn tiền cho tất cả sự kiện\",\"zgCHnE\":\"Báo cáo doanh số hàng ngày\",\"nHm0AI\":\"Chi tiết doanh số hàng ngày, thuế và phí\",\"pvnfJD\":\"Tối\",\"lnYE59\":\"Ngày của sự kiện\",\"gnBreG\":\"Ngày đặt đơn hàng\",\"JtI4vj\":\"Thu thập thông tin người tham dự mặc định\",\"1bZAZA\":\"Mẫu mặc định sẽ được sử dụng\",\"vu7gDm\":\"Xóa đối tác\",\"+jw/c1\":\"Xóa ảnh\",\"dPyJ15\":\"Xóa mẫu\",\"snMaH4\":\"Xóa webhook\",\"vYgeDk\":\"Bỏ chọn tất cả\",\"NvuEhl\":\"Các yếu tố thiết kế\",\"H8kMHT\":\"Không nhận được mã?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"Bỏ qua thông báo này\",\"BREO0S\":\"Hiển thị hộp kiểm cho phép khách hàng đăng ký nhận thông tin tiếp thị từ ban tổ chức sự kiện này.\",\"TvY/XA\":\"Tài liệu\",\"Kdpf90\":\"Đừng quên!\",\"V6Jjbr\":\"Chưa có tài khoản? <0>Đăng ký\",\"AXXqG+\":\"Quyên góp\",\"DPfwMq\":\"Xong\",\"eneWvv\":\"Bản nháp\",\"TnzbL+\":\"Do rủi ro spam cao, bạn phải kết nối tài khoản Stripe trước khi có thể gửi tin nhắn đến người tham dự.\\nĐiều này để đảm bảo rằng tất cả các tổ chức sự kiện đều được xác minh và chịu trách nhiệm.\",\"euc6Ns\":\"Nhân đôi\",\"KRmTkx\":\"Nhân bản sản phẩm\",\"KIjvtr\":\"Tiếng Hà Lan\",\"SPKbfM\":\"ví dụ: Mua vé, Đăng ký ngay\",\"LTzmgK\":[\"Chỉnh sửa mẫu \",[\"0\"]],\"v4+lcZ\":\"Chỉnh sửa đối tác\",\"2iZEz7\":\"Chỉnh sửa câu trả lời\",\"fW5sSv\":\"Chỉnh sửa webhook\",\"nP7CdQ\":\"Chỉnh sửa webhook\",\"uBAxNB\":\"Trình chỉnh sửa\",\"aqxYLv\":\"Giáo dục\",\"zPiC+q\":\"Danh Sách Đăng Ký Đủ Điều Kiện\",\"V2sk3H\":\"Email & Mẫu\",\"hbwCKE\":\"Đã sao chép địa chỉ email vào clipboard\",\"dSyJj6\":\"Địa chỉ email không khớp\",\"elW7Tn\":\"Nội dung email\",\"ZsZeV2\":\"Email là bắt buộc\",\"Be4gD+\":\"Xem trước email\",\"6IwNUc\":\"Mẫu email\",\"H/UMUG\":\"Yêu cầu xác minh email\",\"L86zy2\":\"Xác thực email thành công!\",\"Upeg/u\":\"Kích hoạt mẫu này để gửi email\",\"RxzN1M\":\"Đã bật\",\"sGjBEq\":\"Ngày và giờ kết thúc (tùy chọn)\",\"PKXt9R\":\"Ngày kết thúc phải sau ngày bắt đầu\",\"48Y16Q\":\"Thời gian kết thúc (tùy chọn)\",\"7YZofi\":\"Nhập tiêu đề và nội dung để xem trước\",\"3bR1r4\":\"Nhập email đối tác (tùy chọn)\",\"ARkzso\":\"Nhập tên đối tác\",\"INDKM9\":\"Nhập tiêu đề email...\",\"kWg31j\":\"Nhập mã đối tác duy nhất\",\"C3nD/1\":\"Nhập email của bạn\",\"n9V+ps\":\"Nhập tên của bạn\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"Lỗi khi tải nhật ký\",\"AKbElk\":\"Doanh nghiệp đã đăng ký VAT EU: Áp dụng cơ chế đảo ngược thu phí (0% - Điều 196 của Chỉ thị VAT 2006/112/EC)\",\"WgD6rb\":\"Danh mục sự kiện\",\"b46pt5\":\"Ảnh bìa sự kiện\",\"1Hzev4\":\"Mẫu tùy chỉnh sự kiện\",\"imgKgl\":\"Mô tả sự kiện\",\"kJDmsI\":\"Chi tiết sự kiện\",\"m/N7Zq\":\"Địa Chỉ Đầy Đủ Sự Kiện\",\"Nl1ZtM\":\"Địa điểm sự kiện\",\"PYs3rP\":\"Tên sự kiện\",\"HhwcTQ\":\"Tên sự kiện\",\"WZZzB6\":\"Tên sự kiện là bắt buộc\",\"Wd5CDM\":\"Tên sự kiện nên ít hơn 150 ký tự\",\"4JzCvP\":\"Sự kiện không có sẵn\",\"Gh9Oqb\":\"Tên ban tổ chức sự kiện\",\"mImacG\":\"Trang sự kiện\",\"cOePZk\":\"Thời gian sự kiện\",\"e8WNln\":\"Múi giờ sự kiện\",\"GeqWgj\":\"Múi Giờ Sự Kiện\",\"XVLu2v\":\"Tiêu đề sự kiện\",\"YDVUVl\":\"Loại sự kiện\",\"4K2OjV\":\"Địa Điểm Sự Kiện\",\"19j6uh\":\"Hiệu suất sự kiện\",\"PC3/fk\":\"Sự kiện bắt đầu trong 24 giờ tới\",\"fTFfOK\":\"Mọi mẫu email phải bao gồm nút hành động liên kết đến trang thích hợp\",\"VlvpJ0\":\"Xuất câu trả lời\",\"JKfSAv\":\"Xuất thất bại. Vui lòng thử lại.\",\"SVOEsu\":\"Đã bắt đầu xuất. Đang chuẩn bị tệp...\",\"9bpUSo\":\"Đang xuất danh sách đối tác\",\"jtrqH9\":\"Đang xuất danh sách người tham dự\",\"R4Oqr8\":\"Xuất hoàn tất. Đang tải xuống tệp...\",\"UlAK8E\":\"Đang xuất đơn hàng\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"Không thể hủy đơn hàng. Vui lòng thử lại.\",\"cEFg3R\":\"Không thể tạo đối tác\",\"U66oUa\":\"Không thể tạo mẫu\",\"xFj7Yj\":\"Không thể xóa mẫu\",\"jo3Gm6\":\"Không thể xuất danh sách đối tác\",\"Jjw03p\":\"Không thể xuất danh sách người tham dự\",\"ZPwFnN\":\"Không thể xuất đơn hàng\",\"X4o0MX\":\"Không thể tải Webhook\",\"YQ3QSS\":\"Không thể gửi lại mã xác thực\",\"zTkTF3\":\"Không thể lưu mẫu\",\"l6acRV\":\"Không thể lưu cài đặt VAT. Vui lòng thử lại.\",\"T6B2gk\":\"Không thể gửi tin nhắn. Vui lòng thử lại.\",\"lKh069\":\"Không thể bắt đầu quá trình xuất\",\"t/KVOk\":\"Không thể bắt đầu mạo danh. Vui lòng thử lại.\",\"QXgjH0\":\"Không thể dừng mạo danh. Vui lòng thử lại.\",\"i0QKrm\":\"Không thể cập nhật đối tác\",\"NNc33d\":\"Không thể cập nhật câu trả lời.\",\"7/9RFs\":\"Không thể tải ảnh lên.\",\"nkNfWu\":\"Tải ảnh lên không thành công. Vui lòng thử lại.\",\"rxy0tG\":\"Không thể xác thực email\",\"T4BMxU\":\"Các khoản phí có thể thay đổi. Bạn sẽ được thông báo về bất kỳ thay đổi nào trong cấu trúc phí của mình.\",\"cf35MA\":\"Lễ hội\",\"VejKUM\":\"Vui lòng điền thông tin của bạn ở trên trước\",\"8OvVZZ\":\"Lọc Người Tham Dự\",\"8BwQeU\":\"Hoàn thành thiết lập\",\"hg80P7\":\"Hoàn thành thiết lập Stripe\",\"1vBhpG\":\"Người tham dự đầu tiên\",\"YXhom6\":\"Phí cố định:\",\"KgxI80\":\"Vé linh hoạt\",\"lWxAUo\":\"Ẩm thực\",\"nFm+5u\":\"Văn bản chân trang\",\"MY2SVM\":\"Hoàn tiền toàn bộ\",\"vAVBBv\":\"Tích hợp hoàn toàn\",\"T02gNN\":\"Vé phổ thông\",\"3ep0Gx\":\"Thông tin chung về nhà tổ chức của bạn\",\"ziAjHi\":\"Tạo\",\"exy8uo\":\"Tạo mã\",\"4CETZY\":\"Chỉ đường\",\"kfVY6V\":\"Bắt đầu miễn phí, không có phí đăng ký\",\"u6FPxT\":\"Lấy vé\",\"8KDgYV\":\"Chuẩn bị sự kiện của bạn\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"Đến trang sự kiện\",\"gHSuV/\":\"Đi đến trang chủ\",\"6nDzTl\":\"Dễ đọc\",\"n8IUs7\":\"Doanh thu gộp\",\"kTSQej\":[\"Xin chào \",[\"0\"],\", quản lý nền tảng của bạn từ đây.\"],\"dORAcs\":\"Đây là tất cả các vé liên kết với địa chỉ email của bạn.\",\"g+2103\":\"Đây là liên kết đối tác của bạn\",\"QlwJ9d\":\"Đây là những gì cần mong đợi:\",\"D+zLDD\":\"Ẩn\",\"Rj6sIY\":\"Ẩn tùy chọn bổ sung\",\"P+5Pbo\":\"Ẩn câu trả lời\",\"gtEbeW\":\"Nổi bật\",\"NF8sdv\":\"Tin nhắn nổi bật\",\"MXSqmS\":\"Làm nổi bật sản phẩm này\",\"7ER2sc\":\"Nổi bật\",\"sq7vjE\":\"Sản phẩm nổi bật sẽ có màu nền khác để nổi bật trên trang sự kiện.\",\"i0qMbr\":\"Trang chủ\",\"AVpmAa\":\"Cách thanh toán offline\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"Tiếng Hungary\",\"4/kP5a\":\"Nếu tab mới không tự động mở, vui lòng nhấn nút bên dưới để tiếp tục thanh toán.\",\"PYVWEI\":\"Nếu đã đăng ký, cung cấp mã số VAT của bạn để xác thực\",\"wOU3Tr\":\"Nếu bạn có tài khoản với chúng tôi, bạn sẽ nhận được email với hướng dẫn cách đặt lại mật khẩu.\",\"an5hVd\":\"Hình ảnh\",\"tSVr6t\":\"Mạo danh\",\"TWXU0c\":\"Mạo danh người dùng\",\"5LAZwq\":\"Đã bắt đầu mạo danh\",\"IMwcdR\":\"Đã dừng mạo danh\",\"M8M6fs\":\"Quan trọng: Cần kết nối lại Stripe\",\"jT142F\":[\"Trong \",[\"diffHours\"],\" giờ\"],\"OoSyqO\":[\"Trong \",[\"diffMinutes\"],\" phút\"],\"UJLg8x\":\"Phân tích chuyên sâu\",\"cljs3a\":\"Cho biết bạn có đăng ký VAT tại EU hay không\",\"F1Xp97\":\"Người tham dự riêng lẻ\",\"85e6zs\":\"Chèn token Liquid\",\"38KFY0\":\"Chèn biến\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"Email không hợp lệ\",\"5tT0+u\":\"Định dạng email không hợp lệ\",\"tnL+GP\":\"Cú pháp Liquid không hợp lệ. Vui lòng sửa và thử lại.\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"Mời thành viên nhóm\",\"1z26sk\":\"Mời thành viên nhóm\",\"KR0679\":\"Mời các thành viên nhóm\",\"aH6ZIb\":\"Mời nhóm của bạn\",\"IuMGvq\":\"Hóa đơn\",\"y0meFR\":\"VAT Ireland 23% sẽ được áp dụng cho phí nền tảng (cung cấp trong nước).\",\"Lj7sBL\":\"Tiếng Ý\",\"F5/CBH\":\"mục\",\"BzfzPK\":\"Mục\",\"nCywLA\":\"Tham gia từ bất cứ đâu\",\"hTJ4fB\":\"Chỉ cần nhấn nút bên dưới để kết nối lại tài khoản Stripe của bạn.\",\"MxjCqk\":\"Chỉ đang tìm vé của bạn?\",\"lB2hSG\":[\"Giữ cho tôi cập nhật tin tức và sự kiện từ \",[\"0\"]],\"h0Q9Iw\":\"Phản hồi cuối cùng\",\"gw3Ur5\":\"Trình kích hoạt cuối cùng\",\"1njn7W\":\"Sáng\",\"1qY5Ue\":\"Liên kết hết hạn hoặc không hợp lệ\",\"psosdY\":\"Liên kết đến chi tiết đơn hàng\",\"6JzK4N\":\"Liên kết đến vé\",\"shkJ3U\":\"Liên kết tài khoản Stripe của bạn để nhận tiền từ việc bán vé.\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"Trực tiếp\",\"fpMs2Z\":\"TRỰC TIẾP\",\"D9zTjx\":\"Sự Kiện Trực Tiếp\",\"WdmJIX\":\"Đang tải xem trước...\",\"IoDI2o\":\"Đang tải token...\",\"NFxlHW\":\"Đang tải Webhooks\",\"iG7KNr\":\"Logo\",\"vu7ZGG\":\"Logo & Ảnh bìa\",\"gddQe0\":\"Logo và ảnh bìa cho nhà tổ chức của bạn\",\"TBEnp1\":\"Logo sẽ được hiển thị trong phần đầu trang\",\"Jzu30R\":\"Logo sẽ được hiển thị trên vé\",\"4wUIjX\":\"Làm cho sự kiện của bạn hoạt động\",\"0A7TvI\":\"Quản lý sự kiện\",\"2FzaR1\":\"Quản lý xử lý thanh toán và xem phí nền tảng của bạn\",\"/x0FyM\":\"Phù hợp với thương hiệu của bạn\",\"xDAtGP\":\"Tin nhắn\",\"1jRD0v\":\"Nhắn tin cho người tham dự có vé cụ thể\",\"97QrnA\":\"Tin nhắn cho người tham dự, quản lý đơn hàng và xử lý hoàn lại tất cả ở một nơi\",\"48rf3i\":\"Tin nhắn không được quá 5000 ký tự\",\"Vjat/X\":\"Tin nhắn là bắt buộc\",\"0/yJtP\":\"Nhắn tin cho chủ đơn hàng có sản phẩm cụ thể\",\"tccUcA\":\"Check-in trên thiết bị di động\",\"GfaxEk\":\"Âm nhạc\",\"oVGCGh\":\"Vé Của Tôi\",\"8/brI5\":\"Tên là bắt buộc\",\"sCV5Yc\":\"Tên sự kiện\",\"xxU3NX\":\"Doanh thu ròng\",\"eWRECP\":\"Cuộc sống về đêm\",\"HSw5l3\":\"Không - Tôi là cá nhân hoặc doanh nghiệp không đăng ký VAT\",\"VHfLAW\":\"Không có tài khoản\",\"+jIeoh\":\"Không tìm thấy tài khoản\",\"074+X8\":\"Không có Webhook hoạt động\",\"zxnup4\":\"Không có đối tác nào\",\"99ntUF\":\"Không có danh sách đăng ký nào cho sự kiện này.\",\"6r9SGl\":\"Không yêu cầu thẻ tín dụng\",\"eb47T5\":\"Không tìm thấy dữ liệu cho bộ lọc đã chọn. Hãy thử điều chỉnh khoảng thời gian hoặc tiền tệ.\",\"pZNOT9\":\"Không có ngày kết thúc\",\"dW40Uz\":\"Không tìm thấy sự kiện\",\"8pQ3NJ\":\"Không có sự kiện nào bắt đầu trong 24 giờ tới\",\"8zCZQf\":\"Chưa có sự kiện nào\",\"54GxeB\":\"Không ảnh hưởng đến giao dịch hiện tại hoặc quá khứ của bạn\",\"EpvBAp\":\"Không có hóa đơn\",\"XZkeaI\":\"Không tìm thấy nhật ký\",\"NEmyqy\":\"Chưa có đơn hàng nào\",\"B7w4KY\":\"Không có nhà tổ chức nào khác\",\"6jYQGG\":\"Không có sự kiện trước đó\",\"zK/+ef\":\"Không có sản phẩm nào có sẵn để lựa chọn\",\"QoAi8D\":\"Không có phản hồi\",\"EK/G11\":\"Chưa có phản hồi\",\"3sRuiW\":\"Không tìm thấy vé\",\"yM5c0q\":\"Không có sự kiện sắp tới\",\"qpC74J\":\"Không tìm thấy người dùng\",\"n5vdm2\":\"Chưa có sự kiện webhook nào được ghi nhận cho điểm cuối này. Sự kiện sẽ xuất hiện ở đây khi chúng được kích hoạt.\",\"4GhX3c\":\"Không có webhooks\",\"4+am6b\":\"Không, giữ tôi ở đây\",\"HVwIsd\":\"Doanh nghiệp hoặc cá nhân không đăng ký VAT: Áp dụng VAT Ireland 23%\",\"x5+Lcz\":\"Chưa Đăng Ký\",\"8n10sz\":\"Không Đủ Điều Kiện\",\"lQgMLn\":\"Tên văn phòng hoặc địa điểm\",\"6Aih4U\":\"Ngoại tuyến\",\"Z6gBGW\":\"Thanh toán ngoại tuyến\",\"nO3VbP\":[\"Đang giảm giá \",[\"0\"]],\"2r6bAy\":\"Khi bạn hoàn thành nâng cấp, tài khoản cũ sẽ chỉ được sử dụng để hoàn tiền.\",\"oXOSPE\":\"Trực tuyến\",\"WjSpu5\":\"Sự kiện trực tuyến\",\"bU7oUm\":\"Chỉ gửi đến các đơn hàng có trạng thái này\",\"M2w1ni\":\"Chỉ hiển thị với mã khuyến mãi\",\"N141o/\":\"Mở bảng điều khiển Stripe\",\"HXMJxH\":\"Văn bản tùy chọn cho tuyên bố từ chối, thông tin liên hệ hoặc ghi chú cảm ơn (chỉ một dòng)\",\"c/TIyD\":\"Đơn hàng & Vé\",\"H5qWhm\":\"Đơn hàng đã hủy\",\"b6+Y+n\":\"Đơn hàng hoàn tất\",\"x4MLWE\":\"Xác nhận đơn hàng\",\"ppuQR4\":\"Đơn hàng được tạo\",\"0UZTSq\":\"Đơn Vị Tiền Tệ Đơn Hàng\",\"HdmwrI\":\"Email đơn hàng\",\"bwBlJv\":\"Tên trong đơn hàng\",\"vrSW9M\":\"Đơn hàng đã được hủy và hoàn tiền. Chủ đơn hàng đã được thông báo.\",\"+spgqH\":[\"Mã đơn hàng: \",[\"0\"]],\"Pc729f\":\"Đơn Hàng Đang Chờ Thanh Toán Ngoại Tuyến\",\"F4NXOl\":\"Họ trong đơn hàng\",\"RQCXz6\":\"Giới hạn đơn hàng\",\"5RDEEn\":\"Ngôn Ngữ Đơn Hàng\",\"vu6Arl\":\"Đơn hàng được đánh dấu là đã trả\",\"sLbJQz\":\"Không tìm thấy đơn hàng\",\"i8VBuv\":\"Số đơn hàng\",\"FaPYw+\":\"Chủ sở hữu đơn hàng\",\"eB5vce\":\"Chủ đơn hàng có sản phẩm cụ thể\",\"CxLoxM\":\"Chủ đơn hàng có sản phẩm\",\"DoH3fD\":\"Thanh Toán Đơn Hàng Đang Chờ\",\"EZy55F\":\"Đơn hàng đã hoàn lại\",\"6eSHqs\":\"Trạng thái đơn hàng\",\"oW5877\":\"Tổng đơn hàng\",\"e7eZuA\":\"Đơn hàng cập nhật\",\"KndP6g\":\"URL đơn hàng\",\"3NT0Ck\":\"Đơn hàng đã bị hủy\",\"5It1cQ\":\"Đơn hàng đã được xuất\",\"B/EBQv\":\"Đơn hàng:\",\"ucgZ0o\":\"Tổ chức\",\"S3CZ5M\":\"Bảng điều khiển nhà tổ chức\",\"Uu0hZq\":\"Email nhà tổ chức\",\"Gy7BA3\":\"Địa chỉ email nhà tổ chức\",\"SQqJd8\":\"Không tìm thấy nhà tổ chức\",\"wpj63n\":\"Cài đặt nhà tổ chức\",\"coIKFu\":\"Không có thống kê nào cho nhà tổ chức với loại tiền tệ đã chọn hoặc đã xảy ra lỗi.\",\"o1my93\":\"Cập nhật trạng thái nhà tổ chức thất bại. Vui lòng thử lại sau\",\"rLHma1\":\"Trạng thái nhà tổ chức đã được cập nhật\",\"LqBITi\":\"Mẫu của tổ chức/mặc định sẽ được sử dụng\",\"/IX/7x\":\"Khác\",\"RsiDDQ\":\"Danh Sách Khác (Vé Không Bao Gồm)\",\"6/dCYd\":\"Tổng quan\",\"8uqsE5\":\"Trang không còn khả dụng\",\"QkLf4H\":\"URL trang\",\"sF+Xp9\":\"Lượt xem trang\",\"5F7SYw\":\"Hoàn tiền một phần\",\"fFYotW\":[\"Hoàn tiền một phần: \",[\"0\"]],\"Ff0Dor\":\"Đã qua\",\"xTPjSy\":\"Sự kiện đã qua\",\"/l/ckQ\":\"Dán URL\",\"URAE3q\":\"Tạm dừng\",\"4fL/V7\":\"Thanh toán\",\"OZK07J\":\"Thanh toán để mở khóa\",\"TskrJ8\":\"Thanh toán & Gói\",\"ENEPLY\":\"Phương thức thanh toán\",\"EyE8E6\":\"Thanh toán đang xử lý\",\"8Lx2X7\":\"Đã nhận thanh toán\",\"vcyz2L\":\"Cài đặt thanh toán\",\"fx8BTd\":\"Thanh toán không khả dụng\",\"51U9mG\":\"Thanh toán sẽ tiếp tục diễn ra không bị gián đoạn\",\"VlXNyK\":\"Mỗi đơn hàng\",\"hauDFf\":\"Mỗi vé\",\"/Bh+7r\":\"Hiệu suất\",\"zmwvG2\":\"Điện thoại\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"Đang lên kế hoạch cho một sự kiện?\",\"br3Y/y\":\"Phí nền tảng\",\"jEw0Mr\":\"Vui lòng nhập URL hợp lệ\",\"n8+Ng/\":\"Vui lòng nhập mã 5 chữ số\",\"r+lQXT\":\"Vui lòng nhập mã số VAT của bạn\",\"Dvq0wf\":\"Vui lòng cung cấp một hình ảnh.\",\"2cUopP\":\"Vui lòng bắt đầu lại quy trình thanh toán.\",\"8KmsFa\":\"Vui lòng chọn khoảng thời gian\",\"EFq6EG\":\"Vui lòng chọn một hình ảnh.\",\"fuwKpE\":\"Vui lòng thử lại.\",\"klWBeI\":\"Vui lòng đợi trước khi yêu cầu mã khác\",\"hfHhaa\":\"Vui lòng đợi trong khi chúng tôi chuẩn bị xuất danh sách đối tác...\",\"o+tJN/\":\"Vui lòng đợi trong khi chúng tôi chuẩn bị cho người tham dự xuất ra...\",\"+5Mlle\":\"Vui lòng đợi trong khi chúng tôi chuẩn bị đơn hàng của bạn để xuất ra...\",\"TjX7xL\":\"Tin Nhắn Sau Thanh Toán\",\"cs5muu\":\"Xem trước trang sự kiện\",\"+4yRWM\":\"Giá vé\",\"a5jvSX\":\"Cấp giá\",\"ReihZ7\":\"Xem trước khi in\",\"JnuPvH\":\"In vé\",\"tYF4Zq\":\"In ra PDF\",\"LcET2C\":\"Chính sách quyền riêng tư\",\"8z6Y5D\":\"Xử lý hoàn tiền\",\"JcejNJ\":\"Đang xử lý đơn hàng\",\"EWCLpZ\":\"Sản phẩm được tạo ra\",\"XkFYVB\":\"Xóa sản phẩm\",\"YMwcbR\":\"Chi tiết doanh số sản phẩm, doanh thu và thuế\",\"ldVIlB\":\"Cập nhật sản phẩm\",\"mIqT3T\":\"Sản phẩm, Hàng hóa và Tùy chọn định giá linh hoạt\",\"JoKGiJ\":\"Mã khuyến mãi\",\"k3wH7i\":\"Chi tiết sử dụng mã khuyến mãi và giảm giá\",\"uEhdRh\":\"Chỉ khuyến mãi\",\"EEYbdt\":\"Xuất bản\",\"evDBV8\":\"Công bố sự kiện\",\"dsFmM+\":\"Đã mua\",\"YwNJAq\":\"Quét mã QR với phản hồi tức thì và chia sẻ an toàn cho quyền truy cập nhân viên\",\"fqDzSu\":\"Tỷ lệ\",\"spsZys\":\"Sẵn sàng nâng cấp? Điều này chỉ mất vài phút.\",\"Fi3b48\":\"Đơn hàng gần đây\",\"Edm6av\":\"Kết nối lại Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"Đang chuyển hướng đến Stripe...\",\"ACKu03\":\"Làm mới xem trước\",\"fKn/k6\":\"Số tiền hoàn lại\",\"qY4rpA\":\"Hoàn tiền thất bại\",\"FaK/8G\":[\"Hoàn tiền đơn hàng \",[\"0\"]],\"MGbi9P\":\"Hoàn tiền đang chờ\",\"BDSRuX\":[\"Đã hoàn tiền: \",[\"0\"]],\"bU4bS1\":\"Hoàn tiền\",\"CQeZT8\":\"Không tìm thấy báo cáo\",\"JEPMXN\":\"Yêu cầu liên kết mới\",\"mdeIOH\":\"Gửi lại mã\",\"bxoWpz\":\"Gửi lại email xác nhận\",\"G42SNI\":\"Gửi lại email\",\"TTpXL3\":[\"Gửi lại sau \",[\"resendCooldown\"],\"s\"],\"Uwsg2F\":\"Đã đặt chỗ\",\"8wUjGl\":\"Đặt trước đến\",\"slOprG\":\"Đặt lại mật khẩu của bạn\",\"CbnrWb\":\"Quay lại sự kiện\",\"Oo/PLb\":\"Tóm tắt doanh thu\",\"dFFW9L\":[\"Đợt giảm giá kết thúc \",[\"0\"]],\"loCKGB\":[\"Đợt giảm giá kết thúc \",[\"0\"]],\"wlfBad\":\"Thời gian giảm giá\",\"zpekWp\":[\"Đợt giảm giá bắt đầu \",[\"0\"]],\"mUv9U4\":\"Doanh số\",\"9KnRdL\":\"Bán hàng đang tạm dừng\",\"3VnlS9\":\"Doanh số, đơn hàng và chỉ số hiệu suất cho tất cả sự kiện\",\"3Q1AWe\":\"Doanh thu:\",\"8BRPoH\":\"Địa điểm Mẫu\",\"KZrfYJ\":\"Lưu liên kết mạng xã hội\",\"9Y3hAT\":\"Lưu mẫu\",\"C8ne4X\":\"Lưu thiết kế vé\",\"6/TNCd\":\"Lưu cài đặt VAT\",\"I+FvbD\":\"Quét\",\"4ba0NE\":\"Đã lên lịch\",\"ftNXma\":\"Tìm kiếm đối tác...\",\"VY+Bdn\":\"Tìm kiếm theo tên tài khoản hoặc email...\",\"VX+B3I\":\"Tìm kiếm theo tiêu đề sự kiện hoặc người tổ chức...\",\"GHdjuo\":\"Tìm kiếm theo tên, email hoặc tài khoản...\",\"Mck5ht\":\"Thanh toán an toàn\",\"p7xUrt\":\"Chọn danh mục\",\"BFRSTT\":\"Chọn Tài Khoản\",\"mCB6Je\":\"Chọn tất cả\",\"kYZSFD\":\"Chọn một nhà tổ chức để xem bảng điều khiển và sự kiện của họ.\",\"tVW/yo\":\"Chọn tiền tệ\",\"n9ZhRa\":\"Chọn ngày và giờ kết thúc\",\"gTN6Ws\":\"Chọn thời gian kết thúc\",\"0U6E9W\":\"Chọn danh mục sự kiện\",\"j9cPeF\":\"Chọn loại sự kiện\",\"1nhy8G\":\"Chọn loại máy quét\",\"KizCK7\":\"Chọn ngày và giờ bắt đầu\",\"dJZTv2\":\"Chọn thời gian bắt đầu\",\"aT3jZX\":\"Chọn múi giờ\",\"Ropvj0\":\"Chọn những sự kiện nào sẽ kích hoạt webhook này\",\"BG3f7v\":\"Bán bất cứ thứ gì\",\"VtX8nW\":\"Bán hàng hóa cùng với vé, hỗ trợ thuế và mã khuyến mãi tích hợp\",\"Cye3uV\":\"Bán nhiều hơn vé\",\"j9b/iy\":\"Bán chạy 🔥\",\"1lNPhX\":\"Gửi email thông báo hoàn tiền\",\"SPdzrs\":\"Gửi cho khách hàng khi họ đặt hàng\",\"LxSN5F\":\"Gửi cho từng người tham dự với chi tiết vé của họ\",\"eXssj5\":\"Đặt cài đặt mặc định cho các sự kiện mới được tạo dưới tổ chức này.\",\"xMO+Ao\":\"Thiết lập tổ chức của bạn\",\"HbUQWA\":\"Thiết lập trong vài phút\",\"GG7qDw\":\"Chia sẻ liên kết đối tác\",\"hL7sDJ\":\"Chia sẻ trang nhà tổ chức\",\"WHY75u\":\"Hiển thị tùy chọn bổ sung\",\"cMW+gm\":[\"Hiển thị tất cả nền tảng (\",[\"0\"],\" có giá trị khác)\"],\"UVPI5D\":\"Hiển thị ít nền tảng hơn\",\"Eu/N/d\":\"Hiển thị hộp kiểm đăng ký tiếp thị\",\"SXzpzO\":\"Hiển thị hộp kiểm đăng ký tiếp thị theo mặc định\",\"b33PL9\":\"Hiển thị thêm nền tảng\",\"v6IwHE\":\"Check-in thông minh\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"Xã hội\",\"d0rUsW\":\"Liên kết mạng xã hội\",\"j/TOB3\":\"Liên kết mạng xã hội & Trang web\",\"2pxNFK\":\"đã bán\",\"s9KGXU\":\"Đã bán\",\"KTxc6k\":\"Có gì đó không ổn, vui lòng thử lại hoặc liên hệ với hỗ trợ nếu vấn đề vẫn còn\",\"H6Gslz\":\"Xin lỗi vì sự bất tiện này.\",\"7JFNej\":\"Thể thao\",\"JcQp9p\":\"Ngày & giờ bắt đầu\",\"0m/ekX\":\"Ngày và giờ bắt đầu\",\"izRfYP\":\"Ngày bắt đầu là bắt buộc\",\"2R1+Rv\":\"Thời gian bắt đầu sự kiện\",\"2NbyY/\":\"Thống kê\",\"DRykfS\":\"Vẫn đang xử lý hoàn tiền cho các giao dịch cũ của bạn.\",\"wuV0bK\":\"Dừng Mạo Danh\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Thiết lập Stripe đã hoàn tất.\",\"ii0qn/\":\"Tiêu đề là bắt buộc\",\"M7Uapz\":\"Tiêu đề sẽ xuất hiện ở đây\",\"6aXq+t\":\"Tiêu đề:\",\"JwTmB6\":\"Sản phẩm nhân đôi thành công\",\"RuaKfn\":\"Cập nhật địa chỉ thành công\",\"kzx0uD\":\"Đã cập nhật mặc định sự kiện thành công\",\"5n+Wwp\":\"Cập nhật nhà tổ chức thành công\",\"0Dk/l8\":\"Cập nhật cài đặt SEO thành công\",\"MhOoLQ\":\"Cập nhật liên kết mạng xã hội thành công\",\"kj7zYe\":\"Cập nhật Webhook thành công\",\"dXoieq\":\"Tóm tắt\",\"/RfJXt\":[\"Lễ hội âm nhạc mùa hè \",[\"0\"]],\"CWOPIK\":\"Lễ hội Âm nhạc Mùa hè 2025\",\"5gIl+x\":\"Hỗ trợ bán hàng theo bậc, dựa trên quyên góp và bán sản phẩm với giá và sức chứa tùy chỉnh\",\"JZTQI0\":\"Chuyển đổi nhà tổ chức\",\"XX32BM\":\"Chỉ mất vài phút\",\"yT6dQ8\":\"Thuế thu được theo loại thuế và sự kiện\",\"Ye321X\":\"Tên thuế\",\"WyCBRt\":\"Tóm tắt thuế\",\"GkH0Pq\":\"Đã áp dụng thuế & phí\",\"SmvJCM\":\"Thuế, phí, thời gian giảm giá, giới hạn đơn hàng và cài đặt hiển thị\",\"vlf/In\":\"Công nghệ\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"Hãy cho mọi người biết điều gì sẽ có tại sự kiện của bạn\",\"NiIUyb\":\"Hãy cho chúng tôi biết về sự kiện của bạn\",\"DovcfC\":\"Hãy cho chúng tôi biết về tổ chức của bạn. Thông tin này sẽ được hiển thị trên các trang sự kiện của bạn.\",\"7wtpH5\":\"Mẫu đang hoạt động\",\"QHhZeE\":\"Tạo mẫu thành công\",\"xrWdPR\":\"Xóa mẫu thành công\",\"G04Zjt\":\"Lưu mẫu thành công\",\"xowcRf\":\"Điều khoản dịch vụ\",\"6K0GjX\":\"Văn bản có thể khó đọc\",\"nm3Iz/\":\"Cảm ơn bạn đã tham dự!\",\"lhAWqI\":\"Cảm ơn sự hỗ trợ của bạn khi chúng tôi tiếp tục phát triển và cải thiện Hi.Events!\",\"KfmPRW\":\"Màu nền của trang. Khi sử dụng ảnh bìa, màu này được áp dụng dưới dạng lớp phủ.\",\"MDNyJz\":\"Mã sẽ hết hạn sau 10 phút. Kiểm tra thư mục spam nếu bạn không thấy email.\",\"MJm4Tq\":\"Đơn vị tiền tệ của đơn hàng\",\"I/NNtI\":\"Địa điểm sự kiện\",\"tXadb0\":\"Sự kiện bạn đang tìm kiếm hiện không khả dụng. Nó có thể đã bị xóa, hết hạn hoặc URL không chính xác.\",\"EBzPwC\":\"Địa chỉ đầy đủ của sự kiện\",\"sxKqBm\":\"Toàn bộ số tiền đơn hàng sẽ được hoàn lại phương thức thanh toán gốc của khách hàng.\",\"5OmEal\":\"Ngôn ngữ của khách hàng\",\"sYLeDq\":\"Không tìm thấy nhà tổ chức bạn đang tìm kiếm. Trang có thể đã bị chuyển, xóa hoặc URL không chính xác.\",\"HxxXZO\":\"Màu thương hiệu chính được sử dụng cho nút và điểm nhấn\",\"DEcpfp\":\"Nội dung template chứa cú pháp Liquid không hợp lệ. Vui lòng sửa và thử lại.\",\"A4UmDy\":\"Sân khấu\",\"tDwYhx\":\"Chủ đề & Màu sắc\",\"HirZe8\":\"Các mẫu này sẽ được sử dụng làm mặc định cho tất cả sự kiện trong tổ chức của bạn. Các sự kiện riêng lẻ có thể ghi đè các mẫu này bằng phiên bản tùy chỉnh của riêng họ.\",\"lzAaG5\":\"Các mẫu này sẽ ghi đè mặc định của tổ chức chỉ cho sự kiện này. Nếu không có mẫu tùy chỉnh nào được thiết lập ở đây, mẫu của tổ chức sẽ được sử dụng thay thế.\",\"XBNC3E\":\"Mã này sẽ được dùng để theo dõi doanh số. Chỉ cho phép chữ cái, số, dấu gạch ngang và dấu gạch dưới.\",\"AaP0M+\":\"Kết hợp màu này có thể khó đọc đối với một số người dùng\",\"YClrdK\":\"Sự kiện này chưa được xuất bản\",\"dFJnia\":\"Đây là tên nhà tổ chức sẽ hiển thị cho người dùng của bạn.\",\"L7dIM7\":\"Liên kết này không hợp lệ hoặc đã hết hạn.\",\"j5FdeA\":\"Đơn hàng này đang được xử lý.\",\"sjNPMw\":\"Đơn hàng này đã bị bỏ. Bạn có thể bắt đầu đơn hàng mới bất cứ lúc nào.\",\"OhCesD\":\"Đơn hàng này đã bị hủy. Bạn có thể bắt đầu đơn hàng mới bất cứ lúc nào.\",\"lyD7rQ\":\"Hồ sơ nhà tổ chức này chưa được xuất bản\",\"9b5956\":\"Xem trước này cho thấy email của bạn sẽ trông như thế nào với dữ liệu mẫu. Email thực tế sẽ sử dụng giá trị thực.\",\"uM9Alj\":\"Sản phẩm này được nổi bật trên trang sự kiện\",\"RqSKdX\":\"Sản phẩm này đã bán hết\",\"0Ew0uk\":\"Vé này vừa được quét. Vui lòng chờ trước khi quét lại.\",\"kvpxIU\":\"Thông tin này sẽ được dùng để gửi thông báo và liên hệ với người dùng của bạn.\",\"rhsath\":\"Thông tin này sẽ không hiển thị với khách hàng, nhưng giúp bạn nhận diện đối tác.\",\"Mr5UUd\":\"Vé đã hủy\",\"0GSPnc\":\"Thiết kế vé\",\"EZC/Cu\":\"Thiết kế vé đã được lưu thành công\",\"1BPctx\":\"Vé cho\",\"bgqf+K\":\"Email người giữ vé\",\"oR7zL3\":\"Tên người giữ vé\",\"HGuXjF\":\"Người sở hữu vé\",\"awHmAT\":\"ID vé\",\"6czJik\":\"Logo Vé\",\"OkRZ4Z\":\"Tên vé\",\"6tmWch\":\"Vé hoặc sản phẩm\",\"1tfWrD\":\"Xem trước vé cho\",\"tGCY6d\":\"Giá vé\",\"8jLPgH\":\"Loại vé\",\"X26cQf\":\"URL vé\",\"zNECqg\":\"vé\",\"6GQNLE\":\"Vé\",\"NRhrIB\":\"Vé & Sản phẩm\",\"EUnesn\":\"Vé còn sẵn\",\"AGRilS\":\"Vé Đã Bán\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"Để nhận thanh toán bằng thẻ tín dụng, bạn cần kết nối tài khoản Stripe của mình. Stripe là đối tác xử lý thanh toán của chúng tôi, đảm bảo giao dịch an toàn và thanh toán kịp thời.\",\"W428WC\":\"Chuyển đổi cột\",\"3sZ0xx\":\"Tổng Tài Khoản\",\"EaAPbv\":\"Tổng số tiền đã trả\",\"SMDzqJ\":\"Tổng số người tham dự\",\"orBECM\":\"Tổng thu được\",\"KSDwd5\":\"Tổng số đơn hàng\",\"vb0Q0/\":\"Tổng Người Dùng\",\"/b6Z1R\":\"Theo dõi doanh thu, lượt xem trang và bán hàng với các phân tích chi tiết và báo cáo có thể xuất khẩu\",\"OpKMSn\":\"Phí giao dịch:\",\"uKOFO5\":\"Đúng nếu thanh toán ngoại tuyến\",\"9GsDR2\":\"Đúng nếu thanh toán đang chờ xử lý\",\"ouM5IM\":\"Thử email khác\",\"3DZvE7\":\"Dùng thử Hi.Events miễn phí\",\"Kz91g/\":\"Tiếng Thổ Nhĩ Kỳ\",\"GdOhw6\":\"Tắt âm thanh\",\"KUOhTy\":\"Bật âm thanh\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"Loại vé\",\"IrVSu+\":\"Không thể nhân bản sản phẩm. Vui lòng kiểm tra thông tin của bạn\",\"Vx2J6x\":\"Không thể lấy thông tin người tham dự\",\"b9SN9q\":\"Mã tham chiếu đơn hàng duy nhất\",\"Ef7StM\":\"Không rõ\",\"ZBAScj\":\"Người tham dự không xác định\",\"ZkS2p3\":\"Hủy công bố sự kiện\",\"Pp1sWX\":\"Cập nhật đối tác\",\"KMMOAy\":\"Có nâng cấp\",\"gJQsLv\":\"Tải lên ảnh bìa cho nhà tổ chức của bạn\",\"4kEGqW\":\"Tải lên logo cho nhà tổ chức của bạn\",\"lnCMdg\":\"Tải ảnh lên\",\"29w7p6\":\"Đang tải ảnh...\",\"HtrFfw\":\"URL là bắt buộc\",\"WBq1/R\":\"Máy quét USB đã hoạt động\",\"EV30TR\":\"Chế độ máy quét USB đã kích hoạt. Bắt đầu quét vé ngay bây giờ.\",\"fovJi3\":\"Chế độ máy quét USB đã tắt\",\"hli+ga\":\"Máy quét USB/HID\",\"OHJXlK\":\"Sử dụng <0>mẫu Liquid để cá nhân hóa email của bạn\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"Được sử dụng cho viền, vùng tô sáng và kiểu mã QR\",\"Fild5r\":\"Valid VAT number\",\"sqdl5s\":\"VAT Information\",\"UjNWsF\":\"VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below.\",\"pnVh83\":\"VAT Number\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"VAT number validation failed. Please check your number and try again.\",\"PCRCCN\":\"VAT Registration Information\",\"vbKW6Z\":\"VAT settings saved and validated successfully\",\"fb96a1\":\"VAT settings saved but validation failed. Please check your VAT number.\",\"Nfbg76\":\"VAT settings saved successfully\",\"tJylUv\":\"VAT Treatment for Platform Fees\",\"FlGprQ\":\"VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%.\",\"AdWhjZ\":\"Mã xác thực\",\"wCKkSr\":\"Xác thực email\",\"/IBv6X\":\"Xác minh email của bạn\",\"e/cvV1\":\"Đang xác thực...\",\"fROFIL\":\"Tiếng Việt\",\"+WFMis\":\"Xem và tải xuống báo cáo cho tất cả sự kiện của bạn. Chỉ bao gồm đơn hàng đã hoàn thành.\",\"gj5YGm\":\"Xem và tải xuống báo cáo cho sự kiện của bạn. Lưu ý rằng chỉ các đơn hàng đã hoàn thành mới được đưa vào các báo cáo này.\",\"c7VN/A\":\"Xem câu trả lời\",\"FCVmuU\":\"Xem sự kiện\",\"n6EaWL\":\"Xem nhật ký\",\"OaKTzt\":\"Xem bản đồ\",\"67OJ7t\":\"Xem đơn hàng\",\"tKKZn0\":\"Xem chi tiết đơn hàng\",\"9jnAcN\":\"Xem trang chủ nhà tổ chức\",\"1J/AWD\":\"Xem vé\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"Chỉ hiển thị với nhân viên check-in. Giúp xác định danh sách này trong quá trình check-in.\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"Đang chờ thanh toán\",\"RRZDED\":\"Chúng tôi không tìm thấy đơn hàng nào liên kết với địa chỉ email này.\",\"miysJh\":\"Chúng tôi không thể tìm thấy đơn hàng này. Nó có thể đã bị xóa.\",\"HJKdzP\":\"Đã xảy ra sự cố khi tải trang này. Vui lòng thử lại.\",\"IfN2Qo\":\"Chúng tôi khuyến nghị logo hình vuông với kích thước tối thiểu 200x200px\",\"wJzo/w\":\"Chúng tôi khuyến nghị kích thước 400px x 400px và dung lượng tối đa 5MB\",\"q1BizZ\":\"Chúng tôi sẽ gửi vé đến email này\",\"zCdObC\":\"Chúng tôi đã chính thức chuyển trụ sở chính đến Ireland 🇮🇪. Như một phần của quá trình chuyển đổi này, chúng tôi hiện sử dụng Stripe Ireland thay vì Stripe Canada. Để giữ cho các khoản thanh toán của bạn diễn ra suôn sẻ, bạn cần kết nối lại tài khoản Stripe của mình.\",\"jh2orE\":\"Chúng tôi đã chuyển trụ sở chính đến Ireland. Do đó, chúng tôi cần bạn kết nối lại tài khoản Stripe. Quy trình nhanh này chỉ mất vài phút. Doanh số và dữ liệu hiện tại của bạn hoàn toàn không bị ảnh hưởng.\",\"Fq/Nx7\":\"Chúng tôi đã gửi mã xác thực 5 chữ số đến:\",\"GdWB+V\":\"Webhook tạo thành công\",\"2X4ecw\":\"Webhook đã xóa thành công\",\"CThMKa\":\"Nhật ký webhook\",\"nuh/Wq\":\"URL Webhook\",\"8BMPMe\":\"Webhook sẽ không gửi thông báo\",\"FSaY52\":\"Webhook sẽ gửi thông báo\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"Trang web\",\"vKLEXy\":\"Weibo\",\"jupD+L\":\"Chào mừng trở lại 👋\",\"kSYpfa\":[\"Chào mừng đến với \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"Chào mừng đến với \",[\"0\"],\", \",[\"1\"],\" 👋\"],\"LETnBR\":[\"Chào mừng đến với \",[\"0\"],\", đây là danh sách tất cả sự kiện của bạn\"],\"FaSXqR\":\"Loại sự kiện nào?\",\"f30uVZ\":\"What you need to do:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"Khi một lượt check-in bị xóa\",\"Gmd0hv\":\"Khi một người tham dự mới được tạo ra\",\"Lc18qn\":\"Khi một đơn hàng mới được tạo\",\"dfkQIO\":\"Khi một sản phẩm mới được tạo ra\",\"8OhzyY\":\"Khi một sản phẩm bị xóa\",\"tRXdQ9\":\"Khi một sản phẩm được cập nhật\",\"Q7CWxp\":\"Khi một người tham dự bị hủy\",\"IuUoyV\":\"Khi một người tham dự được check-in\",\"nBVOd7\":\"Khi một người tham dự được cập nhật\",\"ny2r8d\":\"Khi một đơn hàng bị hủy\",\"c9RYbv\":\"Khi một đơn hàng được đánh dấu là đã thanh toán\",\"ejMDw1\":\"Khi một đơn hàng được hoàn trả\",\"fVPt0F\":\"Khi một đơn hàng được cập nhật\",\"bcYlvb\":\"Khi check-in đóng\",\"XIG669\":\"Khi check-in mở\",\"de6HLN\":\"Khi khách hàng mua vé, đơn hàng của họ sẽ hiển thị tại đây.\",\"blXLKj\":\"Khi được bật, các sự kiện mới sẽ hiển thị hộp kiểm đăng ký tiếp thị trong quá trình thanh toán. Điều này có thể được ghi đè cho từng sự kiện.\",\"uvIqcj\":\"Hội thảo\",\"EpknJA\":\"Viết tin nhắn của bạn tại đây...\",\"nhtR6Y\":\"X (Twitter)\",\"X/azM1\":\"Yes - I have a valid EU VAT registration number\",\"Tz5oXG\":\"Có, hủy đơn hàng của tôi\",\"QlSZU0\":[\"Bạn đang mạo danh <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"Bạn đang thực hiện hoàn tiền một phần. Khách hàng sẽ được hoàn lại \",[\"0\"],\" \",[\"1\"],\".\"],\"casL1O\":\"Bạn có thuế và phí được thêm vào một sản phẩm miễn phí. Bạn có muốn bỏ chúng?\",\"FVTVBy\":\"Bạn phải xác minh địa chỉ email trước khi cập nhật trạng thái nhà tổ chức.\",\"FRl8Jv\":\"Bạn cần xác minh email tài khoản trước khi có thể gửi tin nhắn.\",\"U3wiCB\":\"Bạn đã sẵn sàng! Thanh toán của bạn đang được xử lý suôn sẻ.\",\"MNFIxz\":[\"Bạn sẽ tham gia \",[\"0\"],\"!\"],\"x/xjzn\":\"Danh sách đối tác của bạn đã được xuất thành công.\",\"TF37u6\":\"Những người tham dự của bạn đã được xuất thành công.\",\"79lXGw\":\"Danh sách check-in của bạn đã được tạo thành công. Chia sẻ liên kết bên dưới với nhân viên check-in của bạn.\",\"BnlG9U\":\"Đơn hàng hiện tại của bạn sẽ bị mất.\",\"nBqgQb\":\"Email của bạn\",\"R02pnV\":\"Sự kiện của bạn phải được phát trực tiếp trước khi bạn có thể bán vé cho người tham dự.\",\"ifRqmm\":\"Tin nhắn của bạn đã được gửi thành công!\",\"/Rj5P4\":\"Tên của bạn\",\"naQW82\":\"Đơn hàng của bạn đã bị hủy.\",\"bhlHm/\":\"Đơn hàng của bạn đang chờ thanh toán\",\"XeNum6\":\"Đơn hàng của bạn đã được xuất thành công.\",\"Xd1R1a\":\"Địa chỉ nhà tổ chức của bạn\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"Tài khoản Stripe của bạn đã được kết nối và đang xử lý thanh toán.\",\"vvO1I2\":\"Tài khoản Stripe của bạn được kết nối và sẵn sàng xử lý thanh toán.\",\"CnZ3Ou\":\"Vé của bạn đã được xác nhận.\",\"d/CiU9\":\"Your VAT number will be validated automatically when you save\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/vi.po b/frontend/src/locales/vi.po index f703a2059d..d171bc20c6 100644 --- a/frontend/src/locales/vi.po +++ b/frontend/src/locales/vi.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -62,7 +62,7 @@ msgstr "{0} đã tạo thành công" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "Còn {0}" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+Thuế/Phí" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -259,15 +259,15 @@ msgstr "Thuế tiêu chuẩn, như VAT hoặc GST" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "Đã bỏ" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "Thông tin sự kiện" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "Giới thiệu về Stripe Connect" @@ -288,8 +288,8 @@ msgstr "Chấp nhận thanh toán thẻ tín dụng với Stripe" msgid "Accept Invitation" msgstr "Chấp nhận lời mời" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "Truy cập bị từ chối" @@ -298,7 +298,7 @@ msgstr "Truy cập bị từ chối" msgid "Account" msgstr "Tài khoản" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "Tài khoản đã được kết nối!" @@ -321,10 +321,14 @@ msgstr "Tài khoản được cập nhật thành công" msgid "Accounts" msgstr "Tài Khoản" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "Cần hành động: Kết nối lại tài khoản Stripe của bạn" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "Cần hành động: Cần thông tin VAT" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "Thêm tầng" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "Thêm vào lịch" @@ -549,7 +553,7 @@ msgstr "Tất cả những người tham dự sự kiện này" msgid "All Currencies" msgstr "Tất cả tiền tệ" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "Hoàn thành! Bây giờ bạn đang sử dụng hệ thống thanh toán nâng cấp của chúng tôi." @@ -579,8 +583,8 @@ msgstr "Cho phép công cụ tìm kiếm lập chỉ mục" msgid "Allow search engines to index this event" msgstr "Cho phép các công cụ tìm kiếm lập chỉ mục cho sự kiện này" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "Gần xong rồi! Hoàn thành kết nối tài khoản Stripe để bắt đầu nhận thanh toán." @@ -602,7 +606,7 @@ msgstr "Cũng hoàn tiền đơn hàng này" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "Luôn có sẵn" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "Vui lòng thử lại hoặc tải lại trang này" #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "Thông báo tùy chọn để hiển thị trên sản phẩm nổi bật, ví dụ: \"Bán nhanh 🔥\" hoặc \"Giá trị tốt nhất\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -727,7 +731,7 @@ msgstr "Bạn có chắc chắn muốn xóa mẫu này không? Hành động nà msgid "Are you sure you want to delete this webhook?" msgstr "Bạn có chắc là bạn muốn xóa webhook này không?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "Bạn có chắc chắn muốn rời đi?" @@ -777,10 +781,23 @@ msgstr "Bạn có chắc chắn muốn xóa phân bổ sức chứa này không? msgid "Are you sure you would like to delete this Check-In List?" msgstr "Bạn có chắc là bạn muốn xóa danh sách tham dự này không?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "Bạn có đăng ký VAT tại EU không?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "Nghệ thuật" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "Vì doanh nghiệp của bạn có trụ sở tại Ireland, VAT Ireland 23% sẽ được áp dụng tự động cho tất cả phí nền tảng." + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "Vì doanh nghiệp của bạn có trụ sở tại EU, chúng tôi cần xác định cách xử lý VAT chính xác cho phí nền tảng:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "Hỏi một lần cho mỗi đơn hàng" @@ -819,7 +836,7 @@ msgstr "Chi tiết người tham dự" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "Thông tin người tham dự sẽ được sao chép từ thông tin đơn hàng." #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -827,11 +844,11 @@ msgstr "Email người tham dự" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "Thu thập thông tin người tham dự" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "Thu thập thông tin người tham dự được đặt thành \"Mỗi đơn hàng\". Thông tin người tham dự sẽ được sao chép từ thông tin đơn hàng." #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -906,7 +923,7 @@ msgstr "Quản lý vào cổng tự động với nhiều danh sách check-in v #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "Tự động phát hiện dựa trên màu nền, nhưng có thể ghi đè" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1029,7 +1046,7 @@ msgstr "Văn bản nút" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "Bằng cách tiếp tục, bạn đồng ý với <0>Điều khoản dịch vụ của {0}" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1108,7 +1125,7 @@ msgstr "Không thể check-in" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "Không thể check-in (Đã hủy)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1387,7 +1404,7 @@ msgstr "Thu gọn sản phẩm này khi trang sự kiện ban đầu được t #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "Thu thập thông tin chi tiết người tham dự cho mỗi vé đã mua." #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "Màu sắc" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "Chế độ màu" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,7 +1425,7 @@ msgstr "Màu sắc" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "Cột" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1437,7 +1454,7 @@ msgstr "Hoàn tất thanh toán" msgid "Complete Stripe Setup" msgstr "Hoàn tất thiết lập Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "Hoàn thành thiết lập bên dưới để tiếp tục" @@ -1530,11 +1547,11 @@ msgstr "Đang xác nhận địa chỉ email..." msgid "Congratulations on creating an event!" msgstr "Chúc mừng bạn đã tạo sự kiện thành công!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "Kết nối và nâng cấp" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "Tài liệu kết nối" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "Kết nối với CRM và tự động hóa các tác vụ bằng webhooks và tích hợp" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "Kết nối với Stripe" @@ -1571,15 +1588,15 @@ msgstr "Kết nối với Stripe" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "Kết nối tài khoản Stripe để chấp nhận thanh toán cho vé và sản phẩm." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "Kết nối tài khoản Stripe để nhận thanh toán." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "Kết nối tài khoản Stripe để bắt đầu nhận thanh toán cho sự kiện của bạn." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "Kết nối tài khoản Stripe để bắt đầu nhận thanh toán." @@ -1587,8 +1604,8 @@ msgstr "Kết nối tài khoản Stripe để bắt đầu nhận thanh toán." msgid "Connect your Stripe account to start receiving payments." msgstr "Kết nối tài khoản Stripe của bạn để bắt đầu nhận thanh toán." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "Đã kết nối với Stripe" @@ -1596,7 +1613,7 @@ msgstr "Đã kết nối với Stripe" msgid "Connection Details" msgstr "Chi tiết kết nối" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "Liên hệ" @@ -1926,13 +1943,13 @@ msgstr "Tiền tệ" msgid "Current Password" msgstr "Mật khẩu hiện tại" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "Bộ xử lý thanh toán hiện tại" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "Hiện có sẵn để mua" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2057,7 +2074,7 @@ msgstr "Vùng nguy hiểm" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "Tối" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2091,7 +2108,7 @@ msgstr "Sức chứa ngày đầu tiên" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "Thu thập thông tin người tham dự mặc định" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2205,7 +2222,7 @@ msgstr "Hiển thị hộp kiểm cho phép khách hàng đăng ký nhận thôn msgid "Document Label" msgstr "Nhãn tài liệu" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "Tài liệu" @@ -2219,7 +2236,7 @@ msgstr "Chưa có tài khoản? <0>Đăng ký" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "Quyên góp" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2273,7 +2290,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "Nhân đôi" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2608,6 +2625,10 @@ msgstr "Nhập email của bạn" msgid "Enter your name" msgstr "Nhập tên của bạn" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "Lỗi xác nhận thay đổi email" msgid "Error loading logs" msgstr "Lỗi khi tải nhật ký" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "Doanh nghiệp đã đăng ký VAT EU: Áp dụng cơ chế đảo ngược thu phí (0% - Điều 196 của Chỉ thị VAT 2006/112/EC)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2808,7 +2834,7 @@ msgstr "Hiệu suất sự kiện" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "Sự kiện bắt đầu trong 24 giờ tới" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2934,6 +2960,10 @@ msgstr "Không thể gửi lại mã xác thực" msgid "Failed to save template" msgstr "Không thể lưu mẫu" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "Không thể lưu cài đặt VAT. Vui lòng thử lại." + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "Không thể gửi tin nhắn. Vui lòng thử lại." @@ -2993,7 +3023,7 @@ msgstr "Phí" msgid "Fees" msgstr "Các khoản phí" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "Các khoản phí có thể thay đổi. Bạn sẽ được thông báo về bất kỳ thay đổi nào trong cấu trúc phí của mình." @@ -3023,12 +3053,12 @@ msgstr "Bộ lọc" msgid "Filters ({activeFilterCount})" msgstr "Bộ lọc ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "Hoàn thành thiết lập" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "Hoàn thành thiết lập Stripe" @@ -3080,7 +3110,7 @@ msgstr "Đã sửa" msgid "Fixed amount" msgstr "Số tiền cố định" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "Phí cố định:" @@ -3164,7 +3194,7 @@ msgstr "Tạo mã" msgid "German" msgstr "Tiếng Đức" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "Chỉ đường" @@ -3172,9 +3202,9 @@ msgstr "Chỉ đường" msgid "Get started for free, no subscription fees" msgstr "Bắt đầu miễn phí, không có phí đăng ký" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "Lấy vé" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3203,7 +3233,7 @@ msgstr "Đi đến trang chủ" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "Dễ đọc" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3256,7 +3286,7 @@ msgstr "Đây là thành phần React bạn có thể sử dụng để nhúng t msgid "Here is your affiliate link" msgstr "Đây là liên kết đối tác của bạn" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "Đây là những gì cần mong đợi:" @@ -3267,7 +3297,7 @@ msgstr "Chào {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "Ẩn" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3293,7 +3323,7 @@ msgstr "Ẩn" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "Ẩn tùy chọn bổ sung" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3357,7 +3387,7 @@ msgstr "Làm nổi bật sản phẩm này" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "Nổi bật" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3440,6 +3470,10 @@ msgstr "Nếu được bật, nhân viên check-in có thể đánh dấu ngư msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "Nếu được bật, người tổ chức sẽ nhận được thông báo email khi có đơn hàng mới" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "Nếu đã đăng ký, cung cấp mã số VAT của bạn để xác thực" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "Nếu bạn không yêu cầu thay đổi này, vui lòng thay đổi ngay mật khẩu của bạn." @@ -3493,11 +3527,11 @@ msgstr "Quan trọng: Cần kết nối lại Stripe" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "Trong {diffHours} giờ" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "Trong {diffMinutes} phút" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3532,6 +3566,10 @@ msgstr "Bao gồm các sản phẩm {0}" msgid "Includes 1 product" msgstr "Bao gồm 1 sản phẩm" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "Cho biết bạn có đăng ký VAT tại EU hay không" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "Người tham dự riêng lẻ" @@ -3570,6 +3608,10 @@ msgstr "Định dạng email không hợp lệ" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "Cú pháp Liquid không hợp lệ. Vui lòng sửa và thử lại." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "Lời mời đã được gửi lại!" @@ -3600,7 +3642,7 @@ msgstr "Mời nhóm của bạn" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "Hóa đơn" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3619,6 +3661,10 @@ msgstr "Đánh số hóa đơn" msgid "Invoice Settings" msgstr "Cài đặt hóa đơn" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "VAT Ireland 23% sẽ được áp dụng cho phí nền tảng (cung cấp trong nước)." + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "Tiếng Ý" @@ -3629,11 +3675,11 @@ msgstr "Mục" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "mục" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "Mục" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3643,11 +3689,11 @@ msgstr "John" msgid "Johnson" msgstr "Johnson" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "Tham gia từ bất cứ đâu" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "Chỉ cần nhấn nút bên dưới để kết nối lại tài khoản Stripe của bạn." @@ -3657,7 +3703,7 @@ msgstr "Chỉ đang tìm vé của bạn?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "Giữ cho tôi cập nhật tin tức và sự kiện từ {0}" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3751,7 +3797,7 @@ msgstr "Để trống để sử dụng từ mặc định \"Hóa đơn\"" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "Sáng" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "Đang tải ..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "Quản lý Vé" msgid "Manage your account details and default settings" msgstr "Quản lý chi tiết tài khoản của bạn và cài đặt mặc định" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "Quản lý xử lý thanh toán và xem phí nền tảng của bạn" @@ -4107,6 +4153,10 @@ msgstr "Mật khẩu mới" msgid "Nightlife" msgstr "Cuộc sống về đêm" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "Không - Tôi là cá nhân hoặc doanh nghiệp không đăng ký VAT" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "Không có tài khoản" @@ -4173,7 +4223,7 @@ msgstr "Không giảm giá" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "Không có ngày kết thúc" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4185,7 +4235,7 @@ msgstr "Không tìm thấy sự kiện" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "Không có sự kiện nào bắt đầu trong 24 giờ tới" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4199,13 +4249,13 @@ msgstr "Chưa có sự kiện nào" msgid "No filters available" msgstr "Không có bộ lọc có sẵn" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "Không ảnh hưởng đến giao dịch hiện tại hoặc quá khứ của bạn" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "Không có hóa đơn" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4311,10 +4361,15 @@ msgstr "Chưa có sự kiện webhook nào được ghi nhận cho điểm cuố msgid "No Webhooks" msgstr "Không có webhooks" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "Không, giữ tôi ở đây" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "Doanh nghiệp hoặc cá nhân không đăng ký VAT: Áp dụng VAT Ireland 23%" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,9 +4462,9 @@ msgstr "Đang Bán" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "Đang giảm giá {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "Khi bạn hoàn thành nâng cấp, tài khoản cũ sẽ chỉ được sử dụng để hoàn tiền." @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "Sự kiện trực tuyến" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "Sự kiện trực tuyến" @@ -4462,7 +4517,7 @@ msgstr "Chỉ gửi đến các đơn hàng có trạng thái này" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "Chỉ hiển thị với mã khuyến mãi" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4473,9 +4528,9 @@ msgstr "Mở Trang Check-In" msgid "Open sidebar" msgstr "Mở thanh bên" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "Mở bảng điều khiển Stripe" @@ -4523,7 +4578,7 @@ msgstr "Đơn hàng" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "Đơn hàng & Vé" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4594,7 +4649,7 @@ msgstr "Họ trong đơn hàng" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "Giới hạn đơn hàng" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4723,7 +4778,7 @@ msgstr "Tên tổ chức" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4850,7 +4905,7 @@ msgstr "Hoàn lại tiền một phần" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "Hoàn tiền một phần: {0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4911,7 +4966,7 @@ msgstr "Thanh toán" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "Thanh toán để mở khóa" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4952,9 +5007,9 @@ msgstr "Phương thức thanh toán" msgid "Payment Methods" msgstr "Phương thức thanh toán" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "Thanh toán đang xử lý" @@ -4970,7 +5025,7 @@ msgstr "Đã nhận thanh toán" msgid "Payment Received" msgstr "Thanh toán đã nhận" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "Cài đặt thanh toán" @@ -4990,19 +5045,19 @@ msgstr "Điều khoản thanh toán" msgid "Payments not available" msgstr "Thanh toán không khả dụng" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "Thanh toán sẽ tiếp tục diễn ra không bị gián đoạn" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "Mỗi đơn hàng" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "Mỗi vé" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5033,7 +5088,7 @@ msgstr "Đặt cái này vào của trang web của bạn." msgid "Planning an event?" msgstr "Đang lên kế hoạch cho một sự kiện?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "Phí nền tảng" @@ -5090,6 +5145,10 @@ msgstr "Vui lòng nhập mã 5 chữ số" msgid "Please enter your new password" msgstr "Vui lòng nhập mật khẩu mới của bạn" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "Vui lòng nhập mã số VAT của bạn" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "Xin lưu ý" @@ -5112,7 +5171,7 @@ msgstr "Vui lòng chọn" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "Vui lòng chọn khoảng thời gian" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5205,7 +5264,7 @@ msgstr "Giá vé" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "Cấp giá" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5229,7 +5288,7 @@ msgstr "Xem trước khi in" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "In vé" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5240,7 +5299,7 @@ msgstr "In vé" msgid "Print to PDF" msgstr "In ra PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "Chính sách quyền riêng tư" @@ -5386,7 +5445,7 @@ msgstr "Báo cáo mã khuyến mãi" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "Chỉ khuyến mãi" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5406,7 +5465,7 @@ msgstr "Công bố sự kiện" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "Đã mua" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5460,7 +5519,7 @@ msgstr "Tỷ lệ" msgid "Read less" msgstr "Đọc ít hơn" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "Sẵn sàng nâng cấp? Điều này chỉ mất vài phút." @@ -5482,10 +5541,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "Đang chuyển hướng đến Stripe..." @@ -5499,7 +5558,7 @@ msgstr "Số tiền hoàn lại" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "Hoàn tiền thất bại" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5515,7 +5574,7 @@ msgstr "Hoàn tiền đơn hàng {0}" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "Hoàn tiền đang chờ" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5535,7 +5594,7 @@ msgstr "Đã hoàn lại" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "Đã hoàn tiền: {0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5616,7 +5675,7 @@ msgstr "Đang gửi lại ..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "Đã đặt chỗ" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5648,7 +5707,7 @@ msgstr "Khôi phục sự kiện" msgid "Return to Event" msgstr "Quay lại sự kiện" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "Trở lại trang sự kiện" @@ -5679,16 +5738,16 @@ msgstr "Ngày bán kết thúc" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "Đợt giảm giá kết thúc {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "Đợt giảm giá kết thúc {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "Thời gian giảm giá" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5697,7 +5756,7 @@ msgstr "Ngày bắt đầu bán hàng" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "Đợt giảm giá bắt đầu {0}" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5705,7 +5764,7 @@ msgstr "Doanh số" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "Bán hàng đang tạm dừng" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5777,6 +5836,10 @@ msgstr "Lưu mẫu" msgid "Save Ticket Design" msgstr "Lưu thiết kế vé" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "Lưu cài đặt VAT" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5784,7 +5847,7 @@ msgstr "Quét" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "Đã lên lịch" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5853,7 +5916,7 @@ msgstr "Màu chữ phụ" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "Thanh toán an toàn" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6058,7 +6121,7 @@ msgstr "Đặt giá tối thiểu và cho phép người dùng thanh toán nhi #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "Đặt cài đặt mặc định cho các sự kiện mới được tạo dưới tổ chức này." #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6094,7 +6157,7 @@ msgid "Setup in Minutes" msgstr "Thiết lập trong vài phút" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6119,7 +6182,7 @@ msgstr "Chia sẻ trang nhà tổ chức" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "Hiển thị tùy chọn bổ sung" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6213,7 +6276,7 @@ msgstr "đã bán" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "Đã bán" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6221,7 +6284,7 @@ msgid "Sold out" msgstr "Đã bán hết" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "Đã bán hết" @@ -6329,7 +6392,7 @@ msgstr "Thống kê" msgid "Status" msgstr "Trạng thái" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "Vẫn đang xử lý hoàn tiền cho các giao dịch cũ của bạn." @@ -6342,7 +6405,7 @@ msgstr "Dừng Mạo Danh" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6445,7 +6508,7 @@ msgstr "Sự kiện cập nhật thành công" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "Đã cập nhật mặc định sự kiện thành công" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6539,7 +6602,7 @@ msgstr "Chuyển đổi nhà tổ chức" msgid "T-shirt" msgstr "Áo thun" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "Chỉ mất vài phút" @@ -6592,7 +6655,7 @@ msgstr "Thuế" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "Đã áp dụng thuế & phí" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6602,7 +6665,7 @@ msgstr "Thuế và phí" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "Thuế, phí, thời gian giảm giá, giới hạn đơn hàng và cài đặt hiển thị" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6640,20 +6703,20 @@ msgstr "Xóa mẫu thành công" msgid "Template saved successfully" msgstr "Lưu mẫu thành công" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "Điều khoản dịch vụ" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "Văn bản có thể khó đọc" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "Cảm ơn bạn đã tham dự!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "Cảm ơn sự hỗ trợ của bạn khi chúng tôi tiếp tục phát triển và cải thiện Hi.Events!" @@ -6664,7 +6727,7 @@ msgstr "Mã khuyến mãi không hợp lệ" #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "Màu nền của trang. Khi sử dụng ảnh bìa, màu này được áp dụng dưới dạng lớp phủ." #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6742,7 +6805,7 @@ msgstr "Giá hiển thị cho khách hàng sẽ không bao gồm thuế và phí #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "Màu thương hiệu chính được sử dụng cho nút và điểm nhấn" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6845,7 +6908,7 @@ msgstr "Mã này sẽ được dùng để theo dõi doanh số. Chỉ cho phép #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "Kết hợp màu này có thể khó đọc đối với một số người dùng" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6913,7 +6976,7 @@ msgstr "Trang Đơn hàng này không còn có sẵn." #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "Đơn hàng này đã bị bỏ. Bạn có thể bắt đầu đơn hàng mới bất cứ lúc nào." #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6941,11 +7004,11 @@ msgstr "Sản phẩm này là vé. Người mua sẽ nhận được vé sau khi #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "Sản phẩm này được nổi bật trên trang sự kiện" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "Sản phẩm này đã bán hết" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6988,7 +7051,7 @@ msgstr "Vé" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "Vé đã hủy" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7054,19 +7117,19 @@ msgstr "URL vé" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "vé" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "Vé" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "Vé & Sản phẩm" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "Vé còn sẵn" @@ -7120,13 +7183,13 @@ msgstr "Múi giờ" msgid "TIP" msgstr "Tip" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "Để nhận thanh toán bằng thẻ tín dụng, bạn cần kết nối tài khoản Stripe của mình. Stripe là đối tác xử lý thanh toán của chúng tôi, đảm bảo giao dịch an toàn và thanh toán kịp thời." #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "Chuyển đổi cột" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7202,7 +7265,7 @@ msgstr "Tổng Người Dùng" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "Theo dõi doanh thu, lượt xem trang và bán hàng với các phân tích chi tiết và báo cáo có thể xuất khẩu" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "Phí giao dịch:" @@ -7357,7 +7420,7 @@ msgstr "Cập nhật tên sự kiện, mô tả và ngày" msgid "Update profile" msgstr "Cập nhật hồ sơ" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "Có nâng cấp" @@ -7466,10 +7529,63 @@ msgstr "Người dùng có thể thay đổi email của họ trong <0>Cài đ msgid "UTC" msgstr "UTC" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "Thuế VAT" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "" + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "Tên địa điểm" @@ -7537,12 +7653,12 @@ msgstr "Xem nhật ký" msgid "View map" msgstr "Xem bản đồ" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "Xem bản đồ" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "Xem trên Google Maps" @@ -7654,7 +7770,7 @@ msgstr "Chúng tôi sẽ gửi vé đến email này" msgid "We're processing your order. Please wait..." msgstr "Chúng tôi đang xử lý đơn hàng của bạn. Đợi một chút..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "Chúng tôi đã chính thức chuyển trụ sở chính đến Ireland 🇮🇪. Như một phần của quá trình chuyển đổi này, chúng tôi hiện sử dụng Stripe Ireland thay vì Stripe Canada. Để giữ cho các khoản thanh toán của bạn diễn ra suôn sẻ, bạn cần kết nối lại tài khoản Stripe của mình." @@ -7760,6 +7876,10 @@ msgstr "Loại sự kiện nào?" msgid "What type of question is this?" msgstr "Đây là loại câu hỏi nào?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7903,7 +8023,11 @@ msgstr "X (Twitter)" msgid "Year to date" msgstr "Từ đầu năm đến nay" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "Có, hủy đơn hàng của tôi" @@ -8037,7 +8161,7 @@ msgstr "Bạn sẽ cần tại một sản phẩm trước khi bạn có thể t msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "Bạn cần ít nhất một sản phẩm để bắt đầu. Miễn phí, trả phí hoặc để người dùng quyết định số tiền thanh toán." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "Bạn đã sẵn sàng! Thanh toán của bạn đang được xử lý suôn sẻ." @@ -8069,7 +8193,7 @@ msgstr "Trang web tuyệt vời của bạn 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "Danh sách check-in của bạn đã được tạo thành công. Chia sẻ liên kết bên dưới với nhân viên check-in của bạn." -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "Đơn hàng hiện tại của bạn sẽ bị mất." @@ -8155,12 +8279,12 @@ msgstr "Thanh toán của bạn không thành công. Vui lòng thử lại." msgid "Your refund is processing." msgstr "Hoàn lại tiền của bạn đang xử lý." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "Tài khoản Stripe của bạn đã được kết nối và đang xử lý thanh toán." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "Tài khoản Stripe của bạn được kết nối và sẵn sàng xử lý thanh toán." @@ -8172,6 +8296,10 @@ msgstr "Vé của bạn cho" msgid "Your tickets have been confirmed." msgstr "Vé của bạn đã được xác nhận." +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/zh-cn.js b/frontend/src/locales/zh-cn.js index 67cd069867..f4fa925bd9 100644 --- a/frontend/src/locales/zh-cn.js +++ b/frontend/src/locales/zh-cn.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"There's nothing to show yet\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>签到成功\"],\"yxhYRZ\":[[\"0\"],\" <0>签退成功\"],\"KMgp2+\":[[\"0\"],\"可用\"],\"Pmr5xp\":[\"成功创建 \",[\"0\"]],\"FImCSc\":[[\"0\"],\"更新成功\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" 已签到\"],\"Vjij1k\":[[\"days\"],\" 天, \",[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"f3RdEk\":[[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"fyE7Au\":[[\"分\"],\"分钟和\",[\"秒\"],\"秒钟\"],\"NlQ0cx\":[[\"组织者名称\"],\"的首次活动\"],\"Ul6IgC\":\"<0>容量分配让你可以管理票务或整个活动的容量。非常适合多日活动、研讨会等,需要控制出席人数的场合。<1>例如,你可以将容量分配与<2>第一天和<3>所有天数的票关联起来。一旦达到容量,这两种票将自动停止销售。\",\"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>请输入不含税费的价格。<1>税费可以在下方添加。\",\"ZjMs6e\":\"<0>该产品的可用数量<1>如果该产品有相关的<2>容量限制,此值可以被覆盖。\",\"E15xs8\":\"⚡️ 设置您的活动\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 自定义活动页面\",\"3VPPdS\":\"与 Stripe 连接\",\"cjdktw\":\"🚀 实时设置您的活动\",\"rmelwV\":\"0 分 0 秒\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"缅因街 123 号\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"日期输入字段。非常适合询问出生日期等。\",\"6euFZ/\":[\"默认的\",[\"type\"],\"会自动应用于所有新产品。您可以为每个产品单独覆盖此设置。\"],\"SMUbbQ\":\"下拉式输入法只允许一个选择\",\"qv4bfj\":\"费用,如预订费或服务费\",\"POT0K/\":\"每个产品的固定金额。例如,每个产品$0.50\",\"f4vJgj\":\"多行文本输入\",\"OIPtI5\":\"产品价格的百分比。例如,3.5%的产品价格\",\"ZthcdI\":\"无折扣的促销代码可以用来显示隐藏的产品。\",\"AG/qmQ\":\"单选题有多个选项,但只能选择一个。\",\"h179TP\":\"活动的简短描述,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用活动描述\",\"WKMnh4\":\"单行文本输入\",\"BHZbFy\":\"每个订单一个问题。例如,您的送货地址是什么?\",\"Fuh+dI\":\"每个产品一个问题。例如,您的T恤尺码是多少?\",\"RlJmQg\":\"标准税,如增值税或消费税\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"接受银行转账、支票或其他线下支付方式\",\"hrvLf4\":\"通过 Stripe 接受信用卡支付\",\"bfXQ+N\":\"接受邀请\",\"AeXO77\":\"账户\",\"lkNdiH\":\"账户名称\",\"Puv7+X\":\"账户设置\",\"OmylXO\":\"账户更新成功\",\"7L01XJ\":\"操作\",\"FQBaXG\":\"激活\",\"5T2HxQ\":\"激活日期\",\"F6pfE9\":\"活跃\",\"/PN1DA\":\"为此签到列表添加描述\",\"0/vPdA\":\"添加有关与会者的任何备注。这些将不会对与会者可见。\",\"Or1CPR\":\"添加有关与会者的任何备注...\",\"l3sZO1\":\"添加关于订单的备注。这些信息不会对客户可见。\",\"xMekgu\":\"添加关于订单的备注...\",\"PGPGsL\":\"添加描述\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"添加线下支付的说明(例如,银行转账详情、支票寄送地址、付款截止日期)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"添加新内容\",\"TZxnm8\":\"添加选项\",\"24l4x6\":\"添加产品\",\"8q0EdE\":\"将产品添加到类别\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"添加问题\",\"yWiPh+\":\"加税或费用\",\"goOKRY\":\"增加层级\",\"oZW/gT\":\"添加到日历\",\"pn5qSs\":\"附加信息\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"地址\",\"NY/x1b\":\"地址第 1 行\",\"POdIrN\":\"地址 1\",\"cormHa\":\"地址第 2 行\",\"gwk5gg\":\"地址第 2 行\",\"U3pytU\":\"管理员\",\"HLDaLi\":\"管理员用户可以完全访问事件和账户设置。\",\"W7AfhC\":\"本次活动的所有与会者\",\"cde2hc\":\"所有产品\",\"5CQ+r0\":\"允许与未支付订单关联的参与者签到\",\"ipYKgM\":\"允许搜索引擎索引\",\"LRbt6D\":\"允许搜索引擎索引此事件\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"令人惊叹, 活动, 关键词...\",\"hehnjM\":\"金额\",\"R2O9Rg\":[\"支付金额 (\",[\"0\"],\")\"],\"V7MwOy\":\"加载页面时出现错误\",\"Q7UCEH\":\"问题排序时发生错误。请重试或刷新页面\",\"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\":\"出现意外错误。\",\"byKna+\":\"出现意外错误。请重试。\",\"ubdMGz\":\"产品持有者的任何查询都将发送到此电子邮件地址。此地址还将用作从此活动发送的所有电子邮件的“回复至”地址\",\"aAIQg2\":\"外观\",\"Ym1gnK\":\"应用\",\"sy6fss\":[\"适用于\",[\"0\"],\"个产品\"],\"kadJKg\":\"适用于1个产品\",\"DB8zMK\":\"应用\",\"GctSSm\":\"应用促销代码\",\"ARBThj\":[\"将此\",[\"type\"],\"应用于所有新产品\"],\"S0ctOE\":\"归档活动\",\"TdfEV7\":\"已归档\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"您确定要激活该与会者吗?\",\"TvkW9+\":\"您确定要归档此活动吗?\",\"/CV2x+\":\"您确定要取消该与会者吗?这将使其门票作废\",\"YgRSEE\":\"您确定要删除此促销代码吗?\",\"iU234U\":\"您确定要删除这个问题吗?\",\"CMyVEK\":\"您确定要将此活动设为草稿吗?这将使公众无法看到该活动\",\"mEHQ8I\":\"您确定要将此事件公开吗?这将使事件对公众可见\",\"s4JozW\":\"您确定要恢复此活动吗?它将作为草稿恢复。\",\"vJuISq\":\"您确定要删除此容量分配吗?\",\"baHeCz\":\"您确定要删除此签到列表吗?\",\"LBLOqH\":\"每份订单询问一次\",\"wu98dY\":\"每个产品询问一次\",\"ss9PbX\":\"参与者\",\"m0CFV2\":\"与会者详情\",\"QKim6l\":\"未找到参与者\",\"R5IT/I\":\"与会者备注\",\"lXcSD2\":\"与会者提问\",\"HT/08n\":\"参会者票\",\"9SZT4E\":\"参与者\",\"iPBfZP\":\"注册的参会者\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"自动调整大小\",\"vZ5qKF\":\"根据内容自动调整 widget 高度。禁用时,窗口小部件将填充容器的高度。\",\"4lVaWA\":\"等待线下付款\",\"2rHwhl\":\"等待线下付款\",\"3wF4Q/\":\"等待付款\",\"ioG+xt\":\"等待付款\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"返回活动页面\",\"VCoEm+\":\"返回登录\",\"k1bLf+\":\"背景颜色\",\"I7xjqg\":\"背景类型\",\"1mwMl+\":\"发送之前\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"账单地址\",\"/xC/im\":\"账单设置\",\"rp/zaT\":\"巴西葡萄牙语\",\"whqocw\":\"注册即表示您同意我们的<0>服务条款和<1>隐私政策。\",\"bcCn6r\":\"计算类型\",\"+8bmSu\":\"加利福尼亚州\",\"iStTQt\":\"相机权限被拒绝。<0>再次请求权限,如果还不行,则需要在浏览器设置中<1>授予此页面访问相机的权限。\",\"dEgA5A\":\"取消\",\"Gjt/py\":\"取消更改电子邮件\",\"tVJk4q\":\"取消订单\",\"Os6n2a\":\"取消订单\",\"Mz7Ygx\":[\"取消订单 \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"已取消\",\"U7nGvl\":\"无法签到\",\"QyjCeq\":\"容量\",\"V6Q5RZ\":\"容量分配创建成功\",\"k5p8dz\":\"容量分配删除成功\",\"nDBs04\":\"容量管理\",\"ddha3c\":\"类别允许您将产品分组。例如,您可以有一个“门票”类别和另一个“商品”类别。\",\"iS0wAT\":\"类别帮助您组织产品。此标题将在公共活动页面上显示。\",\"eorM7z\":\"类别重新排序成功。\",\"3EXqwa\":\"类别创建成功\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"更改密码\",\"xMDm+I\":\"签到\",\"p2WLr3\":[\"签到 \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"签到并标记订单为已付款\",\"QYLpB4\":\"仅签到\",\"/Ta1d4\":\"签出\",\"5LDT6f\":\"看看这个活动吧!\",\"gXcPxc\":\"办理登机手续\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"签到列表删除成功\",\"+hBhWk\":\"签到列表已过期\",\"mBsBHq\":\"签到列表未激活\",\"vPqpQG\":\"未找到签到列表\",\"tejfAy\":\"签到列表\",\"hD1ocH\":\"签到链接已复制到剪贴板\",\"CNafaC\":\"复选框选项允许多重选择\",\"SpabVf\":\"复选框\",\"CRu4lK\":\"已签到\",\"znIg+z\":\"结账\",\"1WnhCL\":\"结账设置\",\"6imsQS\":\"简体中文\",\"JjkX4+\":\"选择背景颜色\",\"/Jizh9\":\"选择账户\",\"3wV73y\":\"城市\",\"FG98gC\":\"清除搜索文本\",\"EYeuMv\":\"click here\",\"sby+1/\":\"点击复制\",\"yz7wBu\":\"关闭\",\"62Ciis\":\"关闭侧边栏\",\"EWPtMO\":\"代码\",\"ercTDX\":\"代码长度必须在 3 至 50 个字符之间\",\"oqr9HB\":\"当活动页面初始加载时折叠此产品\",\"jZlrte\":\"颜色\",\"Vd+LC3\":\"颜色必须是有效的十六进制颜色代码。例如#ffffff\",\"1HfW/F\":\"颜色\",\"VZeG/A\":\"即将推出\",\"yPI7n9\":\"以逗号分隔的描述活动的关键字。搜索引擎将使用这些关键字来帮助对活动进行分类和索引\",\"NPZqBL\":\"完整订单\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"完成付款\",\"qqWcBV\":\"已完成\",\"6HK5Ct\":\"已完成订单\",\"NWVRtl\":\"已完成订单\",\"DwF9eH\":\"组件代码\",\"Tf55h7\":\"已配置折扣\",\"7VpPHA\":\"确认\",\"ZaEJZM\":\"确认电子邮件更改\",\"yjkELF\":\"确认新密码\",\"xnWESi\":\"确认密码\",\"p2/GCq\":\"确认密码\",\"wnDgGj\":\"确认电子邮件地址...\",\"pbAk7a\":\"连接条纹\",\"UMGQOh\":\"与 Stripe 连接\",\"QKLP1W\":\"连接 Stripe 账户,开始接收付款。\",\"5lcVkL\":\"连接详情\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"继续\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"继续按钮文本\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"继续设置\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"复制的\",\"T5rdis\":\"复制到剪贴板\",\"he3ygx\":\"复制\",\"r2B2P8\":\"复制签到链接\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"复制链接\",\"E6nRW7\":\"复制 URL\",\"JNCzPW\":\"国家\",\"IF7RiR\":\"封面\",\"hYgDIe\":\"创建\",\"b9XOHo\":[\"创建 \",[\"0\"]],\"k9RiLi\":\"创建一个产品\",\"6kdXbW\":\"创建促销代码\",\"n5pRtF\":\"创建票单\",\"X6sRve\":[\"创建账户或 <0>\",[\"0\"],\" 开始使用\"],\"nx+rqg\":\"创建一个组织者\",\"ipP6Ue\":\"创建与会者\",\"VwdqVy\":\"创建容量分配\",\"EwoMtl\":\"创建类别\",\"XletzW\":\"创建类别\",\"WVbTwK\":\"创建签到列表\",\"uN355O\":\"创建活动\",\"BOqY23\":\"创建新的\",\"kpJAeS\":\"创建组织器\",\"a0EjD+\":\"创建产品\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"创建促销代码\",\"B3Mkdt\":\"创建问题\",\"UKfi21\":\"创建税费\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"货币\",\"DCKkhU\":\"当前密码\",\"uIElGP\":\"自定义地图 URL\",\"UEqXyt\":\"自定义范围\",\"876pfE\":\"客户\",\"QOg2Sf\":\"自定义此事件的电子邮件和通知设置\",\"Y9Z/vP\":\"定制活动主页和结账信息\",\"2E2O5H\":\"自定义此事件的其他设置\",\"iJhSxe\":\"自定义此事件的搜索引擎优化设置\",\"KIhhpi\":\"定制您的活动页面\",\"nrGWUv\":\"定制您的活动页面,以符合您的品牌和风格。\",\"Zz6Cxn\":\"危险区\",\"ZQKLI1\":\"危险区\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"日期\",\"JvUngl\":\"日期和时间\",\"JJhRbH\":\"第一天容量\",\"cnGeoo\":\"删除\",\"jRJZxD\":\"删除容量\",\"VskHIx\":\"删除类别\",\"Qrc8RZ\":\"删除签到列表\",\"WHf154\":\"删除代码\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"删除问题\",\"Nu4oKW\":\"说明\",\"YC3oXa\":\"签到工作人员的描述\",\"URmyfc\":\"详细信息\",\"1lRT3t\":\"禁用此容量将跟踪销售情况,但不会在达到限制时停止销售\",\"H6Ma8Z\":\"折扣\",\"ypJ62C\":\"折扣率\",\"3LtiBI\":[[\"0\"],\"中的折扣\"],\"C8JLas\":\"折扣类型\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"文档标签\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"捐赠 / 自由定价产品\",\"OvNbls\":\"下载 .ics\",\"kodV18\":\"下载 CSV\",\"CELKku\":\"下载发票\",\"LQrXcu\":\"下载发票\",\"QIodqd\":\"下载二维码\",\"yhjU+j\":\"正在下载发票\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"下拉选择\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"复制活动\",\"3ogkAk\":\"复制活动\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"复制选项\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"早起的鸟儿\",\"ePK91l\":\"编辑\",\"N6j2JH\":[\"编辑 \",[\"0\"]],\"kBkYSa\":\"编辑容量\",\"oHE9JT\":\"编辑容量分配\",\"j1Jl7s\":\"编辑类别\",\"FU1gvP\":\"编辑签到列表\",\"iFgaVN\":\"编辑代码\",\"jrBSO1\":\"编辑组织器\",\"tdD/QN\":\"编辑产品\",\"n143Tq\":\"编辑产品类别\",\"9BdS63\":\"编辑促销代码\",\"O0CE67\":\"编辑问题\",\"EzwCw7\":\"编辑问题\",\"poTr35\":\"编辑用户\",\"GTOcxw\":\"编辑用户\",\"pqFrv2\":\"例如2.50 换 2.50\",\"3yiej1\":\"例如23.5 表示 23.5%\",\"O3oNi5\":\"电子邮件\",\"VxYKoK\":\"电子邮件和通知设置\",\"ATGYL1\":\"电子邮件地址\",\"hzKQCy\":\"电子邮件地址\",\"HqP6Qf\":\"电子邮件更改已成功取消\",\"mISwW1\":\"电子邮件更改待定\",\"APuxIE\":\"重新发送电子邮件确认\",\"YaCgdO\":\"成功重新发送电子邮件确认\",\"jyt+cx\":\"电子邮件页脚信息\",\"I6F3cp\":\"电子邮件未经验证\",\"NTZ/NX\":\"嵌入代码\",\"4rnJq4\":\"嵌入脚本\",\"8oPbg1\":\"启用发票功能\",\"j6w7d/\":\"启用此容量以在达到限制时停止产品销售\",\"VFv2ZC\":\"结束日期\",\"237hSL\":\"完工\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"英语\",\"MhVoma\":\"输入不含税费的金额。\",\"SlfejT\":\"错误\",\"3Z223G\":\"确认电子邮件地址出错\",\"a6gga1\":\"确认更改电子邮件时出错\",\"5/63nR\":\"欧元\",\"0pC/y6\":\"活动\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"活动日期\",\"0Zptey\":\"事件默认值\",\"QcCPs8\":\"活动详情\",\"6fuA9p\":\"事件成功复制\",\"AEuj2m\":\"活动主页\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"活动地点和场地详情\",\"OopDbA\":\"Event page\",\"4/If97\":\"活动状态更新失败。请稍后再试\",\"btxLWj\":\"事件状态已更新\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"活动\",\"sZg7s1\":\"过期日期\",\"KnN1Tu\":\"到期\",\"uaSvqt\":\"有效期\",\"GS+Mus\":\"出口\",\"9xAp/j\":\"取消与会者失败\",\"ZpieFv\":\"取消订单失败\",\"z6tdjE\":\"删除信息失败。请重试。\",\"xDzTh7\":\"下载发票失败。请重试。\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"加载签到列表失败\",\"ZQ15eN\":\"重新发送票据电子邮件失败\",\"ejXy+D\":\"产品排序失败\",\"PLUB/s\":\"费用\",\"/mfICu\":\"费用\",\"LyFC7X\":\"筛选订单\",\"cSev+j\":\"筛选器\",\"CVw2MU\":[\"筛选器 (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"第一张发票号码\",\"V1EGGU\":\"姓名\",\"kODvZJ\":\"姓名\",\"S+tm06\":\"名字必须在 1 至 50 个字符之间\",\"1g0dC4\":\"名字、姓氏和电子邮件地址为默认问题,在结账过程中始终包含。\",\"Rs/IcB\":\"首次使用\",\"TpqW74\":\"固定式\",\"irpUxR\":\"固定金额\",\"TF9opW\":\"该设备不支持闪存\",\"UNMVei\":\"忘记密码?\",\"2POOFK\":\"免费\",\"P/OAYJ\":\"免费产品\",\"vAbVy9\":\"免费产品,无需付款信息\",\"nLC6tu\":\"法语\",\"Weq9zb\":\"常规\",\"DDcvSo\":\"德国\",\"4GLxhy\":\"入门\",\"4D3rRj\":\"返回个人资料\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"谷歌日历\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"销售总额\",\"yRg26W\":\"总销售额\",\"R4r4XO\":\"宾客\",\"26pGvx\":\"有促销代码吗?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"下面举例说明如何在应用程序中使用该组件。\",\"Y1SSqh\":\"下面是 React 组件,您可以用它在应用程序中嵌入 widget。\",\"QuhVpV\":[\"你好 \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"隐藏于公众视线之外\",\"gt3Xw9\":\"隐藏问题\",\"g3rqFe\":\"隐藏问题\",\"k3dfFD\":\"隐藏问题只有活动组织者可以看到,客户看不到。\",\"vLyv1R\":\"隐藏\",\"Mkkvfd\":\"隐藏入门页面\",\"mFn5Xz\":\"隐藏隐藏问题\",\"YHsF9c\":\"在销售结束日期后隐藏产品\",\"06s3w3\":\"在销售开始日期前隐藏产品\",\"axVMjA\":\"除非用户有适用的促销代码,否则隐藏产品\",\"ySQGHV\":\"售罄时隐藏产品\",\"SCimta\":\"隐藏侧边栏中的入门页面\",\"5xR17G\":\"对客户隐藏此产品\",\"Da29Y6\":\"隐藏此问题\",\"fvDQhr\":\"向用户隐藏此层级\",\"lNipG+\":\"隐藏产品将防止用户在活动页面上看到它。\",\"ZOBwQn\":\"主页设计\",\"PRuBTd\":\"主页设计师\",\"YjVNGZ\":\"主页预览\",\"c3E/kw\":\"荷马\",\"8k8Njd\":\"客户有多少分钟来完成订单。我们建议至少 15 分钟\",\"ySxKZe\":\"这个代码可以使用多少次?\",\"dZsDbK\":[\"HTML字符限制已超出:\",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"我同意<0>条款和条件。\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"如果为空,将使用地址生成 Google 地图链接\",\"UYT+c8\":\"如果启用,登记工作人员可以将与会者标记为已登记或将订单标记为已支付并登记与会者。如果禁用,关联未支付订单的与会者无法登记。\",\"muXhGi\":\"如果启用,当有新订单时,组织者将收到电子邮件通知\",\"6fLyj/\":\"如果您没有要求更改密码,请立即更改密码。\",\"n/ZDCz\":\"图像已成功删除\",\"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\":\"图片上传成功\",\"VyUuZb\":\"图片网址\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"不活动\",\"T0K0yl\":\"非活动用户无法登录。\",\"kO44sp\":\"包含您的在线活动的连接详细信息。这些信息将在订单摘要页面和参会者门票页面显示。\",\"FlQKnG\":\"价格中包含税费\",\"Vi+BiW\":[\"包括\",[\"0\"],\"个产品\"],\"lpm0+y\":\"包括1个产品\",\"UiAk5P\":\"插入图片\",\"OyLdaz\":\"再次发出邀请!\",\"HE6KcK\":\"撤销邀请!\",\"SQKPvQ\":\"邀请用户\",\"bKOYkd\":\"发票下载成功\",\"alD1+n\":\"发票备注\",\"kOtCs2\":\"发票编号\",\"UZ2GSZ\":\"发票设置\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"项目\",\"KFXip/\":\"约翰\",\"XcgRvb\":\"约翰逊\",\"87a/t/\":\"标签\",\"vXIe7J\":\"语言\",\"2LMsOq\":\"过去 12 个月\",\"vfe90m\":\"过去 14 天\",\"aK4uBd\":\"过去 24 小时\",\"uq2BmQ\":\"过去 30 天\",\"bB6Ram\":\"过去 48 小时\",\"VlnB7s\":\"过去 6 个月\",\"ct2SYD\":\"过去 7 天\",\"XgOuA7\":\"过去 90 天\",\"I3yitW\":\"最后登录\",\"1ZaQUH\":\"姓氏\",\"UXBCwc\":\"姓氏\",\"tKCBU0\":\"最近一次使用\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"留空以使用默认词“发票”\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"加载中...\",\"wJijgU\":\"地点\",\"sQia9P\":\"登录\",\"zUDyah\":\"登录\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"注销\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit.Nam placerat elementum...\",\"NJahlc\":\"在结账时强制要求填写账单地址\",\"MU3ijv\":\"将此问题作为必答题\",\"wckWOP\":\"管理\",\"onpJrA\":\"管理与会者\",\"n4SpU5\":\"管理活动\",\"WVgSTy\":\"管理订单\",\"1MAvUY\":\"管理此活动的支付和发票设置。\",\"cQrNR3\":\"管理简介\",\"AtXtSw\":\"管理可以应用于您的产品的税费\",\"ophZVW\":\"管理机票\",\"DdHfeW\":\"管理账户详情和默认设置\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"管理用户及其权限\",\"1m+YT2\":\"在顾客结账前,必须回答必填问题。\",\"Dim4LO\":\"手动添加与会者\",\"e4KdjJ\":\"手动添加与会者\",\"vFjEnF\":\"标记为已支付\",\"g9dPPQ\":\"每份订单的最高限额\",\"l5OcwO\":\"与会者留言\",\"Gv5AMu\":\"留言参与者\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"留言买家\",\"tNZzFb\":\"留言内容\",\"lYDV/s\":\"给个别与会者留言\",\"V7DYWd\":\"发送的信息\",\"t7TeQU\":\"信息\",\"xFRMlO\":\"每次订购的最低数量\",\"QYcUEf\":\"最低价格\",\"RDie0n\":\"其他\",\"mYLhkl\":\"杂项设置\",\"KYveV8\":\"多行文本框\",\"VD0iA7\":\"多种价格选项。非常适合早鸟产品等。\",\"/bhMdO\":\"我的精彩活动描述\",\"vX8/tc\":\"我的精彩活动标题...\",\"hKtWk2\":\"我的简介\",\"fj5byd\":\"不适用\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"名称\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"导航至与会者\",\"qqeAJM\":\"从不\",\"7vhWI8\":\"新密码\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"没有可显示的已归档活动。\",\"q2LEDV\":\"未找到此订单的参会者。\",\"zlHa5R\":\"尚未向此订单添加参会者。\",\"Wjz5KP\":\"无与会者\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"没有容量分配\",\"a/gMx2\":\"没有签到列表\",\"tMFDem\":\"无可用数据\",\"6Z/F61\":\"无数据显示。请选择日期范围\",\"fFeCKc\":\"无折扣\",\"HFucK5\":\"没有可显示的已结束活动。\",\"yAlJXG\":\"无事件显示\",\"GqvPcv\":\"没有可用筛选器\",\"KPWxKD\":\"无信息显示\",\"J2LkP8\":\"无订单显示\",\"RBXXtB\":\"当前没有可用的支付方式。请联系活动组织者以获取帮助。\",\"ZWEfBE\":\"无需支付\",\"ZPoHOn\":\"此参会者没有关联的产品。\",\"Ya1JhR\":\"此类别中没有可用的产品。\",\"FTfObB\":\"尚无产品\",\"+Y976X\":\"无促销代码显示\",\"MAavyl\":\"此与会者未回答任何问题。\",\"SnlQeq\":\"此订单尚未提出任何问题。\",\"Ev2r9A\":\"无结果\",\"gk5uwN\":\"没有搜索结果\",\"RHyZUL\":\"没有搜索结果。\",\"RY2eP1\":\"未加收任何税费。\",\"EdQY6l\":\"无\",\"OJx3wK\":\"不详\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"备注\",\"jtrY3S\":\"暂无显示内容\",\"hFwWnI\":\"通知设置\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"将新订单通知组织者\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"允许支付的天数(留空以从发票中省略付款条款)\",\"n86jmj\":\"号码前缀\",\"mwe+2z\":\"线下订单在标记为已支付之前不会反映在活动统计中。\",\"dWBrJX\":\"线下支付失败。请重试或联系活动组织者。\",\"fcnqjw\":\"离线支付说明\",\"+eZ7dp\":\"线下支付\",\"ojDQlR\":\"线下支付信息\",\"u5oO/W\":\"线下支付设置\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"销售中\",\"Ug4SfW\":\"创建事件后,您就可以在这里看到它。\",\"ZxnK5C\":\"一旦开始收集数据,您将在这里看到。\",\"PnSzEc\":\"一旦准备就绪,将您的活动上线并开始销售产品。\",\"J6n7sl\":\"持续进行\",\"z+nuVJ\":\"在线活动\",\"WKHW0N\":\"在线活动详情\",\"/xkmKX\":\"只有与本次活动直接相关的重要邮件才能使用此表单发送。\\n任何滥用行为,包括发送促销邮件,都将导致账户立即被封禁。\",\"Qqqrwa\":\"打开签到页面\",\"OdnLE4\":\"打开侧边栏\",\"ZZEYpT\":[\"方案 \",[\"i\"]],\"oPknTP\":\"所有发票上显示的可选附加信息(例如,付款条款、逾期付款费用、退货政策)\",\"OrXJBY\":\"发票编号的可选前缀(例如,INV-)\",\"0zpgxV\":\"选项\",\"BzEFor\":\"或\",\"UYUgdb\":\"订购\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"取消订单\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"订购日期\",\"Tol4BF\":\"订购详情\",\"WbImlQ\":\"订单已取消,并已通知订单所有者。\",\"nAn4Oe\":\"订单已标记为已支付\",\"uzEfRz\":\"订单备注\",\"VCOi7U\":\"订购问题\",\"TPoYsF\":\"订购参考\",\"acIJ41\":\"订单状态\",\"GX6dZv\":\"订单摘要\",\"tDTq0D\":\"订单超时\",\"1h+RBg\":\"订单\",\"3y+V4p\":\"组织地址\",\"GVcaW6\":\"组织详细信息\",\"nfnm9D\":\"组织名称\",\"G5RhpL\":\"主办方\",\"mYygCM\":\"需要组织者\",\"Pa6G7v\":\"组织者姓名\",\"l894xP\":\"组织者只能管理活动和产品。他们无法管理用户、账户设置或账单信息。\",\"fdjq4c\":\"衬垫\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"页面未找到\",\"QbrUIo\":\"页面浏览量\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"付讫\",\"HVW65c\":\"付费产品\",\"ZfxaB4\":\"部分退款\",\"8ZsakT\":\"密码\",\"TUJAyx\":\"密码必须至少包含 8 个字符\",\"vwGkYB\":\"密码必须至少包含 8 个字符\",\"BLTZ42\":\"密码重置成功。请使用新密码登录。\",\"f7SUun\":\"密码不一样\",\"aEDp5C\":\"将其粘贴到希望小部件出现的位置。\",\"+23bI/\":\"帕特里克\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"付款方式\",\"Lg+ewC\":\"支付和发票\",\"DZjk8u\":\"支付和发票设置\",\"lflimf\":\"付款期限\",\"JhtZAK\":\"付款失败\",\"JEdsvQ\":\"支付说明\",\"bLB3MJ\":\"支付方式\",\"QzmQBG\":\"支付提供商\",\"lsxOPC\":\"已收到付款\",\"wJTzyi\":\"支付状态\",\"xgav5v\":\"付款成功!\",\"R29lO5\":\"付款条款\",\"/roQKz\":\"百分比\",\"vPJ1FI\":\"百分比 金额\",\"xdA9ud\":\"将其放在网站的 中。\",\"blK94r\":\"请至少添加一个选项\",\"FJ9Yat\":\"请检查所提供的信息是否正确\",\"TkQVup\":\"请检查您的电子邮件和密码并重试\",\"sMiGXD\":\"请检查您的电子邮件是否有效\",\"Ajavq0\":\"请检查您的电子邮件以确认您的电子邮件地址\",\"MdfrBE\":\"请填写下表接受邀请\",\"b1Jvg+\":\"请在新标签页中继续\",\"hcX103\":\"请创建一个产品\",\"cdR8d6\":\"请创建一张票\",\"x2mjl4\":\"请输入指向图像的有效图片网址。\",\"HnNept\":\"请输入新密码\",\"5FSIzj\":\"请注意\",\"C63rRe\":\"请返回活动页面重新开始。\",\"pJLvdS\":\"请选择\",\"Ewir4O\":\"请选择至少一个产品\",\"igBrCH\":\"请验证您的电子邮件地址,以访问所有功能\",\"/IzmnP\":\"请稍候,我们正在准备您的发票...\",\"MOERNx\":\"葡萄牙语\",\"qCJyMx\":\"结账后信息\",\"g2UNkE\":\"技术支持\",\"Rs7IQv\":\"结账前信息\",\"rdUucN\":\"预览\",\"a7u1N9\":\"价格\",\"CmoB9j\":\"价格显示模式\",\"BI7D9d\":\"未设置价格\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"价格类型\",\"6RmHKN\":\"原色\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"主要文字颜色\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"打印所有门票\",\"DKwDdj\":\"打印票\",\"K47k8R\":\"产品\",\"1JwlHk\":\"产品类别\",\"U61sAj\":\"产品类别更新成功。\",\"1USFWA\":\"产品删除成功\",\"4Y2FZT\":\"产品价格类型\",\"mFwX0d\":\"产品问题\",\"Lu+kBU\":\"产品销售\",\"U/R4Ng\":\"产品等级\",\"sJsr1h\":\"产品类型\",\"o1zPwM\":\"产品小部件预览\",\"ktyvbu\":\"产品\",\"N0qXpE\":\"产品\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"已售产品\",\"/u4DIx\":\"已售产品\",\"DJQEZc\":\"产品排序成功\",\"vERlcd\":\"简介\",\"kUlL8W\":\"成功更新个人资料\",\"cl5WYc\":[\"已使用促销 \",[\"promo_code\"],\" 代码\"],\"P5sgAk\":\"促销代码\",\"yKWfjC\":\"促销代码页面\",\"RVb8Fo\":\"促销代码\",\"BZ9GWa\":\"促销代码可用于提供折扣、预售权限或为您的活动提供特殊权限。\",\"OP094m\":\"促销代码报告\",\"4kyDD5\":\"提供此问题的附加背景或说明。使用此字段添加条款和条件、指南或参与者在回答前需要知道的任何重要信息。\",\"toutGW\":\"二维码\",\"LkMOWF\":\"可用数量\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"问题已删除\",\"avf0gk\":\"问题描述\",\"oQvMPn\":\"问题标题\",\"enzGAL\":\"问题\",\"ROv2ZT\":\"问与答\",\"K885Eq\":\"问题已成功分类\",\"OMJ035\":\"无线电选项\",\"C4TjpG\":\"更多信息\",\"I3QpvQ\":\"受援国\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"退款失败\",\"n10yGu\":\"退款订单\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"退款处理中\",\"xHpVRl\":\"退款状态\",\"/BI0y9\":\"退款\",\"fgLNSM\":\"注册\",\"9+8Vez\":\"剩余使用次数\",\"tasfos\":\"去除\",\"t/YqKh\":\"移除\",\"t9yxlZ\":\"报告\",\"prZGMe\":\"要求账单地址\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"重新发送电子邮件确认\",\"wIa8Qe\":\"重新发送邀请\",\"VeKsnD\":\"重新发送订单电子邮件\",\"dFuEhO\":\"重新发送票务电子邮件\",\"o6+Y6d\":\"重新发送...\",\"OfhWJH\":\"重置\",\"RfwZxd\":\"重置密码\",\"KbS2K9\":\"重置密码\",\"e99fHm\":\"恢复活动\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"返回活动页面\",\"8YBH95\":\"收入\",\"PO/sOY\":\"撤销邀请\",\"GDvlUT\":\"角色\",\"ELa4O9\":\"销售结束日期\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"销售开始日期\",\"hBsw5C\":\"销售结束\",\"kpAzPe\":\"销售开始\",\"P/wEOX\":\"旧金山\",\"tfDRzk\":\"节省\",\"IUwGEM\":\"保存更改\",\"U65fiW\":\"保存组织器\",\"UGT5vp\":\"保存设置\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"按与会者姓名、电子邮件或订单号搜索...\",\"+pr/FY\":\"按活动名称搜索...\",\"3zRbWw\":\"按姓名、电子邮件或订单号搜索...\",\"L22Tdf\":\"按姓名、订单号、参与者号或电子邮件搜索...\",\"BiYOdA\":\"按名称搜索...\",\"YEjitp\":\"按主题或内容搜索...\",\"Pjsch9\":\"搜索容量分配...\",\"r9M1hc\":\"搜索签到列表...\",\"+0Yy2U\":\"搜索产品\",\"YIix5Y\":\"搜索...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"辅助色\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"辅助文字颜色\",\"02ePaq\":[\"选择 \",[\"0\"]],\"QuNKRX\":\"选择相机\",\"9FQEn8\":\"选择类别...\",\"kWI/37\":\"选择组织者\",\"ixIx1f\":\"选择产品\",\"3oSV95\":\"选择产品等级\",\"C4Y1hA\":\"选择产品\",\"hAjDQy\":\"选择状态\",\"QYARw/\":\"选择机票\",\"OMX4tH\":\"选择票\",\"DrwwNd\":\"选择时间段\",\"O/7I0o\":\"选择...\",\"JlFcis\":\"发送\",\"qKWv5N\":[\"将副本发送至 <0>\",[\"0\"],\"\"],\"RktTWf\":\"发送信息\",\"/mQ/tD\":\"作为测试发送。这将把信息发送到您的电子邮件地址,而不是收件人的电子邮件地址。\",\"M/WIer\":\"发送消息\",\"D7ZemV\":\"发送订单确认和票务电子邮件\",\"v1rRtW\":\"发送测试\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"搜索引擎优化说明\",\"/SIY6o\":\"搜索引擎优化关键词\",\"GfWoKv\":\"搜索引擎优化设置\",\"rXngLf\":\"搜索引擎优化标题\",\"/jZOZa\":\"服务费\",\"Bj/QGQ\":\"设定最低价格,用户可选择支付更高的价格\",\"L0pJmz\":\"设置发票编号的起始编号。一旦发票生成,就无法更改。\",\"nYNT+5\":\"准备活动\",\"A8iqfq\":\"实时设置您的活动\",\"Tz0i8g\":\"设置\",\"Z8lGw6\":\"分享\",\"B2V3cA\":\"分享活动\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"显示可用产品数量\",\"qDsmzu\":\"显示隐藏问题\",\"fMPkxb\":\"显示更多\",\"izwOOD\":\"单独显示税费\",\"1SbbH8\":\"结账后显示给客户,在订单摘要页面。\",\"YfHZv0\":\"在顾客结账前向他们展示\",\"CBBcly\":\"显示常用地址字段,包括国家\",\"yTnnYg\":\"辛普森\",\"TNaCfq\":\"单行文本框\",\"+P0Cn2\":\"跳过此步骤\",\"YSEnLE\":\"史密斯\",\"lgFfeO\":\"售罄\",\"Mi1rVn\":\"售罄\",\"nwtY4N\":\"出了点问题\",\"GRChTw\":\"删除税费时出了问题\",\"YHFrbe\":\"出错了!请重试\",\"kf83Ld\":\"出问题了\",\"fWsBTs\":\"出错了。请重试。\",\"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.\",\"6a/UJE\":\"对不起,此优惠代码不可用\",\"65A04M\":\"西班牙语\",\"mFuBqb\":\"固定价格的标准产品\",\"D3iCkb\":\"开始日期\",\"/2by1f\":\"州或地区\",\"uAQUqI\":\"状态\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"此活动未启用 Stripe 支付。\",\"UJmAAK\":\"主题\",\"X2rrlw\":\"小计\",\"zzDlyQ\":\"成功\",\"b0HJ45\":[\"成功!\",[\"0\"],\" 将很快收到一封电子邮件。\"],\"BJIEiF\":[\"成功 \",[\"0\"],\" 参会者\"],\"OtgNFx\":\"成功确认电子邮件地址\",\"IKwyaF\":\"成功确认电子邮件更改\",\"zLmvhE\":\"成功创建与会者\",\"gP22tw\":\"产品创建成功\",\"9mZEgt\":\"成功创建促销代码\",\"aIA9C4\":\"成功创建问题\",\"J3RJSZ\":\"成功更新与会者\",\"3suLF0\":\"容量分配更新成功\",\"Z+rnth\":\"签到列表更新成功\",\"vzJenu\":\"成功更新电子邮件设置\",\"7kOMfV\":\"成功更新活动\",\"G0KW+e\":\"成功更新主页设计\",\"k9m6/E\":\"成功更新主页设置\",\"y/NR6s\":\"成功更新位置\",\"73nxDO\":\"成功更新杂项设置\",\"4H80qv\":\"订单更新成功\",\"6xCBVN\":\"支付和发票设置已成功更新\",\"1Ycaad\":\"产品更新成功\",\"70dYC8\":\"成功更新促销代码\",\"F+pJnL\":\"成功更新搜索引擎设置\",\"DXZRk5\":\"100 号套房\",\"GNcfRk\":\"支持电子邮件\",\"uRfugr\":\"T恤衫\",\"JpohL9\":\"税收\",\"geUFpZ\":\"税费\",\"dFHcIn\":\"税务详情\",\"wQzCPX\":\"所有发票底部显示的税务信息(例如,增值税号、税务注册号)\",\"0RXCDo\":\"成功删除税费\",\"ZowkxF\":\"税收\",\"qu6/03\":\"税费\",\"gypigA\":\"促销代码无效\",\"5ShqeM\":\"您查找的签到列表不存在。\",\"QXlz+n\":\"事件的默认货币。\",\"mnafgQ\":\"事件的默认时区。\",\"o7s5FA\":\"与会者接收电子邮件的语言。\",\"NlfnUd\":\"您点击的链接无效。\",\"HsFnrk\":[[\"0\"],\"的最大产品数量是\",[\"1\"]],\"TSAiPM\":\"您要查找的页面不存在\",\"MSmKHn\":\"显示给客户的价格将包括税费。\",\"6zQOg1\":\"显示给客户的价格不包括税费。税费将单独显示\",\"ne/9Ur\":\"您选择的样式设置只适用于复制的 HTML,不会被保存。\",\"vQkyB3\":\"应用于此产品的税费。您可以在此创建新的税费\",\"esY5SG\":\"活动标题,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用事件标题\",\"wDx3FF\":\"此活动没有可用产品\",\"pNgdBv\":\"此类别中没有可用产品\",\"rMcHYt\":\"退款正在处理中。请等待退款完成后再申请退款。\",\"F89D36\":\"标记订单为已支付时出错\",\"68Axnm\":\"处理您的请求时出现错误。请重试。\",\"mVKOW6\":\"发送信息时出现错误\",\"AhBPHd\":\"这些详细信息仅在订单成功完成后显示。等待付款的订单不会显示此消息。\",\"Pc/Wtj\":\"此参与者有未付款的订单。\",\"mf3FrP\":\"此类别尚无任何产品。\",\"8QH2Il\":\"此类别对公众隐藏\",\"xxv3BZ\":\"此签到列表已过期\",\"Sa7w7S\":\"此签到列表已过期,不再可用于签到。\",\"Uicx2U\":\"此签到列表已激活\",\"1k0Mp4\":\"此签到列表尚未激活\",\"K6fmBI\":\"此签到列表尚未激活,不能用于签到。\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"此电子邮件并非促销邮件,与活动直接相关。\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"这些信息将显示在支付页面、订单摘要页面和订单确认电子邮件中。\",\"XAHqAg\":\"这是一种常规产品,例如T恤或杯子。不发行门票\",\"CNk/ro\":\"这是一项在线活动\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"此信息将包含在本次活动发送的所有电子邮件的页脚中\",\"55i7Fa\":\"此消息仅在订单成功完成后显示。等待付款的订单不会显示此消息。\",\"RjwlZt\":\"此订单已付款。\",\"5K8REg\":\"此订单已退款。\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"此订单已取消。\",\"Q0zd4P\":\"此订单已过期。请重新开始。\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"此订单已完成。\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"此订购页面已不可用。\",\"i0TtkR\":\"这将覆盖所有可见性设置,并将该产品对所有客户隐藏。\",\"cRRc+F\":\"此产品无法删除,因为它与订单关联。您可以将其隐藏。\",\"3Kzsk7\":\"此产品为门票。购买后买家将收到门票\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"此问题只有活动组织者可见\",\"os29v1\":\"此重置密码链接无效或已过期。\",\"IV9xTT\":\"该用户未激活,因为他们没有接受邀请。\",\"5AnPaO\":\"入场券\",\"kjAL4v\":\"门票\",\"dtGC3q\":\"门票电子邮件已重新发送给与会者\",\"54q0zp\":\"门票\",\"xN9AhL\":[[\"0\"],\"级\"],\"jZj9y9\":\"分层产品\",\"8wITQA\":\"分层产品允许您为同一产品提供多种价格选项。这非常适合早鸟产品,或为不同人群提供不同的价格选项。\\\" # zh-cn\",\"nn3mSR\":\"剩余时间:\",\"s/0RpH\":\"使用次数\",\"y55eMd\":\"使用次数\",\"40Gx0U\":\"时区\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"工具\",\"72c5Qo\":\"总计\",\"YXx+fG\":\"折扣前总计\",\"NRWNfv\":\"折扣总金额\",\"BxsfMK\":\"总费用\",\"2bR+8v\":\"总销售额\",\"mpB/d9\":\"订单总额\",\"m3FM1g\":\"退款总额\",\"jEbkcB\":\"退款总额\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"总税额\",\"+zy2Nq\":\"类型\",\"FMdMfZ\":\"无法签到参与者\",\"bPWBLL\":\"无法签退参与者\",\"9+P7zk\":\"无法创建产品。请检查您的详细信息\",\"WLxtFC\":\"无法创建产品。请检查您的详细信息\",\"/cSMqv\":\"无法创建问题。请检查您的详细信息\",\"MH/lj8\":\"无法更新问题。请检查您的详细信息\",\"nnfSdK\":\"独立客户\",\"Mqy/Zy\":\"美国\",\"NIuIk1\":\"无限制\",\"/p9Fhq\":\"无限供应\",\"E0q9qH\":\"允许无限次使用\",\"h10Wm5\":\"未付款订单\",\"ia8YsC\":\"即将推出\",\"TlEeFv\":\"即将举行的活动\",\"L/gNNk\":[\"更新 \",[\"0\"]],\"+qqX74\":\"更新活动名称、说明和日期\",\"vXPSuB\":\"更新个人资料\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"链接\",\"UtDm3q\":\"复制到剪贴板的 URL\",\"e5lF64\":\"使用示例\",\"fiV0xj\":\"使用限制\",\"sGEOe4\":\"使用封面图片的模糊版本作为背景\",\"OadMRm\":\"使用封面图片\",\"7PzzBU\":\"用户\",\"yDOdwQ\":\"用户管理\",\"Sxm8rQ\":\"用户\",\"VEsDvU\":\"用户可在 <0>\\\"配置文件设置\\\" 中更改自己的电子邮件\",\"vgwVkd\":\"世界协调时\",\"khBZkl\":\"增值税\",\"E/9LUk\":\"地点名称\",\"jpctdh\":\"查看\",\"Pte1Hv\":\"查看参会者详情\",\"/5PEQz\":\"查看活动页面\",\"fFornT\":\"查看完整信息\",\"YIsEhQ\":\"查看地图\",\"Ep3VfY\":\"在谷歌地图上查看\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP签到列表\",\"tF+VVr\":\"贵宾票\",\"2q/Q7x\":\"可见性\",\"vmOFL/\":\"我们无法处理您的付款。请重试或联系技术支持。\",\"45Srzt\":\"我们无法删除该类别。请再试一次。\",\"/DNy62\":[\"我们找不到与\",[\"0\"],\"匹配的任何门票\"],\"1E0vyy\":\"我们无法加载数据。请重试。\",\"NmpGKr\":\"我们无法重新排序类别。请再试一次。\",\"BJtMTd\":\"我们建议尺寸为 2160px x 1080px,文件大小不超过 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"我们无法确认您的付款。请重试或联系技术支持。\",\"Gspam9\":\"我们正在处理您的订单。请稍候...\",\"LuY52w\":\"欢迎加入!请登录以继续。\",\"dVxpp5\":[\"欢迎回来\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"什么是分层产品?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"什么是类别?\",\"gxeWAU\":\"此代码适用于哪些产品?\",\"hFHnxR\":\"此代码适用于哪些产品?(默认适用于所有产品)\",\"AeejQi\":\"此容量应适用于哪些产品?\",\"Rb0XUE\":\"您什么时候抵达?\",\"5N4wLD\":\"这是什么类型的问题?\",\"gyLUYU\":\"启用后,将为票务订单生成发票。发票将随订单确认邮件一起发送。参与\",\"D3opg4\":\"启用线下支付后,用户可以完成订单并收到门票。他们的门票将清楚地显示订单未支付,签到工具会通知签到工作人员订单是否需要支付。\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"哪些票应与此签到列表关联?\",\"S+OdxP\":\"这项活动由谁组织?\",\"LINr2M\":\"这条信息是发给谁的?\",\"nWhye/\":\"这个问题应该问谁?\",\"VxFvXQ\":\"嵌入小部件\",\"v1P7Gm\":\"小部件设置\",\"b4itZn\":\"工作\",\"hqmXmc\":\"工作...\",\"+G/XiQ\":\"年度至今\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"是的,移除它们\",\"ySeBKv\":\"您已经扫描过此票\",\"P+Sty0\":[\"您正在将电子邮件更改为 <0>\",[\"0\"],\"。\"],\"gGhBmF\":\"您处于离线状态\",\"sdB7+6\":\"您可以创建一个促销代码,针对该产品\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"您无法更改产品类型,因为有与该产品关联的参会者。\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"您无法为未支付订单的与会者签到。此设置可在活动设置中更改。\",\"c9Evkd\":\"您不能删除最后一个类别。\",\"6uwAvx\":\"您无法删除此价格层,因为此层已有售出的产品。您可以将其隐藏。\",\"tFbRKJ\":\"不能编辑账户所有者的角色或状态。\",\"fHfiEo\":\"您不能退还手动创建的订单。\",\"hK9c7R\":\"您创建了一个隐藏问题,但禁用了显示隐藏问题的选项。该选项已启用。\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"您可以访问多个账户。请选择一个继续。\",\"Z6q0Vl\":\"您已接受此邀请。请登录以继续。\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"没有与会者提问。\",\"CoZHDB\":\"您没有订单问题。\",\"15qAvl\":\"您没有待处理的电子邮件更改。\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"您已超时,未能完成订单。\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"您尚未发送任何消息。您可以向所有参会者发送消息,或向特定产品持有者发送消息。\",\"R6i9o9\":\"您必须确认此电子邮件并非促销邮件\",\"3ZI8IL\":\"您必须同意条款和条件\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"必须先创建机票,然后才能手动添加与会者。\",\"jE4Z8R\":\"您必须至少有一个价格等级\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"您必须手动将订单标记为已支付。这可以在订单管理页面上完成。\",\"L/+xOk\":\"在创建签到列表之前,您需要先获得票。\",\"Djl45M\":\"在您创建容量分配之前,您需要一个产品。\",\"y3qNri\":\"您需要至少一个产品才能开始。免费、付费或让用户决定支付金额。\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"您的账户名称会在活动页面和电子邮件中使用。\",\"veessc\":\"与会者注册参加活动后,就会出现在这里。您也可以手动添加与会者。\",\"Eh5Wrd\":\"您的网站真棒 🎉\",\"lkMK2r\":\"您的详细信息\",\"3ENYTQ\":[\"您要求将电子邮件更改为<0>\",[\"0\"],\"的申请正在处理中。请检查您的电子邮件以确认\"],\"yZfBoy\":\"您的信息已发送\",\"KSQ8An\":\"您的订单\",\"Jwiilf\":\"您的订单已被取消\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"您的订单一旦开始滚动,就会出现在这里。\",\"9TO8nT\":\"您的密码\",\"P8hBau\":\"您的付款正在处理中。\",\"UdY1lL\":\"您的付款未成功,请重试。\",\"fzuM26\":\"您的付款未成功。请重试。\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"您的退款正在处理中。\",\"IFHV2p\":\"您的入场券\",\"x1PPdr\":\"邮政编码\",\"BM/KQm\":\"邮政编码\",\"+LtVBt\":\"邮政编码\",\"25QDJ1\":\"- 点击发布\",\"WOyJmc\":\"- 点击取消发布\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" 已签到\"],\"S4PqS9\":[[\"0\"],\" 个活动的 Webhook\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" 标志\"],\"B7pZfX\":[[\"0\"],\" 位组织者\"],\"/HkCs4\":[[\"0\"],\"张门票\"],\"OJnhhX\":[[\"eventCount\"],\" 个事件\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>签到列表帮助您按日期、区域或票务类型管理活动入场。您可以将票务链接到特定列表,如VIP区域或第1天通行证,并与工作人员共享安全的签到链接。无需账户。签到适用于移动设备、桌面或平板电脑,使用设备相机或HID USB扫描仪。 \",\"ZnVt5v\":\"<0>Webhooks 可在事件发生时立即通知外部服务,例如,在注册时将新与会者添加到您的 CRM 或邮件列表,确保无缝自动化。<1>使用第三方服务,如 <2>Zapier、<3>IFTTT 或 <4>Make 来创建自定义工作流并自动化任务。\",\"fAv9QG\":\"🎟️ 添加门票\",\"M2DyLc\":\"1 个活动的 Webhook\",\"yTsaLw\":\"1张门票\",\"HR/cvw\":\"示例街123号\",\"kMU5aM\":\"取消通知已发送至\",\"V53XzQ\":\"新的验证码已发送到您的邮箱\",\"/z/bH1\":\"您组织者的简短描述,将展示给您的用户。\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"关于\",\"WTk/ke\":\"关于 Stripe Connect\",\"1uJlG9\":\"强调色\",\"VTfZPy\":\"访问被拒绝\",\"iN5Cz3\":\"账户已连接!\",\"bPwFdf\":\"账户\",\"nMtNd+\":\"需要操作:重新连接您的 Stripe 账户\",\"a5KFZU\":\"添加活动详情并管理活动设置。\",\"Fb+SDI\":\"添加更多门票\",\"6PNlRV\":\"将此活动添加到您的日历\",\"BGD9Yt\":\"添加机票\",\"QN2F+7\":\"添加 Webhook\",\"NsWqSP\":\"添加您的社交媒体账号和网站链接。这些信息将显示在您的公开组织者页面上。\",\"0Zypnp\":\"管理仪表板\",\"YAV57v\":\"推广员\",\"I+utEq\":\"推广码无法更改\",\"/jHBj5\":\"推广员创建成功\",\"uCFbG2\":\"推广员删除成功\",\"a41PKA\":\"将跟踪推广员销售\",\"mJJh2s\":\"将不会跟踪推广员销售。这将停用该推广员。\",\"jabmnm\":\"推广员更新成功\",\"CPXP5Z\":\"合作伙伴\",\"9Wh+ug\":\"推广员已导出\",\"3cqmut\":\"推广员帮助您跟踪合作伙伴和网红产生的销售。创建推广码并分享以监控绩效。\",\"7rLTkE\":\"所有已归档活动\",\"gKq1fa\":\"所有参与者\",\"pMLul+\":\"所有货币\",\"qlaZuT\":\"全部完成!您现在正在使用我们升级的支付系统。\",\"ZS/D7f\":\"所有已结束活动\",\"dr7CWq\":\"所有即将到来的活动\",\"QUg5y1\":\"快完成了!完成连接您的 Stripe 账户以开始接受付款。\",\"c4uJfc\":\"快完成了!我们正在等待您的付款处理。这只需要几秒钟。\",\"/H326L\":\"已退款\",\"RtxQTF\":\"同时取消此订单\",\"jkNgQR\":\"同时退款此订单\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"与此推广员关联的邮箱。推广员不会收到通知。\",\"vRznIT\":\"检查导出状态时发生错误。\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"答案更新成功。\",\"LchiNd\":\"您确定要删除此推广员吗?此操作无法撤销。\",\"JmVITJ\":\"确定要删除此模板吗?此操作无法撤消,邮件将回退到默认模板。\",\"aLS+A6\":\"确定要删除此模板吗?此操作无法撤消,邮件将回退到组织者或默认模板。\",\"5H3Z78\":\"您确定要删除此 Webhook 吗?\",\"147G4h\":\"您确定要离开吗?\",\"VDWChT\":\"您确定要将此组织者设为草稿吗?这样将使组织者页面对公众不可见。\",\"pWtQJM\":\"您确定要将此组织者设为公开吗?这样将使组织者页面对公众可见。\",\"WFHOlF\":\"您确定要发布此活动吗?一旦发布,将对公众可见。\",\"4TNVdy\":\"您确定要发布此主办方资料吗?一旦发布,将对公众可见。\",\"ExDt3P\":\"您确定要取消发布此活动吗?它将不再对公众可见。\",\"5Qmxo/\":\"您确定要取消发布此主办方资料吗?它将不再对公众可见。\",\"+QARA4\":\"艺术\",\"F2rX0R\":\"必须选择至少一种事件类型\",\"6PecK3\":\"所有活动的出席率和签到率\",\"AJ4rvK\":\"与会者已取消\",\"qvylEK\":\"与会者已创建\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"参会者邮箱\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"与会者管理\",\"av+gjP\":\"参会者姓名\",\"cosfD8\":\"参与者状态\",\"D2qlBU\":\"与会者已更新\",\"x8Vnvf\":\"参与者的票不包含在此列表中\",\"k3Tngl\":\"与会者已导出\",\"5UbY+B\":\"持有特定门票的与会者\",\"4HVzhV\":\"参与者:\",\"VPoeAx\":\"使用多个签到列表和实时验证的自动化入场管理\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"可退款\",\"NB5+UG\":\"可用令牌\",\"EmYMHc\":\"等待线下付款\",\"kNmmvE\":\"精彩活动有限公司\",\"kYqM1A\":\"返回活动\",\"td/bh+\":\"返回报告\",\"jIPNJG\":\"基本信息\",\"iMdwTb\":\"在您的活动可以上线之前,您需要完成以下几项任务。请完成以下所有步骤以开始。\",\"UabgBd\":\"正文是必需的\",\"9N+p+g\":\"商务\",\"bv6RXK\":\"按钮标签\",\"ChDLlO\":\"按钮文字\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"行动号召按钮\",\"PUpvQe\":\"相机扫描仪\",\"H4nE+E\":\"取消所有产品并释放回可用池\",\"tOXAdc\":\"取消将取消与此订单关联的所有参与者,并将门票释放回可用池。\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"容量分配\",\"K7tIrx\":\"类别\",\"2tbLdK\":\"慈善\",\"v4fiSg\":\"查看您的邮箱\",\"51AsAN\":\"请检查您的收件箱!如果此邮箱有关联的票,您将收到查看链接。\",\"udRwQs\":\"签到已创建\",\"F4SRy3\":\"签到已删除\",\"9gPPUY\":\"签到列表已创建!\",\"f2vU9t\":\"签到列表\",\"tMNBEF\":\"签到列表让您可以按天、区域或票种控制入场。您可以与工作人员共享安全的签到链接 — 无需账户。\",\"SHJwyq\":\"签到率\",\"qCqdg6\":\"签到状态\",\"cKj6OE\":\"签到摘要\",\"7B5M35\":\"签到\",\"DM4gBB\":\"中文(繁体)\",\"pkk46Q\":\"选择一个组织者\",\"Crr3pG\":\"选择日历\",\"CySr+W\":\"点击查看备注\",\"RG3szS\":\"关闭\",\"RWw9Lg\":\"关闭弹窗\",\"XwdMMg\":\"代码只能包含字母、数字、连字符和下划线\",\"+yMJb7\":\"代码为必填项\",\"m9SD3V\":\"代码至少需要3个字符\",\"V1krgP\":\"代码不能超过20个字符\",\"psqIm5\":\"与您的团队协作,共同创建精彩的活动。\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"喜剧\",\"7D9MJz\":\"完成 Stripe 设置\",\"OqEV/G\":\"完成下面的设置以继续\",\"nqx+6h\":\"完成以下步骤即可开始销售您的活动门票。\",\"5YrKW7\":\"完成付款以确保您的门票。\",\"ih35UP\":\"会议中心\",\"NGXKG/\":\"确认电子邮件地址\",\"Auz0Mz\":\"请确认您的邮箱以访问所有功能。\",\"7+grte\":\"确认邮件已发送!请检查您的收件箱。\",\"n/7+7Q\":\"确认已发送至\",\"o5A0Go\":\"恭喜你创建了一个活动!\",\"WNnP3w\":\"连接并升级\",\"Xe2tSS\":\"连接文档\",\"1Xxb9f\":\"连接支付处理\",\"LmvZ+E\":\"连接 Stripe 以启用消息功能\",\"EWnXR+\":\"连接到 Stripe\",\"MOUF31\":\"连接 CRM 并使用 Webhook 和集成自动化任务\",\"VioGG1\":\"连接您的 Stripe 账户以接受门票和产品付款。\",\"4qmnU8\":\"连接您的 Stripe 账户以接受付款。\",\"E1eze1\":\"连接您的 Stripe 账户以开始接受您活动的付款。\",\"ulV1ju\":\"连接您的 Stripe 账户以开始接受付款。\",\"/3017M\":\"已连接到 Stripe\",\"jfC/xh\":\"联系\",\"LOFgda\":[\"联系 \",[\"0\"]],\"41BQ3k\":\"联系邮箱\",\"KcXRN+\":\"支持联系邮箱\",\"m8WD6t\":\"继续设置\",\"0GwUT4\":\"继续结账\",\"sBV87H\":\"继续创建活动\",\"nKtyYu\":\"继续下一步\",\"F3/nus\":\"继续付款\",\"1JnTgU\":\"从上方复制\",\"FxVG/l\":\"已复制到剪贴板\",\"PiH3UR\":\"已复制!\",\"uUPbPg\":\"复制推广链接\",\"iVm46+\":\"复制代码\",\"+2ZJ7N\":\"将详情复制到第一位参与者\",\"ZN1WLO\":\"复制邮箱\",\"tUGbi8\":\"复制我的信息到:\",\"y22tv0\":\"复制此链接,在任意位置分享\",\"/4gGIX\":\"复制到剪贴板\",\"P0rbCt\":\"封面图像\",\"60u+dQ\":\"封面图片将显示在活动页面顶部\",\"2NLjA6\":\"封面图像将显示在您的组织者页面顶部\",\"zg4oSu\":[\"创建\",[\"0\"],\"模板\"],\"xfKgwv\":\"创建推广员\",\"dyrgS4\":\"立即创建和自定义您的活动页面\",\"BTne9e\":\"为此活动创建自定义邮件模板以覆盖组织者默认设置\",\"YIDzi/\":\"创建自定义模板\",\"8AiKIu\":\"创建门票或产品\",\"agZ87r\":\"为您的活动创建门票、设定价格并管理可用数量。\",\"dkAPxi\":\"创建 Webhook\",\"5slqwZ\":\"创建您的活动\",\"JQNMrj\":\"创建您的第一个活动\",\"CCjxOC\":\"创建您的第一个活动以开始售票并管理参与者。\",\"ZCSSd+\":\"创建您自己的活动\",\"67NsZP\":\"正在创建活动...\",\"H34qcM\":\"正在创建主办方...\",\"1YMS+X\":\"正在创建您的活动,请稍候\",\"yiy8Jt\":\"正在创建您的主办方资料,请稍候\",\"lfLHNz\":\"CTA标签是必需的\",\"BMtue0\":\"当前支付处理器\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"结账后自定义消息\",\"axv/Mi\":\"自定义模板\",\"QMHSMS\":\"客户将收到确认退款的电子邮件\",\"L/Qc+w\":\"客户邮箱地址\",\"wpfWhJ\":\"客户名字\",\"GIoqtA\":\"客户姓氏\",\"NihQNk\":\"客户\",\"7gsjkI\":\"使用Liquid模板自定义发送给客户的邮件。这些模板将用作您组织中所有活动的默认模板。\",\"iX6SLo\":\"自定义“继续”按钮上显示的文本\",\"pxNIxa\":\"使用Liquid模板自定义您的邮件模板\",\"q9Jg0H\":\"自定义您的活动页面和小部件设计,以完美匹配您的品牌\",\"mkLlne\":\"自定义活动页面外观\",\"3trPKm\":\"自定义主办方页面外观\",\"4df0iX\":\"自定义您的票券外观\",\"/gWrVZ\":\"所有活动的每日收入、税费和退款\",\"zgCHnE\":\"每日销售报告\",\"nHm0AI\":\"每日销售、税费和费用明细\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"活动日期\",\"gnBreG\":\"下单日期\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"将使用默认模板\",\"vu7gDm\":\"删除推广员\",\"+jw/c1\":\"删除图片\",\"dPyJ15\":\"删除模板\",\"snMaH4\":\"删除 Webhook\",\"vYgeDk\":\"取消全选\",\"NvuEhl\":\"设计元素\",\"H8kMHT\":\"没有收到验证码?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"关闭此消息\",\"BREO0S\":\"显示一个复选框,允许客户选择接收此活动组织者的营销通讯。\",\"TvY/XA\":\"文档\",\"Kdpf90\":\"别忘了!\",\"V6Jjbr\":\"还没有账户? <0>注册\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"完成\",\"eneWvv\":\"草稿\",\"TnzbL+\":\"由于垃圾邮件风险较高,您必须先连接 Stripe 账户才能向参与者发送消息。\\n这是为了确保所有活动组织者都经过验证并承担责任。\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"复制产品\",\"KIjvtr\":\"荷兰语\",\"SPKbfM\":\"例如:获取门票,立即注册\",\"LTzmgK\":[\"编辑\",[\"0\"],\"模板\"],\"v4+lcZ\":\"编辑推广员\",\"2iZEz7\":\"编辑答案\",\"fW5sSv\":\"编辑 Webhook\",\"nP7CdQ\":\"编辑 Webhook\",\"uBAxNB\":\"编辑器\",\"aqxYLv\":\"教育\",\"zPiC+q\":\"符合条件的签到列表\",\"V2sk3H\":\"电子邮件和模板\",\"hbwCKE\":\"邮箱地址已复制到剪贴板\",\"dSyJj6\":\"电子邮件地址不匹配\",\"elW7Tn\":\"邮件正文\",\"ZsZeV2\":\"邮箱为必填项\",\"Be4gD+\":\"邮件预览\",\"6IwNUc\":\"邮件模板\",\"H/UMUG\":\"需要验证邮箱\",\"L86zy2\":\"邮箱验证成功!\",\"Upeg/u\":\"启用此模板发送邮件\",\"RxzN1M\":\"已启用\",\"sGjBEq\":\"结束日期和时间(可选)\",\"PKXt9R\":\"结束日期必须在开始日期之后\",\"48Y16Q\":\"结束时间(可选)\",\"7YZofi\":\"输入主题和正文以查看预览\",\"3bR1r4\":\"输入推广员邮箱(可选)\",\"ARkzso\":\"输入推广员姓名\",\"INDKM9\":\"输入邮件主题...\",\"kWg31j\":\"输入唯一推广码\",\"C3nD/1\":\"输入您的电子邮箱\",\"n9V+ps\":\"输入您的姓名\",\"LslKhj\":\"加载日志时出错\",\"WgD6rb\":\"活动类别\",\"b46pt5\":\"活动封面图片\",\"1Hzev4\":\"活动自定义模板\",\"imgKgl\":\"活动描述\",\"kJDmsI\":\"活动详情\",\"m/N7Zq\":\"活动完整地址\",\"Nl1ZtM\":\"活动地点\",\"PYs3rP\":\"活动名称\",\"HhwcTQ\":\"活动名称\",\"WZZzB6\":\"活动名称为必填项\",\"Wd5CDM\":\"活动名称应少于150个字符\",\"4JzCvP\":\"活动不可用\",\"Gh9Oqb\":\"活动组织者姓名\",\"mImacG\":\"活动页面\",\"cOePZk\":\"活动时间\",\"e8WNln\":\"活动时区\",\"GeqWgj\":\"活动时区\",\"XVLu2v\":\"活动标题\",\"YDVUVl\":\"事件类型\",\"4K2OjV\":\"活动场地\",\"19j6uh\":\"活动表现\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"每个邮件模板都必须包含一个链接到相应页面的行动号召按钮\",\"VlvpJ0\":\"导出答案\",\"JKfSAv\":\"导出失败。请重试。\",\"SVOEsu\":\"导出已开始。正在准备文件...\",\"9bpUSo\":\"正在导出推广员\",\"jtrqH9\":\"正在导出与会者\",\"R4Oqr8\":\"导出完成。正在下载文件...\",\"UlAK8E\":\"正在导出订单\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"放弃订单失败。请重试。\",\"cEFg3R\":\"创建推广员失败\",\"U66oUa\":\"创建模板失败\",\"xFj7Yj\":\"删除模板失败\",\"jo3Gm6\":\"导出推广员失败\",\"Jjw03p\":\"导出与会者失败\",\"ZPwFnN\":\"导出订单失败\",\"X4o0MX\":\"加载 Webhook 失败\",\"YQ3QSS\":\"重新发送验证码失败\",\"zTkTF3\":\"保存模板失败\",\"T6B2gk\":\"发送消息失败。请重试。\",\"lKh069\":\"无法启动导出任务\",\"t/KVOk\":\"无法开始模拟。请重试。\",\"QXgjH0\":\"无法停止模拟。请重试。\",\"i0QKrm\":\"更新推广员失败\",\"NNc33d\":\"更新答案失败。\",\"7/9RFs\":\"上传图片失败。\",\"nkNfWu\":\"上传图片失败。请重试。\",\"rxy0tG\":\"验证邮箱失败\",\"T4BMxU\":\"费用可能会变更。如有变更,您将收到通知。\",\"cf35MA\":\"节日\",\"VejKUM\":\"请先在上方填写您的详细信息\",\"8OvVZZ\":\"筛选参与者\",\"8BwQeU\":\"完成设置\",\"hg80P7\":\"完成 Stripe 设置\",\"1vBhpG\":\"第一位参与者\",\"YXhom6\":\"固定费用:\",\"KgxI80\":\"灵活的票务系统\",\"lWxAUo\":\"美食美酒\",\"nFm+5u\":\"页脚文字\",\"MY2SVM\":\"全额退款\",\"vAVBBv\":\"全面集成\",\"T02gNN\":\"普通入场\",\"3ep0Gx\":\"您组织者的基本信息\",\"ziAjHi\":\"生成\",\"exy8uo\":\"生成代码\",\"4CETZY\":\"获取路线\",\"kfVY6V\":\"免费开始,无订阅费用\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"准备好您的活动\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"前往活动页面\",\"gHSuV/\":\"返回主页\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"总收入\",\"kTSQej\":[\"您好 \",[\"0\"],\",从这里管理您的平台。\"],\"dORAcs\":\"以下是与您邮箱关联的所有票。\",\"g+2103\":\"这是您的推广链接\",\"QlwJ9d\":\"预期结果:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"隐藏答案\",\"gtEbeW\":\"突出显示\",\"NF8sdv\":\"突出显示消息\",\"MXSqmS\":\"突出显示此产品\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"突出显示的产品将具有不同的背景色,使其在活动页面上脱颖而出。\",\"i0qMbr\":\"首页\",\"AVpmAa\":\"如何离线支付\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"匈牙利语\",\"4/kP5a\":\"如果没有自动打开新标签页,请点击下方按钮继续结账。\",\"wOU3Tr\":\"如果您在我们这里有账户,您将收到一封电子邮件,内含重置密码的说明。\",\"an5hVd\":\"图片\",\"tSVr6t\":\"模拟\",\"TWXU0c\":\"模拟用户\",\"5LAZwq\":\"模拟已开始\",\"IMwcdR\":\"模拟已停止\",\"M8M6fs\":\"重要:需要重新连接 Stripe\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"深入分析\",\"F1Xp97\":\"个人与会者\",\"85e6zs\":\"插入Liquid令牌\",\"38KFY0\":\"插入变量\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"无效邮箱\",\"5tT0+u\":\"邮箱格式无效\",\"tnL+GP\":\"无效的Liquid语法。请更正后再试。\",\"g+lLS9\":\"邀请团队成员\",\"1z26sk\":\"邀请团队成员\",\"KR0679\":\"邀请团队成员\",\"aH6ZIb\":\"邀请您的团队\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"意大利语\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"随时随地加入\",\"hTJ4fB\":\"只需点击下面的按钮重新连接您的 Stripe 账户。\",\"MxjCqk\":\"只是在找您的票?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"最新响应\",\"gw3Ur5\":\"最近触发\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"链接已过期或无效\",\"psosdY\":\"订单详情链接\",\"6JzK4N\":\"门票链接\",\"shkJ3U\":\"链接您的 Stripe 账户以接收售票资金。\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"上线\",\"fpMs2Z\":\"直播\",\"D9zTjx\":\"直播活动\",\"WdmJIX\":\"加载预览中...\",\"IoDI2o\":\"加载令牌中...\",\"NFxlHW\":\"正在加载 Webhook\",\"iG7KNr\":\"标志\",\"vu7ZGG\":\"标志和封面\",\"gddQe0\":\"您的组织者的标志和封面图像\",\"TBEnp1\":\"标志将显示在页面头部\",\"Jzu30R\":\"标志将显示在票券上\",\"4wUIjX\":\"让您的活动上线\",\"0A7TvI\":\"管理活动\",\"2FzaR1\":\"管理您的支付处理并查看平台费用\",\"/x0FyM\":\"匹配您的品牌\",\"xDAtGP\":\"消息\",\"1jRD0v\":\"向与会者发送特定门票的信息\",\"97QrnA\":\"在一个地方向与会者发送消息、管理订单并处理退款\",\"48rf3i\":\"消息不能超过5000个字符\",\"Vjat/X\":\"消息为必填项\",\"0/yJtP\":\"向具有特定产品的订单所有者发送消息\",\"tccUcA\":\"移动签到\",\"GfaxEk\":\"音乐\",\"oVGCGh\":\"我的票\",\"8/brI5\":\"姓名为必填项\",\"sCV5Yc\":\"活动名称\",\"xxU3NX\":\"净收入\",\"eWRECP\":\"夜生活\",\"VHfLAW\":\"无账户\",\"+jIeoh\":\"未找到账户\",\"074+X8\":\"没有活动的 Webhook\",\"zxnup4\":\"没有推广员可显示\",\"99ntUF\":\"此活动没有可用的签到列表。\",\"6r9SGl\":\"无需信用卡\",\"eb47T5\":\"未找到所选筛选条件的数据。请尝试调整日期范围或货币。\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"未找到活动\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"尚无活动\",\"54GxeB\":\"不影响您当前或过去的交易\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"未找到日志\",\"NEmyqy\":\"尚无订单\",\"B7w4KY\":\"无其他可用组织者\",\"6jYQGG\":\"没有过去的活动\",\"zK/+ef\":\"没有可供选择的产品\",\"QoAi8D\":\"无响应\",\"EK/G11\":\"尚无响应\",\"3sRuiW\":\"未找到票\",\"yM5c0q\":\"没有即将到来的活动\",\"qpC74J\":\"未找到用户\",\"n5vdm2\":\"此端点尚未记录任何 Webhook 事件。事件触发后将显示在此处。\",\"4GhX3c\":\"没有 Webhooks\",\"4+am6b\":\"否,保留在此\",\"x5+Lcz\":\"未签到\",\"8n10sz\":\"不符合条件\",\"lQgMLn\":\"办公室或场地名称\",\"6Aih4U\":\"离线\",\"Z6gBGW\":\"线下支付\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"升级完成后,您的旧账户将仅用于退款。\",\"oXOSPE\":\"在线\",\"WjSpu5\":\"在线活动\",\"bU7oUm\":\"仅发送给具有这些状态的订单\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"打开 Stripe 仪表板\",\"HXMJxH\":\"免责声明、联系信息或感谢说明的可选文本(仅单行)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"订单已取消\",\"b6+Y+n\":\"订单完成\",\"x4MLWE\":\"订单确认\",\"ppuQR4\":\"订单已创建\",\"0UZTSq\":\"订单货币\",\"HdmwrI\":\"订单邮箱\",\"bwBlJv\":\"订单名字\",\"vrSW9M\":\"订单已取消并退款。订单所有者已收到通知。\",\"+spgqH\":[\"订单号:\",[\"0\"]],\"Pc729f\":\"订单等待线下支付\",\"F4NXOl\":\"订单姓氏\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"订单语言\",\"vu6Arl\":\"订单标记为已支付\",\"sLbJQz\":\"未找到订单\",\"i8VBuv\":\"订单号\",\"FaPYw+\":\"订单所有者\",\"eB5vce\":\"具有特定产品的订单所有者\",\"CxLoxM\":\"具有产品的订单所有者\",\"DoH3fD\":\"订单付款待处理\",\"EZy55F\":\"订单已退款\",\"6eSHqs\":\"订单状态\",\"oW5877\":\"订单总额\",\"e7eZuA\":\"订单已更新\",\"KndP6g\":\"订单链接\",\"3NT0Ck\":\"订单已被取消\",\"5It1cQ\":\"订单已导出\",\"B/EBQv\":\"订单:\",\"ucgZ0o\":\"组织\",\"S3CZ5M\":\"组织者仪表板\",\"Uu0hZq\":\"组织者邮箱\",\"Gy7BA3\":\"组织者电子邮件地址\",\"SQqJd8\":\"未找到组织者\",\"wpj63n\":\"组织者设置\",\"coIKFu\":\"所选货币无法获取组织者统计信息,或发生错误。\",\"o1my93\":\"组织者状态更新失败。请稍后再试\",\"rLHma1\":\"组织者状态已更新\",\"LqBITi\":\"将使用组织者/默认模板\",\"/IX/7x\":\"其他\",\"RsiDDQ\":\"其他列表(不包含此票)\",\"6/dCYd\":\"概览\",\"8uqsE5\":\"页面不再可用\",\"QkLf4H\":\"页面链接\",\"sF+Xp9\":\"页面浏览量\",\"5F7SYw\":\"部分退款\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"过去\",\"xTPjSy\":\"过去的活动\",\"/l/ckQ\":\"粘贴链接\",\"URAE3q\":\"已暂停\",\"4fL/V7\":\"付款\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"付款与计划\",\"ENEPLY\":\"付款方式\",\"EyE8E6\":\"支付处理\",\"8Lx2X7\":\"已收到付款\",\"vcyz2L\":\"支付设置\",\"fx8BTd\":\"付款不可用\",\"51U9mG\":\"付款将继续无中断流转\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"绩效\",\"zmwvG2\":\"电话\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"计划举办活动?\",\"br3Y/y\":\"平台费用\",\"jEw0Mr\":\"请输入有效的 URL\",\"n8+Ng/\":\"请输入5位数验证码\",\"Dvq0wf\":\"请提供一张图片。\",\"2cUopP\":\"请重新开始结账流程。\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"请选择一张图片。\",\"fuwKpE\":\"请再试一次。\",\"klWBeI\":\"请稍候再请求新的验证码\",\"hfHhaa\":\"请稍候,我们正在准备导出您的推广员...\",\"o+tJN/\":\"请稍候,我们正在准备导出您的与会者...\",\"+5Mlle\":\"请稍候,我们正在准备导出您的订单...\",\"TjX7xL\":\"结账后消息\",\"cs5muu\":\"预览活动页面\",\"+4yRWM\":\"门票价格\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"打印预览\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"打印为PDF\",\"LcET2C\":\"隐私政策\",\"8z6Y5D\":\"处理退款\",\"JcejNJ\":\"处理订单中\",\"EWCLpZ\":\"产品已创建\",\"XkFYVB\":\"产品已删除\",\"YMwcbR\":\"产品销售、收入和税费明细\",\"ldVIlB\":\"产品已更新\",\"mIqT3T\":\"产品、商品和灵活的定价选项\",\"JoKGiJ\":\"优惠码\",\"k3wH7i\":\"促销码使用情况及折扣明细\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"发布\",\"evDBV8\":\"发布活动\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"二维码扫描,提供即时反馈和安全共享,供工作人员使用\",\"fqDzSu\":\"费率\",\"spsZys\":\"准备升级?这只需要几分钟。\",\"Fi3b48\":\"最近订单\",\"Edm6av\":\"重新连接 Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"正在重定向到 Stripe...\",\"ACKu03\":\"刷新预览\",\"fKn/k6\":\"退款金额\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"退款订单 \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"退款\",\"CQeZT8\":\"未找到报告\",\"JEPMXN\":\"请求新链接\",\"mdeIOH\":\"重新发送验证码\",\"bxoWpz\":\"重新发送确认邮件\",\"G42SNI\":\"重新发送邮件\",\"TTpXL3\":[[\"resendCooldown\"],\"秒后重新发送\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"保留至\",\"slOprG\":\"重置您的密码\",\"CbnrWb\":\"返回活动\",\"Oo/PLb\":\"收入摘要\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"销售\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"所有活动的销售、订单和性能指标\",\"3Q1AWe\":\"销售额:\",\"8BRPoH\":\"示例场地\",\"KZrfYJ\":\"保存社交链接\",\"9Y3hAT\":\"保存模板\",\"C8ne4X\":\"保存票券设计\",\"I+FvbD\":\"扫描\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"搜索推广员...\",\"VY+Bdn\":\"按账户名称或电子邮件搜索...\",\"VX+B3I\":\"按活动标题或主办方搜索...\",\"GHdjuo\":\"按姓名、电子邮件或账户搜索...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"选择类别\",\"BFRSTT\":\"选择账户\",\"mCB6Je\":\"全选\",\"kYZSFD\":\"选择一个组织者以查看其仪表板和活动。\",\"tVW/yo\":\"选择货币\",\"n9ZhRa\":\"选择结束日期和时间\",\"gTN6Ws\":\"选择结束时间\",\"0U6E9W\":\"选择活动类别\",\"j9cPeF\":\"选择事件类型\",\"1nhy8G\":\"选择扫描仪类型\",\"KizCK7\":\"选择开始日期和时间\",\"dJZTv2\":\"选择开始时间\",\"aT3jZX\":\"选择时区\",\"Ropvj0\":\"选择哪些事件将触发此 Webhook\",\"BG3f7v\":\"销售任何产品\",\"VtX8nW\":\"在销售门票的同时销售商品,并支持集成税务和促销代码\",\"Cye3uV\":\"销售不仅仅是门票\",\"j9b/iy\":\"热卖中 🔥\",\"1lNPhX\":\"发送退款通知邮件\",\"SPdzrs\":\"客户下单时发送\",\"LxSN5F\":\"发送给每位参会者及其门票详情\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"设置您的组织\",\"HbUQWA\":\"几分钟内完成设置\",\"GG7qDw\":\"分享推广链接\",\"hL7sDJ\":\"分享组织者页面\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"显示所有平台(另有 \",[\"0\"],\" 个包含值)\"],\"UVPI5D\":\"显示更少平台\",\"Eu/N/d\":\"显示营销订阅复选框\",\"SXzpzO\":\"默认显示营销订阅复选框\",\"b33PL9\":\"显示更多平台\",\"v6IwHE\":\"智能签到\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"社交\",\"d0rUsW\":\"社交链接\",\"j/TOB3\":\"社交链接与网站\",\"2pxNFK\":\"已售\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"出现问题,请重试,或在问题持续时联系客服\",\"H6Gslz\":\"对于给您带来的不便,我们深表歉意。\",\"7JFNej\":\"体育\",\"JcQp9p\":\"开始日期和时间\",\"0m/ekX\":\"开始日期和时间\",\"izRfYP\":\"开始日期为必填项\",\"2R1+Rv\":\"活动开始时间\",\"2NbyY/\":\"统计数据\",\"DRykfS\":\"仍在处理您旧交易的退款。\",\"wuV0bK\":\"停止模拟\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe设置已完成。\",\"ii0qn/\":\"主题是必需的\",\"M7Uapz\":\"主题将显示在这里\",\"6aXq+t\":\"主题:\",\"JwTmB6\":\"产品复制成功\",\"RuaKfn\":\"地址更新成功\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"组织者更新成功\",\"0Dk/l8\":\"SEO 设置更新成功\",\"MhOoLQ\":\"社交链接更新成功\",\"kj7zYe\":\"Webhook 更新成功\",\"dXoieq\":\"摘要\",\"/RfJXt\":[\"夏季音乐节 \",[\"0\"]],\"CWOPIK\":\"2025夏季音乐节\",\"5gIl+x\":\"支持分级、基于捐赠和产品销售,并提供可自定义的定价和容量\",\"JZTQI0\":\"切换组织者\",\"XX32BM\":\"只需几分钟\",\"yT6dQ8\":\"按税种和活动分组的已收税款\",\"Ye321X\":\"税种名称\",\"WyCBRt\":\"税务摘要\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"科技\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"告诉人们您的活动会有哪些内容\",\"NiIUyb\":\"介绍一下您的活动\",\"DovcfC\":\"请告诉我们您的组织信息。这些信息将显示在您的活动页面上。\",\"7wtpH5\":\"模板已激活\",\"QHhZeE\":\"模板创建成功\",\"xrWdPR\":\"模板删除成功\",\"G04Zjt\":\"模板保存成功\",\"xowcRf\":\"服务条款\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"感谢您的参与!\",\"lhAWqI\":\"感谢您的支持,我们将继续发展和改进 Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"验证码将在10分钟后过期。如果您没有收到邮件,请检查垃圾邮件文件夹。\",\"MJm4Tq\":\"订单的货币\",\"I/NNtI\":\"活动场地\",\"tXadb0\":\"您查找的活动目前不可用。它可能已被删除、过期或 URL 不正确。\",\"EBzPwC\":\"活动的完整地址\",\"sxKqBm\":\"订单全额将退款至客户的原始付款方式。\",\"5OmEal\":\"客户的语言\",\"sYLeDq\":\"未找到您要查找的组织者。页面可能已被移动、删除或链接有误。\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"模板正文包含无效的Liquid语法。请更正后再试。\",\"A4UmDy\":\"戏剧\",\"tDwYhx\":\"主题与颜色\",\"HirZe8\":\"这些模板将用作您组织中所有活动的默认模板。单个活动可以用自己的自定义版本覆盖这些模板。\",\"lzAaG5\":\"这些模板将仅覆盖此活动的组织者默认设置。如果这里没有设置自定义模板,将使用组织者模板。\",\"XBNC3E\":\"此代码将用于跟踪销售。只允许字母、数字、连字符和下划线。\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"此活动尚未发布\",\"dFJnia\":\"这是您的组织者名称,将展示给用户。\",\"L7dIM7\":\"此链接无效或已过期。\",\"j5FdeA\":\"此订单正在处理中。\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"此订单已被取消。您可以随时开始新订单。\",\"lyD7rQ\":\"此主办方资料尚未发布\",\"9b5956\":\"此预览显示您的邮件使用示例数据的外观。实际邮件将使用真实值。\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"此门票刚刚被扫描。请等待后再次扫描。\",\"kvpxIU\":\"这将用于通知和与用户沟通。\",\"rhsath\":\"这对客户不可见,但有助于您识别推广员。\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"票券设计\",\"EZC/Cu\":\"票券设计保存成功\",\"1BPctx\":\"门票:\",\"bgqf+K\":\"持票人邮箱\",\"oR7zL3\":\"持票人姓名\",\"HGuXjF\":\"票务持有人\",\"awHmAT\":\"门票 ID\",\"6czJik\":\"门票标志\",\"OkRZ4Z\":\"门票名称\",\"6tmWch\":\"票或商品\",\"1tfWrD\":\"门票预览:\",\"tGCY6d\":\"门票价格\",\"8jLPgH\":\"票券类型\",\"X26cQf\":\"门票链接\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"票务与商品\",\"EUnesn\":\"门票有售\",\"AGRilS\":\"已售票数\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"要接受信用卡付款,您需要连接您的 Stripe 账户。Stripe 是我们的支付处理合作伙伴,确保安全交易和及时付款。\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"总账户数\",\"EaAPbv\":\"支付总金额\",\"SMDzqJ\":\"总参与人数\",\"orBECM\":\"总收款\",\"KSDwd5\":\"总订单数\",\"vb0Q0/\":\"总用户数\",\"/b6Z1R\":\"通过详细的分析和可导出的报告跟踪收入、页面浏览量和销售情况\",\"OpKMSn\":\"交易手续费:\",\"uKOFO5\":\"如果是线下支付则为真\",\"9GsDR2\":\"如果付款待处理则为真\",\"ouM5IM\":\"尝试其他邮箱\",\"3DZvE7\":\"免费试用Hi.Events\",\"Kz91g/\":\"土耳其语\",\"GdOhw6\":\"关闭声音\",\"KUOhTy\":\"开启声音\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"门票类型\",\"IrVSu+\":\"无法复制产品。请检查您的详细信息\",\"Vx2J6x\":\"无法获取参与者\",\"b9SN9q\":\"唯一订单参考\",\"Ef7StM\":\"未知\",\"ZBAScj\":\"未知参会者\",\"ZkS2p3\":\"取消发布活动\",\"Pp1sWX\":\"更新推广员\",\"KMMOAy\":\"可升级\",\"gJQsLv\":\"上传组织者封面图像\",\"4kEGqW\":\"上传组织者 Logo\",\"lnCMdg\":\"上传图片\",\"29w7p6\":\"正在上传图像...\",\"HtrFfw\":\"URL 是必填项\",\"WBq1/R\":\"USB扫描仪已激活\",\"EV30TR\":\"USB扫描仪模式已激活。现在开始扫描票券。\",\"fovJi3\":\"USB扫描仪模式已停用\",\"hli+ga\":\"USB/HID扫描仪\",\"OHJXlK\":\"使用 <0>Liquid 模板 个性化您的邮件\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"用于边框、高亮和二维码样式\",\"AdWhjZ\":\"验证码\",\"wCKkSr\":\"验证邮箱\",\"/IBv6X\":\"验证您的邮箱\",\"e/cvV1\":\"正在验证...\",\"fROFIL\":\"越南语\",\"+WFMis\":\"查看和下载所有活动的报告。仅包含已完成的订单。\",\"gj5YGm\":\"查看并下载您的活动报告。请注意,报告中仅包含已完成的订单。\",\"c7VN/A\":\"查看答案\",\"FCVmuU\":\"查看活动\",\"n6EaWL\":\"查看日志\",\"OaKTzt\":\"查看地图\",\"67OJ7t\":\"查看订单\",\"tKKZn0\":\"查看订单详情\",\"9jnAcN\":\"查看组织者主页\",\"1J/AWD\":\"查看门票\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"仅对签到工作人员可见。有助于在签到期间识别此列表。\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"等待付款\",\"RRZDED\":\"我们找不到与此邮箱关联的订单。\",\"miysJh\":\"我们找不到此订单。它可能已被删除。\",\"HJKdzP\":\"加载此页面时遇到问题。请重试。\",\"IfN2Qo\":\"我们建议使用最小尺寸为200x200像素的方形标志\",\"wJzo/w\":\"建议尺寸为 400x400 像素,文件大小不超过 5MB\",\"q1BizZ\":\"我们将把您的门票发送到此邮箱\",\"zCdObC\":\"我们已正式将总部迁至爱尔兰 🇮🇪。作为此次过渡的一部分,我们现在使用 Stripe 爱尔兰而不是 Stripe 加拿大。为了保持您的付款顺利进行,您需要重新连接您的 Stripe 账户。\",\"jh2orE\":\"我们已将总部搬迁至爱尔兰。因此,我们需要您重新连接您的 Stripe 账户。这个快速过程只需几分钟。您的销售和现有数据完全不受影响。\",\"Fq/Nx7\":\"我们已向以下邮箱发送了5位数验证码:\",\"GdWB+V\":\"Webhook 创建成功\",\"2X4ecw\":\"Webhook 删除成功\",\"CThMKa\":\"Webhook 日志\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook 不会发送通知\",\"FSaY52\":\"Webhook 将发送通知\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"网站\",\"vKLEXy\":\"微博\",\"jupD+L\":\"欢迎回来 👋\",\"kSYpfa\":[\"欢迎来到 \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"欢迎来到 \",[\"0\"],\",\",[\"1\"],\" 👋\"],\"LETnBR\":[\"欢迎来到 \",[\"0\"],\",这是您所有活动的列表\"],\"FaSXqR\":\"什么类型的活动?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"当签到被删除时\",\"Gmd0hv\":\"当新与会者被创建时\",\"Lc18qn\":\"当新订单被创建时\",\"dfkQIO\":\"当新产品被创建时\",\"8OhzyY\":\"当产品被删除时\",\"tRXdQ9\":\"当产品被更新时\",\"Q7CWxp\":\"当与会者被取消时\",\"IuUoyV\":\"当与会者签到时\",\"nBVOd7\":\"当与会者被更新时\",\"ny2r8d\":\"当订单被取消时\",\"c9RYbv\":\"当订单被标记为已支付时\",\"ejMDw1\":\"当订单被退款时\",\"fVPt0F\":\"当订单被更新时\",\"bcYlvb\":\"签到何时关闭\",\"XIG669\":\"签到何时开放\",\"de6HLN\":\"当客户购买门票后,他们的订单将显示在此处。\",\"blXLKj\":\"启用后,新活动将在结账时显示营销订阅复选框。此设置可以针对每个活动单独覆盖。\",\"uvIqcj\":\"研讨会\",\"EpknJA\":\"请在此输入您的消息...\",\"nhtR6Y\":\"X(推特)\",\"Tz5oXG\":\"是,取消我的订单\",\"QlSZU0\":[\"您正在模拟 <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"您正在发出部分退款。客户将获得 \",[\"0\"],\" \",[\"1\"],\" 的退款。\"],\"casL1O\":\"您已向免费产品添加了税费。您想要删除它们吗?\",\"FVTVBy\":\"您必须先验证电子邮箱地址,才能更新组织者状态。\",\"FRl8Jv\":\"您需要验证您的帐户电子邮件才能发送消息。\",\"U3wiCB\":\"一切就绪!您的付款正在顺利处理。\",\"MNFIxz\":[\"您将参加 \",[\"0\"],\"!\"],\"x/xjzn\":\"您的推广员已成功导出。\",\"TF37u6\":\"您的与会者已成功导出。\",\"79lXGw\":\"您的签到列表已成功创建。与您的签到工作人员共享以下链接。\",\"BnlG9U\":\"您当前的订单将丢失。\",\"nBqgQb\":\"您的电子邮件\",\"R02pnV\":\"在向与会者销售门票之前,您的活动必须处于上线状态。\",\"ifRqmm\":\"您的消息已成功发送!\",\"/Rj5P4\":\"您的姓名\",\"naQW82\":\"您的订单已被取消。\",\"bhlHm/\":\"您的订单正在等待付款\",\"XeNum6\":\"您的订单已成功导出。\",\"Xd1R1a\":\"您组织者的地址\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"您的 Stripe 账户已连接并正在处理付款。\",\"vvO1I2\":\"您的 Stripe 账户已连接并准备好处理支付。\",\"CnZ3Ou\":\"您的门票已确认。\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"There's nothing to show yet\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>签到成功\"],\"yxhYRZ\":[[\"0\"],\" <0>签退成功\"],\"KMgp2+\":[[\"0\"],\"可用\"],\"Pmr5xp\":[\"成功创建 \",[\"0\"]],\"FImCSc\":[[\"0\"],\"更新成功\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" 已签到\"],\"Vjij1k\":[[\"days\"],\" 天, \",[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"f3RdEk\":[[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"fyE7Au\":[[\"分\"],\"分钟和\",[\"秒\"],\"秒钟\"],\"NlQ0cx\":[[\"组织者名称\"],\"的首次活动\"],\"Ul6IgC\":\"<0>容量分配让你可以管理票务或整个活动的容量。非常适合多日活动、研讨会等,需要控制出席人数的场合。<1>例如,你可以将容量分配与<2>第一天和<3>所有天数的票关联起来。一旦达到容量,这两种票将自动停止销售。\",\"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>请输入不含税费的价格。<1>税费可以在下方添加。\",\"ZjMs6e\":\"<0>该产品的可用数量<1>如果该产品有相关的<2>容量限制,此值可以被覆盖。\",\"E15xs8\":\"⚡️ 设置您的活动\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 自定义活动页面\",\"3VPPdS\":\"与 Stripe 连接\",\"cjdktw\":\"🚀 实时设置您的活动\",\"rmelwV\":\"0 分 0 秒\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"缅因街 123 号\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"日期输入字段。非常适合询问出生日期等。\",\"6euFZ/\":[\"默认的\",[\"type\"],\"会自动应用于所有新产品。您可以为每个产品单独覆盖此设置。\"],\"SMUbbQ\":\"下拉式输入法只允许一个选择\",\"qv4bfj\":\"费用,如预订费或服务费\",\"POT0K/\":\"每个产品的固定金额。例如,每个产品$0.50\",\"f4vJgj\":\"多行文本输入\",\"OIPtI5\":\"产品价格的百分比。例如,3.5%的产品价格\",\"ZthcdI\":\"无折扣的促销代码可以用来显示隐藏的产品。\",\"AG/qmQ\":\"单选题有多个选项,但只能选择一个。\",\"h179TP\":\"活动的简短描述,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用活动描述\",\"WKMnh4\":\"单行文本输入\",\"BHZbFy\":\"每个订单一个问题。例如,您的送货地址是什么?\",\"Fuh+dI\":\"每个产品一个问题。例如,您的T恤尺码是多少?\",\"RlJmQg\":\"标准税,如增值税或消费税\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"接受银行转账、支票或其他线下支付方式\",\"hrvLf4\":\"通过 Stripe 接受信用卡支付\",\"bfXQ+N\":\"接受邀请\",\"AeXO77\":\"账户\",\"lkNdiH\":\"账户名称\",\"Puv7+X\":\"账户设置\",\"OmylXO\":\"账户更新成功\",\"7L01XJ\":\"操作\",\"FQBaXG\":\"激活\",\"5T2HxQ\":\"激活日期\",\"F6pfE9\":\"活跃\",\"/PN1DA\":\"为此签到列表添加描述\",\"0/vPdA\":\"添加有关与会者的任何备注。这些将不会对与会者可见。\",\"Or1CPR\":\"添加有关与会者的任何备注...\",\"l3sZO1\":\"添加关于订单的备注。这些信息不会对客户可见。\",\"xMekgu\":\"添加关于订单的备注...\",\"PGPGsL\":\"添加描述\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"添加线下支付的说明(例如,银行转账详情、支票寄送地址、付款截止日期)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"添加新内容\",\"TZxnm8\":\"添加选项\",\"24l4x6\":\"添加产品\",\"8q0EdE\":\"将产品添加到类别\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"添加问题\",\"yWiPh+\":\"加税或费用\",\"goOKRY\":\"增加层级\",\"oZW/gT\":\"添加到日历\",\"pn5qSs\":\"附加信息\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"地址\",\"NY/x1b\":\"地址第 1 行\",\"POdIrN\":\"地址 1\",\"cormHa\":\"地址第 2 行\",\"gwk5gg\":\"地址第 2 行\",\"U3pytU\":\"管理员\",\"HLDaLi\":\"管理员用户可以完全访问事件和账户设置。\",\"W7AfhC\":\"本次活动的所有与会者\",\"cde2hc\":\"所有产品\",\"5CQ+r0\":\"允许与未支付订单关联的参与者签到\",\"ipYKgM\":\"允许搜索引擎索引\",\"LRbt6D\":\"允许搜索引擎索引此事件\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"令人惊叹, 活动, 关键词...\",\"hehnjM\":\"金额\",\"R2O9Rg\":[\"支付金额 (\",[\"0\"],\")\"],\"V7MwOy\":\"加载页面时出现错误\",\"Q7UCEH\":\"问题排序时发生错误。请重试或刷新页面\",\"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\":\"出现意外错误。\",\"byKna+\":\"出现意外错误。请重试。\",\"ubdMGz\":\"产品持有者的任何查询都将发送到此电子邮件地址。此地址还将用作从此活动发送的所有电子邮件的“回复至”地址\",\"aAIQg2\":\"外观\",\"Ym1gnK\":\"应用\",\"sy6fss\":[\"适用于\",[\"0\"],\"个产品\"],\"kadJKg\":\"适用于1个产品\",\"DB8zMK\":\"应用\",\"GctSSm\":\"应用促销代码\",\"ARBThj\":[\"将此\",[\"type\"],\"应用于所有新产品\"],\"S0ctOE\":\"归档活动\",\"TdfEV7\":\"已归档\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"您确定要激活该与会者吗?\",\"TvkW9+\":\"您确定要归档此活动吗?\",\"/CV2x+\":\"您确定要取消该与会者吗?这将使其门票作废\",\"YgRSEE\":\"您确定要删除此促销代码吗?\",\"iU234U\":\"您确定要删除这个问题吗?\",\"CMyVEK\":\"您确定要将此活动设为草稿吗?这将使公众无法看到该活动\",\"mEHQ8I\":\"您确定要将此事件公开吗?这将使事件对公众可见\",\"s4JozW\":\"您确定要恢复此活动吗?它将作为草稿恢复。\",\"vJuISq\":\"您确定要删除此容量分配吗?\",\"baHeCz\":\"您确定要删除此签到列表吗?\",\"LBLOqH\":\"每份订单询问一次\",\"wu98dY\":\"每个产品询问一次\",\"ss9PbX\":\"参与者\",\"m0CFV2\":\"与会者详情\",\"QKim6l\":\"未找到参与者\",\"R5IT/I\":\"与会者备注\",\"lXcSD2\":\"与会者提问\",\"HT/08n\":\"参会者票\",\"9SZT4E\":\"参与者\",\"iPBfZP\":\"注册的参会者\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"自动调整大小\",\"vZ5qKF\":\"根据内容自动调整 widget 高度。禁用时,窗口小部件将填充容器的高度。\",\"4lVaWA\":\"等待线下付款\",\"2rHwhl\":\"等待线下付款\",\"3wF4Q/\":\"等待付款\",\"ioG+xt\":\"等待付款\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"返回活动页面\",\"VCoEm+\":\"返回登录\",\"k1bLf+\":\"背景颜色\",\"I7xjqg\":\"背景类型\",\"1mwMl+\":\"发送之前\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"账单地址\",\"/xC/im\":\"账单设置\",\"rp/zaT\":\"巴西葡萄牙语\",\"whqocw\":\"注册即表示您同意我们的<0>服务条款和<1>隐私政策。\",\"bcCn6r\":\"计算类型\",\"+8bmSu\":\"加利福尼亚州\",\"iStTQt\":\"相机权限被拒绝。<0>再次请求权限,如果还不行,则需要在浏览器设置中<1>授予此页面访问相机的权限。\",\"dEgA5A\":\"取消\",\"Gjt/py\":\"取消更改电子邮件\",\"tVJk4q\":\"取消订单\",\"Os6n2a\":\"取消订单\",\"Mz7Ygx\":[\"取消订单 \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"已取消\",\"U7nGvl\":\"无法签到\",\"QyjCeq\":\"容量\",\"V6Q5RZ\":\"容量分配创建成功\",\"k5p8dz\":\"容量分配删除成功\",\"nDBs04\":\"容量管理\",\"ddha3c\":\"类别允许您将产品分组。例如,您可以有一个“门票”类别和另一个“商品”类别。\",\"iS0wAT\":\"类别帮助您组织产品。此标题将在公共活动页面上显示。\",\"eorM7z\":\"类别重新排序成功。\",\"3EXqwa\":\"类别创建成功\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"更改密码\",\"xMDm+I\":\"签到\",\"p2WLr3\":[\"签到 \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"签到并标记订单为已付款\",\"QYLpB4\":\"仅签到\",\"/Ta1d4\":\"签出\",\"5LDT6f\":\"看看这个活动吧!\",\"gXcPxc\":\"办理登机手续\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"签到列表删除成功\",\"+hBhWk\":\"签到列表已过期\",\"mBsBHq\":\"签到列表未激活\",\"vPqpQG\":\"未找到签到列表\",\"tejfAy\":\"签到列表\",\"hD1ocH\":\"签到链接已复制到剪贴板\",\"CNafaC\":\"复选框选项允许多重选择\",\"SpabVf\":\"复选框\",\"CRu4lK\":\"已签到\",\"znIg+z\":\"结账\",\"1WnhCL\":\"结账设置\",\"6imsQS\":\"简体中文\",\"JjkX4+\":\"选择背景颜色\",\"/Jizh9\":\"选择账户\",\"3wV73y\":\"城市\",\"FG98gC\":\"清除搜索文本\",\"EYeuMv\":\"click here\",\"sby+1/\":\"点击复制\",\"yz7wBu\":\"关闭\",\"62Ciis\":\"关闭侧边栏\",\"EWPtMO\":\"代码\",\"ercTDX\":\"代码长度必须在 3 至 50 个字符之间\",\"oqr9HB\":\"当活动页面初始加载时折叠此产品\",\"jZlrte\":\"颜色\",\"Vd+LC3\":\"颜色必须是有效的十六进制颜色代码。例如#ffffff\",\"1HfW/F\":\"颜色\",\"VZeG/A\":\"即将推出\",\"yPI7n9\":\"以逗号分隔的描述活动的关键字。搜索引擎将使用这些关键字来帮助对活动进行分类和索引\",\"NPZqBL\":\"完整订单\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"完成付款\",\"qqWcBV\":\"已完成\",\"6HK5Ct\":\"已完成订单\",\"NWVRtl\":\"已完成订单\",\"DwF9eH\":\"组件代码\",\"Tf55h7\":\"已配置折扣\",\"7VpPHA\":\"确认\",\"ZaEJZM\":\"确认电子邮件更改\",\"yjkELF\":\"确认新密码\",\"xnWESi\":\"确认密码\",\"p2/GCq\":\"确认密码\",\"wnDgGj\":\"确认电子邮件地址...\",\"pbAk7a\":\"连接条纹\",\"UMGQOh\":\"与 Stripe 连接\",\"QKLP1W\":\"连接 Stripe 账户,开始接收付款。\",\"5lcVkL\":\"连接详情\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"继续\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"继续按钮文本\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"继续设置\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"复制的\",\"T5rdis\":\"复制到剪贴板\",\"he3ygx\":\"复制\",\"r2B2P8\":\"复制签到链接\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"复制链接\",\"E6nRW7\":\"复制 URL\",\"JNCzPW\":\"国家\",\"IF7RiR\":\"封面\",\"hYgDIe\":\"创建\",\"b9XOHo\":[\"创建 \",[\"0\"]],\"k9RiLi\":\"创建一个产品\",\"6kdXbW\":\"创建促销代码\",\"n5pRtF\":\"创建票单\",\"X6sRve\":[\"创建账户或 <0>\",[\"0\"],\" 开始使用\"],\"nx+rqg\":\"创建一个组织者\",\"ipP6Ue\":\"创建与会者\",\"VwdqVy\":\"创建容量分配\",\"EwoMtl\":\"创建类别\",\"XletzW\":\"创建类别\",\"WVbTwK\":\"创建签到列表\",\"uN355O\":\"创建活动\",\"BOqY23\":\"创建新的\",\"kpJAeS\":\"创建组织器\",\"a0EjD+\":\"创建产品\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"创建促销代码\",\"B3Mkdt\":\"创建问题\",\"UKfi21\":\"创建税费\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"货币\",\"DCKkhU\":\"当前密码\",\"uIElGP\":\"自定义地图 URL\",\"UEqXyt\":\"自定义范围\",\"876pfE\":\"客户\",\"QOg2Sf\":\"自定义此事件的电子邮件和通知设置\",\"Y9Z/vP\":\"定制活动主页和结账信息\",\"2E2O5H\":\"自定义此事件的其他设置\",\"iJhSxe\":\"自定义此事件的搜索引擎优化设置\",\"KIhhpi\":\"定制您的活动页面\",\"nrGWUv\":\"定制您的活动页面,以符合您的品牌和风格。\",\"Zz6Cxn\":\"危险区\",\"ZQKLI1\":\"危险区\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"日期\",\"JvUngl\":\"日期和时间\",\"JJhRbH\":\"第一天容量\",\"cnGeoo\":\"删除\",\"jRJZxD\":\"删除容量\",\"VskHIx\":\"删除类别\",\"Qrc8RZ\":\"删除签到列表\",\"WHf154\":\"删除代码\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"删除问题\",\"Nu4oKW\":\"说明\",\"YC3oXa\":\"签到工作人员的描述\",\"URmyfc\":\"详细信息\",\"1lRT3t\":\"禁用此容量将跟踪销售情况,但不会在达到限制时停止销售\",\"H6Ma8Z\":\"折扣\",\"ypJ62C\":\"折扣率\",\"3LtiBI\":[[\"0\"],\"中的折扣\"],\"C8JLas\":\"折扣类型\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"文档标签\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"捐赠 / 自由定价产品\",\"OvNbls\":\"下载 .ics\",\"kodV18\":\"下载 CSV\",\"CELKku\":\"下载发票\",\"LQrXcu\":\"下载发票\",\"QIodqd\":\"下载二维码\",\"yhjU+j\":\"正在下载发票\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"下拉选择\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"复制活动\",\"3ogkAk\":\"复制活动\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"复制选项\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"早起的鸟儿\",\"ePK91l\":\"编辑\",\"N6j2JH\":[\"编辑 \",[\"0\"]],\"kBkYSa\":\"编辑容量\",\"oHE9JT\":\"编辑容量分配\",\"j1Jl7s\":\"编辑类别\",\"FU1gvP\":\"编辑签到列表\",\"iFgaVN\":\"编辑代码\",\"jrBSO1\":\"编辑组织器\",\"tdD/QN\":\"编辑产品\",\"n143Tq\":\"编辑产品类别\",\"9BdS63\":\"编辑促销代码\",\"O0CE67\":\"编辑问题\",\"EzwCw7\":\"编辑问题\",\"poTr35\":\"编辑用户\",\"GTOcxw\":\"编辑用户\",\"pqFrv2\":\"例如2.50 换 2.50\",\"3yiej1\":\"例如23.5 表示 23.5%\",\"O3oNi5\":\"电子邮件\",\"VxYKoK\":\"电子邮件和通知设置\",\"ATGYL1\":\"电子邮件地址\",\"hzKQCy\":\"电子邮件地址\",\"HqP6Qf\":\"电子邮件更改已成功取消\",\"mISwW1\":\"电子邮件更改待定\",\"APuxIE\":\"重新发送电子邮件确认\",\"YaCgdO\":\"成功重新发送电子邮件确认\",\"jyt+cx\":\"电子邮件页脚信息\",\"I6F3cp\":\"电子邮件未经验证\",\"NTZ/NX\":\"嵌入代码\",\"4rnJq4\":\"嵌入脚本\",\"8oPbg1\":\"启用发票功能\",\"j6w7d/\":\"启用此容量以在达到限制时停止产品销售\",\"VFv2ZC\":\"结束日期\",\"237hSL\":\"完工\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"英语\",\"MhVoma\":\"输入不含税费的金额。\",\"SlfejT\":\"错误\",\"3Z223G\":\"确认电子邮件地址出错\",\"a6gga1\":\"确认更改电子邮件时出错\",\"5/63nR\":\"欧元\",\"0pC/y6\":\"活动\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"活动日期\",\"0Zptey\":\"事件默认值\",\"QcCPs8\":\"活动详情\",\"6fuA9p\":\"事件成功复制\",\"AEuj2m\":\"活动主页\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"活动地点和场地详情\",\"OopDbA\":\"Event page\",\"4/If97\":\"活动状态更新失败。请稍后再试\",\"btxLWj\":\"事件状态已更新\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"活动\",\"sZg7s1\":\"过期日期\",\"KnN1Tu\":\"到期\",\"uaSvqt\":\"有效期\",\"GS+Mus\":\"出口\",\"9xAp/j\":\"取消与会者失败\",\"ZpieFv\":\"取消订单失败\",\"z6tdjE\":\"删除信息失败。请重试。\",\"xDzTh7\":\"下载发票失败。请重试。\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"加载签到列表失败\",\"ZQ15eN\":\"重新发送票据电子邮件失败\",\"ejXy+D\":\"产品排序失败\",\"PLUB/s\":\"费用\",\"/mfICu\":\"费用\",\"LyFC7X\":\"筛选订单\",\"cSev+j\":\"筛选器\",\"CVw2MU\":[\"筛选器 (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"第一张发票号码\",\"V1EGGU\":\"姓名\",\"kODvZJ\":\"姓名\",\"S+tm06\":\"名字必须在 1 至 50 个字符之间\",\"1g0dC4\":\"名字、姓氏和电子邮件地址为默认问题,在结账过程中始终包含。\",\"Rs/IcB\":\"首次使用\",\"TpqW74\":\"固定式\",\"irpUxR\":\"固定金额\",\"TF9opW\":\"该设备不支持闪存\",\"UNMVei\":\"忘记密码?\",\"2POOFK\":\"免费\",\"P/OAYJ\":\"免费产品\",\"vAbVy9\":\"免费产品,无需付款信息\",\"nLC6tu\":\"法语\",\"Weq9zb\":\"常规\",\"DDcvSo\":\"德国\",\"4GLxhy\":\"入门\",\"4D3rRj\":\"返回个人资料\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"谷歌日历\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"销售总额\",\"yRg26W\":\"总销售额\",\"R4r4XO\":\"宾客\",\"26pGvx\":\"有促销代码吗?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"下面举例说明如何在应用程序中使用该组件。\",\"Y1SSqh\":\"下面是 React 组件,您可以用它在应用程序中嵌入 widget。\",\"QuhVpV\":[\"你好 \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"隐藏于公众视线之外\",\"gt3Xw9\":\"隐藏问题\",\"g3rqFe\":\"隐藏问题\",\"k3dfFD\":\"隐藏问题只有活动组织者可以看到,客户看不到。\",\"vLyv1R\":\"隐藏\",\"Mkkvfd\":\"隐藏入门页面\",\"mFn5Xz\":\"隐藏隐藏问题\",\"YHsF9c\":\"在销售结束日期后隐藏产品\",\"06s3w3\":\"在销售开始日期前隐藏产品\",\"axVMjA\":\"除非用户有适用的促销代码,否则隐藏产品\",\"ySQGHV\":\"售罄时隐藏产品\",\"SCimta\":\"隐藏侧边栏中的入门页面\",\"5xR17G\":\"对客户隐藏此产品\",\"Da29Y6\":\"隐藏此问题\",\"fvDQhr\":\"向用户隐藏此层级\",\"lNipG+\":\"隐藏产品将防止用户在活动页面上看到它。\",\"ZOBwQn\":\"主页设计\",\"PRuBTd\":\"主页设计师\",\"YjVNGZ\":\"主页预览\",\"c3E/kw\":\"荷马\",\"8k8Njd\":\"客户有多少分钟来完成订单。我们建议至少 15 分钟\",\"ySxKZe\":\"这个代码可以使用多少次?\",\"dZsDbK\":[\"HTML字符限制已超出:\",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"我同意<0>条款和条件。\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"如果为空,将使用地址生成 Google 地图链接\",\"UYT+c8\":\"如果启用,登记工作人员可以将与会者标记为已登记或将订单标记为已支付并登记与会者。如果禁用,关联未支付订单的与会者无法登记。\",\"muXhGi\":\"如果启用,当有新订单时,组织者将收到电子邮件通知\",\"6fLyj/\":\"如果您没有要求更改密码,请立即更改密码。\",\"n/ZDCz\":\"图像已成功删除\",\"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\":\"图片上传成功\",\"VyUuZb\":\"图片网址\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"不活动\",\"T0K0yl\":\"非活动用户无法登录。\",\"kO44sp\":\"包含您的在线活动的连接详细信息。这些信息将在订单摘要页面和参会者门票页面显示。\",\"FlQKnG\":\"价格中包含税费\",\"Vi+BiW\":[\"包括\",[\"0\"],\"个产品\"],\"lpm0+y\":\"包括1个产品\",\"UiAk5P\":\"插入图片\",\"OyLdaz\":\"再次发出邀请!\",\"HE6KcK\":\"撤销邀请!\",\"SQKPvQ\":\"邀请用户\",\"bKOYkd\":\"发票下载成功\",\"alD1+n\":\"发票备注\",\"kOtCs2\":\"发票编号\",\"UZ2GSZ\":\"发票设置\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"项目\",\"KFXip/\":\"约翰\",\"XcgRvb\":\"约翰逊\",\"87a/t/\":\"标签\",\"vXIe7J\":\"语言\",\"2LMsOq\":\"过去 12 个月\",\"vfe90m\":\"过去 14 天\",\"aK4uBd\":\"过去 24 小时\",\"uq2BmQ\":\"过去 30 天\",\"bB6Ram\":\"过去 48 小时\",\"VlnB7s\":\"过去 6 个月\",\"ct2SYD\":\"过去 7 天\",\"XgOuA7\":\"过去 90 天\",\"I3yitW\":\"最后登录\",\"1ZaQUH\":\"姓氏\",\"UXBCwc\":\"姓氏\",\"tKCBU0\":\"最近一次使用\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"留空以使用默认词“发票”\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"加载中...\",\"wJijgU\":\"地点\",\"sQia9P\":\"登录\",\"zUDyah\":\"登录\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"注销\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit.Nam placerat elementum...\",\"NJahlc\":\"在结账时强制要求填写账单地址\",\"MU3ijv\":\"将此问题作为必答题\",\"wckWOP\":\"管理\",\"onpJrA\":\"管理与会者\",\"n4SpU5\":\"管理活动\",\"WVgSTy\":\"管理订单\",\"1MAvUY\":\"管理此活动的支付和发票设置。\",\"cQrNR3\":\"管理简介\",\"AtXtSw\":\"管理可以应用于您的产品的税费\",\"ophZVW\":\"管理机票\",\"DdHfeW\":\"管理账户详情和默认设置\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"管理用户及其权限\",\"1m+YT2\":\"在顾客结账前,必须回答必填问题。\",\"Dim4LO\":\"手动添加与会者\",\"e4KdjJ\":\"手动添加与会者\",\"vFjEnF\":\"标记为已支付\",\"g9dPPQ\":\"每份订单的最高限额\",\"l5OcwO\":\"与会者留言\",\"Gv5AMu\":\"留言参与者\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"留言买家\",\"tNZzFb\":\"留言内容\",\"lYDV/s\":\"给个别与会者留言\",\"V7DYWd\":\"发送的信息\",\"t7TeQU\":\"信息\",\"xFRMlO\":\"每次订购的最低数量\",\"QYcUEf\":\"最低价格\",\"RDie0n\":\"其他\",\"mYLhkl\":\"杂项设置\",\"KYveV8\":\"多行文本框\",\"VD0iA7\":\"多种价格选项。非常适合早鸟产品等。\",\"/bhMdO\":\"我的精彩活动描述\",\"vX8/tc\":\"我的精彩活动标题...\",\"hKtWk2\":\"我的简介\",\"fj5byd\":\"不适用\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"名称\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"导航至与会者\",\"qqeAJM\":\"从不\",\"7vhWI8\":\"新密码\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"没有可显示的已归档活动。\",\"q2LEDV\":\"未找到此订单的参会者。\",\"zlHa5R\":\"尚未向此订单添加参会者。\",\"Wjz5KP\":\"无与会者\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"没有容量分配\",\"a/gMx2\":\"没有签到列表\",\"tMFDem\":\"无可用数据\",\"6Z/F61\":\"无数据显示。请选择日期范围\",\"fFeCKc\":\"无折扣\",\"HFucK5\":\"没有可显示的已结束活动。\",\"yAlJXG\":\"无事件显示\",\"GqvPcv\":\"没有可用筛选器\",\"KPWxKD\":\"无信息显示\",\"J2LkP8\":\"无订单显示\",\"RBXXtB\":\"当前没有可用的支付方式。请联系活动组织者以获取帮助。\",\"ZWEfBE\":\"无需支付\",\"ZPoHOn\":\"此参会者没有关联的产品。\",\"Ya1JhR\":\"此类别中没有可用的产品。\",\"FTfObB\":\"尚无产品\",\"+Y976X\":\"无促销代码显示\",\"MAavyl\":\"此与会者未回答任何问题。\",\"SnlQeq\":\"此订单尚未提出任何问题。\",\"Ev2r9A\":\"无结果\",\"gk5uwN\":\"没有搜索结果\",\"RHyZUL\":\"没有搜索结果。\",\"RY2eP1\":\"未加收任何税费。\",\"EdQY6l\":\"无\",\"OJx3wK\":\"不详\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"备注\",\"jtrY3S\":\"暂无显示内容\",\"hFwWnI\":\"通知设置\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"将新订单通知组织者\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"允许支付的天数(留空以从发票中省略付款条款)\",\"n86jmj\":\"号码前缀\",\"mwe+2z\":\"线下订单在标记为已支付之前不会反映在活动统计中。\",\"dWBrJX\":\"线下支付失败。请重试或联系活动组织者。\",\"fcnqjw\":\"离线支付说明\",\"+eZ7dp\":\"线下支付\",\"ojDQlR\":\"线下支付信息\",\"u5oO/W\":\"线下支付设置\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"销售中\",\"Ug4SfW\":\"创建事件后,您就可以在这里看到它。\",\"ZxnK5C\":\"一旦开始收集数据,您将在这里看到。\",\"PnSzEc\":\"一旦准备就绪,将您的活动上线并开始销售产品。\",\"J6n7sl\":\"持续进行\",\"z+nuVJ\":\"在线活动\",\"WKHW0N\":\"在线活动详情\",\"/xkmKX\":\"仅应使用此表单发送与此活动直接相关的重要电子邮件。\\n任何滥用行为,包括发送促销电子邮件,都将导致账户立即被封禁。只有与本次活动直接相关的重要邮件才能使用此表单发送。\\n任何滥用行为,包括发送促销邮件,都将导致账户立即被封禁。\",\"Qqqrwa\":\"打开签到页面\",\"OdnLE4\":\"打开侧边栏\",\"ZZEYpT\":[\"方案 \",[\"i\"]],\"oPknTP\":\"所有发票上显示的可选附加信息(例如,付款条款、逾期付款费用、退货政策)\",\"OrXJBY\":\"发票编号的可选前缀(例如,INV-)\",\"0zpgxV\":\"选项\",\"BzEFor\":\"或\",\"UYUgdb\":\"订购\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"取消订单\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"订购日期\",\"Tol4BF\":\"订购详情\",\"WbImlQ\":\"订单已取消,并已通知订单所有者。\",\"nAn4Oe\":\"订单已标记为已支付\",\"uzEfRz\":\"订单备注\",\"VCOi7U\":\"订购问题\",\"TPoYsF\":\"订购参考\",\"acIJ41\":\"订单状态\",\"GX6dZv\":\"订单摘要\",\"tDTq0D\":\"订单超时\",\"1h+RBg\":\"订单\",\"3y+V4p\":\"组织地址\",\"GVcaW6\":\"组织详细信息\",\"nfnm9D\":\"组织名称\",\"G5RhpL\":\"主办方\",\"mYygCM\":\"需要组织者\",\"Pa6G7v\":\"组织者姓名\",\"l894xP\":\"组织者只能管理活动和产品。他们无法管理用户、账户设置或账单信息。\",\"fdjq4c\":\"衬垫\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"页面未找到\",\"QbrUIo\":\"页面浏览量\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"付讫\",\"HVW65c\":\"付费产品\",\"ZfxaB4\":\"部分退款\",\"8ZsakT\":\"密码\",\"TUJAyx\":\"密码必须至少包含 8 个字符\",\"vwGkYB\":\"密码必须至少包含 8 个字符\",\"BLTZ42\":\"密码重置成功。请使用新密码登录。\",\"f7SUun\":\"密码不一样\",\"aEDp5C\":\"将其粘贴到希望小部件出现的位置。\",\"+23bI/\":\"帕特里克\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"付款方式\",\"Lg+ewC\":\"支付和发票\",\"DZjk8u\":\"支付和发票设置\",\"lflimf\":\"付款期限\",\"JhtZAK\":\"付款失败\",\"JEdsvQ\":\"支付说明\",\"bLB3MJ\":\"支付方式\",\"QzmQBG\":\"支付提供商\",\"lsxOPC\":\"已收到付款\",\"wJTzyi\":\"支付状态\",\"xgav5v\":\"付款成功!\",\"R29lO5\":\"付款条款\",\"/roQKz\":\"百分比\",\"vPJ1FI\":\"百分比 金额\",\"xdA9ud\":\"将其放在网站的 中。\",\"blK94r\":\"请至少添加一个选项\",\"FJ9Yat\":\"请检查所提供的信息是否正确\",\"TkQVup\":\"请检查您的电子邮件和密码并重试\",\"sMiGXD\":\"请检查您的电子邮件是否有效\",\"Ajavq0\":\"请检查您的电子邮件以确认您的电子邮件地址\",\"MdfrBE\":\"请填写下表接受邀请\",\"b1Jvg+\":\"请在新标签页中继续\",\"hcX103\":\"请创建一个产品\",\"cdR8d6\":\"请创建一张票\",\"x2mjl4\":\"请输入指向图像的有效图片网址。\",\"HnNept\":\"请输入新密码\",\"5FSIzj\":\"请注意\",\"C63rRe\":\"请返回活动页面重新开始。\",\"pJLvdS\":\"请选择\",\"Ewir4O\":\"请选择至少一个产品\",\"igBrCH\":\"请验证您的电子邮件地址,以访问所有功能\",\"/IzmnP\":\"请稍候,我们正在准备您的发票...\",\"MOERNx\":\"葡萄牙语\",\"qCJyMx\":\"结账后信息\",\"g2UNkE\":\"技术支持\",\"Rs7IQv\":\"结账前信息\",\"rdUucN\":\"预览\",\"a7u1N9\":\"价格\",\"CmoB9j\":\"价格显示模式\",\"BI7D9d\":\"未设置价格\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"价格类型\",\"6RmHKN\":\"原色\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"主要文字颜色\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"打印所有门票\",\"DKwDdj\":\"打印票\",\"K47k8R\":\"产品\",\"1JwlHk\":\"产品类别\",\"U61sAj\":\"产品类别更新成功。\",\"1USFWA\":\"产品删除成功\",\"4Y2FZT\":\"产品价格类型\",\"mFwX0d\":\"产品问题\",\"Lu+kBU\":\"产品销售\",\"U/R4Ng\":\"产品等级\",\"sJsr1h\":\"产品类型\",\"o1zPwM\":\"产品小部件预览\",\"ktyvbu\":\"产品\",\"N0qXpE\":\"产品\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"已售产品\",\"/u4DIx\":\"已售产品\",\"DJQEZc\":\"产品排序成功\",\"vERlcd\":\"简介\",\"kUlL8W\":\"成功更新个人资料\",\"cl5WYc\":[\"已使用促销 \",[\"promo_code\"],\" 代码\"],\"P5sgAk\":\"促销代码\",\"yKWfjC\":\"促销代码页面\",\"RVb8Fo\":\"促销代码\",\"BZ9GWa\":\"促销代码可用于提供折扣、预售权限或为您的活动提供特殊权限。\",\"OP094m\":\"促销代码报告\",\"4kyDD5\":\"提供此问题的附加背景或说明。使用此字段添加条款和条件、指南或参与者在回答前需要知道的任何重要信息。\",\"toutGW\":\"二维码\",\"LkMOWF\":\"可用数量\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"问题已删除\",\"avf0gk\":\"问题描述\",\"oQvMPn\":\"问题标题\",\"enzGAL\":\"问题\",\"ROv2ZT\":\"问与答\",\"K885Eq\":\"问题已成功分类\",\"OMJ035\":\"无线电选项\",\"C4TjpG\":\"更多信息\",\"I3QpvQ\":\"受援国\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"退款失败\",\"n10yGu\":\"退款订单\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"退款处理中\",\"xHpVRl\":\"退款状态\",\"/BI0y9\":\"退款\",\"fgLNSM\":\"注册\",\"9+8Vez\":\"剩余使用次数\",\"tasfos\":\"去除\",\"t/YqKh\":\"移除\",\"t9yxlZ\":\"报告\",\"prZGMe\":\"要求账单地址\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"重新发送电子邮件确认\",\"wIa8Qe\":\"重新发送邀请\",\"VeKsnD\":\"重新发送订单电子邮件\",\"dFuEhO\":\"重新发送票务电子邮件\",\"o6+Y6d\":\"重新发送...\",\"OfhWJH\":\"重置\",\"RfwZxd\":\"重置密码\",\"KbS2K9\":\"重置密码\",\"e99fHm\":\"恢复活动\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"返回活动页面\",\"8YBH95\":\"收入\",\"PO/sOY\":\"撤销邀请\",\"GDvlUT\":\"角色\",\"ELa4O9\":\"销售结束日期\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"销售开始日期\",\"hBsw5C\":\"销售结束\",\"kpAzPe\":\"销售开始\",\"P/wEOX\":\"旧金山\",\"tfDRzk\":\"节省\",\"IUwGEM\":\"保存更改\",\"U65fiW\":\"保存组织器\",\"UGT5vp\":\"保存设置\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"按与会者姓名、电子邮件或订单号搜索...\",\"+pr/FY\":\"按活动名称搜索...\",\"3zRbWw\":\"按姓名、电子邮件或订单号搜索...\",\"L22Tdf\":\"按姓名、订单号、参与者号或电子邮件搜索...\",\"BiYOdA\":\"按名称搜索...\",\"YEjitp\":\"按主题或内容搜索...\",\"Pjsch9\":\"搜索容量分配...\",\"r9M1hc\":\"搜索签到列表...\",\"+0Yy2U\":\"搜索产品\",\"YIix5Y\":\"搜索...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"辅助色\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"辅助文字颜色\",\"02ePaq\":[\"选择 \",[\"0\"]],\"QuNKRX\":\"选择相机\",\"9FQEn8\":\"选择类别...\",\"kWI/37\":\"选择组织者\",\"ixIx1f\":\"选择产品\",\"3oSV95\":\"选择产品等级\",\"C4Y1hA\":\"选择产品\",\"hAjDQy\":\"选择状态\",\"QYARw/\":\"选择机票\",\"OMX4tH\":\"选择票\",\"DrwwNd\":\"选择时间段\",\"O/7I0o\":\"选择...\",\"JlFcis\":\"发送\",\"qKWv5N\":[\"将副本发送至 <0>\",[\"0\"],\"\"],\"RktTWf\":\"发送信息\",\"/mQ/tD\":\"作为测试发送。这将把信息发送到您的电子邮件地址,而不是收件人的电子邮件地址。\",\"M/WIer\":\"发送消息\",\"D7ZemV\":\"发送订单确认和票务电子邮件\",\"v1rRtW\":\"发送测试\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"搜索引擎优化说明\",\"/SIY6o\":\"搜索引擎优化关键词\",\"GfWoKv\":\"搜索引擎优化设置\",\"rXngLf\":\"搜索引擎优化标题\",\"/jZOZa\":\"服务费\",\"Bj/QGQ\":\"设定最低价格,用户可选择支付更高的价格\",\"L0pJmz\":\"设置发票编号的起始编号。一旦发票生成,就无法更改。\",\"nYNT+5\":\"准备活动\",\"A8iqfq\":\"实时设置您的活动\",\"Tz0i8g\":\"设置\",\"Z8lGw6\":\"分享\",\"B2V3cA\":\"分享活动\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"显示可用产品数量\",\"qDsmzu\":\"显示隐藏问题\",\"fMPkxb\":\"显示更多\",\"izwOOD\":\"单独显示税费\",\"1SbbH8\":\"结账后显示给客户,在订单摘要页面。\",\"YfHZv0\":\"在顾客结账前向他们展示\",\"CBBcly\":\"显示常用地址字段,包括国家\",\"yTnnYg\":\"辛普森\",\"TNaCfq\":\"单行文本框\",\"+P0Cn2\":\"跳过此步骤\",\"YSEnLE\":\"史密斯\",\"lgFfeO\":\"售罄\",\"Mi1rVn\":\"售罄\",\"nwtY4N\":\"出了点问题\",\"GRChTw\":\"删除税费时出了问题\",\"YHFrbe\":\"出错了!请重试\",\"kf83Ld\":\"出问题了\",\"fWsBTs\":\"出错了。请重试。\",\"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.\",\"6a/UJE\":\"对不起,此优惠代码不可用\",\"65A04M\":\"西班牙语\",\"mFuBqb\":\"固定价格的标准产品\",\"D3iCkb\":\"开始日期\",\"/2by1f\":\"州或地区\",\"uAQUqI\":\"状态\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"此活动未启用 Stripe 支付。\",\"UJmAAK\":\"主题\",\"X2rrlw\":\"小计\",\"zzDlyQ\":\"成功\",\"b0HJ45\":[\"成功!\",[\"0\"],\" 将很快收到一封电子邮件。\"],\"BJIEiF\":[\"成功 \",[\"0\"],\" 参会者\"],\"OtgNFx\":\"成功确认电子邮件地址\",\"IKwyaF\":\"成功确认电子邮件更改\",\"zLmvhE\":\"成功创建与会者\",\"gP22tw\":\"产品创建成功\",\"9mZEgt\":\"成功创建促销代码\",\"aIA9C4\":\"成功创建问题\",\"J3RJSZ\":\"成功更新与会者\",\"3suLF0\":\"容量分配更新成功\",\"Z+rnth\":\"签到列表更新成功\",\"vzJenu\":\"成功更新电子邮件设置\",\"7kOMfV\":\"成功更新活动\",\"G0KW+e\":\"成功更新主页设计\",\"k9m6/E\":\"成功更新主页设置\",\"y/NR6s\":\"成功更新位置\",\"73nxDO\":\"成功更新杂项设置\",\"4H80qv\":\"订单更新成功\",\"6xCBVN\":\"支付和发票设置已成功更新\",\"1Ycaad\":\"产品更新成功\",\"70dYC8\":\"成功更新促销代码\",\"F+pJnL\":\"成功更新搜索引擎设置\",\"DXZRk5\":\"100 号套房\",\"GNcfRk\":\"支持电子邮件\",\"uRfugr\":\"T恤衫\",\"JpohL9\":\"税收\",\"geUFpZ\":\"税费\",\"dFHcIn\":\"税务详情\",\"wQzCPX\":\"所有发票底部显示的税务信息(例如,增值税号、税务注册号)\",\"0RXCDo\":\"成功删除税费\",\"ZowkxF\":\"税收\",\"qu6/03\":\"税费\",\"gypigA\":\"促销代码无效\",\"5ShqeM\":\"您查找的签到列表不存在。\",\"QXlz+n\":\"事件的默认货币。\",\"mnafgQ\":\"事件的默认时区。\",\"o7s5FA\":\"与会者接收电子邮件的语言。\",\"NlfnUd\":\"您点击的链接无效。\",\"HsFnrk\":[[\"0\"],\"的最大产品数量是\",[\"1\"]],\"TSAiPM\":\"您要查找的页面不存在\",\"MSmKHn\":\"显示给客户的价格将包括税费。\",\"6zQOg1\":\"显示给客户的价格不包括税费。税费将单独显示\",\"ne/9Ur\":\"您选择的样式设置只适用于复制的 HTML,不会被保存。\",\"vQkyB3\":\"应用于此产品的税费。您可以在此创建新的税费\",\"esY5SG\":\"活动标题,将显示在搜索引擎结果中,并在社交媒体上分享时显示。默认情况下,将使用事件标题\",\"wDx3FF\":\"此活动没有可用产品\",\"pNgdBv\":\"此类别中没有可用产品\",\"rMcHYt\":\"退款正在处理中。请等待退款完成后再申请退款。\",\"F89D36\":\"标记订单为已支付时出错\",\"68Axnm\":\"处理您的请求时出现错误。请重试。\",\"mVKOW6\":\"发送信息时出现错误\",\"AhBPHd\":\"这些详细信息仅在订单成功完成后显示。等待付款的订单不会显示此消息。\",\"Pc/Wtj\":\"此参与者有未付款的订单。\",\"mf3FrP\":\"此类别尚无任何产品。\",\"8QH2Il\":\"此类别对公众隐藏\",\"xxv3BZ\":\"此签到列表已过期\",\"Sa7w7S\":\"此签到列表已过期,不再可用于签到。\",\"Uicx2U\":\"此签到列表已激活\",\"1k0Mp4\":\"此签到列表尚未激活\",\"K6fmBI\":\"此签到列表尚未激活,不能用于签到。\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"此电子邮件并非促销邮件,与活动直接相关。\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"这些信息将显示在支付页面、订单摘要页面和订单确认电子邮件中。\",\"XAHqAg\":\"这是一种常规产品,例如T恤或杯子。不发行门票\",\"CNk/ro\":\"这是一项在线活动\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"此信息将包含在本次活动发送的所有电子邮件的页脚中\",\"55i7Fa\":\"此消息仅在订单成功完成后显示。等待付款的订单不会显示此消息。\",\"RjwlZt\":\"此订单已付款。\",\"5K8REg\":\"此订单已退款。\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"此订单已取消。\",\"Q0zd4P\":\"此订单已过期。请重新开始。\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"此订单已完成。\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"此订购页面已不可用。\",\"i0TtkR\":\"这将覆盖所有可见性设置,并将该产品对所有客户隐藏。\",\"cRRc+F\":\"此产品无法删除,因为它与订单关联。您可以将其隐藏。\",\"3Kzsk7\":\"此产品为门票。购买后买家将收到门票\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"此问题只有活动组织者可见\",\"os29v1\":\"此重置密码链接无效或已过期。\",\"IV9xTT\":\"该用户未激活,因为他们没有接受邀请。\",\"5AnPaO\":\"入场券\",\"kjAL4v\":\"门票\",\"dtGC3q\":\"门票电子邮件已重新发送给与会者\",\"54q0zp\":\"门票\",\"xN9AhL\":[[\"0\"],\"级\"],\"jZj9y9\":\"分层产品\",\"8wITQA\":\"分层产品允许您为同一产品提供多种价格选项。这非常适合早鸟产品,或为不同人群提供不同的价格选项。\\\" # zh-cn\",\"nn3mSR\":\"剩余时间:\",\"s/0RpH\":\"使用次数\",\"y55eMd\":\"使用次数\",\"40Gx0U\":\"时区\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"工具\",\"72c5Qo\":\"总计\",\"YXx+fG\":\"折扣前总计\",\"NRWNfv\":\"折扣总金额\",\"BxsfMK\":\"总费用\",\"2bR+8v\":\"总销售额\",\"mpB/d9\":\"订单总额\",\"m3FM1g\":\"退款总额\",\"jEbkcB\":\"退款总额\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"总税额\",\"+zy2Nq\":\"类型\",\"FMdMfZ\":\"无法签到参与者\",\"bPWBLL\":\"无法签退参与者\",\"9+P7zk\":\"无法创建产品。请检查您的详细信息\",\"WLxtFC\":\"无法创建产品。请检查您的详细信息\",\"/cSMqv\":\"无法创建问题。请检查您的详细信息\",\"MH/lj8\":\"无法更新问题。请检查您的详细信息\",\"nnfSdK\":\"独立客户\",\"Mqy/Zy\":\"美国\",\"NIuIk1\":\"无限制\",\"/p9Fhq\":\"无限供应\",\"E0q9qH\":\"允许无限次使用\",\"h10Wm5\":\"未付款订单\",\"ia8YsC\":\"即将推出\",\"TlEeFv\":\"即将举行的活动\",\"L/gNNk\":[\"更新 \",[\"0\"]],\"+qqX74\":\"更新活动名称、说明和日期\",\"vXPSuB\":\"更新个人资料\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"链接\",\"UtDm3q\":\"复制到剪贴板的 URL\",\"e5lF64\":\"使用示例\",\"fiV0xj\":\"使用限制\",\"sGEOe4\":\"使用封面图片的模糊版本作为背景\",\"OadMRm\":\"使用封面图片\",\"7PzzBU\":\"用户\",\"yDOdwQ\":\"用户管理\",\"Sxm8rQ\":\"用户\",\"VEsDvU\":\"用户可在 <0>\\\"配置文件设置\\\" 中更改自己的电子邮件\",\"vgwVkd\":\"世界协调时\",\"khBZkl\":\"增值税\",\"E/9LUk\":\"地点名称\",\"jpctdh\":\"查看\",\"Pte1Hv\":\"查看参会者详情\",\"/5PEQz\":\"查看活动页面\",\"fFornT\":\"查看完整信息\",\"YIsEhQ\":\"查看地图\",\"Ep3VfY\":\"在谷歌地图上查看\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP签到列表\",\"tF+VVr\":\"贵宾票\",\"2q/Q7x\":\"可见性\",\"vmOFL/\":\"我们无法处理您的付款。请重试或联系技术支持。\",\"45Srzt\":\"我们无法删除该类别。请再试一次。\",\"/DNy62\":[\"我们找不到与\",[\"0\"],\"匹配的任何门票\"],\"1E0vyy\":\"我们无法加载数据。请重试。\",\"NmpGKr\":\"我们无法重新排序类别。请再试一次。\",\"BJtMTd\":\"我们建议尺寸为 2160px x 1080px,文件大小不超过 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"我们无法确认您的付款。请重试或联系技术支持。\",\"Gspam9\":\"我们正在处理您的订单。请稍候...\",\"LuY52w\":\"欢迎加入!请登录以继续。\",\"dVxpp5\":[\"欢迎回来\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"什么是分层产品?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"什么是类别?\",\"gxeWAU\":\"此代码适用于哪些产品?\",\"hFHnxR\":\"此代码适用于哪些产品?(默认适用于所有产品)\",\"AeejQi\":\"此容量应适用于哪些产品?\",\"Rb0XUE\":\"您什么时候抵达?\",\"5N4wLD\":\"这是什么类型的问题?\",\"gyLUYU\":\"启用后,将为票务订单生成发票。发票将随订单确认邮件一起发送。参与\",\"D3opg4\":\"启用线下支付后,用户可以完成订单并收到门票。他们的门票将清楚地显示订单未支付,签到工具会通知签到工作人员订单是否需要支付。\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"哪些票应与此签到列表关联?\",\"S+OdxP\":\"这项活动由谁组织?\",\"LINr2M\":\"这条信息是发给谁的?\",\"nWhye/\":\"这个问题应该问谁?\",\"VxFvXQ\":\"嵌入小部件\",\"v1P7Gm\":\"小部件设置\",\"b4itZn\":\"工作\",\"hqmXmc\":\"工作...\",\"+G/XiQ\":\"年度至今\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"是的,移除它们\",\"ySeBKv\":\"您已经扫描过此票\",\"P+Sty0\":[\"您正在将电子邮件更改为 <0>\",[\"0\"],\"。\"],\"gGhBmF\":\"您处于离线状态\",\"sdB7+6\":\"您可以创建一个促销代码,针对该产品\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"您无法更改产品类型,因为有与该产品关联的参会者。\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"您无法为未支付订单的与会者签到。此设置可在活动设置中更改。\",\"c9Evkd\":\"您不能删除最后一个类别。\",\"6uwAvx\":\"您无法删除此价格层,因为此层已有售出的产品。您可以将其隐藏。\",\"tFbRKJ\":\"不能编辑账户所有者的角色或状态。\",\"fHfiEo\":\"您不能退还手动创建的订单。\",\"hK9c7R\":\"您创建了一个隐藏问题,但禁用了显示隐藏问题的选项。该选项已启用。\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"您可以访问多个账户。请选择一个继续。\",\"Z6q0Vl\":\"您已接受此邀请。请登录以继续。\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"没有与会者提问。\",\"CoZHDB\":\"您没有订单问题。\",\"15qAvl\":\"您没有待处理的电子邮件更改。\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"您已超时,未能完成订单。\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"您尚未发送任何消息。您可以向所有参会者发送消息,或向特定产品持有者发送消息。\",\"R6i9o9\":\"您必须确认此电子邮件并非促销邮件\",\"3ZI8IL\":\"您必须同意条款和条件\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"必须先创建机票,然后才能手动添加与会者。\",\"jE4Z8R\":\"您必须至少有一个价格等级\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"您必须手动将订单标记为已支付。这可以在订单管理页面上完成。\",\"L/+xOk\":\"在创建签到列表之前,您需要先获得票。\",\"Djl45M\":\"在您创建容量分配之前,您需要一个产品。\",\"y3qNri\":\"您需要至少一个产品才能开始。免费、付费或让用户决定支付金额。\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"您的账户名称会在活动页面和电子邮件中使用。\",\"veessc\":\"与会者注册参加活动后,就会出现在这里。您也可以手动添加与会者。\",\"Eh5Wrd\":\"您的网站真棒 🎉\",\"lkMK2r\":\"您的详细信息\",\"3ENYTQ\":[\"您要求将电子邮件更改为<0>\",[\"0\"],\"的申请正在处理中。请检查您的电子邮件以确认\"],\"yZfBoy\":\"您的信息已发送\",\"KSQ8An\":\"您的订单\",\"Jwiilf\":\"您的订单已被取消\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"您的订单一旦开始滚动,就会出现在这里。\",\"9TO8nT\":\"您的密码\",\"P8hBau\":\"您的付款正在处理中。\",\"UdY1lL\":\"您的付款未成功,请重试。\",\"fzuM26\":\"您的付款未成功。请重试。\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"您的退款正在处理中。\",\"IFHV2p\":\"您的入场券\",\"x1PPdr\":\"邮政编码\",\"BM/KQm\":\"邮政编码\",\"+LtVBt\":\"邮政编码\",\"25QDJ1\":\"- 点击发布\",\"WOyJmc\":\"- 点击取消发布\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" 已签到\"],\"S4PqS9\":[[\"0\"],\" 个活动的 Webhook\"],\"6MIiOI\":[\"剩余 \",[\"0\"]],\"COnw8D\":[[\"0\"],\" 标志\"],\"B7pZfX\":[[\"0\"],\" 位组织者\"],\"/HkCs4\":[[\"0\"],\"张门票\"],\"OJnhhX\":[[\"eventCount\"],\" 个事件\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+税费\",\"B1St2O\":\"<0>签到列表帮助您按日期、区域或票务类型管理活动入场。您可以将票务链接到特定列表,如VIP区域或第1天通行证,并与工作人员共享安全的签到链接。无需账户。签到适用于移动设备、桌面或平板电脑,使用设备相机或HID USB扫描仪。 \",\"ZnVt5v\":\"<0>Webhooks 可在事件发生时立即通知外部服务,例如,在注册时将新与会者添加到您的 CRM 或邮件列表,确保无缝自动化。<1>使用第三方服务,如 <2>Zapier、<3>IFTTT 或 <4>Make 来创建自定义工作流并自动化任务。\",\"fAv9QG\":\"🎟️ 添加门票\",\"M2DyLc\":\"1 个活动的 Webhook\",\"yTsaLw\":\"1张门票\",\"HR/cvw\":\"示例街123号\",\"kMU5aM\":\"取消通知已发送至\",\"V53XzQ\":\"新的验证码已发送到您的邮箱\",\"/z/bH1\":\"您组织者的简短描述,将展示给您的用户。\",\"aS0jtz\":\"已放弃\",\"uyJsf6\":\"关于\",\"WTk/ke\":\"关于 Stripe Connect\",\"1uJlG9\":\"强调色\",\"VTfZPy\":\"访问被拒绝\",\"iN5Cz3\":\"账户已连接!\",\"bPwFdf\":\"账户\",\"nMtNd+\":\"需要操作:重新连接您的 Stripe 账户\",\"AhwTa1\":\"需要操作:需要提供增值税信息\",\"a5KFZU\":\"添加活动详情并管理活动设置。\",\"Fb+SDI\":\"添加更多门票\",\"6PNlRV\":\"将此活动添加到您的日历\",\"BGD9Yt\":\"添加机票\",\"QN2F+7\":\"添加 Webhook\",\"NsWqSP\":\"添加您的社交媒体账号和网站链接。这些信息将显示在您的公开组织者页面上。\",\"0Zypnp\":\"管理仪表板\",\"YAV57v\":\"推广员\",\"I+utEq\":\"推广码无法更改\",\"/jHBj5\":\"推广员创建成功\",\"uCFbG2\":\"推广员删除成功\",\"a41PKA\":\"将跟踪推广员销售\",\"mJJh2s\":\"将不会跟踪推广员销售。这将停用该推广员。\",\"jabmnm\":\"推广员更新成功\",\"CPXP5Z\":\"合作伙伴\",\"9Wh+ug\":\"推广员已导出\",\"3cqmut\":\"推广员帮助您跟踪合作伙伴和网红产生的销售。创建推广码并分享以监控绩效。\",\"7rLTkE\":\"所有已归档活动\",\"gKq1fa\":\"所有参与者\",\"pMLul+\":\"所有货币\",\"qlaZuT\":\"全部完成!您现在正在使用我们升级的支付系统。\",\"ZS/D7f\":\"所有已结束活动\",\"dr7CWq\":\"所有即将到来的活动\",\"QUg5y1\":\"快完成了!完成连接您的 Stripe 账户以开始接受付款。\",\"c4uJfc\":\"快完成了!我们正在等待您的付款处理。这只需要几秒钟。\",\"/H326L\":\"已退款\",\"RtxQTF\":\"同时取消此订单\",\"jkNgQR\":\"同时退款此订单\",\"xYqsHg\":\"始终可用\",\"Zkymb9\":\"与此推广员关联的邮箱。推广员不会收到通知。\",\"vRznIT\":\"检查导出状态时发生错误。\",\"eusccx\":\"在突出显示的产品上显示的可选消息,例如\\\"热卖中🔥\\\"或\\\"超值优惠\\\"\",\"QNrkms\":\"答案更新成功。\",\"LchiNd\":\"您确定要删除此推广员吗?此操作无法撤销。\",\"JmVITJ\":\"确定要删除此模板吗?此操作无法撤消,邮件将回退到默认模板。\",\"aLS+A6\":\"确定要删除此模板吗?此操作无法撤消,邮件将回退到组织者或默认模板。\",\"5H3Z78\":\"您确定要删除此 Webhook 吗?\",\"147G4h\":\"您确定要离开吗?\",\"VDWChT\":\"您确定要将此组织者设为草稿吗?这样将使组织者页面对公众不可见。\",\"pWtQJM\":\"您确定要将此组织者设为公开吗?这样将使组织者页面对公众可见。\",\"WFHOlF\":\"您确定要发布此活动吗?一旦发布,将对公众可见。\",\"4TNVdy\":\"您确定要发布此主办方资料吗?一旦发布,将对公众可见。\",\"ExDt3P\":\"您确定要取消发布此活动吗?它将不再对公众可见。\",\"5Qmxo/\":\"您确定要取消发布此主办方资料吗?它将不再对公众可见。\",\"Uqefyd\":\"您在欧盟注册了增值税吗?\",\"+QARA4\":\"艺术\",\"tLf3yJ\":\"由于您的企业位于爱尔兰,所有平台费用将自动适用23%的爱尔兰增值税。\",\"QGoXh3\":\"由于您的企业位于欧盟,我们需要确定平台费用的正确增值税处理方式:\",\"F2rX0R\":\"必须选择至少一种事件类型\",\"6PecK3\":\"所有活动的出席率和签到率\",\"AJ4rvK\":\"与会者已取消\",\"qvylEK\":\"与会者已创建\",\"DVQSxl\":\"参与者详情将从订单信息中复制。\",\"0R3Y+9\":\"参会者邮箱\",\"KkrBiR\":\"参与者信息收集\",\"XBLgX1\":\"参与者信息收集设置为\\\"每个订单\\\"。参与者详情将从订单信息中复制。\",\"Xc2I+v\":\"与会者管理\",\"av+gjP\":\"参会者姓名\",\"cosfD8\":\"参与者状态\",\"D2qlBU\":\"与会者已更新\",\"x8Vnvf\":\"参与者的票不包含在此列表中\",\"k3Tngl\":\"与会者已导出\",\"5UbY+B\":\"持有特定门票的与会者\",\"4HVzhV\":\"参与者:\",\"VPoeAx\":\"使用多个签到列表和实时验证的自动化入场管理\",\"PZ7FTW\":\"根据背景颜色自动检测,但可以手动覆盖\",\"clF06r\":\"可退款\",\"NB5+UG\":\"可用令牌\",\"EmYMHc\":\"等待线下付款\",\"kNmmvE\":\"精彩活动有限公司\",\"kYqM1A\":\"返回活动\",\"td/bh+\":\"返回报告\",\"jIPNJG\":\"基本信息\",\"iMdwTb\":\"在您的活动可以上线之前,您需要完成以下几项任务。请完成以下所有步骤以开始。\",\"UabgBd\":\"正文是必需的\",\"9N+p+g\":\"商务\",\"bv6RXK\":\"按钮标签\",\"ChDLlO\":\"按钮文字\",\"DFqasq\":[\"继续操作即表示您同意<0>\",[\"0\"],\"服务条款\"],\"2VLZwd\":\"行动号召按钮\",\"PUpvQe\":\"相机扫描仪\",\"H4nE+E\":\"取消所有产品并释放回可用池\",\"tOXAdc\":\"取消将取消与此订单关联的所有参与者,并将门票释放回可用池。\",\"IrUqjC\":\"无法签到(已取消)\",\"VsM1HH\":\"容量分配\",\"K7tIrx\":\"类别\",\"2tbLdK\":\"慈善\",\"v4fiSg\":\"查看您的邮箱\",\"51AsAN\":\"请检查您的收件箱!如果此邮箱有关联的票,您将收到查看链接。\",\"udRwQs\":\"签到已创建\",\"F4SRy3\":\"签到已删除\",\"9gPPUY\":\"签到列表已创建!\",\"f2vU9t\":\"签到列表\",\"tMNBEF\":\"签到列表让您可以按天、区域或票种控制入场。您可以与工作人员共享安全的签到链接 — 无需账户。\",\"SHJwyq\":\"签到率\",\"qCqdg6\":\"签到状态\",\"cKj6OE\":\"签到摘要\",\"7B5M35\":\"签到\",\"DM4gBB\":\"中文(繁体)\",\"pkk46Q\":\"选择一个组织者\",\"Crr3pG\":\"选择日历\",\"CySr+W\":\"点击查看备注\",\"RG3szS\":\"关闭\",\"RWw9Lg\":\"关闭弹窗\",\"XwdMMg\":\"代码只能包含字母、数字、连字符和下划线\",\"+yMJb7\":\"代码为必填项\",\"m9SD3V\":\"代码至少需要3个字符\",\"V1krgP\":\"代码不能超过20个字符\",\"psqIm5\":\"与您的团队协作,共同创建精彩的活动。\",\"4bUH9i\":\"收集每张购买门票的参与者详情。\",\"FpsvqB\":\"颜色模式\",\"jEu4bB\":\"列\",\"CWk59I\":\"喜剧\",\"7D9MJz\":\"完成 Stripe 设置\",\"OqEV/G\":\"完成下面的设置以继续\",\"nqx+6h\":\"完成以下步骤即可开始销售您的活动门票。\",\"5YrKW7\":\"完成付款以确保您的门票。\",\"ih35UP\":\"会议中心\",\"NGXKG/\":\"确认电子邮件地址\",\"Auz0Mz\":\"请确认您的邮箱以访问所有功能。\",\"7+grte\":\"确认邮件已发送!请检查您的收件箱。\",\"n/7+7Q\":\"确认已发送至\",\"o5A0Go\":\"恭喜你创建了一个活动!\",\"WNnP3w\":\"连接并升级\",\"Xe2tSS\":\"连接文档\",\"1Xxb9f\":\"连接支付处理\",\"LmvZ+E\":\"连接 Stripe 以启用消息功能\",\"EWnXR+\":\"连接到 Stripe\",\"MOUF31\":\"连接 CRM 并使用 Webhook 和集成自动化任务\",\"VioGG1\":\"连接您的 Stripe 账户以接受门票和产品付款。\",\"4qmnU8\":\"连接您的 Stripe 账户以接受付款。\",\"E1eze1\":\"连接您的 Stripe 账户以开始接受您活动的付款。\",\"ulV1ju\":\"连接您的 Stripe 账户以开始接受付款。\",\"/3017M\":\"已连接到 Stripe\",\"jfC/xh\":\"联系\",\"LOFgda\":[\"联系 \",[\"0\"]],\"41BQ3k\":\"联系邮箱\",\"KcXRN+\":\"支持联系邮箱\",\"m8WD6t\":\"继续设置\",\"0GwUT4\":\"继续结账\",\"sBV87H\":\"继续创建活动\",\"nKtyYu\":\"继续下一步\",\"F3/nus\":\"继续付款\",\"1JnTgU\":\"从上方复制\",\"FxVG/l\":\"已复制到剪贴板\",\"PiH3UR\":\"已复制!\",\"uUPbPg\":\"复制推广链接\",\"iVm46+\":\"复制代码\",\"+2ZJ7N\":\"将详情复制到第一位参与者\",\"ZN1WLO\":\"复制邮箱\",\"tUGbi8\":\"复制我的信息到:\",\"y22tv0\":\"复制此链接,在任意位置分享\",\"/4gGIX\":\"复制到剪贴板\",\"P0rbCt\":\"封面图像\",\"60u+dQ\":\"封面图片将显示在活动页面顶部\",\"2NLjA6\":\"封面图像将显示在您的组织者页面顶部\",\"zg4oSu\":[\"创建\",[\"0\"],\"模板\"],\"xfKgwv\":\"创建推广员\",\"dyrgS4\":\"立即创建和自定义您的活动页面\",\"BTne9e\":\"为此活动创建自定义邮件模板以覆盖组织者默认设置\",\"YIDzi/\":\"创建自定义模板\",\"8AiKIu\":\"创建门票或产品\",\"agZ87r\":\"为您的活动创建门票、设定价格并管理可用数量。\",\"dkAPxi\":\"创建 Webhook\",\"5slqwZ\":\"创建您的活动\",\"JQNMrj\":\"创建您的第一个活动\",\"CCjxOC\":\"创建您的第一个活动以开始售票并管理参与者。\",\"ZCSSd+\":\"创建您自己的活动\",\"67NsZP\":\"正在创建活动...\",\"H34qcM\":\"正在创建主办方...\",\"1YMS+X\":\"正在创建您的活动,请稍候\",\"yiy8Jt\":\"正在创建您的主办方资料,请稍候\",\"lfLHNz\":\"CTA标签是必需的\",\"BMtue0\":\"当前支付处理器\",\"iTvh6I\":\"当前可购买\",\"mimF6c\":\"结账后自定义消息\",\"axv/Mi\":\"自定义模板\",\"QMHSMS\":\"客户将收到确认退款的电子邮件\",\"L/Qc+w\":\"客户邮箱地址\",\"wpfWhJ\":\"客户名字\",\"GIoqtA\":\"客户姓氏\",\"NihQNk\":\"客户\",\"7gsjkI\":\"使用Liquid模板自定义发送给客户的邮件。这些模板将用作您组织中所有活动的默认模板。\",\"iX6SLo\":\"自定义“继续”按钮上显示的文本\",\"pxNIxa\":\"使用Liquid模板自定义您的邮件模板\",\"q9Jg0H\":\"自定义您的活动页面和小部件设计,以完美匹配您的品牌\",\"mkLlne\":\"自定义活动页面外观\",\"3trPKm\":\"自定义主办方页面外观\",\"4df0iX\":\"自定义您的票券外观\",\"/gWrVZ\":\"所有活动的每日收入、税费和退款\",\"zgCHnE\":\"每日销售报告\",\"nHm0AI\":\"每日销售、税费和费用明细\",\"pvnfJD\":\"深色\",\"lnYE59\":\"活动日期\",\"gnBreG\":\"下单日期\",\"JtI4vj\":\"默认参与者信息收集\",\"1bZAZA\":\"将使用默认模板\",\"vu7gDm\":\"删除推广员\",\"+jw/c1\":\"删除图片\",\"dPyJ15\":\"删除模板\",\"snMaH4\":\"删除 Webhook\",\"vYgeDk\":\"取消全选\",\"NvuEhl\":\"设计元素\",\"H8kMHT\":\"没有收到验证码?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"关闭此消息\",\"BREO0S\":\"显示一个复选框,允许客户选择接收此活动组织者的营销通讯。\",\"TvY/XA\":\"文档\",\"Kdpf90\":\"别忘了!\",\"V6Jjbr\":\"还没有账户? <0>注册\",\"AXXqG+\":\"捐赠\",\"DPfwMq\":\"完成\",\"eneWvv\":\"草稿\",\"TnzbL+\":\"由于垃圾邮件风险较高,您必须连接Stripe账户才能向参与者发送消息。\\n这是为了确保所有活动组织者都经过验证并负责。\",\"euc6Ns\":\"复制\",\"KRmTkx\":\"复制产品\",\"KIjvtr\":\"荷兰语\",\"SPKbfM\":\"例如:获取门票,立即注册\",\"LTzmgK\":[\"编辑\",[\"0\"],\"模板\"],\"v4+lcZ\":\"编辑推广员\",\"2iZEz7\":\"编辑答案\",\"fW5sSv\":\"编辑 Webhook\",\"nP7CdQ\":\"编辑 Webhook\",\"uBAxNB\":\"编辑器\",\"aqxYLv\":\"教育\",\"zPiC+q\":\"符合条件的签到列表\",\"V2sk3H\":\"电子邮件和模板\",\"hbwCKE\":\"邮箱地址已复制到剪贴板\",\"dSyJj6\":\"电子邮件地址不匹配\",\"elW7Tn\":\"邮件正文\",\"ZsZeV2\":\"邮箱为必填项\",\"Be4gD+\":\"邮件预览\",\"6IwNUc\":\"邮件模板\",\"H/UMUG\":\"需要验证邮箱\",\"L86zy2\":\"邮箱验证成功!\",\"Upeg/u\":\"启用此模板发送邮件\",\"RxzN1M\":\"已启用\",\"sGjBEq\":\"结束日期和时间(可选)\",\"PKXt9R\":\"结束日期必须在开始日期之后\",\"48Y16Q\":\"结束时间(可选)\",\"7YZofi\":\"输入主题和正文以查看预览\",\"3bR1r4\":\"输入推广员邮箱(可选)\",\"ARkzso\":\"输入推广员姓名\",\"INDKM9\":\"输入邮件主题...\",\"kWg31j\":\"输入唯一推广码\",\"C3nD/1\":\"输入您的电子邮箱\",\"n9V+ps\":\"输入您的姓名\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"加载日志时出错\",\"AKbElk\":\"欧盟增值税注册企业:适用反向收费机制(0% - 增值税指令2006/112/EC第196条)\",\"WgD6rb\":\"活动类别\",\"b46pt5\":\"活动封面图片\",\"1Hzev4\":\"活动自定义模板\",\"imgKgl\":\"活动描述\",\"kJDmsI\":\"活动详情\",\"m/N7Zq\":\"活动完整地址\",\"Nl1ZtM\":\"活动地点\",\"PYs3rP\":\"活动名称\",\"HhwcTQ\":\"活动名称\",\"WZZzB6\":\"活动名称为必填项\",\"Wd5CDM\":\"活动名称应少于150个字符\",\"4JzCvP\":\"活动不可用\",\"Gh9Oqb\":\"活动组织者姓名\",\"mImacG\":\"活动页面\",\"cOePZk\":\"活动时间\",\"e8WNln\":\"活动时区\",\"GeqWgj\":\"活动时区\",\"XVLu2v\":\"活动标题\",\"YDVUVl\":\"事件类型\",\"4K2OjV\":\"活动场地\",\"19j6uh\":\"活动表现\",\"PC3/fk\":\"未来24小时内开始的活动\",\"fTFfOK\":\"每个邮件模板都必须包含一个链接到相应页面的行动号召按钮\",\"VlvpJ0\":\"导出答案\",\"JKfSAv\":\"导出失败。请重试。\",\"SVOEsu\":\"导出已开始。正在准备文件...\",\"9bpUSo\":\"正在导出推广员\",\"jtrqH9\":\"正在导出与会者\",\"R4Oqr8\":\"导出完成。正在下载文件...\",\"UlAK8E\":\"正在导出订单\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"放弃订单失败。请重试。\",\"cEFg3R\":\"创建推广员失败\",\"U66oUa\":\"创建模板失败\",\"xFj7Yj\":\"删除模板失败\",\"jo3Gm6\":\"导出推广员失败\",\"Jjw03p\":\"导出与会者失败\",\"ZPwFnN\":\"导出订单失败\",\"X4o0MX\":\"加载 Webhook 失败\",\"YQ3QSS\":\"重新发送验证码失败\",\"zTkTF3\":\"保存模板失败\",\"l6acRV\":\"保存增值税设置失败。请重试。\",\"T6B2gk\":\"发送消息失败。请重试。\",\"lKh069\":\"无法启动导出任务\",\"t/KVOk\":\"无法开始模拟。请重试。\",\"QXgjH0\":\"无法停止模拟。请重试。\",\"i0QKrm\":\"更新推广员失败\",\"NNc33d\":\"更新答案失败。\",\"7/9RFs\":\"上传图片失败。\",\"nkNfWu\":\"上传图片失败。请重试。\",\"rxy0tG\":\"验证邮箱失败\",\"T4BMxU\":\"费用可能会变更。如有变更,您将收到通知。\",\"cf35MA\":\"节日\",\"VejKUM\":\"请先在上方填写您的详细信息\",\"8OvVZZ\":\"筛选参与者\",\"8BwQeU\":\"完成设置\",\"hg80P7\":\"完成 Stripe 设置\",\"1vBhpG\":\"第一位参与者\",\"YXhom6\":\"固定费用:\",\"KgxI80\":\"灵活的票务系统\",\"lWxAUo\":\"美食美酒\",\"nFm+5u\":\"页脚文字\",\"MY2SVM\":\"全额退款\",\"vAVBBv\":\"全面集成\",\"T02gNN\":\"普通入场\",\"3ep0Gx\":\"您组织者的基本信息\",\"ziAjHi\":\"生成\",\"exy8uo\":\"生成代码\",\"4CETZY\":\"获取路线\",\"kfVY6V\":\"免费开始,无订阅费用\",\"u6FPxT\":\"获取门票\",\"8KDgYV\":\"准备好您的活动\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"前往活动页面\",\"gHSuV/\":\"返回主页\",\"6nDzTl\":\"良好的可读性\",\"n8IUs7\":\"总收入\",\"kTSQej\":[\"您好 \",[\"0\"],\",从这里管理您的平台。\"],\"dORAcs\":\"以下是与您邮箱关联的所有票。\",\"g+2103\":\"这是您的推广链接\",\"QlwJ9d\":\"预期结果:\",\"D+zLDD\":\"隐藏\",\"Rj6sIY\":\"隐藏附加选项\",\"P+5Pbo\":\"隐藏答案\",\"gtEbeW\":\"突出显示\",\"NF8sdv\":\"突出显示消息\",\"MXSqmS\":\"突出显示此产品\",\"7ER2sc\":\"已突出显示\",\"sq7vjE\":\"突出显示的产品将具有不同的背景色,使其在活动页面上脱颖而出。\",\"i0qMbr\":\"首页\",\"AVpmAa\":\"如何离线支付\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"匈牙利语\",\"4/kP5a\":\"如果没有自动打开新标签页,请点击下方按钮继续结账。\",\"PYVWEI\":\"如已注册,请提供您的增值税号码以供验证\",\"wOU3Tr\":\"如果您在我们这里有账户,您将收到一封电子邮件,内含重置密码的说明。\",\"an5hVd\":\"图片\",\"tSVr6t\":\"模拟\",\"TWXU0c\":\"模拟用户\",\"5LAZwq\":\"模拟已开始\",\"IMwcdR\":\"模拟已停止\",\"M8M6fs\":\"重要:需要重新连接 Stripe\",\"jT142F\":[[\"diffHours\"],\"小时后\"],\"OoSyqO\":[[\"diffMinutes\"],\"分钟后\"],\"UJLg8x\":\"深入分析\",\"cljs3a\":\"表明您是否在欧盟注册了增值税\",\"F1Xp97\":\"个人与会者\",\"85e6zs\":\"插入Liquid令牌\",\"38KFY0\":\"插入变量\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"无效邮箱\",\"5tT0+u\":\"邮箱格式无效\",\"tnL+GP\":\"无效的Liquid语法。请更正后再试。\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"邀请团队成员\",\"1z26sk\":\"邀请团队成员\",\"KR0679\":\"邀请团队成员\",\"aH6ZIb\":\"邀请您的团队\",\"IuMGvq\":\"发票\",\"y0meFR\":\"平台费用将适用23%的爱尔兰增值税(国内供应)。\",\"Lj7sBL\":\"意大利语\",\"F5/CBH\":\"项\",\"BzfzPK\":\"项目\",\"nCywLA\":\"随时随地加入\",\"hTJ4fB\":\"只需点击下面的按钮重新连接您的 Stripe 账户。\",\"MxjCqk\":\"只是在找您的票?\",\"lB2hSG\":[\"及时向我更新来自\",[\"0\"],\"的新闻和活动\"],\"h0Q9Iw\":\"最新响应\",\"gw3Ur5\":\"最近触发\",\"1njn7W\":\"浅色\",\"1qY5Ue\":\"链接已过期或无效\",\"psosdY\":\"订单详情链接\",\"6JzK4N\":\"门票链接\",\"shkJ3U\":\"链接您的 Stripe 账户以接收售票资金。\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"上线\",\"fpMs2Z\":\"直播\",\"D9zTjx\":\"直播活动\",\"WdmJIX\":\"加载预览中...\",\"IoDI2o\":\"加载令牌中...\",\"NFxlHW\":\"正在加载 Webhook\",\"iG7KNr\":\"标志\",\"vu7ZGG\":\"标志和封面\",\"gddQe0\":\"您的组织者的标志和封面图像\",\"TBEnp1\":\"标志将显示在页面头部\",\"Jzu30R\":\"标志将显示在票券上\",\"4wUIjX\":\"让您的活动上线\",\"0A7TvI\":\"管理活动\",\"2FzaR1\":\"管理您的支付处理并查看平台费用\",\"/x0FyM\":\"匹配您的品牌\",\"xDAtGP\":\"消息\",\"1jRD0v\":\"向与会者发送特定门票的信息\",\"97QrnA\":\"在一个地方向与会者发送消息、管理订单并处理退款\",\"48rf3i\":\"消息不能超过5000个字符\",\"Vjat/X\":\"消息为必填项\",\"0/yJtP\":\"向具有特定产品的订单所有者发送消息\",\"tccUcA\":\"移动签到\",\"GfaxEk\":\"音乐\",\"oVGCGh\":\"我的票\",\"8/brI5\":\"姓名为必填项\",\"sCV5Yc\":\"活动名称\",\"xxU3NX\":\"净收入\",\"eWRECP\":\"夜生活\",\"HSw5l3\":\"否 - 我是个人或未注册增值税的企业\",\"VHfLAW\":\"无账户\",\"+jIeoh\":\"未找到账户\",\"074+X8\":\"没有活动的 Webhook\",\"zxnup4\":\"没有推广员可显示\",\"99ntUF\":\"此活动没有可用的签到列表。\",\"6r9SGl\":\"无需信用卡\",\"eb47T5\":\"未找到所选筛选条件的数据。请尝试调整日期范围或货币。\",\"pZNOT9\":\"无结束日期\",\"dW40Uz\":\"未找到活动\",\"8pQ3NJ\":\"未来24小时内没有开始的活动\",\"8zCZQf\":\"尚无活动\",\"54GxeB\":\"不影响您当前或过去的交易\",\"EpvBAp\":\"无发票\",\"XZkeaI\":\"未找到日志\",\"NEmyqy\":\"尚无订单\",\"B7w4KY\":\"无其他可用组织者\",\"6jYQGG\":\"没有过去的活动\",\"zK/+ef\":\"没有可供选择的产品\",\"QoAi8D\":\"无响应\",\"EK/G11\":\"尚无响应\",\"3sRuiW\":\"未找到票\",\"yM5c0q\":\"没有即将到来的活动\",\"qpC74J\":\"未找到用户\",\"n5vdm2\":\"此端点尚未记录任何 Webhook 事件。事件触发后将显示在此处。\",\"4GhX3c\":\"没有 Webhooks\",\"4+am6b\":\"否,保留在此\",\"HVwIsd\":\"未注册增值税的企业或个人:适用23%的爱尔兰增值税\",\"x5+Lcz\":\"未签到\",\"8n10sz\":\"不符合条件\",\"lQgMLn\":\"办公室或场地名称\",\"6Aih4U\":\"离线\",\"Z6gBGW\":\"线下支付\",\"nO3VbP\":[\"销售于\",[\"0\"]],\"2r6bAy\":\"升级完成后,您的旧账户将仅用于退款。\",\"oXOSPE\":\"在线\",\"WjSpu5\":\"在线活动\",\"bU7oUm\":\"仅发送给具有这些状态的订单\",\"M2w1ni\":\"仅使用促销代码可见\",\"N141o/\":\"打开 Stripe 仪表板\",\"HXMJxH\":\"免责声明、联系信息或感谢说明的可选文本(仅单行)\",\"c/TIyD\":\"订单和门票\",\"H5qWhm\":\"订单已取消\",\"b6+Y+n\":\"订单完成\",\"x4MLWE\":\"订单确认\",\"ppuQR4\":\"订单已创建\",\"0UZTSq\":\"订单货币\",\"HdmwrI\":\"订单邮箱\",\"bwBlJv\":\"订单名字\",\"vrSW9M\":\"订单已取消并退款。订单所有者已收到通知。\",\"+spgqH\":[\"订单号:\",[\"0\"]],\"Pc729f\":\"订单等待线下支付\",\"F4NXOl\":\"订单姓氏\",\"RQCXz6\":\"订单限制\",\"5RDEEn\":\"订单语言\",\"vu6Arl\":\"订单标记为已支付\",\"sLbJQz\":\"未找到订单\",\"i8VBuv\":\"订单号\",\"FaPYw+\":\"订单所有者\",\"eB5vce\":\"具有特定产品的订单所有者\",\"CxLoxM\":\"具有产品的订单所有者\",\"DoH3fD\":\"订单付款待处理\",\"EZy55F\":\"订单已退款\",\"6eSHqs\":\"订单状态\",\"oW5877\":\"订单总额\",\"e7eZuA\":\"订单已更新\",\"KndP6g\":\"订单链接\",\"3NT0Ck\":\"订单已被取消\",\"5It1cQ\":\"订单已导出\",\"B/EBQv\":\"订单:\",\"ucgZ0o\":\"组织\",\"S3CZ5M\":\"组织者仪表板\",\"Uu0hZq\":\"组织者邮箱\",\"Gy7BA3\":\"组织者电子邮件地址\",\"SQqJd8\":\"未找到组织者\",\"wpj63n\":\"组织者设置\",\"coIKFu\":\"所选货币无法获取组织者统计信息,或发生错误。\",\"o1my93\":\"组织者状态更新失败。请稍后再试\",\"rLHma1\":\"组织者状态已更新\",\"LqBITi\":\"将使用组织者/默认模板\",\"/IX/7x\":\"其他\",\"RsiDDQ\":\"其他列表(不包含此票)\",\"6/dCYd\":\"概览\",\"8uqsE5\":\"页面不再可用\",\"QkLf4H\":\"页面链接\",\"sF+Xp9\":\"页面浏览量\",\"5F7SYw\":\"部分退款\",\"fFYotW\":[\"部分退款:\",[\"0\"]],\"Ff0Dor\":\"过去\",\"xTPjSy\":\"过去的活动\",\"/l/ckQ\":\"粘贴链接\",\"URAE3q\":\"已暂停\",\"4fL/V7\":\"付款\",\"OZK07J\":\"付款解锁\",\"TskrJ8\":\"付款与计划\",\"ENEPLY\":\"付款方式\",\"EyE8E6\":\"支付处理\",\"8Lx2X7\":\"已收到付款\",\"vcyz2L\":\"支付设置\",\"fx8BTd\":\"付款不可用\",\"51U9mG\":\"付款将继续无中断流转\",\"VlXNyK\":\"每个订单\",\"hauDFf\":\"每张门票\",\"/Bh+7r\":\"绩效\",\"zmwvG2\":\"电话\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"计划举办活动?\",\"br3Y/y\":\"平台费用\",\"jEw0Mr\":\"请输入有效的 URL\",\"n8+Ng/\":\"请输入5位数验证码\",\"r+lQXT\":\"请输入您的增值税号码\",\"Dvq0wf\":\"请提供一张图片。\",\"2cUopP\":\"请重新开始结账流程。\",\"8KmsFa\":\"请选择日期范围\",\"EFq6EG\":\"请选择一张图片。\",\"fuwKpE\":\"请再试一次。\",\"klWBeI\":\"请稍候再请求新的验证码\",\"hfHhaa\":\"请稍候,我们正在准备导出您的推广员...\",\"o+tJN/\":\"请稍候,我们正在准备导出您的与会者...\",\"+5Mlle\":\"请稍候,我们正在准备导出您的订单...\",\"TjX7xL\":\"结账后消息\",\"cs5muu\":\"预览活动页面\",\"+4yRWM\":\"门票价格\",\"a5jvSX\":\"价格层级\",\"ReihZ7\":\"打印预览\",\"JnuPvH\":\"打印门票\",\"tYF4Zq\":\"打印为PDF\",\"LcET2C\":\"隐私政策\",\"8z6Y5D\":\"处理退款\",\"JcejNJ\":\"处理订单中\",\"EWCLpZ\":\"产品已创建\",\"XkFYVB\":\"产品已删除\",\"YMwcbR\":\"产品销售、收入和税费明细\",\"ldVIlB\":\"产品已更新\",\"mIqT3T\":\"产品、商品和灵活的定价选项\",\"JoKGiJ\":\"优惠码\",\"k3wH7i\":\"促销码使用情况及折扣明细\",\"uEhdRh\":\"仅促销\",\"EEYbdt\":\"发布\",\"evDBV8\":\"发布活动\",\"dsFmM+\":\"已购买\",\"YwNJAq\":\"二维码扫描,提供即时反馈和安全共享,供工作人员使用\",\"fqDzSu\":\"费率\",\"spsZys\":\"准备升级?这只需要几分钟。\",\"Fi3b48\":\"最近订单\",\"Edm6av\":\"重新连接 Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"正在重定向到 Stripe...\",\"ACKu03\":\"刷新预览\",\"fKn/k6\":\"退款金额\",\"qY4rpA\":\"退款失败\",\"FaK/8G\":[\"退款订单 \",[\"0\"]],\"MGbi9P\":\"退款处理中\",\"BDSRuX\":[\"已退款:\",[\"0\"]],\"bU4bS1\":\"退款\",\"CQeZT8\":\"未找到报告\",\"JEPMXN\":\"请求新链接\",\"mdeIOH\":\"重新发送验证码\",\"bxoWpz\":\"重新发送确认邮件\",\"G42SNI\":\"重新发送邮件\",\"TTpXL3\":[[\"resendCooldown\"],\"秒后重新发送\"],\"Uwsg2F\":\"已预订\",\"8wUjGl\":\"保留至\",\"slOprG\":\"重置您的密码\",\"CbnrWb\":\"返回活动\",\"Oo/PLb\":\"收入摘要\",\"dFFW9L\":[\"销售已于\",[\"0\"],\"结束\"],\"loCKGB\":[\"销售于\",[\"0\"],\"结束\"],\"wlfBad\":\"销售期\",\"zpekWp\":[\"销售于\",[\"0\"],\"开始\"],\"mUv9U4\":\"销售\",\"9KnRdL\":\"销售已暂停\",\"3VnlS9\":\"所有活动的销售、订单和性能指标\",\"3Q1AWe\":\"销售额:\",\"8BRPoH\":\"示例场地\",\"KZrfYJ\":\"保存社交链接\",\"9Y3hAT\":\"保存模板\",\"C8ne4X\":\"保存票券设计\",\"6/TNCd\":\"保存增值税设置\",\"I+FvbD\":\"扫描\",\"4ba0NE\":\"已安排\",\"ftNXma\":\"搜索推广员...\",\"VY+Bdn\":\"按账户名称或电子邮件搜索...\",\"VX+B3I\":\"按活动标题或主办方搜索...\",\"GHdjuo\":\"按姓名、电子邮件或账户搜索...\",\"Mck5ht\":\"安全结账\",\"p7xUrt\":\"选择类别\",\"BFRSTT\":\"选择账户\",\"mCB6Je\":\"全选\",\"kYZSFD\":\"选择一个组织者以查看其仪表板和活动。\",\"tVW/yo\":\"选择货币\",\"n9ZhRa\":\"选择结束日期和时间\",\"gTN6Ws\":\"选择结束时间\",\"0U6E9W\":\"选择活动类别\",\"j9cPeF\":\"选择事件类型\",\"1nhy8G\":\"选择扫描仪类型\",\"KizCK7\":\"选择开始日期和时间\",\"dJZTv2\":\"选择开始时间\",\"aT3jZX\":\"选择时区\",\"Ropvj0\":\"选择哪些事件将触发此 Webhook\",\"BG3f7v\":\"销售任何产品\",\"VtX8nW\":\"在销售门票的同时销售商品,并支持集成税务和促销代码\",\"Cye3uV\":\"销售不仅仅是门票\",\"j9b/iy\":\"热卖中 🔥\",\"1lNPhX\":\"发送退款通知邮件\",\"SPdzrs\":\"客户下单时发送\",\"LxSN5F\":\"发送给每位参会者及其门票详情\",\"eXssj5\":\"为此组织者创建的新活动设置默认设置。\",\"xMO+Ao\":\"设置您的组织\",\"HbUQWA\":\"几分钟内完成设置\",\"GG7qDw\":\"分享推广链接\",\"hL7sDJ\":\"分享组织者页面\",\"WHY75u\":\"显示附加选项\",\"cMW+gm\":[\"显示所有平台(另有 \",[\"0\"],\" 个包含值)\"],\"UVPI5D\":\"显示更少平台\",\"Eu/N/d\":\"显示营销订阅复选框\",\"SXzpzO\":\"默认显示营销订阅复选框\",\"b33PL9\":\"显示更多平台\",\"v6IwHE\":\"智能签到\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"社交\",\"d0rUsW\":\"社交链接\",\"j/TOB3\":\"社交链接与网站\",\"2pxNFK\":\"已售\",\"s9KGXU\":\"已售出\",\"KTxc6k\":\"出现问题,请重试,或在问题持续时联系客服\",\"H6Gslz\":\"对于给您带来的不便,我们深表歉意。\",\"7JFNej\":\"体育\",\"JcQp9p\":\"开始日期和时间\",\"0m/ekX\":\"开始日期和时间\",\"izRfYP\":\"开始日期为必填项\",\"2R1+Rv\":\"活动开始时间\",\"2NbyY/\":\"统计数据\",\"DRykfS\":\"仍在处理您旧交易的退款。\",\"wuV0bK\":\"停止模拟\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe设置已完成。\",\"ii0qn/\":\"主题是必需的\",\"M7Uapz\":\"主题将显示在这里\",\"6aXq+t\":\"主题:\",\"JwTmB6\":\"产品复制成功\",\"RuaKfn\":\"地址更新成功\",\"kzx0uD\":\"成功更新活动默认设置\",\"5n+Wwp\":\"组织者更新成功\",\"0Dk/l8\":\"SEO 设置更新成功\",\"MhOoLQ\":\"社交链接更新成功\",\"kj7zYe\":\"Webhook 更新成功\",\"dXoieq\":\"摘要\",\"/RfJXt\":[\"夏季音乐节 \",[\"0\"]],\"CWOPIK\":\"2025夏季音乐节\",\"5gIl+x\":\"支持分级、基于捐赠和产品销售,并提供可自定义的定价和容量\",\"JZTQI0\":\"切换组织者\",\"XX32BM\":\"只需几分钟\",\"yT6dQ8\":\"按税种和活动分组的已收税款\",\"Ye321X\":\"税种名称\",\"WyCBRt\":\"税务摘要\",\"GkH0Pq\":\"已应用税费\",\"SmvJCM\":\"税费、销售期、订单限制和可见性设置\",\"vlf/In\":\"科技\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"告诉人们您的活动会有哪些内容\",\"NiIUyb\":\"介绍一下您的活动\",\"DovcfC\":\"请告诉我们您的组织信息。这些信息将显示在您的活动页面上。\",\"7wtpH5\":\"模板已激活\",\"QHhZeE\":\"模板创建成功\",\"xrWdPR\":\"模板删除成功\",\"G04Zjt\":\"模板保存成功\",\"xowcRf\":\"服务条款\",\"6K0GjX\":\"文字可能难以阅读\",\"nm3Iz/\":\"感谢您的参与!\",\"lhAWqI\":\"感谢您的支持,我们将继续发展和改进 Hi.Events!\",\"KfmPRW\":\"页面的背景颜色。使用封面图片时,此颜色将作为叠加层应用。\",\"MDNyJz\":\"验证码将在10分钟后过期。如果您没有收到邮件,请检查垃圾邮件文件夹。\",\"MJm4Tq\":\"订单的货币\",\"I/NNtI\":\"活动场地\",\"tXadb0\":\"您查找的活动目前不可用。它可能已被删除、过期或 URL 不正确。\",\"EBzPwC\":\"活动的完整地址\",\"sxKqBm\":\"订单全额将退款至客户的原始付款方式。\",\"5OmEal\":\"客户的语言\",\"sYLeDq\":\"未找到您要查找的组织者。页面可能已被移动、删除或链接有误。\",\"HxxXZO\":\"用于按钮和突出显示的主要品牌颜色\",\"DEcpfp\":\"模板正文包含无效的Liquid语法。请更正后再试。\",\"A4UmDy\":\"戏剧\",\"tDwYhx\":\"主题与颜色\",\"HirZe8\":\"这些模板将用作您组织中所有活动的默认模板。单个活动可以用自己的自定义版本覆盖这些模板。\",\"lzAaG5\":\"这些模板将仅覆盖此活动的组织者默认设置。如果这里没有设置自定义模板,将使用组织者模板。\",\"XBNC3E\":\"此代码将用于跟踪销售。只允许字母、数字、连字符和下划线。\",\"AaP0M+\":\"此颜色组合对某些用户来说可能难以阅读\",\"YClrdK\":\"此活动尚未发布\",\"dFJnia\":\"这是您的组织者名称,将展示给用户。\",\"L7dIM7\":\"此链接无效或已过期。\",\"j5FdeA\":\"此订单正在处理中。\",\"sjNPMw\":\"此订单已被放弃。您可以随时开始新订单。\",\"OhCesD\":\"此订单已被取消。您可以随时开始新订单。\",\"lyD7rQ\":\"此主办方资料尚未发布\",\"9b5956\":\"此预览显示您的邮件使用示例数据的外观。实际邮件将使用真实值。\",\"uM9Alj\":\"此产品在活动页面上已突出显示\",\"RqSKdX\":\"此产品已售罄\",\"0Ew0uk\":\"此门票刚刚被扫描。请等待后再次扫描。\",\"kvpxIU\":\"这将用于通知和与用户沟通。\",\"rhsath\":\"这对客户不可见,但有助于您识别推广员。\",\"Mr5UUd\":\"门票已取消\",\"0GSPnc\":\"票券设计\",\"EZC/Cu\":\"票券设计保存成功\",\"1BPctx\":\"门票:\",\"bgqf+K\":\"持票人邮箱\",\"oR7zL3\":\"持票人姓名\",\"HGuXjF\":\"票务持有人\",\"awHmAT\":\"门票 ID\",\"6czJik\":\"门票标志\",\"OkRZ4Z\":\"门票名称\",\"6tmWch\":\"票或商品\",\"1tfWrD\":\"门票预览:\",\"tGCY6d\":\"门票价格\",\"8jLPgH\":\"票券类型\",\"X26cQf\":\"门票链接\",\"zNECqg\":\"门票\",\"6GQNLE\":\"门票\",\"NRhrIB\":\"票务与商品\",\"EUnesn\":\"门票有售\",\"AGRilS\":\"已售票数\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"要接受信用卡付款,您需要连接您的 Stripe 账户。Stripe 是我们的支付处理合作伙伴,确保安全交易和及时付款。\",\"W428WC\":\"切换列\",\"3sZ0xx\":\"总账户数\",\"EaAPbv\":\"支付总金额\",\"SMDzqJ\":\"总参与人数\",\"orBECM\":\"总收款\",\"KSDwd5\":\"总订单数\",\"vb0Q0/\":\"总用户数\",\"/b6Z1R\":\"通过详细的分析和可导出的报告跟踪收入、页面浏览量和销售情况\",\"OpKMSn\":\"交易手续费:\",\"uKOFO5\":\"如果是线下支付则为真\",\"9GsDR2\":\"如果付款待处理则为真\",\"ouM5IM\":\"尝试其他邮箱\",\"3DZvE7\":\"免费试用Hi.Events\",\"Kz91g/\":\"土耳其语\",\"GdOhw6\":\"关闭声音\",\"KUOhTy\":\"开启声音\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"门票类型\",\"IrVSu+\":\"无法复制产品。请检查您的详细信息\",\"Vx2J6x\":\"无法获取参与者\",\"b9SN9q\":\"唯一订单参考\",\"Ef7StM\":\"未知\",\"ZBAScj\":\"未知参会者\",\"ZkS2p3\":\"取消发布活动\",\"Pp1sWX\":\"更新推广员\",\"KMMOAy\":\"可升级\",\"gJQsLv\":\"上传组织者封面图像\",\"4kEGqW\":\"上传组织者 Logo\",\"lnCMdg\":\"上传图片\",\"29w7p6\":\"正在上传图像...\",\"HtrFfw\":\"URL 是必填项\",\"WBq1/R\":\"USB扫描仪已激活\",\"EV30TR\":\"USB扫描仪模式已激活。现在开始扫描票券。\",\"fovJi3\":\"USB扫描仪模式已停用\",\"hli+ga\":\"USB/HID扫描仪\",\"OHJXlK\":\"使用 <0>Liquid 模板 个性化您的邮件\",\"0k4cdb\":\"对所有参与者使用订单详情。参与者姓名和电子邮件将与买家信息匹配。\",\"rnoQsz\":\"用于边框、高亮和二维码样式\",\"Fild5r\":\"有效的增值税号码\",\"sqdl5s\":\"增值税信息\",\"UjNWsF\":\"根据您的增值税注册状态,平台费用可能需要缴纳增值税。请填写下面的增值税信息部分。\",\"pnVh83\":\"增值税号码\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"增值税号码验证失败。请检查您的号码并重试。\",\"PCRCCN\":\"增值税注册信息\",\"vbKW6Z\":\"增值税设置已成功保存并验证\",\"fb96a1\":\"增值税设置已保存但验证失败。请检查您的增值税号码。\",\"Nfbg76\":\"增值税设置已成功保存\",\"tJylUv\":\"平台费用的增值税处理\",\"FlGprQ\":\"平台费用的增值税处理:欧盟增值税注册企业可以使用反向收费机制(0% - 增值税指令2006/112/EC第196条)。未注册增值税的企业需缴纳23%的爱尔兰增值税。\",\"AdWhjZ\":\"验证码\",\"wCKkSr\":\"验证邮箱\",\"/IBv6X\":\"验证您的邮箱\",\"e/cvV1\":\"正在验证...\",\"fROFIL\":\"越南语\",\"+WFMis\":\"查看和下载所有活动的报告。仅包含已完成的订单。\",\"gj5YGm\":\"查看并下载您的活动报告。请注意,报告中仅包含已完成的订单。\",\"c7VN/A\":\"查看答案\",\"FCVmuU\":\"查看活动\",\"n6EaWL\":\"查看日志\",\"OaKTzt\":\"查看地图\",\"67OJ7t\":\"查看订单\",\"tKKZn0\":\"查看订单详情\",\"9jnAcN\":\"查看组织者主页\",\"1J/AWD\":\"查看门票\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"仅对签到工作人员可见。有助于在签到期间识别此列表。\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"等待付款\",\"RRZDED\":\"我们找不到与此邮箱关联的订单。\",\"miysJh\":\"我们找不到此订单。它可能已被删除。\",\"HJKdzP\":\"加载此页面时遇到问题。请重试。\",\"IfN2Qo\":\"我们建议使用最小尺寸为200x200像素的方形标志\",\"wJzo/w\":\"建议尺寸为 400x400 像素,文件大小不超过 5MB\",\"q1BizZ\":\"我们将把您的门票发送到此邮箱\",\"zCdObC\":\"我们已正式将总部迁至爱尔兰 🇮🇪。作为此次过渡的一部分,我们现在使用 Stripe 爱尔兰而不是 Stripe 加拿大。为了保持您的付款顺利进行,您需要重新连接您的 Stripe 账户。\",\"jh2orE\":\"我们已将总部搬迁至爱尔兰。因此,我们需要您重新连接您的 Stripe 账户。这个快速过程只需几分钟。您的销售和现有数据完全不受影响。\",\"Fq/Nx7\":\"我们已向以下邮箱发送了5位数验证码:\",\"GdWB+V\":\"Webhook 创建成功\",\"2X4ecw\":\"Webhook 删除成功\",\"CThMKa\":\"Webhook 日志\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook 不会发送通知\",\"FSaY52\":\"Webhook 将发送通知\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"网站\",\"vKLEXy\":\"微博\",\"jupD+L\":\"欢迎回来 👋\",\"kSYpfa\":[\"欢迎来到 \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"欢迎来到 \",[\"0\"],\",\",[\"1\"],\" 👋\"],\"LETnBR\":[\"欢迎来到 \",[\"0\"],\",这是您所有活动的列表\"],\"FaSXqR\":\"什么类型的活动?\",\"f30uVZ\":\"您需要做的事:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"当签到被删除时\",\"Gmd0hv\":\"当新与会者被创建时\",\"Lc18qn\":\"当新订单被创建时\",\"dfkQIO\":\"当新产品被创建时\",\"8OhzyY\":\"当产品被删除时\",\"tRXdQ9\":\"当产品被更新时\",\"Q7CWxp\":\"当与会者被取消时\",\"IuUoyV\":\"当与会者签到时\",\"nBVOd7\":\"当与会者被更新时\",\"ny2r8d\":\"当订单被取消时\",\"c9RYbv\":\"当订单被标记为已支付时\",\"ejMDw1\":\"当订单被退款时\",\"fVPt0F\":\"当订单被更新时\",\"bcYlvb\":\"签到何时关闭\",\"XIG669\":\"签到何时开放\",\"de6HLN\":\"当客户购买门票后,他们的订单将显示在此处。\",\"blXLKj\":\"启用后,新活动将在结账时显示营销订阅复选框。此设置可以针对每个活动单独覆盖。\",\"uvIqcj\":\"研讨会\",\"EpknJA\":\"请在此输入您的消息...\",\"nhtR6Y\":\"X(推特)\",\"X/azM1\":\"是 - 我有有效的欧盟增值税注册号码\",\"Tz5oXG\":\"是,取消我的订单\",\"QlSZU0\":[\"您正在模拟 <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"您正在发出部分退款。客户将获得 \",[\"0\"],\" \",[\"1\"],\" 的退款。\"],\"casL1O\":\"您已向免费产品添加了税费。您想要删除它们吗?\",\"FVTVBy\":\"您必须先验证电子邮箱地址,才能更新组织者状态。\",\"FRl8Jv\":\"您需要验证您的帐户电子邮件才能发送消息。\",\"U3wiCB\":\"一切就绪!您的付款正在顺利处理。\",\"MNFIxz\":[\"您将参加 \",[\"0\"],\"!\"],\"x/xjzn\":\"您的推广员已成功导出。\",\"TF37u6\":\"您的与会者已成功导出。\",\"79lXGw\":\"您的签到列表已成功创建。与您的签到工作人员共享以下链接。\",\"BnlG9U\":\"您当前的订单将丢失。\",\"nBqgQb\":\"您的电子邮件\",\"R02pnV\":\"在向与会者销售门票之前,您的活动必须处于上线状态。\",\"ifRqmm\":\"您的消息已成功发送!\",\"/Rj5P4\":\"您的姓名\",\"naQW82\":\"您的订单已被取消。\",\"bhlHm/\":\"您的订单正在等待付款\",\"XeNum6\":\"您的订单已成功导出。\",\"Xd1R1a\":\"您组织者的地址\",\"WWYHKD\":\"您的付款受到银行级加密保护\",\"6heFYY\":\"您的 Stripe 账户已连接并正在处理付款。\",\"vvO1I2\":\"您的 Stripe 账户已连接并准备好处理支付。\",\"CnZ3Ou\":\"您的门票已确认。\",\"d/CiU9\":\"保存时将自动验证您的增值税号码\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/zh-cn.po b/frontend/src/locales/zh-cn.po index 85771f1656..caa6d79a12 100644 --- a/frontend/src/locales/zh-cn.po +++ b/frontend/src/locales/zh-cn.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -62,7 +62,7 @@ msgstr "成功创建 {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "剩余 {0}" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+税费" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -259,15 +259,15 @@ msgstr "标准税,如增值税或消费税" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "已放弃" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "关于" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "关于 Stripe Connect" @@ -288,8 +288,8 @@ msgstr "通过 Stripe 接受信用卡支付" msgid "Accept Invitation" msgstr "接受邀请" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "访问被拒绝" @@ -298,7 +298,7 @@ msgstr "访问被拒绝" msgid "Account" msgstr "账户" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "账户已连接!" @@ -321,10 +321,14 @@ msgstr "账户更新成功" msgid "Accounts" msgstr "账户" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "需要操作:重新连接您的 Stripe 账户" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "需要操作:需要提供增值税信息" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "增加层级" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "添加到日历" @@ -549,7 +553,7 @@ msgstr "本次活动的所有与会者" msgid "All Currencies" msgstr "所有货币" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "全部完成!您现在正在使用我们升级的支付系统。" @@ -579,8 +583,8 @@ msgstr "允许搜索引擎索引" msgid "Allow search engines to index this event" msgstr "允许搜索引擎索引此事件" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "快完成了!完成连接您的 Stripe 账户以开始接受付款。" @@ -602,7 +606,7 @@ msgstr "同时退款此订单" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "始终可用" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "问题排序时发生错误。请重试或刷新页面" #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "在突出显示的产品上显示的可选消息,例如\"热卖中🔥\"或\"超值优惠\"" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -727,7 +731,7 @@ msgstr "确定要删除此模板吗?此操作无法撤消,邮件将回退到 msgid "Are you sure you want to delete this webhook?" msgstr "您确定要删除此 Webhook 吗?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "您确定要离开吗?" @@ -777,10 +781,23 @@ msgstr "您确定要删除此容量分配吗?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "您确定要删除此签到列表吗?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "您在欧盟注册了增值税吗?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "艺术" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "由于您的企业位于爱尔兰,所有平台费用将自动适用23%的爱尔兰增值税。" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "由于您的企业位于欧盟,我们需要确定平台费用的正确增值税处理方式:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "每份订单询问一次" @@ -819,7 +836,7 @@ msgstr "与会者详情" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "参与者详情将从订单信息中复制。" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -827,11 +844,11 @@ msgstr "参会者邮箱" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "参与者信息收集" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "参与者信息收集设置为\"每个订单\"。参与者详情将从订单信息中复制。" #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -906,7 +923,7 @@ msgstr "使用多个签到列表和实时验证的自动化入场管理" #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "根据背景颜色自动检测,但可以手动覆盖" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1029,7 +1046,7 @@ msgstr "按钮文字" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "继续操作即表示您同意<0>{0}服务条款" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1108,7 +1125,7 @@ msgstr "无法签到" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "无法签到(已取消)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1387,7 +1404,7 @@ msgstr "当活动页面初始加载时折叠此产品" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "收集每张购买门票的参与者详情。" #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "颜色" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "颜色模式" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,7 +1425,7 @@ msgstr "颜色" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "列" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1437,7 +1454,7 @@ msgstr "完成付款" msgid "Complete Stripe Setup" msgstr "完成 Stripe 设置" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "完成下面的设置以继续" @@ -1530,11 +1547,11 @@ msgstr "确认电子邮件地址..." msgid "Congratulations on creating an event!" msgstr "恭喜你创建了一个活动!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "连接并升级" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "连接文档" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "连接 CRM 并使用 Webhook 和集成自动化任务" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "与 Stripe 连接" @@ -1571,15 +1588,15 @@ msgstr "与 Stripe 连接" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "连接您的 Stripe 账户以接受门票和产品付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "连接您的 Stripe 账户以接受付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "连接您的 Stripe 账户以开始接受您活动的付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "连接您的 Stripe 账户以开始接受付款。" @@ -1587,8 +1604,8 @@ msgstr "连接您的 Stripe 账户以开始接受付款。" msgid "Connect your Stripe account to start receiving payments." msgstr "连接 Stripe 账户,开始接收付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "已连接到 Stripe" @@ -1596,7 +1613,7 @@ msgstr "已连接到 Stripe" msgid "Connection Details" msgstr "连接详情" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "联系" @@ -1926,13 +1943,13 @@ msgstr "货币" msgid "Current Password" msgstr "当前密码" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "当前支付处理器" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "当前可购买" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2057,7 +2074,7 @@ msgstr "危险区" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "深色" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2091,7 +2108,7 @@ msgstr "第一天容量" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "默认参与者信息收集" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2205,7 +2222,7 @@ msgstr "显示一个复选框,允许客户选择接收此活动组织者的营 msgid "Document Label" msgstr "文档标签" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "文档" @@ -2219,7 +2236,7 @@ msgstr "还没有账户? <0>注册" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "捐赠" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2268,12 +2285,12 @@ msgid "" "Due to the high risk of spam, you must connect a Stripe account before you can send messages to attendees.\n" "This is to ensure that all event organizers are verified and accountable." msgstr "" -"由于垃圾邮件风险较高,您必须先连接 Stripe 账户才能向参与者发送消息。\n" -"这是为了确保所有活动组织者都经过验证并承担责任。" +"由于垃圾邮件风险较高,您必须连接Stripe账户才能向参与者发送消息。\n" +"这是为了确保所有活动组织者都经过验证并负责。" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "复制" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2608,6 +2625,10 @@ msgstr "输入您的电子邮箱" msgid "Enter your name" msgstr "输入您的姓名" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "确认更改电子邮件时出错" msgid "Error loading logs" msgstr "加载日志时出错" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "欧盟增值税注册企业:适用反向收费机制(0% - 增值税指令2006/112/EC第196条)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2808,7 +2834,7 @@ msgstr "活动表现" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "未来24小时内开始的活动" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2934,6 +2960,10 @@ msgstr "重新发送验证码失败" msgid "Failed to save template" msgstr "保存模板失败" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "保存增值税设置失败。请重试。" + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "发送消息失败。请重试。" @@ -2993,7 +3023,7 @@ msgstr "费用" msgid "Fees" msgstr "费用" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "费用可能会变更。如有变更,您将收到通知。" @@ -3023,12 +3053,12 @@ msgstr "筛选器" msgid "Filters ({activeFilterCount})" msgstr "筛选器 ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "完成设置" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "完成 Stripe 设置" @@ -3080,7 +3110,7 @@ msgstr "固定式" msgid "Fixed amount" msgstr "固定金额" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "固定费用:" @@ -3164,7 +3194,7 @@ msgstr "生成代码" msgid "German" msgstr "德国" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "获取路线" @@ -3172,9 +3202,9 @@ msgstr "获取路线" msgid "Get started for free, no subscription fees" msgstr "免费开始,无订阅费用" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "获取门票" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3203,7 +3233,7 @@ msgstr "返回主页" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "良好的可读性" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3256,7 +3286,7 @@ msgstr "下面是 React 组件,您可以用它在应用程序中嵌入 widget msgid "Here is your affiliate link" msgstr "这是您的推广链接" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "预期结果:" @@ -3267,7 +3297,7 @@ msgstr "你好 {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "隐藏" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3293,7 +3323,7 @@ msgstr "隐藏" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "隐藏附加选项" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3357,7 +3387,7 @@ msgstr "突出显示此产品" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "已突出显示" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3440,6 +3470,10 @@ msgstr "如果启用,登记工作人员可以将与会者标记为已登记或 msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "如果启用,当有新订单时,组织者将收到电子邮件通知" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "如已注册,请提供您的增值税号码以供验证" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "如果您没有要求更改密码,请立即更改密码。" @@ -3493,11 +3527,11 @@ msgstr "重要:需要重新连接 Stripe" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "{diffHours}小时后" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "{diffMinutes}分钟后" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3532,6 +3566,10 @@ msgstr "包括{0}个产品" msgid "Includes 1 product" msgstr "包括1个产品" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "表明您是否在欧盟注册了增值税" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "个人与会者" @@ -3570,6 +3608,10 @@ msgstr "邮箱格式无效" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "无效的Liquid语法。请更正后再试。" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "再次发出邀请!" @@ -3600,7 +3642,7 @@ msgstr "邀请您的团队" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "发票" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3619,6 +3661,10 @@ msgstr "发票编号" msgid "Invoice Settings" msgstr "发票设置" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "平台费用将适用23%的爱尔兰增值税(国内供应)。" + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "意大利语" @@ -3629,11 +3675,11 @@ msgstr "项目" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "项" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "项目" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3643,11 +3689,11 @@ msgstr "约翰" msgid "Johnson" msgstr "约翰逊" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "随时随地加入" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "只需点击下面的按钮重新连接您的 Stripe 账户。" @@ -3657,7 +3703,7 @@ msgstr "只是在找您的票?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "及时向我更新来自{0}的新闻和活动" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3751,7 +3797,7 @@ msgstr "留空以使用默认词“发票”" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "浅色" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "加载中..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "管理机票" msgid "Manage your account details and default settings" msgstr "管理账户详情和默认设置" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "管理您的支付处理并查看平台费用" @@ -4107,6 +4153,10 @@ msgstr "新密码" msgid "Nightlife" msgstr "夜生活" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "否 - 我是个人或未注册增值税的企业" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "无账户" @@ -4173,7 +4223,7 @@ msgstr "无折扣" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "无结束日期" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4185,7 +4235,7 @@ msgstr "未找到活动" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "未来24小时内没有开始的活动" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4199,13 +4249,13 @@ msgstr "尚无活动" msgid "No filters available" msgstr "没有可用筛选器" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "不影响您当前或过去的交易" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "无发票" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4311,10 +4361,15 @@ msgstr "此端点尚未记录任何 Webhook 事件。事件触发后将显示在 msgid "No Webhooks" msgstr "没有 Webhooks" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "否,保留在此" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "未注册增值税的企业或个人:适用23%的爱尔兰增值税" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,9 +4462,9 @@ msgstr "销售中" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "销售于{0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "升级完成后,您的旧账户将仅用于退款。" @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "在线活动" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "在线活动" @@ -4453,7 +4508,8 @@ msgid "" "Only important emails, which are directly related to this event, should be sent using this form.\n" "Any misuse, including sending promotional emails, will lead to an immediate account ban." msgstr "" -"只有与本次活动直接相关的重要邮件才能使用此表单发送。\n" +"仅应使用此表单发送与此活动直接相关的重要电子邮件。\n" +"任何滥用行为,包括发送促销电子邮件,都将导致账户立即被封禁。只有与本次活动直接相关的重要邮件才能使用此表单发送。\n" "任何滥用行为,包括发送促销邮件,都将导致账户立即被封禁。" #: src/components/modals/SendMessageModal/index.tsx:221 @@ -4462,7 +4518,7 @@ msgstr "仅发送给具有这些状态的订单" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "仅使用促销代码可见" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4473,9 +4529,9 @@ msgstr "打开签到页面" msgid "Open sidebar" msgstr "打开侧边栏" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "打开 Stripe 仪表板" @@ -4523,7 +4579,7 @@ msgstr "订购" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "订单和门票" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4594,7 +4650,7 @@ msgstr "订单姓氏" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "订单限制" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4723,7 +4779,7 @@ msgstr "组织名称" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4850,7 +4906,7 @@ msgstr "部分退款" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "部分退款:{0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4911,7 +4967,7 @@ msgstr "付款" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "付款解锁" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4952,9 +5008,9 @@ msgstr "付款方式" msgid "Payment Methods" msgstr "支付方式" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "支付处理" @@ -4970,7 +5026,7 @@ msgstr "已收到付款" msgid "Payment Received" msgstr "已收到付款" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "支付设置" @@ -4990,19 +5046,19 @@ msgstr "付款条款" msgid "Payments not available" msgstr "付款不可用" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "付款将继续无中断流转" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "每个订单" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "每张门票" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5033,7 +5089,7 @@ msgstr "将其放在网站的 中。" msgid "Planning an event?" msgstr "计划举办活动?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "平台费用" @@ -5090,6 +5146,10 @@ msgstr "请输入5位数验证码" msgid "Please enter your new password" msgstr "请输入新密码" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "请输入您的增值税号码" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "请注意" @@ -5112,7 +5172,7 @@ msgstr "请选择" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "请选择日期范围" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5205,7 +5265,7 @@ msgstr "门票价格" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "价格层级" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5229,7 +5289,7 @@ msgstr "打印预览" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "打印门票" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5240,7 +5300,7 @@ msgstr "打印票" msgid "Print to PDF" msgstr "打印为PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "隐私政策" @@ -5386,7 +5446,7 @@ msgstr "促销代码报告" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "仅促销" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5404,7 +5464,7 @@ msgstr "发布活动" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "已购买" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5458,7 +5518,7 @@ msgstr "费率" msgid "Read less" msgstr "更多信息" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "准备升级?这只需要几分钟。" @@ -5480,10 +5540,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "正在重定向到 Stripe..." @@ -5497,7 +5557,7 @@ msgstr "退款金额" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "退款失败" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5513,7 +5573,7 @@ msgstr "退款订单 {0}" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "退款处理中" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5533,7 +5593,7 @@ msgstr "退款" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "已退款:{0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5614,7 +5674,7 @@ msgstr "重新发送..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "已预订" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5646,7 +5706,7 @@ msgstr "恢复活动" msgid "Return to Event" msgstr "返回活动" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "返回活动页面" @@ -5677,16 +5737,16 @@ msgstr "销售结束日期" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "销售已于{0}结束" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "销售于{0}结束" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "销售期" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5695,7 +5755,7 @@ msgstr "销售开始日期" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "销售于{0}开始" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5703,7 +5763,7 @@ msgstr "销售" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "销售已暂停" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5775,6 +5835,10 @@ msgstr "保存模板" msgid "Save Ticket Design" msgstr "保存票券设计" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "保存增值税设置" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5782,7 +5846,7 @@ msgstr "扫描" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "已安排" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5851,7 +5915,7 @@ msgstr "辅助文字颜色" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "安全结账" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6056,7 +6120,7 @@ msgstr "设定最低价格,用户可选择支付更高的价格" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "为此组织者创建的新活动设置默认设置。" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6092,7 +6156,7 @@ msgid "Setup in Minutes" msgstr "几分钟内完成设置" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6117,7 +6181,7 @@ msgstr "分享组织者页面" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "显示附加选项" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6211,7 +6275,7 @@ msgstr "已售" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "已售出" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6219,7 +6283,7 @@ msgid "Sold out" msgstr "售罄" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "售罄" @@ -6327,7 +6391,7 @@ msgstr "统计数据" msgid "Status" msgstr "状态" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "仍在处理您旧交易的退款。" @@ -6340,7 +6404,7 @@ msgstr "停止模拟" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6443,7 +6507,7 @@ msgstr "成功更新活动" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "成功更新活动默认设置" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6537,7 +6601,7 @@ msgstr "切换组织者" msgid "T-shirt" msgstr "T恤衫" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "只需几分钟" @@ -6590,7 +6654,7 @@ msgstr "税收" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "已应用税费" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6600,7 +6664,7 @@ msgstr "税费" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "税费、销售期、订单限制和可见性设置" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6638,20 +6702,20 @@ msgstr "模板删除成功" msgid "Template saved successfully" msgstr "模板保存成功" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "服务条款" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "文字可能难以阅读" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "感谢您的参与!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "感谢您的支持,我们将继续发展和改进 Hi.Events!" @@ -6662,7 +6726,7 @@ msgstr "促销代码无效" #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "页面的背景颜色。使用封面图片时,此颜色将作为叠加层应用。" #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6740,7 +6804,7 @@ msgstr "显示给客户的价格不包括税费。税费将单独显示" #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "用于按钮和突出显示的主要品牌颜色" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6843,7 +6907,7 @@ msgstr "此代码将用于跟踪销售。只允许字母、数字、连字符和 #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "此颜色组合对某些用户来说可能难以阅读" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6911,7 +6975,7 @@ msgstr "此订购页面已不可用。" #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "此订单已被放弃。您可以随时开始新订单。" #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6939,11 +7003,11 @@ msgstr "此产品为门票。购买后买家将收到门票" #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "此产品在活动页面上已突出显示" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "此产品已售罄" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6986,7 +7050,7 @@ msgstr "门票" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "门票已取消" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7052,19 +7116,19 @@ msgstr "门票链接" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "门票" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "门票" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "票务与商品" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "门票有售" @@ -7118,13 +7182,13 @@ msgstr "时区" msgid "TIP" msgstr "TIP" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "要接受信用卡付款,您需要连接您的 Stripe 账户。Stripe 是我们的支付处理合作伙伴,确保安全交易和及时付款。" #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "切换列" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7200,7 +7264,7 @@ msgstr "总用户数" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "通过详细的分析和可导出的报告跟踪收入、页面浏览量和销售情况" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "交易手续费:" @@ -7355,7 +7419,7 @@ msgstr "更新活动名称、说明和日期" msgid "Update profile" msgstr "更新个人资料" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "可升级" @@ -7429,7 +7493,7 @@ msgstr "使用封面图片" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:48 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:38 msgid "Use order details for all attendees. Attendee names and emails will match the buyer's information." -msgstr "" +msgstr "对所有参与者使用订单详情。参与者姓名和电子邮件将与买家信息匹配。" #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" @@ -7464,10 +7528,63 @@ msgstr "用户可在 <0>\"配置文件设置\" 中更改自己的电子邮 msgid "UTC" msgstr "世界协调时" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "有效的增值税号码" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "增值税" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "增值税信息" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "根据您的增值税注册状态,平台费用可能需要缴纳增值税。请填写下面的增值税信息部分。" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "增值税号码" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "增值税号码验证失败。请检查您的号码并重试。" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "增值税注册信息" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "增值税设置已成功保存并验证" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "增值税设置已保存但验证失败。请检查您的增值税号码。" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "增值税设置已成功保存" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "平台费用的增值税处理" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "平台费用的增值税处理:欧盟增值税注册企业可以使用反向收费机制(0% - 增值税指令2006/112/EC第196条)。未注册增值税的企业需缴纳23%的爱尔兰增值税。" + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "地点名称" @@ -7535,12 +7652,12 @@ msgstr "查看日志" msgid "View map" msgstr "查看地图" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "查看地图" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "在谷歌地图上查看" @@ -7652,7 +7769,7 @@ msgstr "我们将把您的门票发送到此邮箱" msgid "We're processing your order. Please wait..." msgstr "我们正在处理您的订单。请稍候..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "我们已正式将总部迁至爱尔兰 🇮🇪。作为此次过渡的一部分,我们现在使用 Stripe 爱尔兰而不是 Stripe 加拿大。为了保持您的付款顺利进行,您需要重新连接您的 Stripe 账户。" @@ -7758,6 +7875,10 @@ msgstr "什么类型的活动?" msgid "What type of question is this?" msgstr "这是什么类型的问题?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "您需要做的事:" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7901,7 +8022,11 @@ msgstr "X(推特)" msgid "Year to date" msgstr "年度至今" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "是 - 我有有效的欧盟增值税注册号码" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "是,取消我的订单" @@ -8035,7 +8160,7 @@ msgstr "在您创建容量分配之前,您需要一个产品。" msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "您需要至少一个产品才能开始。免费、付费或让用户决定支付金额。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "一切就绪!您的付款正在顺利处理。" @@ -8067,7 +8192,7 @@ msgstr "您的网站真棒 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "您的签到列表已成功创建。与您的签到工作人员共享以下链接。" -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "您当前的订单将丢失。" @@ -8139,7 +8264,7 @@ msgstr "您的付款正在处理中。" #: src/components/common/InlineOrderSummary/index.tsx:170 msgid "Your payment is protected with bank-level encryption" -msgstr "" +msgstr "您的付款受到银行级加密保护" #: src/components/forms/StripeCheckoutForm/index.tsx:66 msgid "Your payment was not successful, please try again." @@ -8153,12 +8278,12 @@ msgstr "您的付款未成功。请重试。" msgid "Your refund is processing." msgstr "您的退款正在处理中。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "您的 Stripe 账户已连接并正在处理付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "您的 Stripe 账户已连接并准备好处理支付。" @@ -8170,6 +8295,10 @@ msgstr "您的入场券" msgid "Your tickets have been confirmed." msgstr "您的门票已确认。" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "保存时将自动验证您的增值税号码" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/locales/zh-hk.js b/frontend/src/locales/zh-hk.js index fe9b39df29..8fa9c0b1ae 100644 --- a/frontend/src/locales/zh-hk.js +++ b/frontend/src/locales/zh-hk.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"There's nothing to show yet\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>簽到成功\"],\"yxhYRZ\":[[\"0\"],\" <0>簽退成功\"],\"KMgp2+\":[[\"0\"],\"可用\"],\"Pmr5xp\":[\"成功創建 \",[\"0\"]],\"FImCSc\":[[\"0\"],\"更新成功\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" 已簽到\"],\"Vjij1k\":[[\"days\"],\" 天, \",[\"hours\"],\" 小時, \",[\"minutes\"],\" 分鐘, 和 \",[\"seconds\"],\" 秒\"],\"f3RdEk\":[[\"hours\"],\" 小時, \",[\"minutes\"],\" 分鐘, 和 \",[\"seconds\"],\" 秒\"],\"fyE7Au\":[[\"分\"],\"分鐘和\",[\"秒\"],\"秒鐘\"],\"NlQ0cx\":[[\"組織者名稱\"],\"的首次活動\"],\"Ul6IgC\":\"<0>容量分配讓你可以管理票務或整個活動的容量。非常適合多日活動、研討會等,需要控制出席人數的場合。<1>例如,你可以將容量分配與<2>第一天和<3>所有天數的票關聯起來。一旦達到容量,這兩種票將自動停止銷售。\",\"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>請輸入不含税費的價格。<1>税費可以在下方添加。\",\"ZjMs6e\":\"<0>該產品的可用數量<1>如果該產品有相關的<2>容量限制,此值可以被覆蓋。\",\"E15xs8\":\"⚡️ 設置您的活動\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 自定義活動頁面\",\"3VPPdS\":\"與 Stripe 連接\",\"cjdktw\":\"🚀 實時設置您的活動\",\"rmelwV\":\"0 分 0 秒\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"緬因街 123 號\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"日期輸入字段。非常適合詢問出生日期等。\",\"6euFZ/\":[\"默認的\",[\"type\"],\"會自動應用於所有新產品。您可以為每個產品單獨覆蓋此設置。\"],\"SMUbbQ\":\"下拉式輸入法只允許一個選擇\",\"qv4bfj\":\"費用,如預訂費或服務費\",\"POT0K/\":\"每個產品的固定金額。例如,每個產品$0.50\",\"f4vJgj\":\"多行文本輸入\",\"OIPtI5\":\"產品價格的百分比。例如,3.5%的產品價格\",\"ZthcdI\":\"無折扣的促銷代碼可以用來顯示隱藏的產品。\",\"AG/qmQ\":\"單選題有多個選項,但只能選擇一個。\",\"h179TP\":\"活動的簡短描述,將顯示在搜索引擎結果中,並在社交媒體上分享時顯示。默認情況下,將使用活動描述\",\"WKMnh4\":\"單行文本輸入\",\"BHZbFy\":\"每個訂單一個問題。例如,您的送貨地址是什麼?\",\"Fuh+dI\":\"每個產品一個問題。例如,您的T恤尺碼是多少?\",\"RlJmQg\":\"標準税,如增值税或消費税\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"接受銀行轉賬、支票或其他線下支付方式\",\"hrvLf4\":\"通過 Stripe 接受信用卡支付\",\"bfXQ+N\":\"接受邀請\",\"AeXO77\":\"賬户\",\"lkNdiH\":\"賬户名稱\",\"Puv7+X\":\"賬户設置\",\"OmylXO\":\"賬户更新成功\",\"7L01XJ\":\"操作\",\"FQBaXG\":\"激活\",\"5T2HxQ\":\"激活日期\",\"F6pfE9\":\"活躍\",\"/PN1DA\":\"為此簽到列表添加描述\",\"0/vPdA\":\"添加有關與會者的任何備註。這些將不會對與會者可見。\",\"Or1CPR\":\"添加有關與會者的任何備註...\",\"l3sZO1\":\"添加關於訂單的備註。這些信息不會對客户可見。\",\"xMekgu\":\"添加關於訂單的備註...\",\"PGPGsL\":\"添加描述\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"添加線下支付的説明(例如,銀行轉賬詳情、支票寄送地址、付款截止日期)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"添加新內容\",\"TZxnm8\":\"添加選項\",\"24l4x6\":\"添加產品\",\"8q0EdE\":\"將產品添加到類別\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"添加問題\",\"yWiPh+\":\"加税或費用\",\"goOKRY\":\"增加層級\",\"oZW/gT\":\"添加到日曆\",\"pn5qSs\":\"附加信息\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"地址\",\"NY/x1b\":\"地址第 1 行\",\"POdIrN\":\"地址 1\",\"cormHa\":\"地址第 2 行\",\"gwk5gg\":\"地址第 2 行\",\"U3pytU\":\"管理員\",\"HLDaLi\":\"管理員用户可以完全訪問事件和賬户設置。\",\"W7AfhC\":\"本次活動的所有與會者\",\"cde2hc\":\"所有產品\",\"5CQ+r0\":\"允許與未支付訂單關聯的參與者簽到\",\"ipYKgM\":\"允許搜索引擎索引\",\"LRbt6D\":\"允許搜索引擎索引此事件\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"令人驚歎, 活動, 關鍵詞...\",\"hehnjM\":\"金額\",\"R2O9Rg\":[\"支付金額 (\",[\"0\"],\")\"],\"V7MwOy\":\"加載頁面時出現錯誤\",\"Q7UCEH\":\"問題排序時發生錯誤。請重試或刷新頁面\",\"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\":\"出現意外錯誤。\",\"byKna+\":\"出現意外錯誤。請重試。\",\"ubdMGz\":\"產品持有者的任何查詢都將發送到此電子郵件地址。此地址還將用作從此活動發送的所有電子郵件的“回覆至”地址\",\"aAIQg2\":\"外觀\",\"Ym1gnK\":\"應用\",\"sy6fss\":[\"適用於\",[\"0\"],\"個產品\"],\"kadJKg\":\"適用於1個產品\",\"DB8zMK\":\"應用\",\"GctSSm\":\"應用促銷代碼\",\"ARBThj\":[\"將此\",[\"type\"],\"應用於所有新產品\"],\"S0ctOE\":\"歸檔活動\",\"TdfEV7\":\"已歸檔\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"您確定要激活該與會者嗎?\",\"TvkW9+\":\"您確定要歸檔此活動嗎?\",\"/CV2x+\":\"您確定要取消該與會者嗎?這將使其門票作廢\",\"YgRSEE\":\"您確定要刪除此促銷代碼嗎?\",\"iU234U\":\"您確定要刪除這個問題嗎?\",\"CMyVEK\":\"您確定要將此活動設為草稿嗎?這將使公眾無法看到該活動\",\"mEHQ8I\":\"您確定要將此事件公開嗎?這將使事件對公眾可見\",\"s4JozW\":\"您確定要恢復此活動嗎?它將作為草稿恢復。\",\"vJuISq\":\"您確定要刪除此容量分配嗎?\",\"baHeCz\":\"您確定要刪除此簽到列表嗎?\",\"LBLOqH\":\"每份訂單詢問一次\",\"wu98dY\":\"每個產品詢問一次\",\"ss9PbX\":\"參加者\",\"m0CFV2\":\"與會者詳情\",\"QKim6l\":\"未找到參與者\",\"R5IT/I\":\"與會者備註\",\"lXcSD2\":\"與會者提問\",\"HT/08n\":\"參會者票\",\"9SZT4E\":\"參與者\",\"iPBfZP\":\"註冊的參會者\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"自動調整大小\",\"vZ5qKF\":\"根據內容自動調整 widget 高度。禁用時,窗口小部件將填充容器的高度。\",\"4lVaWA\":\"等待線下付款\",\"2rHwhl\":\"等待線下付款\",\"3wF4Q/\":\"等待付款\",\"ioG+xt\":\"等待付款\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"返回活動頁面\",\"VCoEm+\":\"返回登錄\",\"k1bLf+\":\"背景顏色\",\"I7xjqg\":\"背景類型\",\"1mwMl+\":\"發送之前\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"賬單地址\",\"/xC/im\":\"賬單設置\",\"rp/zaT\":\"巴西葡萄牙語\",\"whqocw\":\"註冊即表示您同意我們的<0>服務條款和<1>隱私政策。\",\"bcCn6r\":\"計算類型\",\"+8bmSu\":\"加利福尼亞州\",\"iStTQt\":\"相機權限被拒絕。<0>再次請求權限,如果還不行,則需要在瀏覽器設置中<1>授予此頁面訪問相機的權限。\",\"dEgA5A\":\"取消\",\"Gjt/py\":\"取消更改電子郵件\",\"tVJk4q\":\"取消訂單\",\"Os6n2a\":\"取消訂單\",\"Mz7Ygx\":[\"取消訂單 \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"已取消\",\"U7nGvl\":\"無法簽到\",\"QyjCeq\":\"容量\",\"V6Q5RZ\":\"容量分配創建成功\",\"k5p8dz\":\"容量分配刪除成功\",\"nDBs04\":\"容量管理\",\"ddha3c\":\"類別允許您將產品分組。例如,您可以有一個“門票”類別和另一個“商品”類別。\",\"iS0wAT\":\"類別幫助您組織產品。此標題將在公共活動頁面上顯示。\",\"eorM7z\":\"類別重新排序成功。\",\"3EXqwa\":\"類別創建成功\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"更改密碼\",\"xMDm+I\":\"簽到\",\"p2WLr3\":[\"簽到 \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"簽到並標記訂單為已付款\",\"QYLpB4\":\"僅簽到\",\"/Ta1d4\":\"簽出\",\"5LDT6f\":\"看看這個活動吧!\",\"gXcPxc\":\"辦理登機手續\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"簽到列表刪除成功\",\"+hBhWk\":\"簽到列表已過期\",\"mBsBHq\":\"簽到列表未激活\",\"vPqpQG\":\"未找到簽到列表\",\"tejfAy\":\"簽到列表\",\"hD1ocH\":\"簽到鏈接已複製到剪貼板\",\"CNafaC\":\"複選框選項允許多重選擇\",\"SpabVf\":\"複選框\",\"CRu4lK\":\"已簽到\",\"znIg+z\":\"結賬\",\"1WnhCL\":\"結賬設置\",\"6imsQS\":\"簡體中文\",\"JjkX4+\":\"選擇背景顏色\",\"/Jizh9\":\"選擇賬户\",\"3wV73y\":\"城市\",\"FG98gC\":\"清除搜索文本\",\"EYeuMv\":\"click here\",\"sby+1/\":\"點擊複製\",\"yz7wBu\":\"關閉\",\"62Ciis\":\"關閉側邊欄\",\"EWPtMO\":\"代碼\",\"ercTDX\":\"代碼長度必須在 3 至 50 個字符之間\",\"oqr9HB\":\"當活動頁面初始加載時摺疊此產品\",\"jZlrte\":\"顏色\",\"Vd+LC3\":\"顏色必須是有效的十六進制顏色代碼。例如#ffffff\",\"1HfW/F\":\"顏色\",\"VZeG/A\":\"即將推出\",\"yPI7n9\":\"以逗號分隔的描述活動的關鍵字。搜索引擎將使用這些關鍵字來幫助對活動進行分類和索引\",\"NPZqBL\":\"完整訂單\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"完成付款\",\"qqWcBV\":\"已完成\",\"6HK5Ct\":\"已完成訂單\",\"NWVRtl\":\"已完成訂單\",\"DwF9eH\":\"組件代碼\",\"Tf55h7\":\"已配置折扣\",\"7VpPHA\":\"確認\",\"ZaEJZM\":\"確認電子郵件更改\",\"yjkELF\":\"確認新密碼\",\"xnWESi\":\"確認密碼\",\"p2/GCq\":\"確認密碼\",\"wnDgGj\":\"確認電子郵件地址...\",\"pbAk7a\":\"連接條紋\",\"UMGQOh\":\"與 Stripe 連接\",\"QKLP1W\":\"連接 Stripe 賬户,開始接收付款。\",\"5lcVkL\":\"連接詳情\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"繼續\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"繼續按鈕文本\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"繼續設置\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"複製的\",\"T5rdis\":\"複製到剪貼板\",\"he3ygx\":\"複製\",\"r2B2P8\":\"複製簽到鏈接\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"複製鏈接\",\"E6nRW7\":\"複製 URL\",\"JNCzPW\":\"國家\",\"IF7RiR\":\"封面\",\"hYgDIe\":\"創建\",\"b9XOHo\":[\"創建 \",[\"0\"]],\"k9RiLi\":\"創建一個產品\",\"6kdXbW\":\"創建促銷代碼\",\"n5pRtF\":\"創建票單\",\"X6sRve\":[\"創建賬户或 <0>\",[\"0\"],\" 開始使用\"],\"nx+rqg\":\"創建一個組織者\",\"ipP6Ue\":\"創建與會者\",\"VwdqVy\":\"創建容量分配\",\"EwoMtl\":\"創建類別\",\"XletzW\":\"創建類別\",\"WVbTwK\":\"創建簽到列表\",\"uN355O\":\"創建活動\",\"BOqY23\":\"創建新的\",\"kpJAeS\":\"創建組織器\",\"a0EjD+\":\"創建產品\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"創建促銷代碼\",\"B3Mkdt\":\"創建問題\",\"UKfi21\":\"創建税費\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"貨幣\",\"DCKkhU\":\"當前密碼\",\"uIElGP\":\"自定義地圖 URL\",\"UEqXyt\":\"自定義範圍\",\"876pfE\":\"客户\",\"QOg2Sf\":\"自定義此事件的電子郵件和通知設置\",\"Y9Z/vP\":\"定製活動主頁和結賬信息\",\"2E2O5H\":\"自定義此事件的其他設置\",\"iJhSxe\":\"自定義此事件的搜索引擎優化設置\",\"KIhhpi\":\"定製您的活動頁面\",\"nrGWUv\":\"定製您的活動頁面,以符合您的品牌和風格。\",\"Zz6Cxn\":\"危險區\",\"ZQKLI1\":\"危險區\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"日期\",\"JvUngl\":\"日期和時間\",\"JJhRbH\":\"第一天容量\",\"cnGeoo\":\"刪除\",\"jRJZxD\":\"刪除容量\",\"VskHIx\":\"刪除類別\",\"Qrc8RZ\":\"刪除簽到列表\",\"WHf154\":\"刪除代碼\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"刪除問題\",\"Nu4oKW\":\"説明\",\"YC3oXa\":\"簽到工作人員的描述\",\"URmyfc\":\"詳細信息\",\"1lRT3t\":\"禁用此容量將跟蹤銷售情況,但不會在達到限制時停止銷售\",\"H6Ma8Z\":\"折扣\",\"ypJ62C\":\"折扣率\",\"3LtiBI\":[[\"0\"],\"中的折扣\"],\"C8JLas\":\"折扣類型\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"文檔標籤\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"捐贈 / 自由定價產品\",\"OvNbls\":\"下載 .ics\",\"kodV18\":\"下載 CSV\",\"CELKku\":\"下載發票\",\"LQrXcu\":\"下載發票\",\"QIodqd\":\"下載二維碼\",\"yhjU+j\":\"正在下載發票\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"下拉選擇\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"複製活動\",\"3ogkAk\":\"複製活動\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"複製選項\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"早起的鳥兒\",\"ePK91l\":\"編輯\",\"N6j2JH\":[\"編輯 \",[\"0\"]],\"kBkYSa\":\"編輯容量\",\"oHE9JT\":\"編輯容量分配\",\"j1Jl7s\":\"編輯類別\",\"FU1gvP\":\"編輯簽到列表\",\"iFgaVN\":\"編輯代碼\",\"jrBSO1\":\"編輯組織器\",\"tdD/QN\":\"編輯產品\",\"n143Tq\":\"編輯產品類別\",\"9BdS63\":\"編輯促銷代碼\",\"O0CE67\":\"編輯問題\",\"EzwCw7\":\"編輯問題\",\"poTr35\":\"編輯用户\",\"GTOcxw\":\"編輯用户\",\"pqFrv2\":\"例如2.50 換 2.50\",\"3yiej1\":\"例如23.5 表示 23.5%\",\"O3oNi5\":\"電子郵件\",\"VxYKoK\":\"電子郵件和通知設置\",\"ATGYL1\":\"電子郵件地址\",\"hzKQCy\":\"電子郵件地址\",\"HqP6Qf\":\"電子郵件更改已成功取消\",\"mISwW1\":\"電子郵件更改待定\",\"APuxIE\":\"重新發送電子郵件確認\",\"YaCgdO\":\"成功重新發送電子郵件確認\",\"jyt+cx\":\"電子郵件頁腳信息\",\"I6F3cp\":\"電子郵件未經驗證\",\"NTZ/NX\":\"嵌入代碼\",\"4rnJq4\":\"嵌入腳本\",\"8oPbg1\":\"啟用發票功能\",\"j6w7d/\":\"啟用此容量以在達到限制時停止產品銷售\",\"VFv2ZC\":\"結束日期\",\"237hSL\":\"完工\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"英語\",\"MhVoma\":\"輸入不含税費的金額。\",\"SlfejT\":\"錯誤\",\"3Z223G\":\"確認電子郵件地址出錯\",\"a6gga1\":\"確認更改電子郵件時出錯\",\"5/63nR\":\"歐元\",\"0pC/y6\":\"活動\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"活動日期\",\"0Zptey\":\"事件默認值\",\"QcCPs8\":\"活動詳情\",\"6fuA9p\":\"事件成功複製\",\"AEuj2m\":\"活動主頁\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"活動地點和場地詳情\",\"OopDbA\":\"Event page\",\"4/If97\":\"活動狀態更新失敗。請稍後再試\",\"btxLWj\":\"事件狀態已更新\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"活動\",\"sZg7s1\":\"過期日期\",\"KnN1Tu\":\"到期\",\"uaSvqt\":\"有效期\",\"GS+Mus\":\"出口\",\"9xAp/j\":\"取消與會者失敗\",\"ZpieFv\":\"取消訂單失敗\",\"z6tdjE\":\"刪除信息失敗。請重試。\",\"xDzTh7\":\"下載發票失敗。請重試。\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"加載簽到列表失敗\",\"ZQ15eN\":\"重新發送票據電子郵件失敗\",\"ejXy+D\":\"產品排序失敗\",\"PLUB/s\":\"費用\",\"/mfICu\":\"費用\",\"LyFC7X\":\"篩選訂單\",\"cSev+j\":\"篩選器\",\"CVw2MU\":[\"篩選器 (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"第一張發票號碼\",\"V1EGGU\":\"姓名\",\"kODvZJ\":\"姓名\",\"S+tm06\":\"名字必須在 1 至 50 個字符之間\",\"1g0dC4\":\"名字、姓氏和電子郵件地址為默認問題,在結賬過程中始終包含。\",\"Rs/IcB\":\"首次使用\",\"TpqW74\":\"固定式\",\"irpUxR\":\"固定金額\",\"TF9opW\":\"該設備不支持閃存\",\"UNMVei\":\"忘記密碼?\",\"2POOFK\":\"免費\",\"P/OAYJ\":\"免費產品\",\"vAbVy9\":\"免費產品,無需付款信息\",\"nLC6tu\":\"法語\",\"Weq9zb\":\"常規\",\"DDcvSo\":\"德國\",\"4GLxhy\":\"入門\",\"4D3rRj\":\"返回個人資料\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"谷歌日曆\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"銷售總額\",\"yRg26W\":\"總銷售額\",\"R4r4XO\":\"賓客\",\"26pGvx\":\"有促銷代碼嗎?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"下面舉例説明如何在應用程序中使用該組件。\",\"Y1SSqh\":\"下面是 React 組件,您可以用它在應用程序中嵌入 widget。\",\"QuhVpV\":[\"你好 \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"隱藏於公眾視線之外\",\"gt3Xw9\":\"隱藏問題\",\"g3rqFe\":\"隱藏問題\",\"k3dfFD\":\"隱藏問題只有活動組織者可以看到,客户看不到。\",\"vLyv1R\":\"隱藏\",\"Mkkvfd\":\"隱藏入門頁面\",\"mFn5Xz\":\"隱藏隱藏問題\",\"YHsF9c\":\"在銷售結束日期後隱藏產品\",\"06s3w3\":\"在銷售開始日期前隱藏產品\",\"axVMjA\":\"除非用户有適用的促銷代碼,否則隱藏產品\",\"ySQGHV\":\"售罄時隱藏產品\",\"SCimta\":\"隱藏側邊欄中的入門頁面\",\"5xR17G\":\"對客户隱藏此產品\",\"Da29Y6\":\"隱藏此問題\",\"fvDQhr\":\"向用户隱藏此層級\",\"lNipG+\":\"隱藏產品將防止用户在活動頁面上看到它。\",\"ZOBwQn\":\"主頁設計\",\"PRuBTd\":\"主頁設計師\",\"YjVNGZ\":\"主頁預覽\",\"c3E/kw\":\"荷馬\",\"8k8Njd\":\"客户有多少分鐘來完成訂單。我們建議至少 15 分鐘\",\"ySxKZe\":\"這個代碼可以使用多少次?\",\"dZsDbK\":[\"HTML字符限制已超出:\",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"我同意<0>條款和條件。\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"如果為空,將使用地址生成 Google 地圖鏈接\",\"UYT+c8\":\"如果啟用,登記工作人員可以將與會者標記為已登記或將訂單標記為已支付並登記與會者。如果禁用,關聯未支付訂單的與會者無法登記。\",\"muXhGi\":\"如果啟用,當有新訂單時,組織者將收到電子郵件通知\",\"6fLyj/\":\"如果您沒有要求更改密碼,請立即更改密碼。\",\"n/ZDCz\":\"圖像已成功刪除\",\"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\":\"圖片上傳成功\",\"VyUuZb\":\"圖片網址\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"不活動\",\"T0K0yl\":\"非活動用户無法登錄。\",\"kO44sp\":\"包含您的在線活動的連接詳細信息。這些信息將在訂單摘要頁面和參會者門票頁面顯示。\",\"FlQKnG\":\"價格中包含税費\",\"Vi+BiW\":[\"包括\",[\"0\"],\"個產品\"],\"lpm0+y\":\"包括1個產品\",\"UiAk5P\":\"插入圖片\",\"OyLdaz\":\"再次發出邀請!\",\"HE6KcK\":\"撤銷邀請!\",\"SQKPvQ\":\"邀請用户\",\"bKOYkd\":\"發票下載成功\",\"alD1+n\":\"發票備註\",\"kOtCs2\":\"發票編號\",\"UZ2GSZ\":\"發票設置\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"項目\",\"KFXip/\":\"約翰\",\"XcgRvb\":\"約翰遜\",\"87a/t/\":\"標籤\",\"vXIe7J\":\"語言\",\"2LMsOq\":\"過去 12 個月\",\"vfe90m\":\"過去 14 天\",\"aK4uBd\":\"過去 24 小時\",\"uq2BmQ\":\"過去 30 天\",\"bB6Ram\":\"過去 48 小時\",\"VlnB7s\":\"過去 6 個月\",\"ct2SYD\":\"過去 7 天\",\"XgOuA7\":\"過去 90 天\",\"I3yitW\":\"最後登錄\",\"1ZaQUH\":\"姓氏\",\"UXBCwc\":\"姓氏\",\"tKCBU0\":\"最近一次使用\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"留空以使用默認詞“發票”\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"加載中...\",\"wJijgU\":\"地點\",\"sQia9P\":\"登錄\",\"zUDyah\":\"登錄\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"註銷\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit.Nam placerat elementum...\",\"NJahlc\":\"在結賬時強制要求填寫賬單地址\",\"MU3ijv\":\"將此問題作為必答題\",\"wckWOP\":\"管理\",\"onpJrA\":\"管理與會者\",\"n4SpU5\":\"管理活動\",\"WVgSTy\":\"管理訂單\",\"1MAvUY\":\"管理此活動的支付和發票設置。\",\"cQrNR3\":\"管理簡介\",\"AtXtSw\":\"管理可以應用於您的產品的税費\",\"ophZVW\":\"管理機票\",\"DdHfeW\":\"管理賬户詳情和默認設置\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"管理用户及其權限\",\"1m+YT2\":\"在顧客結賬前,必須回答必填問題。\",\"Dim4LO\":\"手動添加與會者\",\"e4KdjJ\":\"手動添加與會者\",\"vFjEnF\":\"標記為已支付\",\"g9dPPQ\":\"每份訂單的最高限額\",\"l5OcwO\":\"與會者留言\",\"Gv5AMu\":\"留言參與者\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"留言買家\",\"tNZzFb\":\"留言內容\",\"lYDV/s\":\"給個別與會者留言\",\"V7DYWd\":\"發送的信息\",\"t7TeQU\":\"信息\",\"xFRMlO\":\"每次訂購的最低數量\",\"QYcUEf\":\"最低價格\",\"RDie0n\":\"其他\",\"mYLhkl\":\"雜項設置\",\"KYveV8\":\"多行文本框\",\"VD0iA7\":\"多種價格選項。非常適合早鳥產品等。\",\"/bhMdO\":\"我的精彩活動描述\",\"vX8/tc\":\"我的精彩活動標題...\",\"hKtWk2\":\"我的簡介\",\"fj5byd\":\"不適用\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"名稱\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"導航至與會者\",\"qqeAJM\":\"從不\",\"7vhWI8\":\"新密碼\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"沒有可顯示的已歸檔活動。\",\"q2LEDV\":\"未找到此訂單的參會者。\",\"zlHa5R\":\"尚未向此訂單添加參會者。\",\"Wjz5KP\":\"無與會者\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"沒有容量分配\",\"a/gMx2\":\"沒有簽到列表\",\"tMFDem\":\"無可用數據\",\"6Z/F61\":\"無數據顯示。請選擇日期範圍\",\"fFeCKc\":\"無折扣\",\"HFucK5\":\"沒有可顯示的已結束活動。\",\"yAlJXG\":\"無事件顯示\",\"GqvPcv\":\"沒有可用篩選器\",\"KPWxKD\":\"無信息顯示\",\"J2LkP8\":\"無訂單顯示\",\"RBXXtB\":\"當前沒有可用的支付方式。請聯繫活動組織者以獲取幫助。\",\"ZWEfBE\":\"無需支付\",\"ZPoHOn\":\"此參會者沒有關聯的產品。\",\"Ya1JhR\":\"此類別中沒有可用的產品。\",\"FTfObB\":\"尚無產品\",\"+Y976X\":\"無促銷代碼顯示\",\"MAavyl\":\"此與會者未回答任何問題。\",\"SnlQeq\":\"此訂單尚未提出任何問題。\",\"Ev2r9A\":\"無結果\",\"gk5uwN\":\"沒有搜索結果\",\"RHyZUL\":\"沒有搜索結果。\",\"RY2eP1\":\"未加收任何税費。\",\"EdQY6l\":\"無\",\"OJx3wK\":\"不詳\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"備註\",\"jtrY3S\":\"暫無顯示內容\",\"hFwWnI\":\"通知設置\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"將新訂單通知組織者\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"允許支付的天數(留空以從發票中省略付款條款)\",\"n86jmj\":\"號碼前綴\",\"mwe+2z\":\"線下訂單在標記為已支付之前不會反映在活動統計中。\",\"dWBrJX\":\"線下支付失敗。請重試或聯繫活動組織者。\",\"fcnqjw\":\"離線付款說明\",\"+eZ7dp\":\"線下支付\",\"ojDQlR\":\"線下支付信息\",\"u5oO/W\":\"線下支付設置\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"銷售中\",\"Ug4SfW\":\"創建事件後,您就可以在這裏看到它。\",\"ZxnK5C\":\"一旦開始收集數據,您將在這裏看到。\",\"PnSzEc\":\"一旦準備就緒,將您的活動上線並開始銷售產品。\",\"J6n7sl\":\"持續進行\",\"z+nuVJ\":\"在線活動\",\"WKHW0N\":\"在線活動詳情\",\"/xkmKX\":\"只有與本次活動直接相關的重要郵件才能使用此表單發送。\\n任何濫用行為,包括髮送促銷郵件,都將導致賬户立即被封禁。\",\"Qqqrwa\":\"開啟簽到頁面\",\"OdnLE4\":\"打開側邊欄\",\"ZZEYpT\":[\"方案 \",[\"i\"]],\"oPknTP\":\"所有發票上顯示的可選附加信息(例如,付款條款、逾期付款費用、退貨政策)\",\"OrXJBY\":\"發票編號的可選前綴(例如,INV-)\",\"0zpgxV\":\"選項\",\"BzEFor\":\"或\",\"UYUgdb\":\"訂購\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"取消訂單\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"訂購日期\",\"Tol4BF\":\"訂購詳情\",\"WbImlQ\":\"訂單已取消,並已通知訂單所有者。\",\"nAn4Oe\":\"訂單已標記為已支付\",\"uzEfRz\":\"訂單備註\",\"VCOi7U\":\"訂購問題\",\"TPoYsF\":\"訂購參考\",\"acIJ41\":\"訂單狀態\",\"GX6dZv\":\"訂單摘要\",\"tDTq0D\":\"訂單超時\",\"1h+RBg\":\"訂單\",\"3y+V4p\":\"組織地址\",\"GVcaW6\":\"組織詳細信息\",\"nfnm9D\":\"組織名稱\",\"G5RhpL\":\"主辦方\",\"mYygCM\":\"需要組織者\",\"Pa6G7v\":\"組織者姓名\",\"l894xP\":\"組織者只能管理活動和產品。他們無法管理用户、賬户設置或賬單信息。\",\"fdjq4c\":\"襯墊\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"頁面未找到\",\"QbrUIo\":\"頁面瀏覽量\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"付訖\",\"HVW65c\":\"付費產品\",\"ZfxaB4\":\"部分退款\",\"8ZsakT\":\"密碼\",\"TUJAyx\":\"密碼必須至少包含 8 個字符\",\"vwGkYB\":\"密碼必須至少包含 8 個字符\",\"BLTZ42\":\"密碼重置成功。請使用新密碼登錄。\",\"f7SUun\":\"密碼不一樣\",\"aEDp5C\":\"將其粘貼到希望小部件出現的位置。\",\"+23bI/\":\"帕特里克\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"付款方式\",\"Lg+ewC\":\"支付和發票\",\"DZjk8u\":\"支付和發票設置\",\"lflimf\":\"付款期限\",\"JhtZAK\":\"付款失敗\",\"JEdsvQ\":\"支付説明\",\"bLB3MJ\":\"支付方式\",\"QzmQBG\":\"支付提供商\",\"lsxOPC\":\"已收到付款\",\"wJTzyi\":\"支付狀態\",\"xgav5v\":\"付款成功!\",\"R29lO5\":\"付款條款\",\"/roQKz\":\"百分比\",\"vPJ1FI\":\"百分比 金額\",\"xdA9ud\":\"將其放在網站的 中。\",\"blK94r\":\"請至少添加一個選項\",\"FJ9Yat\":\"請檢查所提供的信息是否正確\",\"TkQVup\":\"請檢查您的電子郵件和密碼並重試\",\"sMiGXD\":\"請檢查您的電子郵件是否有效\",\"Ajavq0\":\"請檢查您的電子郵件以確認您的電子郵件地址\",\"MdfrBE\":\"請填寫下表接受邀請\",\"b1Jvg+\":\"請在新標籤頁中繼續\",\"hcX103\":\"請創建一個產品\",\"cdR8d6\":\"請創建一張票\",\"x2mjl4\":\"請輸入指向圖像的有效圖片網址。\",\"HnNept\":\"請輸入新密碼\",\"5FSIzj\":\"請注意\",\"C63rRe\":\"請返回活動頁面重新開始。\",\"pJLvdS\":\"請選擇\",\"Ewir4O\":\"請選擇至少一個產品\",\"igBrCH\":\"請驗證您的電子郵件地址,以訪問所有功能\",\"/IzmnP\":\"請稍候,我們正在準備您的發票...\",\"MOERNx\":\"葡萄牙語\",\"qCJyMx\":\"結賬後信息\",\"g2UNkE\":\"技術支持\",\"Rs7IQv\":\"結賬前信息\",\"rdUucN\":\"預覽\",\"a7u1N9\":\"價格\",\"CmoB9j\":\"價格顯示模式\",\"BI7D9d\":\"未設置價格\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"價格類型\",\"6RmHKN\":\"原色\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"主要文字顏色\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"打印所有門票\",\"DKwDdj\":\"打印票\",\"K47k8R\":\"產品\",\"1JwlHk\":\"產品類別\",\"U61sAj\":\"產品類別更新成功。\",\"1USFWA\":\"產品刪除成功\",\"4Y2FZT\":\"產品價格類型\",\"mFwX0d\":\"產品問題\",\"Lu+kBU\":\"產品銷售\",\"U/R4Ng\":\"產品等級\",\"sJsr1h\":\"產品類型\",\"o1zPwM\":\"產品小部件預覽\",\"ktyvbu\":\"產品\",\"N0qXpE\":\"產品\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"已售產品\",\"/u4DIx\":\"已售產品\",\"DJQEZc\":\"產品排序成功\",\"vERlcd\":\"簡介\",\"kUlL8W\":\"成功更新個人資料\",\"cl5WYc\":[\"已使用促銷 \",[\"promo_code\"],\" 代碼\"],\"P5sgAk\":\"促銷代碼\",\"yKWfjC\":\"促銷代碼頁面\",\"RVb8Fo\":\"促銷代碼\",\"BZ9GWa\":\"促銷代碼可用於提供折扣、預售權限或為您的活動提供特殊權限。\",\"OP094m\":\"促銷代碼報告\",\"4kyDD5\":\"提供此問題的附加背景或説明。使用此字段添加條款和條件、指南或參與者在回答前需要知道的任何重要信息。\",\"toutGW\":\"二維碼\",\"LkMOWF\":\"可用數量\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"問題已刪除\",\"avf0gk\":\"問題描述\",\"oQvMPn\":\"問題標題\",\"enzGAL\":\"問題\",\"ROv2ZT\":\"問與答\",\"K885Eq\":\"問題已成功分類\",\"OMJ035\":\"無線電選項\",\"C4TjpG\":\"更多信息\",\"I3QpvQ\":\"受援國\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"退款失敗\",\"n10yGu\":\"退款訂單\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"退款處理中\",\"xHpVRl\":\"退款狀態\",\"/BI0y9\":\"退款\",\"fgLNSM\":\"註冊\",\"9+8Vez\":\"剩餘使用次數\",\"tasfos\":\"去除\",\"t/YqKh\":\"移除\",\"t9yxlZ\":\"報告\",\"prZGMe\":\"要求賬單地址\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"重新發送電子郵件確認\",\"wIa8Qe\":\"重新發送邀請\",\"VeKsnD\":\"重新發送訂單電子郵件\",\"dFuEhO\":\"重新發送票務電子郵件\",\"o6+Y6d\":\"重新發送...\",\"OfhWJH\":\"重置\",\"RfwZxd\":\"重置密碼\",\"KbS2K9\":\"重置密碼\",\"e99fHm\":\"恢復活動\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"返回活動頁面\",\"8YBH95\":\"收入\",\"PO/sOY\":\"撤銷邀請\",\"GDvlUT\":\"角色\",\"ELa4O9\":\"銷售結束日期\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"銷售開始日期\",\"hBsw5C\":\"銷售結束\",\"kpAzPe\":\"銷售開始\",\"P/wEOX\":\"舊金山\",\"tfDRzk\":\"保存\",\"IUwGEM\":\"保存更改\",\"U65fiW\":\"保存組織器\",\"UGT5vp\":\"保存設置\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"按與會者姓名、電子郵件或訂單號搜索...\",\"+pr/FY\":\"按活動名稱搜索...\",\"3zRbWw\":\"按姓名、電子郵件或訂單號搜索...\",\"L22Tdf\":\"按姓名、訂單號、參與者號或電子郵件搜索...\",\"BiYOdA\":\"按名稱搜索...\",\"YEjitp\":\"按主題或內容搜索...\",\"Pjsch9\":\"搜索容量分配...\",\"r9M1hc\":\"搜索簽到列表...\",\"+0Yy2U\":\"搜索產品\",\"YIix5Y\":\"搜索...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"輔助色\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"輔助文字顏色\",\"02ePaq\":[\"選擇 \",[\"0\"]],\"QuNKRX\":\"選擇相機\",\"9FQEn8\":\"選擇類別...\",\"kWI/37\":\"選擇組織者\",\"ixIx1f\":\"選擇產品\",\"3oSV95\":\"選擇產品等級\",\"C4Y1hA\":\"選擇產品\",\"hAjDQy\":\"選擇狀態\",\"QYARw/\":\"選擇機票\",\"OMX4tH\":\"選擇票\",\"DrwwNd\":\"選擇時間段\",\"O/7I0o\":\"選擇...\",\"JlFcis\":\"發送\",\"qKWv5N\":[\"將副本發送至 <0>\",[\"0\"],\"\"],\"RktTWf\":\"發送信息\",\"/mQ/tD\":\"作為測試發送。這將把信息發送到您的電子郵件地址,而不是收件人的電子郵件地址。\",\"M/WIer\":\"發送消息\",\"D7ZemV\":\"發送訂單確認和票務電子郵件\",\"v1rRtW\":\"發送測試\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"搜索引擎優化説明\",\"/SIY6o\":\"搜索引擎優化關鍵詞\",\"GfWoKv\":\"搜索引擎優化設置\",\"rXngLf\":\"搜索引擎優化標題\",\"/jZOZa\":\"服務費\",\"Bj/QGQ\":\"設定最低價格,用户可選擇支付更高的價格\",\"L0pJmz\":\"設置發票編號的起始編號。一旦發票生成,就無法更改。\",\"nYNT+5\":\"準備活動\",\"A8iqfq\":\"實時設置您的活動\",\"Tz0i8g\":\"設置\",\"Z8lGw6\":\"分享\",\"B2V3cA\":\"分享活動\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"顯示可用產品數量\",\"qDsmzu\":\"顯示隱藏問題\",\"fMPkxb\":\"顯示更多\",\"izwOOD\":\"單獨顯示税費\",\"1SbbH8\":\"結賬後顯示給客户,在訂單摘要頁面。\",\"YfHZv0\":\"在顧客結賬前向他們展示\",\"CBBcly\":\"顯示常用地址字段,包括國家\",\"yTnnYg\":\"辛普森\",\"TNaCfq\":\"單行文本框\",\"+P0Cn2\":\"跳過此步驟\",\"YSEnLE\":\"史密斯\",\"lgFfeO\":\"售罄\",\"Mi1rVn\":\"售罄\",\"nwtY4N\":\"出了點問題\",\"GRChTw\":\"刪除税費時出了問題\",\"YHFrbe\":\"出錯了!請重試\",\"kf83Ld\":\"出問題了\",\"fWsBTs\":\"出錯了。請重試。\",\"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.\",\"6a/UJE\":\"對不起,此優惠代碼不可用\",\"65A04M\":\"西班牙語\",\"mFuBqb\":\"固定價格的標準產品\",\"D3iCkb\":\"開始日期\",\"/2by1f\":\"州或地區\",\"uAQUqI\":\"狀態\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"此活動未啟用 Stripe 支付。\",\"UJmAAK\":\"主題\",\"X2rrlw\":\"小計\",\"zzDlyQ\":\"成功\",\"b0HJ45\":[\"成功!\",[\"0\"],\" 將很快收到一封電子郵件。\"],\"BJIEiF\":[\"成功 \",[\"0\"],\" 參會者\"],\"OtgNFx\":\"成功確認電子郵件地址\",\"IKwyaF\":\"成功確認電子郵件更改\",\"zLmvhE\":\"成功創建與會者\",\"gP22tw\":\"產品創建成功\",\"9mZEgt\":\"成功創建促銷代碼\",\"aIA9C4\":\"成功創建問題\",\"J3RJSZ\":\"成功更新與會者\",\"3suLF0\":\"容量分配更新成功\",\"Z+rnth\":\"簽到列表更新成功\",\"vzJenu\":\"成功更新電子郵件設置\",\"7kOMfV\":\"成功更新活動\",\"G0KW+e\":\"成功更新主頁設計\",\"k9m6/E\":\"成功更新主頁設置\",\"y/NR6s\":\"成功更新位置\",\"73nxDO\":\"成功更新雜項設置\",\"4H80qv\":\"訂單更新成功\",\"6xCBVN\":\"支付和發票設置已成功更新\",\"1Ycaad\":\"產品更新成功\",\"70dYC8\":\"成功更新促銷代碼\",\"F+pJnL\":\"成功更新搜索引擎設置\",\"DXZRk5\":\"100 號套房\",\"GNcfRk\":\"支持電子郵件\",\"uRfugr\":\"T恤衫\",\"JpohL9\":\"税收\",\"geUFpZ\":\"税費\",\"dFHcIn\":\"税務詳情\",\"wQzCPX\":\"所有發票底部顯示的税務信息(例如,增值税號、税務註冊號)\",\"0RXCDo\":\"成功刪除税費\",\"ZowkxF\":\"税收\",\"qu6/03\":\"税費\",\"gypigA\":\"促銷代碼無效\",\"5ShqeM\":\"您查找的簽到列表不存在。\",\"QXlz+n\":\"事件的默認貨幣。\",\"mnafgQ\":\"事件的默認時區。\",\"o7s5FA\":\"與會者接收電子郵件的語言。\",\"NlfnUd\":\"您點擊的鏈接無效。\",\"HsFnrk\":[[\"0\"],\"的最大產品數量是\",[\"1\"]],\"TSAiPM\":\"您要查找的頁面不存在\",\"MSmKHn\":\"顯示給客户的價格將包括税費。\",\"6zQOg1\":\"顯示給客户的價格不包括税費。税費將單獨顯示\",\"ne/9Ur\":\"您選擇的樣式設置只適用於複製的 HTML,不會被保存。\",\"vQkyB3\":\"應用於此產品的税費。您可以在此創建新的税費\",\"esY5SG\":\"活動標題,將顯示在搜索引擎結果中,並在社交媒體上分享時顯示。默認情況下,將使用事件標題\",\"wDx3FF\":\"此活動沒有可用產品\",\"pNgdBv\":\"此類別中沒有可用產品\",\"rMcHYt\":\"退款正在處理中。請等待退款完成後再申請退款。\",\"F89D36\":\"標記訂單為已支付時出錯\",\"68Axnm\":\"處理您的請求時出現錯誤。請重試。\",\"mVKOW6\":\"發送信息時出現錯誤\",\"AhBPHd\":\"這些詳細信息僅在訂單成功完成後顯示。等待付款的訂單不會顯示此消息。\",\"Pc/Wtj\":\"此參與者有未付款的訂單。\",\"mf3FrP\":\"此類別尚無任何產品。\",\"8QH2Il\":\"此類別對公眾隱藏\",\"xxv3BZ\":\"此簽到列表已過期\",\"Sa7w7S\":\"此簽到列表已過期,不再可用於簽到。\",\"Uicx2U\":\"此簽到列表已激活\",\"1k0Mp4\":\"此簽到列表尚未激活\",\"K6fmBI\":\"此簽到列表尚未激活,不能用於簽到。\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"此電子郵件並非促銷郵件,與活動直接相關。\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"這些信息將顯示在支付頁面、訂單摘要頁面和訂單確認電子郵件中。\",\"XAHqAg\":\"這是一種常規產品,例如T恤或杯子。不發行門票\",\"CNk/ro\":\"這是一項在線活動\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"此信息將包含在本次活動發送的所有電子郵件的頁腳中\",\"55i7Fa\":\"此消息僅在訂單成功完成後顯示。等待付款的訂單不會顯示此消息。\",\"RjwlZt\":\"此訂單已付款。\",\"5K8REg\":\"此訂單已退款。\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"此訂單已取消。\",\"Q0zd4P\":\"此訂單已過期。請重新開始。\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"此訂單已完成。\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"此訂購頁面已不可用。\",\"i0TtkR\":\"這將覆蓋所有可見性設置,並將該產品對所有客户隱藏。\",\"cRRc+F\":\"此產品無法刪除,因為它與訂單關聯。您可以將其隱藏。\",\"3Kzsk7\":\"此產品為門票。購買後買家將收到門票\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"此問題只有活動組織者可見\",\"os29v1\":\"此重置密碼鏈接無效或已過期。\",\"IV9xTT\":\"該用户未激活,因為他們沒有接受邀請。\",\"5AnPaO\":\"入場券\",\"kjAL4v\":\"門票\",\"dtGC3q\":\"門票電子郵件已重新發送給與會者\",\"54q0zp\":\"門票\",\"xN9AhL\":[[\"0\"],\"級\"],\"jZj9y9\":\"分層產品\",\"8wITQA\":\"分層產品允許您為同一產品提供多種價格選項。這非常適合早鳥產品,或為不同人羣提供不同的價格選項。\\\" # zh-cn\",\"nn3mSR\":\"剩餘時間:\",\"s/0RpH\":\"使用次數\",\"y55eMd\":\"使用次數\",\"40Gx0U\":\"時區\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"工具\",\"72c5Qo\":\"總計\",\"YXx+fG\":\"折扣前總計\",\"NRWNfv\":\"折扣總金額\",\"BxsfMK\":\"總費用\",\"2bR+8v\":\"總銷售額\",\"mpB/d9\":\"訂單總額\",\"m3FM1g\":\"退款總額\",\"jEbkcB\":\"退款總額\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"總税額\",\"+zy2Nq\":\"類型\",\"FMdMfZ\":\"無法簽到參與者\",\"bPWBLL\":\"無法簽退參與者\",\"9+P7zk\":\"無法創建產品。請檢查您的詳細信息\",\"WLxtFC\":\"無法創建產品。請檢查您的詳細信息\",\"/cSMqv\":\"無法創建問題。請檢查您的詳細信息\",\"MH/lj8\":\"無法更新問題。請檢查您的詳細信息\",\"nnfSdK\":\"獨立客户\",\"Mqy/Zy\":\"美國\",\"NIuIk1\":\"無限制\",\"/p9Fhq\":\"無限供應\",\"E0q9qH\":\"允許無限次使用\",\"h10Wm5\":\"未付款訂單\",\"ia8YsC\":\"即將推出\",\"TlEeFv\":\"即將舉行的活動\",\"L/gNNk\":[\"更新 \",[\"0\"]],\"+qqX74\":\"更新活動名稱、説明和日期\",\"vXPSuB\":\"更新個人資料\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"鏈接\",\"UtDm3q\":\"複製到剪貼板的 URL\",\"e5lF64\":\"使用示例\",\"fiV0xj\":\"使用限制\",\"sGEOe4\":\"使用封面圖片的模糊版本作為背景\",\"OadMRm\":\"使用封面圖片\",\"7PzzBU\":\"用户\",\"yDOdwQ\":\"用户管理\",\"Sxm8rQ\":\"用户\",\"VEsDvU\":\"用户可在 <0>\\\"配置文件設置\\\" 中更改自己的電子郵件\",\"vgwVkd\":\"世界協調時\",\"khBZkl\":\"增值税\",\"E/9LUk\":\"地點名稱\",\"jpctdh\":\"查看\",\"Pte1Hv\":\"查看參會者詳情\",\"/5PEQz\":\"查看活動頁面\",\"fFornT\":\"查看完整信息\",\"YIsEhQ\":\"查看地圖\",\"Ep3VfY\":\"在谷歌地圖上查看\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP簽到列表\",\"tF+VVr\":\"貴賓票\",\"2q/Q7x\":\"可見性\",\"vmOFL/\":\"我們無法處理您的付款。請重試或聯繫技術支持。\",\"45Srzt\":\"我們無法刪除該類別。請再試一次。\",\"/DNy62\":[\"我們找不到與\",[\"0\"],\"匹配的任何門票\"],\"1E0vyy\":\"我們無法加載數據。請重試。\",\"NmpGKr\":\"我們無法重新排序類別。請再試一次。\",\"BJtMTd\":\"我們建議尺寸為 2160px x 1080px,文件大小不超過 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"我們無法確認您的付款。請重試或聯繫技術支持。\",\"Gspam9\":\"我們正在處理您的訂單。請稍候...\",\"LuY52w\":\"歡迎加入!請登錄以繼續。\",\"dVxpp5\":[\"歡迎回來\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"什麼是分層產品?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"什麼是類別?\",\"gxeWAU\":\"此代碼適用於哪些產品?\",\"hFHnxR\":\"此代碼適用於哪些產品?(默認適用於所有產品)\",\"AeejQi\":\"此容量應適用於哪些產品?\",\"Rb0XUE\":\"您什麼時候抵達?\",\"5N4wLD\":\"這是什麼類型的問題?\",\"gyLUYU\":\"啟用後,將為票務訂單生成發票。發票將隨訂單確認郵件一起發送。參與\",\"D3opg4\":\"啟用線下支付後,用户可以完成訂單並收到門票。他們的門票將清楚地顯示訂單未支付,簽到工具會通知簽到工作人員訂單是否需要支付。\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"哪些票應與此簽到列表關聯?\",\"S+OdxP\":\"這項活動由誰組織?\",\"LINr2M\":\"這條信息是發給誰的?\",\"nWhye/\":\"這個問題應該問誰?\",\"VxFvXQ\":\"嵌入小部件\",\"v1P7Gm\":\"小部件設置\",\"b4itZn\":\"工作\",\"hqmXmc\":\"工作...\",\"+G/XiQ\":\"年度至今\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"是的,移除它們\",\"ySeBKv\":\"您已經掃描過此票\",\"P+Sty0\":[\"您正在將電子郵件更改為 <0>\",[\"0\"],\"。\"],\"gGhBmF\":\"您處於離線狀態\",\"sdB7+6\":\"您可以創建一個促銷代碼,針對該產品\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"您無法更改產品類型,因為有與該產品關聯的參會者。\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"您無法為未支付訂單的與會者簽到。此設置可在活動設置中更改。\",\"c9Evkd\":\"您不能刪除最後一個類別。\",\"6uwAvx\":\"您無法刪除此價格層,因為此層已有售出的產品。您可以將其隱藏。\",\"tFbRKJ\":\"不能編輯賬户所有者的角色或狀態。\",\"fHfiEo\":\"您不能退還手動創建的訂單。\",\"hK9c7R\":\"您創建了一個隱藏問題,但禁用了顯示隱藏問題的選項。該選項已啟用。\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"您可以訪問多個賬户。請選擇一個繼續。\",\"Z6q0Vl\":\"您已接受此邀請。請登錄以繼續。\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"沒有與會者提問。\",\"CoZHDB\":\"您沒有訂單問題。\",\"15qAvl\":\"您沒有待處理的電子郵件更改。\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"您已超時,未能完成訂單。\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"您尚未發送任何消息。您可以向所有參會者發送消息,或向特定產品持有者發送消息。\",\"R6i9o9\":\"您必須確認此電子郵件並非促銷郵件\",\"3ZI8IL\":\"您必須同意條款和條件\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"必須先創建機票,然後才能手動添加與會者。\",\"jE4Z8R\":\"您必須至少有一個價格等級\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"您必須手動將訂單標記為已支付。這可以在訂單管理頁面上完成。\",\"L/+xOk\":\"在創建簽到列表之前,您需要先獲得票。\",\"Djl45M\":\"在您創建容量分配之前,您需要一個產品。\",\"y3qNri\":\"您需要至少一個產品才能開始。免費、付費或讓用户決定支付金額。\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"您的賬户名稱會在活動頁面和電子郵件中使用。\",\"veessc\":\"與會者註冊參加活動後,就會出現在這裏。您也可以手動添加與會者。\",\"Eh5Wrd\":\"您的網站真棒 🎉\",\"lkMK2r\":\"您的詳細信息\",\"3ENYTQ\":[\"您要求將電子郵件更改為<0>\",[\"0\"],\"的申請正在處理中。請檢查您的電子郵件以確認\"],\"yZfBoy\":\"您的信息已發送\",\"KSQ8An\":\"您的訂單\",\"Jwiilf\":\"您的訂單已被取消\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"您的訂單一旦開始滾動,就會出現在這裏。\",\"9TO8nT\":\"您的密碼\",\"P8hBau\":\"您的付款正在處理中。\",\"UdY1lL\":\"您的付款未成功,請重試。\",\"fzuM26\":\"您的付款未成功。請重試。\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"您的退款正在處理中。\",\"IFHV2p\":\"您的入場券\",\"x1PPdr\":\"郵政編碼\",\"BM/KQm\":\"郵政編碼\",\"+LtVBt\":\"郵政編碼\",\"25QDJ1\":\"- 點擊發布\",\"WOyJmc\":\"- 點擊取消發布\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" 已簽到\"],\"S4PqS9\":[[\"0\"],\" 個活動的 Webhook\"],\"6MIiOI\":[[\"0\"],\" left\"],\"COnw8D\":[[\"0\"],\" 標誌\"],\"B7pZfX\":[[\"0\"],\" 位主辦單位\"],\"/HkCs4\":[[\"0\"],\"張門票\"],\"OJnhhX\":[[\"eventCount\"],\" 個事件\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+Tax/Fees\",\"B1St2O\":\"<0>簽到列表幫助您按日期、區域或票務類型管理活動入場。您可以將票務連結到特定列表,如VIP區域或第1天通行證,並與工作人員共享安全的簽到連結。無需帳戶。簽到適用於移動裝置、桌面或平板電腦,使用裝置相機或HID USB掃描器。 \",\"ZnVt5v\":\"<0>Webhooks 可在事件發生時立即通知外部服務,例如,在註冊時將新與會者添加到您的 CRM 或郵件列表,確保無縫自動化。<1>使用第三方服務,如 <2>Zapier、<3>IFTTT 或 <4>Make 來創建自定義工作流並自動化任務。\",\"fAv9QG\":\"🎟️ 添加門票\",\"M2DyLc\":\"1 個活動的 Webhook\",\"yTsaLw\":\"1張門票\",\"HR/cvw\":\"示例街123號\",\"kMU5aM\":\"取消通知已發送至\",\"V53XzQ\":\"新嘅驗證碼已經發送到你嘅電郵\",\"/z/bH1\":\"您主辦單位的簡短描述,將會顯示給您的使用者。\",\"aS0jtz\":\"Abandoned\",\"uyJsf6\":\"關於\",\"WTk/ke\":\"關於 Stripe Connect\",\"1uJlG9\":\"強調色\",\"VTfZPy\":\"訪問被拒絕\",\"iN5Cz3\":\"帳戶已連接!\",\"bPwFdf\":\"賬戶\",\"nMtNd+\":\"需要操作:重新連接您的 Stripe 帳戶\",\"a5KFZU\":\"新增活動詳情並管理活動設定。\",\"Fb+SDI\":\"添加更多門票\",\"6PNlRV\":\"將此活動添加到您的日曆\",\"BGD9Yt\":\"添加機票\",\"QN2F+7\":\"添加 Webhook\",\"NsWqSP\":\"新增您的社交媒體帳號及網站網址。這些資訊將會顯示在您的公開主辦單位頁面。\",\"0Zypnp\":\"管理儀表板\",\"YAV57v\":\"推廣夥伴\",\"I+utEq\":\"推廣碼無法更改\",\"/jHBj5\":\"推廣夥伴建立成功\",\"uCFbG2\":\"推廣夥伴刪除成功\",\"a41PKA\":\"將會追蹤推廣夥伴銷售\",\"mJJh2s\":\"唔會追蹤推廣夥伴銷售。呢個會停用該推廣夥伴。\",\"jabmnm\":\"推廣夥伴更新成功\",\"CPXP5Z\":\"合作夥伴\",\"9Wh+ug\":\"推廣夥伴已匯出\",\"3cqmut\":\"推廣夥伴幫助你追蹤合作夥伴同KOL產生嘅銷售。建立推廣碼並分享以監控表現。\",\"7rLTkE\":\"所有已封存活動\",\"gKq1fa\":\"所有參與者\",\"pMLul+\":\"所有貨幣\",\"qlaZuT\":\"全部完成!您現在正在使用我們升級的付款系統。\",\"ZS/D7f\":\"所有已結束活動\",\"dr7CWq\":\"所有即將舉行的活動\",\"QUg5y1\":\"快完成了!完成連接您的 Stripe 帳戶以開始接受付款。\",\"c4uJfc\":\"快完成了!我們正在等待您的付款處理。這只需要幾秒鐘。\",\"/H326L\":\"已退款\",\"RtxQTF\":\"同時取消此訂單\",\"jkNgQR\":\"同時退款此訂單\",\"xYqsHg\":\"Always available\",\"Zkymb9\":\"同呢個推廣夥伴關聯嘅電郵。推廣夥伴唔會收到通知。\",\"vRznIT\":\"檢查導出狀態時發生錯誤。\",\"eusccx\":\"An optional message to display on the highlighted product, e.g. \\\"Selling fast 🔥\\\" or \\\"Best value\\\"\",\"QNrkms\":\"答案更新成功。\",\"LchiNd\":\"你確定要刪除呢個推廣夥伴嗎?呢個操作無法撤銷。\",\"JmVITJ\":\"確定要刪除此範本嗎?此操作無法復原,郵件將回退到預設範本。\",\"aLS+A6\":\"確定要刪除此範本嗎?此操作無法復原,郵件將回退到組織者或預設範本。\",\"5H3Z78\":\"您確定要刪除此 Webhook 嗎?\",\"147G4h\":\"您確定要離開嗎?\",\"VDWChT\":\"您確定要將此主辦單位設為草稿嗎?這將使該頁面對公眾隱藏。\",\"pWtQJM\":\"您確定要將此主辦單位設為公開嗎?這將使該頁面對公眾可見。\",\"WFHOlF\":\"你確定要發佈呢個活動嗎?一旦發佈,將會對公眾可見。\",\"4TNVdy\":\"你確定要發佈呢個主辦方資料嗎?一旦發佈,將會對公眾可見。\",\"ExDt3P\":\"你確定要取消發佈呢個活動嗎?佢將唔再對公眾可見。\",\"5Qmxo/\":\"你確定要取消發佈呢個主辦方資料嗎?佢將唔再對公眾可見。\",\"+QARA4\":\"藝術\",\"F2rX0R\":\"必須選擇至少一種事件類型\",\"6PecK3\":\"所有活動的出席率和簽到率\",\"AJ4rvK\":\"與會者已取消\",\"qvylEK\":\"與會者已創建\",\"DVQSxl\":\"Attendee details will be copied from order information.\",\"0R3Y+9\":\"參會者電郵\",\"KkrBiR\":\"Attendee information collection\",\"XBLgX1\":\"Attendee information collection is set to \\\"Per order\\\". Attendee details will be copied from the order information.\",\"Xc2I+v\":\"與會者管理\",\"av+gjP\":\"參會者姓名\",\"cosfD8\":\"參與者狀態\",\"D2qlBU\":\"與會者已更新\",\"x8Vnvf\":\"參與者的票不包含在此列表中\",\"k3Tngl\":\"與會者已導出\",\"5UbY+B\":\"持有特定門票的與會者\",\"4HVzhV\":\"參與者:\",\"VPoeAx\":\"使用多個簽到列表和實時驗證的自動化入場管理\",\"PZ7FTW\":\"Automatically detected based on background color, but can be overridden\",\"clF06r\":\"可退款\",\"NB5+UG\":\"可用標記\",\"EmYMHc\":\"等待線下付款\",\"kNmmvE\":\"Awesome Events 有限公司\",\"kYqM1A\":\"返回活動\",\"td/bh+\":\"返回報告\",\"jIPNJG\":\"基本資料\",\"iMdwTb\":\"在活動上線之前,您需要完成以下幾項步驟。請完成以下所有步驟以開始。\",\"UabgBd\":\"正文是必需的\",\"9N+p+g\":\"商務\",\"bv6RXK\":\"按鈕標籤\",\"ChDLlO\":\"按鈕文字\",\"DFqasq\":[\"By continuing, you agree to the <0>\",[\"0\"],\" Terms of Service\"],\"2VLZwd\":\"行動號召按鈕\",\"PUpvQe\":\"相機掃描器\",\"H4nE+E\":\"取消所有產品並釋放回可用池\",\"tOXAdc\":\"取消將取消與此訂單關聯的所有參與者,並將門票釋放回可用池。\",\"IrUqjC\":\"Cannot Check In (Cancelled)\",\"VsM1HH\":\"容量分配\",\"K7tIrx\":\"類別\",\"2tbLdK\":\"慈善\",\"v4fiSg\":\"查看你嘅電郵\",\"51AsAN\":\"請檢查您的收件箱!如果此郵箱有關聯的票,您將收到查看連結。\",\"udRwQs\":\"簽到已創建\",\"F4SRy3\":\"簽到已刪除\",\"9gPPUY\":\"簽到名單已建立!\",\"f2vU9t\":\"簽到列表\",\"tMNBEF\":\"簽到名單讓您可以按日期、區域或門票類型控制入場。您可以與工作人員共享安全的簽到連結 — 無需帳戶。\",\"SHJwyq\":\"簽到率\",\"qCqdg6\":\"簽到狀態\",\"cKj6OE\":\"簽到摘要\",\"7B5M35\":\"簽到\",\"DM4gBB\":\"中文(繁體)\",\"pkk46Q\":\"選擇一個主辦單位\",\"Crr3pG\":\"選擇日曆\",\"CySr+W\":\"點擊查看備註\",\"RG3szS\":\"關閉\",\"RWw9Lg\":\"關閉視窗\",\"XwdMMg\":\"代碼只可以包含字母、數字、連字號同底線\",\"+yMJb7\":\"必須填寫代碼\",\"m9SD3V\":\"代碼至少需要3個字元\",\"V1krgP\":\"代碼唔可以超過20個字元\",\"psqIm5\":\"與您的團隊合作,一起創造精彩活動。\",\"4bUH9i\":\"Collect attendee details for each ticket purchased.\",\"FpsvqB\":\"Color Mode\",\"jEu4bB\":\"Columns\",\"CWk59I\":\"喜劇\",\"7D9MJz\":\"完成 Stripe 設置\",\"OqEV/G\":\"完成下面的設置以繼續\",\"nqx+6h\":\"完成以下步驟即可開始銷售您的活動門票。\",\"5YrKW7\":\"完成付款以確保您的門票。\",\"ih35UP\":\"會議中心\",\"NGXKG/\":\"確認電子郵件地址\",\"Auz0Mz\":\"請確認您的電郵地址以使用所有功能。\",\"7+grte\":\"確認電郵已發送!請檢查您的收件匣。\",\"n/7+7Q\":\"確認已發送至\",\"o5A0Go\":\"恭喜你成功建立活動!\",\"WNnP3w\":\"連接並升級\",\"Xe2tSS\":\"連接文檔\",\"1Xxb9f\":\"連接支付處理\",\"LmvZ+E\":\"連接 Stripe 以啟用消息功能\",\"EWnXR+\":\"連接到 Stripe\",\"MOUF31\":\"連接 CRM 並使用 Webhook 和集成自動化任務\",\"VioGG1\":\"連接您的 Stripe 帳戶以接受門票和商品的付款。\",\"4qmnU8\":\"連接您的 Stripe 帳戶以接受付款。\",\"E1eze1\":\"連接您的 Stripe 帳戶以開始接受您活動的付款。\",\"ulV1ju\":\"連接您的 Stripe 帳戶以開始接受付款。\",\"/3017M\":\"已連接到 Stripe\",\"jfC/xh\":\"聯絡\",\"LOFgda\":[\"聯絡 \",[\"0\"]],\"41BQ3k\":\"聯絡電郵\",\"KcXRN+\":\"支援聯絡電郵\",\"m8WD6t\":\"繼續設置\",\"0GwUT4\":\"繼續結帳\",\"sBV87H\":\"繼續建立活動\",\"nKtyYu\":\"繼續下一步\",\"F3/nus\":\"繼續付款\",\"1JnTgU\":\"從上方複製\",\"FxVG/l\":\"已複製到剪貼簿\",\"PiH3UR\":\"已複製!\",\"uUPbPg\":\"複製推廣連結\",\"iVm46+\":\"複製代碼\",\"+2ZJ7N\":\"將詳情複製到第一位參與者\",\"ZN1WLO\":\"複製郵箱\",\"tUGbi8\":\"複製我的資料到:\",\"y22tv0\":\"複製此連結以便隨處分享\",\"/4gGIX\":\"複製到剪貼簿\",\"P0rbCt\":\"封面圖片\",\"60u+dQ\":\"封面圖片將顯示在活動頁面頂部\",\"2NLjA6\":\"封面圖片將顯示在您的主辦單位頁面頂部\",\"zg4oSu\":[\"建立\",[\"0\"],\"範本\"],\"xfKgwv\":\"建立推廣夥伴\",\"dyrgS4\":\"立即創建和自定義您的活動頁面\",\"BTne9e\":\"為此活動建立自定義郵件範本以覆蓋組織者預設設置\",\"YIDzi/\":\"建立自定義範本\",\"8AiKIu\":\"建立門票或商品\",\"agZ87r\":\"為您的活動創建門票、設定價格並管理可用數量。\",\"dkAPxi\":\"創建 Webhook\",\"5slqwZ\":\"建立您的活動\",\"JQNMrj\":\"建立你嘅第一個活動\",\"CCjxOC\":\"建立您的第一個活動以開始銷售門票並管理參加者。\",\"ZCSSd+\":\"建立您自己的活動\",\"67NsZP\":\"建立緊活動...\",\"H34qcM\":\"建立緊主辦方...\",\"1YMS+X\":\"建立緊你嘅活動,請稍候\",\"yiy8Jt\":\"建立緊你嘅主辦方資料,請稍候\",\"lfLHNz\":\"CTA標籤是必需的\",\"BMtue0\":\"當前付款處理器\",\"iTvh6I\":\"Currently available for purchase\",\"mimF6c\":\"結帳後自訂訊息\",\"axv/Mi\":\"自定義範本\",\"QMHSMS\":\"客戶將收到確認退款的電子郵件\",\"L/Qc+w\":\"客戶電郵地址\",\"wpfWhJ\":\"客戶名字\",\"GIoqtA\":\"客戶姓氏\",\"NihQNk\":\"客戶\",\"7gsjkI\":\"使用Liquid範本自定義發送給客戶的郵件。這些範本將用作您組織中所有活動的預設範本。\",\"iX6SLo\":\"自訂繼續按鈕上顯示的文字\",\"pxNIxa\":\"使用Liquid範本自定義您的郵件範本\",\"q9Jg0H\":\"自定義您的活動頁面和小部件設計,以完美匹配您的品牌\",\"mkLlne\":\"自訂活動頁面外觀\",\"3trPKm\":\"自訂主辦單位頁面外觀\",\"4df0iX\":\"自訂您的門票外觀\",\"/gWrVZ\":\"所有活動的每日收入、稅費和退款\",\"zgCHnE\":\"每日銷售報告\",\"nHm0AI\":\"每日銷售、税費和費用明細\",\"pvnfJD\":\"Dark\",\"lnYE59\":\"活動日期\",\"gnBreG\":\"下單日期\",\"JtI4vj\":\"Default attendee information collection\",\"1bZAZA\":\"將使用預設範本\",\"vu7gDm\":\"刪除推廣夥伴\",\"+jw/c1\":\"刪除圖片\",\"dPyJ15\":\"刪除範本\",\"snMaH4\":\"刪除 Webhook\",\"vYgeDk\":\"取消全選\",\"NvuEhl\":\"設計元素\",\"H8kMHT\":\"收唔到驗證碼?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"關閉此訊息\",\"BREO0S\":\"顯示一個複選框,允許客戶選擇接收此活動組織者的營銷通訊。\",\"TvY/XA\":\"文檔\",\"Kdpf90\":\"別忘了!\",\"V6Jjbr\":\"還沒有賬户? <0>註冊\",\"AXXqG+\":\"Donation\",\"DPfwMq\":\"完成\",\"eneWvv\":\"草稿\",\"TnzbL+\":\"由於垃圾郵件風險較高,您必須先連接 Stripe 帳戶才能向參與者發送訊息。\\n這是為了確保所有活動組織者都經過驗證並承擔責任。\",\"euc6Ns\":\"Duplicate\",\"KRmTkx\":\"複製產品\",\"KIjvtr\":\"荷蘭語\",\"SPKbfM\":\"例如:取得門票,立即註冊\",\"LTzmgK\":[\"編輯\",[\"0\"],\"範本\"],\"v4+lcZ\":\"編輯推廣夥伴\",\"2iZEz7\":\"編輯答案\",\"fW5sSv\":\"編輯 Webhook\",\"nP7CdQ\":\"編輯 Webhook\",\"uBAxNB\":\"編輯器\",\"aqxYLv\":\"教育\",\"zPiC+q\":\"符合條件的簽到列表\",\"V2sk3H\":\"電子郵件和模板\",\"hbwCKE\":\"郵箱地址已複製到剪貼板\",\"dSyJj6\":\"電子郵件地址不匹配\",\"elW7Tn\":\"郵件正文\",\"ZsZeV2\":\"必須填寫電郵\",\"Be4gD+\":\"郵件預覽\",\"6IwNUc\":\"郵件範本\",\"H/UMUG\":\"需要電郵驗證\",\"L86zy2\":\"電郵驗證成功!\",\"Upeg/u\":\"啟用此範本發送郵件\",\"RxzN1M\":\"已啟用\",\"sGjBEq\":\"結束日期與時間(可選)\",\"PKXt9R\":\"結束日期必須在開始日期之後\",\"48Y16Q\":\"結束時間(選填)\",\"7YZofi\":\"輸入主題和正文以查看預覽\",\"3bR1r4\":\"輸入推廣夥伴電郵(選填)\",\"ARkzso\":\"輸入推廣夥伴名稱\",\"INDKM9\":\"輸入郵件主題...\",\"kWg31j\":\"輸入獨特推廣碼\",\"C3nD/1\":\"輸入您的電郵地址\",\"n9V+ps\":\"輸入您的姓名\",\"LslKhj\":\"加載日誌時出錯\",\"WgD6rb\":\"活動類別\",\"b46pt5\":\"活動封面圖片\",\"1Hzev4\":\"活動自定義範本\",\"imgKgl\":\"活動描述\",\"kJDmsI\":\"活動詳情\",\"m/N7Zq\":\"活動完整地址\",\"Nl1ZtM\":\"活動地點\",\"PYs3rP\":\"活動名稱\",\"HhwcTQ\":\"活動名稱\",\"WZZzB6\":\"必須填寫活動名稱\",\"Wd5CDM\":\"活動名稱應少於 150 個字元\",\"4JzCvP\":\"活動不可用\",\"Gh9Oqb\":\"活動組織者姓名\",\"mImacG\":\"活動頁面\",\"cOePZk\":\"活動時間\",\"e8WNln\":\"活動時區\",\"GeqWgj\":\"活動時區\",\"XVLu2v\":\"活動標題\",\"YDVUVl\":\"事件類型\",\"4K2OjV\":\"活動場地\",\"19j6uh\":\"活動表現\",\"PC3/fk\":\"Events Starting in Next 24 Hours\",\"fTFfOK\":\"每個郵件範本都必須包含一個連結到相應頁面的行動號召按鈕\",\"VlvpJ0\":\"導出答案\",\"JKfSAv\":\"導出失敗。請重試。\",\"SVOEsu\":\"導出已開始。正在準備文件...\",\"9bpUSo\":\"匯出緊推廣夥伴\",\"jtrqH9\":\"正在導出與會者\",\"R4Oqr8\":\"導出完成。正在下載文件...\",\"UlAK8E\":\"正在導出訂單\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"放棄訂單失敗。請重試。\",\"cEFg3R\":\"建立推廣夥伴失敗\",\"U66oUa\":\"建立範本失敗\",\"xFj7Yj\":\"刪除範本失敗\",\"jo3Gm6\":\"匯出推廣夥伴失敗\",\"Jjw03p\":\"導出與會者失敗\",\"ZPwFnN\":\"導出訂單失敗\",\"X4o0MX\":\"加載 Webhook 失敗\",\"YQ3QSS\":\"重新發送驗證碼失敗\",\"zTkTF3\":\"儲存範本失敗\",\"T6B2gk\":\"發送訊息失敗。請再試一次。\",\"lKh069\":\"無法啟動導出任務\",\"t/KVOk\":\"無法開始模擬。請重試。\",\"QXgjH0\":\"無法停止模擬。請重試。\",\"i0QKrm\":\"更新推廣夥伴失敗\",\"NNc33d\":\"更新答案失敗。\",\"7/9RFs\":\"上傳圖片失敗。\",\"nkNfWu\":\"圖片上傳失敗。請再試一次。\",\"rxy0tG\":\"驗證電郵失敗\",\"T4BMxU\":\"費用可能會變更。如有變更,您將收到通知。\",\"cf35MA\":\"節慶\",\"VejKUM\":\"請先在上方填寫您的詳細信息\",\"8OvVZZ\":\"篩選參與者\",\"8BwQeU\":\"完成設置\",\"hg80P7\":\"完成 Stripe 設置\",\"1vBhpG\":\"第一位參與者\",\"YXhom6\":\"固定費用:\",\"KgxI80\":\"靈活的票務系統\",\"lWxAUo\":\"飲食\",\"nFm+5u\":\"頁腳文字\",\"MY2SVM\":\"全額退款\",\"vAVBBv\":\"全面整合\",\"T02gNN\":\"一般入場\",\"3ep0Gx\":\"關於您主辦單位的一般資訊\",\"ziAjHi\":\"產生\",\"exy8uo\":\"產生代碼\",\"4CETZY\":\"取得路線\",\"kfVY6V\":\"免費開始,無訂閲費用\",\"u6FPxT\":\"Get Tickets\",\"8KDgYV\":\"準備好您的活動\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"前往活動頁面\",\"gHSuV/\":\"返回主頁\",\"6nDzTl\":\"Good readability\",\"n8IUs7\":\"總收入\",\"kTSQej\":[\"您好 \",[\"0\"],\",從這裡管理您的平台。\"],\"dORAcs\":\"以下是與您郵箱關聯的所有票。\",\"g+2103\":\"呢個係你嘅推廣連結\",\"QlwJ9d\":\"預期結果:\",\"D+zLDD\":\"Hidden\",\"Rj6sIY\":\"Hide Additional Options\",\"P+5Pbo\":\"隱藏答案\",\"gtEbeW\":\"突出顯示\",\"NF8sdv\":\"突出顯示訊息\",\"MXSqmS\":\"突出顯示此產品\",\"7ER2sc\":\"Highlighted\",\"sq7vjE\":\"突出顯示的產品將具有不同的背景色,使其在活動頁面上脫穎而出。\",\"i0qMbr\":\"主頁\",\"AVpmAa\":\"如何離線付款\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"匈牙利語\",\"4/kP5a\":\"如果未自動開啟新分頁,請點擊下方按鈕繼續結帳。\",\"wOU3Tr\":\"如果您擁有我們的帳戶,您將會收到一封包含重設密碼指引的電郵。\",\"an5hVd\":\"圖片\",\"tSVr6t\":\"模擬\",\"TWXU0c\":\"模擬用戶\",\"5LAZwq\":\"模擬已開始\",\"IMwcdR\":\"模擬已停止\",\"M8M6fs\":\"重要:需要重新連接 Stripe\",\"jT142F\":[\"In \",[\"diffHours\"],\" hours\"],\"OoSyqO\":[\"In \",[\"diffMinutes\"],\" minutes\"],\"UJLg8x\":\"深入分析\",\"F1Xp97\":\"個人與會者\",\"85e6zs\":\"插入Liquid標記\",\"38KFY0\":\"插入變數\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"無效電郵\",\"5tT0+u\":\"電郵格式無效\",\"tnL+GP\":\"無效的Liquid語法。請更正後再試。\",\"g+lLS9\":\"邀請團隊成員\",\"1z26sk\":\"邀請團隊成員\",\"KR0679\":\"邀請團隊成員\",\"aH6ZIb\":\"邀請您的團隊\",\"IuMGvq\":\"Invoice\",\"Lj7sBL\":\"意大利語\",\"F5/CBH\":\"item(s)\",\"BzfzPK\":\"Items\",\"nCywLA\":\"隨時隨地加入\",\"hTJ4fB\":\"只需點擊下面的按鈕重新連接您的 Stripe 帳戶。\",\"MxjCqk\":\"只是在找您的票?\",\"lB2hSG\":[\"Keep me updated on news and events from \",[\"0\"]],\"h0Q9Iw\":\"最新響應\",\"gw3Ur5\":\"最近觸發\",\"1njn7W\":\"Light\",\"1qY5Ue\":\"連結已過期或無效\",\"psosdY\":\"訂單詳情連結\",\"6JzK4N\":\"門票連結\",\"shkJ3U\":\"鏈接您的 Stripe 賬户以接收售票資金。\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"已上線\",\"fpMs2Z\":\"直播\",\"D9zTjx\":\"直播活動\",\"WdmJIX\":\"載入預覽中...\",\"IoDI2o\":\"載入標記中...\",\"NFxlHW\":\"正在加載 Webhook\",\"iG7KNr\":\"標誌\",\"vu7ZGG\":\"標誌與封面\",\"gddQe0\":\"您主辦單位的標誌與封面圖片\",\"TBEnp1\":\"標誌將顯示於頁首\",\"Jzu30R\":\"標誌將顯示在門票上\",\"4wUIjX\":\"讓您的活動上線\",\"0A7TvI\":\"管理活動\",\"2FzaR1\":\"管理您的支付處理並查看平台費用\",\"/x0FyM\":\"配合您的品牌\",\"xDAtGP\":\"訊息\",\"1jRD0v\":\"向與會者發送特定門票的信息\",\"97QrnA\":\"在一個地方向與會者發送消息、管理訂單並處理退款\",\"48rf3i\":\"訊息不能超過5000個字符\",\"Vjat/X\":\"必須填寫訊息\",\"0/yJtP\":\"向具有特定產品的訂單所有者發送消息\",\"tccUcA\":\"移動簽到\",\"GfaxEk\":\"音樂\",\"oVGCGh\":\"我的票\",\"8/brI5\":\"必須填寫名稱\",\"sCV5Yc\":\"活動名稱\",\"xxU3NX\":\"淨收入\",\"eWRECP\":\"夜生活\",\"VHfLAW\":\"無帳戶\",\"+jIeoh\":\"未找到賬戶\",\"074+X8\":\"沒有活動的 Webhook\",\"zxnup4\":\"冇推廣夥伴可顯示\",\"99ntUF\":\"此活動沒有可用的簽到列表。\",\"6r9SGl\":\"無需信用卡\",\"eb47T5\":\"未找到所選篩選條件的數據。請嘗試調整日期範圍或貨幣。\",\"pZNOT9\":\"No end date\",\"dW40Uz\":\"未找到活動\",\"8pQ3NJ\":\"No events starting in the next 24 hours\",\"8zCZQf\":\"尚無活動\",\"54GxeB\":\"不影響您當前或過去的交易\",\"EpvBAp\":\"No invoice\",\"XZkeaI\":\"未找到日誌\",\"NEmyqy\":\"尚無訂單\",\"B7w4KY\":\"沒有其他可用的主辦單位\",\"6jYQGG\":\"沒有過往活動\",\"zK/+ef\":\"沒有可供選擇的產品\",\"QoAi8D\":\"無響應\",\"EK/G11\":\"尚無響應\",\"3sRuiW\":\"未找到票\",\"yM5c0q\":\"沒有即將舉行的活動\",\"qpC74J\":\"未找到用戶\",\"n5vdm2\":\"此端點尚未記錄任何 Webhook 事件。事件觸發後將顯示在此處。\",\"4GhX3c\":\"沒有 Webhooks\",\"4+am6b\":\"否,保留在此\",\"x5+Lcz\":\"未簽到\",\"8n10sz\":\"不符合條件\",\"lQgMLn\":\"辦公室或場地名稱\",\"6Aih4U\":\"離線\",\"Z6gBGW\":\"離線付款\",\"nO3VbP\":[\"On sale \",[\"0\"]],\"2r6bAy\":\"升級完成後,您的舊帳戶將僅用於退款。\",\"oXOSPE\":\"線上\",\"WjSpu5\":\"線上活動\",\"bU7oUm\":\"僅發送給具有這些狀態的訂單\",\"M2w1ni\":\"Only visible with promo code\",\"N141o/\":\"打開 Stripe 儀表板\",\"HXMJxH\":\"免責聲明、聯繫信息或感謝說明的可選文本(僅單行)\",\"c/TIyD\":\"Order & Ticket\",\"H5qWhm\":\"訂單已取消\",\"b6+Y+n\":\"訂單完成\",\"x4MLWE\":\"訂單確認\",\"ppuQR4\":\"訂單已創建\",\"0UZTSq\":\"訂單貨幣\",\"HdmwrI\":\"訂單電郵\",\"bwBlJv\":\"訂單名字\",\"vrSW9M\":\"訂單已取消並退款。訂單所有者已收到通知。\",\"+spgqH\":[\"訂單編號:\",[\"0\"]],\"Pc729f\":\"訂單等待線下支付\",\"F4NXOl\":\"訂單姓氏\",\"RQCXz6\":\"Order Limits\",\"5RDEEn\":\"訂單語言\",\"vu6Arl\":\"訂單標記為已支付\",\"sLbJQz\":\"未找到訂單\",\"i8VBuv\":\"訂單號\",\"FaPYw+\":\"訂單所有者\",\"eB5vce\":\"具有特定產品的訂單所有者\",\"CxLoxM\":\"具有產品的訂單所有者\",\"DoH3fD\":\"訂單付款待處理\",\"EZy55F\":\"訂單已退款\",\"6eSHqs\":\"訂單狀態\",\"oW5877\":\"訂單總額\",\"e7eZuA\":\"訂單已更新\",\"KndP6g\":\"訂單連結\",\"3NT0Ck\":\"訂單已被取消\",\"5It1cQ\":\"訂單已導出\",\"B/EBQv\":\"訂單:\",\"ucgZ0o\":\"組織\",\"S3CZ5M\":\"主辦單位儀表板\",\"Uu0hZq\":\"組織者郵箱\",\"Gy7BA3\":\"組織者電子郵件地址\",\"SQqJd8\":\"找不到主辦單位\",\"wpj63n\":\"主辦單位設定\",\"coIKFu\":\"所選貨幣沒有可用的主辦單位統計資料,或發生錯誤。\",\"o1my93\":\"更新主辦單位狀態失敗。請稍後再試。\",\"rLHma1\":\"主辦單位狀態已更新\",\"LqBITi\":\"將使用組織者/預設範本\",\"/IX/7x\":\"其他\",\"RsiDDQ\":\"其他列表(不包含此票)\",\"6/dCYd\":\"總覽\",\"8uqsE5\":\"頁面不再可用\",\"QkLf4H\":\"頁面網址\",\"sF+Xp9\":\"頁面瀏覽量\",\"5F7SYw\":\"部分退款\",\"fFYotW\":[\"Partially refunded: \",[\"0\"]],\"Ff0Dor\":\"過去\",\"xTPjSy\":\"過往活動\",\"/l/ckQ\":\"貼上網址\",\"URAE3q\":\"已暫停\",\"4fL/V7\":\"付款\",\"OZK07J\":\"Pay to unlock\",\"TskrJ8\":\"付款與計劃\",\"ENEPLY\":\"付款方式\",\"EyE8E6\":\"支付處理\",\"8Lx2X7\":\"已收到付款\",\"vcyz2L\":\"支付設置\",\"fx8BTd\":\"付款不可用\",\"51U9mG\":\"付款將繼續無中斷流轉\",\"VlXNyK\":\"Per order\",\"hauDFf\":\"Per ticket\",\"/Bh+7r\":\"表現\",\"zmwvG2\":\"電話\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"計劃舉辦活動?\",\"br3Y/y\":\"平台費用\",\"jEw0Mr\":\"請輸入有效的 URL\",\"n8+Ng/\":\"請輸入5位數驗證碼\",\"Dvq0wf\":\"請提供圖片。\",\"2cUopP\":\"請重新開始結賬流程。\",\"8KmsFa\":\"Please select a date range\",\"EFq6EG\":\"請選擇圖片。\",\"fuwKpE\":\"請再試一次。\",\"klWBeI\":\"請等一陣再申請新嘅驗證碼\",\"hfHhaa\":\"請稍候,我哋準備緊匯出你嘅推廣夥伴...\",\"o+tJN/\":\"請稍候,我們正在準備導出您的與會者...\",\"+5Mlle\":\"請稍候,我們正在準備導出您的訂單...\",\"TjX7xL\":\"結帳後訊息\",\"cs5muu\":\"預覽活動頁面\",\"+4yRWM\":\"門票價格\",\"a5jvSX\":\"Price Tiers\",\"ReihZ7\":\"列印預覽\",\"JnuPvH\":\"Print Ticket\",\"tYF4Zq\":\"列印為PDF\",\"LcET2C\":\"私隱政策\",\"8z6Y5D\":\"處理退款\",\"JcejNJ\":\"處理訂單中\",\"EWCLpZ\":\"產品已創建\",\"XkFYVB\":\"產品已刪除\",\"YMwcbR\":\"產品銷售、收入和税費明細\",\"ldVIlB\":\"產品已更新\",\"mIqT3T\":\"產品、商品和靈活的定價選項\",\"JoKGiJ\":\"優惠碼\",\"k3wH7i\":\"促銷碼使用情況及折扣明細\",\"uEhdRh\":\"Promo Only\",\"EEYbdt\":\"發佈\",\"evDBV8\":\"發佈活動\",\"dsFmM+\":\"Purchased\",\"YwNJAq\":\"二維碼掃描,提供即時反饋和安全共享,供工作人員使用\",\"fqDzSu\":\"費率\",\"spsZys\":\"準備升級?這只需要幾分鐘。\",\"Fi3b48\":\"最近訂單\",\"Edm6av\":\"重新連接 Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"正在重定向到 Stripe...\",\"ACKu03\":\"刷新預覽\",\"fKn/k6\":\"退款金額\",\"qY4rpA\":\"Refund failed\",\"FaK/8G\":[\"退款訂單 \",[\"0\"]],\"MGbi9P\":\"Refund pending\",\"BDSRuX\":[\"Refunded: \",[\"0\"]],\"bU4bS1\":\"退款\",\"CQeZT8\":\"未找到報告\",\"JEPMXN\":\"請求新連結\",\"mdeIOH\":\"重新發送驗證碼\",\"bxoWpz\":\"重新發送確認電郵\",\"G42SNI\":\"重新發送電郵\",\"TTpXL3\":[[\"resendCooldown\"],\"秒後重新發送\"],\"Uwsg2F\":\"Reserved\",\"8wUjGl\":\"保留至\",\"slOprG\":\"重置您的密碼\",\"CbnrWb\":\"返回活動\",\"Oo/PLb\":\"收入摘要\",\"dFFW9L\":[\"Sale ended \",[\"0\"]],\"loCKGB\":[\"Sale ends \",[\"0\"]],\"wlfBad\":\"Sale Period\",\"zpekWp\":[\"Sale starts \",[\"0\"]],\"mUv9U4\":\"銷售\",\"9KnRdL\":\"Sales are paused\",\"3VnlS9\":\"所有活動的銷售、訂單和表現指標\",\"3Q1AWe\":\"銷售額:\",\"8BRPoH\":\"示例場地\",\"KZrfYJ\":\"儲存社交連結\",\"9Y3hAT\":\"儲存範本\",\"C8ne4X\":\"儲存門票設計\",\"I+FvbD\":\"掃描\",\"4ba0NE\":\"Scheduled\",\"ftNXma\":\"搜尋推廣夥伴...\",\"VY+Bdn\":\"按賬戶名稱或電子郵件搜尋...\",\"VX+B3I\":\"按活動標題或主辦方搜索...\",\"GHdjuo\":\"按姓名、電子郵件或帳戶搜索...\",\"Mck5ht\":\"Secure Checkout\",\"p7xUrt\":\"選擇類別\",\"BFRSTT\":\"選擇帳戶\",\"mCB6Je\":\"全選\",\"kYZSFD\":\"選擇主辦單位以查看其儀表板與活動。\",\"tVW/yo\":\"選擇貨幣\",\"n9ZhRa\":\"選擇結束日期與時間\",\"gTN6Ws\":\"選擇結束時間\",\"0U6E9W\":\"選擇活動類別\",\"j9cPeF\":\"選擇事件類型\",\"1nhy8G\":\"選擇掃描器類型\",\"KizCK7\":\"選擇開始日期與時間\",\"dJZTv2\":\"選擇開始時間\",\"aT3jZX\":\"選擇時區\",\"Ropvj0\":\"選擇哪些事件將觸發此 Webhook\",\"BG3f7v\":\"銷售任何產品\",\"VtX8nW\":\"在銷售門票的同時銷售商品,並支持集成税務和促銷代碼\",\"Cye3uV\":\"銷售不僅僅是門票\",\"j9b/iy\":\"熱賣中 🔥\",\"1lNPhX\":\"發送退款通知郵件\",\"SPdzrs\":\"客戶下訂時發送\",\"LxSN5F\":\"發送給每位參會者及其門票詳情\",\"eXssj5\":\"Set default settings for new events created under this organizer.\",\"xMO+Ao\":\"設定你嘅機構\",\"HbUQWA\":\"幾分鐘內完成設置\",\"GG7qDw\":\"分享推廣連結\",\"hL7sDJ\":\"分享主辦單位頁面\",\"WHY75u\":\"Show Additional Options\",\"cMW+gm\":[\"顯示所有平台(另有 \",[\"0\"],\" 個有內容)\"],\"UVPI5D\":\"顯示較少平台\",\"Eu/N/d\":\"顯示營銷訂閱複選框\",\"SXzpzO\":\"預設顯示營銷訂閱複選框\",\"b33PL9\":\"顯示更多平台\",\"v6IwHE\":\"智能簽到\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"社交\",\"d0rUsW\":\"社交連結\",\"j/TOB3\":\"社交連結與網站\",\"2pxNFK\":\"已售出\",\"s9KGXU\":\"Sold\",\"KTxc6k\":\"出現問題,請重試,或在問題持續時聯繫客服\",\"H6Gslz\":\"對於給您帶來的不便,我們深表歉意。\",\"7JFNej\":\"體育\",\"JcQp9p\":\"開始日期同時間\",\"0m/ekX\":\"開始日期與時間\",\"izRfYP\":\"必須填寫開始日期\",\"2R1+Rv\":\"活動開始時間\",\"2NbyY/\":\"統計數據\",\"DRykfS\":\"仍在處理您舊交易的退款。\",\"wuV0bK\":\"停止模擬\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe設置已完成。\",\"ii0qn/\":\"主題是必需的\",\"M7Uapz\":\"主題將顯示在這裏\",\"6aXq+t\":\"主題:\",\"JwTmB6\":\"產品複製成功\",\"RuaKfn\":\"地址更新成功\",\"kzx0uD\":\"Successfully Updated Event Defaults\",\"5n+Wwp\":\"主辦單位更新成功\",\"0Dk/l8\":\"SEO 設定已成功更新\",\"MhOoLQ\":\"社交連結更新成功\",\"kj7zYe\":\"Webhook 更新成功\",\"dXoieq\":\"摘要\",\"/RfJXt\":[\"夏日音樂節 \",[\"0\"]],\"CWOPIK\":\"2025夏季音樂節\",\"5gIl+x\":\"支持分級、基於捐贈和產品銷售,並提供可自定義的定價和容量\",\"JZTQI0\":\"切換主辦單位\",\"XX32BM\":\"只需幾分鐘\",\"yT6dQ8\":\"按稅種和活動分組的已收稅款\",\"Ye321X\":\"稅種名稱\",\"WyCBRt\":\"稅務摘要\",\"GkH0Pq\":\"Taxes & fees applied\",\"SmvJCM\":\"Taxes, fees, sale period, order limits, and visibility settings\",\"vlf/In\":\"科技\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"讓人們知道您的活動有什麼內容\",\"NiIUyb\":\"請告訴我們您的活動\",\"DovcfC\":\"話俾我哋知你嘅機構資料。呢啲資料會顯示喺你嘅活動頁面。\",\"7wtpH5\":\"範本已啟用\",\"QHhZeE\":\"範本建立成功\",\"xrWdPR\":\"範本刪除成功\",\"G04Zjt\":\"範本儲存成功\",\"xowcRf\":\"服務條款\",\"6K0GjX\":\"Text may be hard to read\",\"nm3Iz/\":\"感謝您的參與!\",\"lhAWqI\":\"感謝您的支持,我們將繼續發展和改進 Hi.Events!\",\"KfmPRW\":\"The background color of the page. When using cover image, this is applied as an overlay.\",\"MDNyJz\":\"驗證碼會喺10分鐘後過期。如果你搵唔到電郵,請檢查垃圾郵件資料夾。\",\"MJm4Tq\":\"訂單的貨幣\",\"I/NNtI\":\"活動場地\",\"tXadb0\":\"您查找的活動目前不可用。它可能已被刪除、過期或 URL 不正確。\",\"EBzPwC\":\"活動的完整地址\",\"sxKqBm\":\"訂單全額將退款至客戶的原始付款方式。\",\"5OmEal\":\"客戶的語言\",\"sYLeDq\":\"找不到您正在尋找的主辦單位。頁面可能已被移動、刪除,或網址不正確。\",\"HxxXZO\":\"The primary brand color used for buttons and highlights\",\"DEcpfp\":\"模板正文包含無效的Liquid語法。請更正後再試。\",\"A4UmDy\":\"劇場\",\"tDwYhx\":\"主題與顏色\",\"HirZe8\":\"這些範本將用作您組織中所有活動的預設範本。單個活動可以用自己的自定義版本覆蓋這些範本。\",\"lzAaG5\":\"這些範本將僅覆蓋此活動的組織者預設設置。如果這裏沒有設置自定義範本,將使用組織者範本。\",\"XBNC3E\":\"呢個代碼會用嚟追蹤銷售。只可以用字母、數字、連字號同底線。\",\"AaP0M+\":\"This color combination may be hard to read for some users\",\"YClrdK\":\"呢個活動未發佈\",\"dFJnia\":\"這是將會顯示給使用者的主辦單位名稱。\",\"L7dIM7\":\"此連結無效或已過期。\",\"j5FdeA\":\"此訂單正在處理中。\",\"sjNPMw\":\"This order was abandoned. You can start a new order anytime.\",\"OhCesD\":\"此訂單已被取消。您可以隨時開始新訂單。\",\"lyD7rQ\":\"呢個主辦方資料未發佈\",\"9b5956\":\"此預覽顯示您的郵件使用示例資料的外觀。實際郵件將使用真實值。\",\"uM9Alj\":\"This product is highlighted on the event page\",\"RqSKdX\":\"This product is sold out\",\"0Ew0uk\":\"此門票剛剛被掃描。請等待後再次掃描。\",\"kvpxIU\":\"這將用於通知和與使用者的溝通。\",\"rhsath\":\"呢個唔會俾客戶睇到,但可以幫你識別推廣夥伴。\",\"Mr5UUd\":\"Ticket Cancelled\",\"0GSPnc\":\"門票設計\",\"EZC/Cu\":\"門票設計儲存成功\",\"1BPctx\":\"門票:\",\"bgqf+K\":\"持票人電郵\",\"oR7zL3\":\"持票人姓名\",\"HGuXjF\":\"票務持有人\",\"awHmAT\":\"門票 ID\",\"6czJik\":\"門票標誌\",\"OkRZ4Z\":\"門票名稱\",\"6tmWch\":\"票券或產品\",\"1tfWrD\":\"門票預覽:\",\"tGCY6d\":\"門票價格\",\"8jLPgH\":\"門票類型\",\"X26cQf\":\"門票連結\",\"zNECqg\":\"tickets\",\"6GQNLE\":\"Tickets\",\"NRhrIB\":\"票券與產品\",\"EUnesn\":\"門票有售\",\"AGRilS\":\"已售票數\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"要接受信用卡付款,您需要連接您的 Stripe 賬户。Stripe 是我們的支付處理合作夥伴,確保安全交易和及時付款。\",\"W428WC\":\"Toggle columns\",\"3sZ0xx\":\"總賬戶數\",\"EaAPbv\":\"支付總金額\",\"SMDzqJ\":\"總參與人數\",\"orBECM\":\"總收款\",\"KSDwd5\":\"總訂單數\",\"vb0Q0/\":\"總用戶數\",\"/b6Z1R\":\"通過詳細的分析和可導出的報告跟蹤收入、頁面瀏覽量和銷售情況\",\"OpKMSn\":\"交易手續費:\",\"uKOFO5\":\"如果是離線付款則為真\",\"9GsDR2\":\"如果付款待處理則為真\",\"ouM5IM\":\"嘗試其他郵箱\",\"3DZvE7\":\"免費試用Hi.Events\",\"Kz91g/\":\"土耳其語\",\"GdOhw6\":\"關閉聲音\",\"KUOhTy\":\"開啟聲音\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"門票類型\",\"IrVSu+\":\"無法複製產品。請檢查您的詳細信息\",\"Vx2J6x\":\"無法擷取參與者資料\",\"b9SN9q\":\"唯一訂單參考\",\"Ef7StM\":\"未知\",\"ZBAScj\":\"未知參會者\",\"ZkS2p3\":\"取消發佈活動\",\"Pp1sWX\":\"更新推廣夥伴\",\"KMMOAy\":\"可升級\",\"gJQsLv\":\"上傳主辦單位的封面圖片\",\"4kEGqW\":\"上傳主辦單位的標誌\",\"lnCMdg\":\"上傳圖片\",\"29w7p6\":\"正在上傳圖片...\",\"HtrFfw\":\"URL 是必填項\",\"WBq1/R\":\"USB掃描器已啟用\",\"EV30TR\":\"USB掃描器模式已啟用。現在開始掃描門票。\",\"fovJi3\":\"USB掃描器模式已停用\",\"hli+ga\":\"USB/HID掃描器\",\"OHJXlK\":\"使用 <0>Liquid 模板 個性化您的郵件\",\"0k4cdb\":\"Use order details for all attendees. Attendee names and emails will match the buyer's information.\",\"rnoQsz\":\"用於邊框、高亮和二維碼樣式\",\"AdWhjZ\":\"驗證碼\",\"wCKkSr\":\"驗證電郵\",\"/IBv6X\":\"驗證您的電郵\",\"e/cvV1\":\"驗證緊...\",\"fROFIL\":\"越南語\",\"+WFMis\":\"查看和下載所有活動的報告。僅包含已完成的訂單。\",\"gj5YGm\":\"查看並下載您的活動報告。請注意,報告中僅包含已完成的訂單。\",\"c7VN/A\":\"查看答案\",\"FCVmuU\":\"查看活動\",\"n6EaWL\":\"查看日誌\",\"OaKTzt\":\"查看地圖\",\"67OJ7t\":\"查看訂單\",\"tKKZn0\":\"查看訂單詳情\",\"9jnAcN\":\"查看主辦單位主頁\",\"1J/AWD\":\"查看門票\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"僅對簽到工作人員可見。有助於在簽到期間識別此名單。\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"等待付款\",\"RRZDED\":\"我們找不到與此郵箱關聯的訂單。\",\"miysJh\":\"我們找不到此訂單。它可能已被刪除。\",\"HJKdzP\":\"載入此頁面時遇到問題。請重試。\",\"IfN2Qo\":\"我們建議使用最小尺寸為200x200像素的方形標誌\",\"wJzo/w\":\"我們建議尺寸為 400x400 像素,檔案大小不超過 5MB\",\"q1BizZ\":\"我們將把您的門票發送到此郵箱\",\"zCdObC\":\"我們已正式將總部遷至愛爾蘭 🇮🇪。作為此次過渡的一部分,我們現在使用 Stripe 愛爾蘭而不是 Stripe 加拿大。為了保持您的付款順利進行,您需要重新連接您的 Stripe 帳戶。\",\"jh2orE\":\"我們已將總部搬遷至愛爾蘭。因此,我們需要您重新連接您的 Stripe 帳戶。這個快速過程只需幾分鐘。您的銷售和現有數據完全不受影響。\",\"Fq/Nx7\":\"我哋已經將5位數驗證碼發送到:\",\"GdWB+V\":\"Webhook 創建成功\",\"2X4ecw\":\"Webhook 刪除成功\",\"CThMKa\":\"Webhook 日誌\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook 不會發送通知\",\"FSaY52\":\"Webhook 將發送通知\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"網站\",\"vKLEXy\":\"微博\",\"jupD+L\":\"歡迎回來 👋\",\"kSYpfa\":[\"歡迎嚟到 \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"歡迎嚟到 \",[\"0\"],\",\",[\"1\"],\" 👋\"],\"LETnBR\":[\"歡迎嚟到 \",[\"0\"],\",呢度係你所有活動嘅列表\"],\"FaSXqR\":\"咩類型嘅活動?\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"當簽到被刪除時\",\"Gmd0hv\":\"當新與會者被創建時\",\"Lc18qn\":\"當新訂單被創建時\",\"dfkQIO\":\"當新產品被創建時\",\"8OhzyY\":\"當產品被刪除時\",\"tRXdQ9\":\"當產品被更新時\",\"Q7CWxp\":\"當與會者被取消時\",\"IuUoyV\":\"當與會者簽到時\",\"nBVOd7\":\"當與會者被更新時\",\"ny2r8d\":\"當訂單被取消時\",\"c9RYbv\":\"當訂單被標記為已支付時\",\"ejMDw1\":\"當訂單被退款時\",\"fVPt0F\":\"當訂單被更新時\",\"bcYlvb\":\"簽到何時關閉\",\"XIG669\":\"簽到何時開放\",\"de6HLN\":\"當顧客購買門票時,他們的訂單將會顯示在這裡。\",\"blXLKj\":\"啟用後,新活動將在結帳時顯示營銷訂閱複選框。此設置可以針對每個活動單獨覆蓋。\",\"uvIqcj\":\"工作坊\",\"EpknJA\":\"請在此輸入您的訊息...\",\"nhtR6Y\":\"X(Twitter)\",\"Tz5oXG\":\"是,取消我的訂單\",\"QlSZU0\":[\"您正在模擬 <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"您正在發出部分退款。客戶將獲得 \",[\"0\"],\" \",[\"1\"],\" 的退款。\"],\"casL1O\":\"您已向免費產品添加了税費。您想要刪除它們嗎?\",\"FVTVBy\":\"在更新主辦單位狀態之前,您必須先驗證您的電郵地址。\",\"FRl8Jv\":\"您需要驗證您的帳户電子郵件才能發送消息。\",\"U3wiCB\":\"一切就緒!您的付款正在順利處理。\",\"MNFIxz\":[\"您將參加 \",[\"0\"],\"!\"],\"x/xjzn\":\"你嘅推廣夥伴已經成功匯出。\",\"TF37u6\":\"您的與會者已成功導出。\",\"79lXGw\":\"您的簽到名單已成功建立。與您的簽到工作人員共享以下連結。\",\"BnlG9U\":\"您當前的訂單將丟失。\",\"nBqgQb\":\"您的電子郵件\",\"R02pnV\":\"在向與會者銷售門票之前,您的活動必須處於上線狀態。\",\"ifRqmm\":\"你嘅訊息已經成功發送!\",\"/Rj5P4\":\"您的姓名\",\"naQW82\":\"您的訂單已被取消。\",\"bhlHm/\":\"您的訂單正在等待付款\",\"XeNum6\":\"您的訂單已成功導出。\",\"Xd1R1a\":\"您主辦單位的地址\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"您的 Stripe 帳戶已連接並正在處理付款。\",\"vvO1I2\":\"您的 Stripe 賬户已連接並準備好處理支付。\",\"CnZ3Ou\":\"您的門票已確認。\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"f8qS7T\":\"There's nothing to show yet\",\"J/hVSQ\":[[\"0\"]],\"Jv22kr\":[[\"0\"],\" <0>簽到成功\"],\"yxhYRZ\":[[\"0\"],\" <0>簽退成功\"],\"KMgp2+\":[[\"0\"],\"可用\"],\"Pmr5xp\":[\"成功創建 \",[\"0\"]],\"FImCSc\":[[\"0\"],\"更新成功\"],\"KOr9b4\":[[\"0\"],\"'s Events\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" 已簽到\"],\"Vjij1k\":[[\"days\"],\" 天, \",[\"hours\"],\" 小時, \",[\"minutes\"],\" 分鐘, 和 \",[\"seconds\"],\" 秒\"],\"f3RdEk\":[[\"hours\"],\" 小時, \",[\"minutes\"],\" 分鐘, 和 \",[\"seconds\"],\" 秒\"],\"fyE7Au\":[[\"分\"],\"分鐘和\",[\"秒\"],\"秒鐘\"],\"NlQ0cx\":[[\"組織者名稱\"],\"的首次活動\"],\"Ul6IgC\":\"<0>容量分配讓你可以管理票務或整個活動的容量。非常適合多日活動、研討會等,需要控制出席人數的場合。<1>例如,你可以將容量分配與<2>第一天和<3>所有天數的票關聯起來。一旦達到容量,這兩種票將自動停止銷售。\",\"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>請輸入不含税費的價格。<1>税費可以在下方添加。\",\"ZjMs6e\":\"<0>該產品的可用數量<1>如果該產品有相關的<2>容量限制,此值可以被覆蓋。\",\"E15xs8\":\"⚡️ 設置您的活動\",\"FL6OwU\":\"✉️ Confirm your email address\",\"BN0OQd\":\"🎉 Congratulations on creating an event!\",\"4kSf7w\":\"🎟️ Add products\",\"4WT5tD\":\"🎨 自定義活動頁面\",\"3VPPdS\":\"與 Stripe 連接\",\"cjdktw\":\"🚀 實時設置您的活動\",\"rmelwV\":\"0 分 0 秒\",\"i0puaE\":\"10.00\",\"qdfdgM\":\"緬因街 123 號\",\"IoRZzD\":\"20\",\"+H1RMb\":\"2024-01-01 10:00\",\"Q/T49U\":\"2024-01-01 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"日期輸入字段。非常適合詢問出生日期等。\",\"6euFZ/\":[\"默認的\",[\"type\"],\"會自動應用於所有新產品。您可以為每個產品單獨覆蓋此設置。\"],\"SMUbbQ\":\"下拉式輸入法只允許一個選擇\",\"qv4bfj\":\"費用,如預訂費或服務費\",\"POT0K/\":\"每個產品的固定金額。例如,每個產品$0.50\",\"f4vJgj\":\"多行文本輸入\",\"OIPtI5\":\"產品價格的百分比。例如,3.5%的產品價格\",\"ZthcdI\":\"無折扣的促銷代碼可以用來顯示隱藏的產品。\",\"AG/qmQ\":\"單選題有多個選項,但只能選擇一個。\",\"h179TP\":\"活動的簡短描述,將顯示在搜索引擎結果中,並在社交媒體上分享時顯示。默認情況下,將使用活動描述\",\"WKMnh4\":\"單行文本輸入\",\"BHZbFy\":\"每個訂單一個問題。例如,您的送貨地址是什麼?\",\"Fuh+dI\":\"每個產品一個問題。例如,您的T恤尺碼是多少?\",\"RlJmQg\":\"標準税,如增值税或消費税\",\"uIKNjo\":\"About the event\",\"3pykXZ\":\"接受銀行轉賬、支票或其他線下支付方式\",\"hrvLf4\":\"通過 Stripe 接受信用卡支付\",\"bfXQ+N\":\"接受邀請\",\"AeXO77\":\"賬户\",\"lkNdiH\":\"賬户名稱\",\"Puv7+X\":\"賬户設置\",\"OmylXO\":\"賬户更新成功\",\"7L01XJ\":\"操作\",\"FQBaXG\":\"激活\",\"5T2HxQ\":\"激活日期\",\"F6pfE9\":\"活躍\",\"/PN1DA\":\"為此簽到列表添加描述\",\"0/vPdA\":\"添加有關與會者的任何備註。這些將不會對與會者可見。\",\"Or1CPR\":\"添加有關與會者的任何備註...\",\"l3sZO1\":\"添加關於訂單的備註。這些信息不會對客户可見。\",\"xMekgu\":\"添加關於訂單的備註...\",\"PGPGsL\":\"添加描述\",\"gMK0ps\":\"Add event details and and manage event settings.\",\"OveehC\":\"添加線下支付的説明(例如,銀行轉賬詳情、支票寄送地址、付款截止日期)\",\"LTVoRa\":\"Add More products\",\"ApsD9J\":\"添加新內容\",\"TZxnm8\":\"添加選項\",\"24l4x6\":\"添加產品\",\"8q0EdE\":\"將產品添加到類別\",\"YvCknQ\":\"Add products\",\"Cw27zP\":\"添加問題\",\"yWiPh+\":\"加税或費用\",\"goOKRY\":\"增加層級\",\"oZW/gT\":\"添加到日曆\",\"pn5qSs\":\"附加信息\",\"Y8DIQy\":\"Additional Options\",\"Du6bPw\":\"地址\",\"NY/x1b\":\"地址第 1 行\",\"POdIrN\":\"地址 1\",\"cormHa\":\"地址第 2 行\",\"gwk5gg\":\"地址第 2 行\",\"U3pytU\":\"管理員\",\"HLDaLi\":\"管理員用户可以完全訪問事件和賬户設置。\",\"W7AfhC\":\"本次活動的所有與會者\",\"cde2hc\":\"所有產品\",\"5CQ+r0\":\"允許與未支付訂單關聯的參與者簽到\",\"ipYKgM\":\"允許搜索引擎索引\",\"LRbt6D\":\"允許搜索引擎索引此事件\",\"+MHcJD\":\"Almost there! We're just waiting for your payment to be processed. This should only take a few seconds..\",\"ApOYO8\":\"令人驚歎, 活動, 關鍵詞...\",\"hehnjM\":\"金額\",\"R2O9Rg\":[\"支付金額 (\",[\"0\"],\")\"],\"V7MwOy\":\"加載頁面時出現錯誤\",\"Q7UCEH\":\"問題排序時發生錯誤。請重試或刷新頁面\",\"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\":\"出現意外錯誤。\",\"byKna+\":\"出現意外錯誤。請重試。\",\"ubdMGz\":\"產品持有者的任何查詢都將發送到此電子郵件地址。此地址還將用作從此活動發送的所有電子郵件的“回覆至”地址\",\"aAIQg2\":\"外觀\",\"Ym1gnK\":\"應用\",\"sy6fss\":[\"適用於\",[\"0\"],\"個產品\"],\"kadJKg\":\"適用於1個產品\",\"DB8zMK\":\"應用\",\"GctSSm\":\"應用促銷代碼\",\"ARBThj\":[\"將此\",[\"type\"],\"應用於所有新產品\"],\"S0ctOE\":\"歸檔活動\",\"TdfEV7\":\"已歸檔\",\"A6AtLP\":\"Archived Events\",\"q7TRd7\":\"您確定要激活該與會者嗎?\",\"TvkW9+\":\"您確定要歸檔此活動嗎?\",\"/CV2x+\":\"您確定要取消該與會者嗎?這將使其門票作廢\",\"YgRSEE\":\"您確定要刪除此促銷代碼嗎?\",\"iU234U\":\"您確定要刪除這個問題嗎?\",\"CMyVEK\":\"您確定要將此活動設為草稿嗎?這將使公眾無法看到該活動\",\"mEHQ8I\":\"您確定要將此事件公開嗎?這將使事件對公眾可見\",\"s4JozW\":\"您確定要恢復此活動嗎?它將作為草稿恢復。\",\"vJuISq\":\"您確定要刪除此容量分配嗎?\",\"baHeCz\":\"您確定要刪除此簽到列表嗎?\",\"LBLOqH\":\"每份訂單詢問一次\",\"wu98dY\":\"每個產品詢問一次\",\"ss9PbX\":\"參加者\",\"m0CFV2\":\"與會者詳情\",\"QKim6l\":\"未找到參與者\",\"R5IT/I\":\"與會者備註\",\"lXcSD2\":\"與會者提問\",\"HT/08n\":\"參會者票\",\"9SZT4E\":\"參與者\",\"iPBfZP\":\"註冊的參會者\",\"7KxcHR\":\"Attendees with a specific product\",\"IMJ6rh\":\"自動調整大小\",\"vZ5qKF\":\"根據內容自動調整 widget 高度。禁用時,窗口小部件將填充容器的高度。\",\"4lVaWA\":\"等待線下付款\",\"2rHwhl\":\"等待線下付款\",\"3wF4Q/\":\"等待付款\",\"ioG+xt\":\"等待付款\",\"3PmQfI\":\"Awesome Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Back to all events\",\"A302fe\":\"返回活動頁面\",\"VCoEm+\":\"返回登錄\",\"k1bLf+\":\"背景顏色\",\"I7xjqg\":\"背景類型\",\"1mwMl+\":\"發送之前\",\"/yeZ20\":\"Before your event can go live, there are a few things you need to do.\",\"ze6ETw\":\"Begin selling products in minutes\",\"8rE61T\":\"賬單地址\",\"/xC/im\":\"賬單設置\",\"rp/zaT\":\"巴西葡萄牙語\",\"whqocw\":\"註冊即表示您同意我們的<0>服務條款和<1>隱私政策。\",\"bcCn6r\":\"計算類型\",\"+8bmSu\":\"加利福尼亞州\",\"iStTQt\":\"相機權限被拒絕。<0>再次請求權限,如果還不行,則需要在瀏覽器設置中<1>授予此頁面訪問相機的權限。\",\"dEgA5A\":\"取消\",\"Gjt/py\":\"取消更改電子郵件\",\"tVJk4q\":\"取消訂單\",\"Os6n2a\":\"取消訂單\",\"Mz7Ygx\":[\"取消訂單 \",[\"0\"]],\"3tTjpi\":\"Canceling will cancel all products associated with this order, and release the products back into the available pool.\",\"vv7kpg\":\"已取消\",\"U7nGvl\":\"無法簽到\",\"QyjCeq\":\"容量\",\"V6Q5RZ\":\"容量分配創建成功\",\"k5p8dz\":\"容量分配刪除成功\",\"nDBs04\":\"容量管理\",\"ddha3c\":\"類別允許您將產品分組。例如,您可以有一個“門票”類別和另一個“商品”類別。\",\"iS0wAT\":\"類別幫助您組織產品。此標題將在公共活動頁面上顯示。\",\"eorM7z\":\"類別重新排序成功。\",\"3EXqwa\":\"類別創建成功\",\"77/YgG\":\"Change Cover\",\"GptGxg\":\"更改密碼\",\"xMDm+I\":\"簽到\",\"p2WLr3\":[\"簽到 \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"簽到並標記訂單為已付款\",\"QYLpB4\":\"僅簽到\",\"/Ta1d4\":\"簽出\",\"5LDT6f\":\"看看這個活動吧!\",\"gXcPxc\":\"辦理登機手續\",\"fVUbUy\":\"Check-In List created successfully\",\"+CeSxK\":\"簽到列表刪除成功\",\"+hBhWk\":\"簽到列表已過期\",\"mBsBHq\":\"簽到列表未激活\",\"vPqpQG\":\"未找到簽到列表\",\"tejfAy\":\"簽到列表\",\"hD1ocH\":\"簽到鏈接已複製到剪貼板\",\"CNafaC\":\"複選框選項允許多重選擇\",\"SpabVf\":\"複選框\",\"CRu4lK\":\"已簽到\",\"znIg+z\":\"結賬\",\"1WnhCL\":\"結賬設置\",\"6imsQS\":\"簡體中文\",\"JjkX4+\":\"選擇背景顏色\",\"/Jizh9\":\"選擇賬户\",\"3wV73y\":\"城市\",\"FG98gC\":\"清除搜索文本\",\"EYeuMv\":\"click here\",\"sby+1/\":\"點擊複製\",\"yz7wBu\":\"關閉\",\"62Ciis\":\"關閉側邊欄\",\"EWPtMO\":\"代碼\",\"ercTDX\":\"代碼長度必須在 3 至 50 個字符之間\",\"oqr9HB\":\"當活動頁面初始加載時摺疊此產品\",\"jZlrte\":\"顏色\",\"Vd+LC3\":\"顏色必須是有效的十六進制顏色代碼。例如#ffffff\",\"1HfW/F\":\"顏色\",\"VZeG/A\":\"即將推出\",\"yPI7n9\":\"以逗號分隔的描述活動的關鍵字。搜索引擎將使用這些關鍵字來幫助對活動進行分類和索引\",\"NPZqBL\":\"完整訂單\",\"guBeyC\":\"Complete payment\",\"C8HNV2\":\"完成付款\",\"qqWcBV\":\"已完成\",\"6HK5Ct\":\"已完成訂單\",\"NWVRtl\":\"已完成訂單\",\"DwF9eH\":\"組件代碼\",\"Tf55h7\":\"已配置折扣\",\"7VpPHA\":\"確認\",\"ZaEJZM\":\"確認電子郵件更改\",\"yjkELF\":\"確認新密碼\",\"xnWESi\":\"確認密碼\",\"p2/GCq\":\"確認密碼\",\"wnDgGj\":\"確認電子郵件地址...\",\"pbAk7a\":\"連接條紋\",\"UMGQOh\":\"與 Stripe 連接\",\"QKLP1W\":\"連接 Stripe 賬户,開始接收付款。\",\"5lcVkL\":\"連接詳情\",\"yAej59\":\"Content background color\",\"xGVfLh\":\"繼續\",\"X++RMT\":\"Continue button text\",\"AfNRFG\":\"繼續按鈕文本\",\"lIbwvN\":\"Continue Event Setup\",\"HB22j9\":\"繼續設置\",\"bZEa4H\":\"Continue Stripe Connect Setup\",\"6V3Ea3\":\"複製的\",\"T5rdis\":\"複製到剪貼板\",\"he3ygx\":\"複製\",\"r2B2P8\":\"複製簽到鏈接\",\"8+cOrS\":\"Copy details to all attendees\",\"ENCIQz\":\"複製鏈接\",\"E6nRW7\":\"複製 URL\",\"JNCzPW\":\"國家\",\"IF7RiR\":\"封面\",\"hYgDIe\":\"創建\",\"b9XOHo\":[\"創建 \",[\"0\"]],\"k9RiLi\":\"創建一個產品\",\"6kdXbW\":\"創建促銷代碼\",\"n5pRtF\":\"創建票單\",\"X6sRve\":[\"創建賬户或 <0>\",[\"0\"],\" 開始使用\"],\"nx+rqg\":\"創建一個組織者\",\"ipP6Ue\":\"創建與會者\",\"VwdqVy\":\"創建容量分配\",\"EwoMtl\":\"創建類別\",\"XletzW\":\"創建類別\",\"WVbTwK\":\"創建簽到列表\",\"uN355O\":\"創建活動\",\"BOqY23\":\"創建新的\",\"kpJAeS\":\"創建組織器\",\"a0EjD+\":\"創建產品\",\"+scrJC\":\"Create products for your event, set prices, and manage available quantity.\",\"sYpiZP\":\"創建促銷代碼\",\"B3Mkdt\":\"創建問題\",\"UKfi21\":\"創建税費\",\"d+F6q9\":\"Created\",\"Q2lUR2\":\"貨幣\",\"DCKkhU\":\"當前密碼\",\"uIElGP\":\"自定義地圖 URL\",\"UEqXyt\":\"自定義範圍\",\"876pfE\":\"客户\",\"QOg2Sf\":\"自定義此事件的電子郵件和通知設置\",\"Y9Z/vP\":\"定製活動主頁和結賬信息\",\"2E2O5H\":\"自定義此事件的其他設置\",\"iJhSxe\":\"自定義此事件的搜索引擎優化設置\",\"KIhhpi\":\"定製您的活動頁面\",\"nrGWUv\":\"定製您的活動頁面,以符合您的品牌和風格。\",\"Zz6Cxn\":\"危險區\",\"ZQKLI1\":\"危險區\",\"7p5kLi\":\"Dashboard\",\"mYGY3B\":\"日期\",\"JvUngl\":\"日期和時間\",\"JJhRbH\":\"第一天容量\",\"cnGeoo\":\"刪除\",\"jRJZxD\":\"刪除容量\",\"VskHIx\":\"刪除類別\",\"Qrc8RZ\":\"刪除簽到列表\",\"WHf154\":\"刪除代碼\",\"heJllm\":\"Delete Cover\",\"KWa0gi\":\"Delete Image\",\"1l14WA\":\"Delete product\",\"IatsLx\":\"刪除問題\",\"Nu4oKW\":\"説明\",\"YC3oXa\":\"簽到工作人員的描述\",\"URmyfc\":\"詳細信息\",\"1lRT3t\":\"禁用此容量將跟蹤銷售情況,但不會在達到限制時停止銷售\",\"H6Ma8Z\":\"折扣\",\"ypJ62C\":\"折扣率\",\"3LtiBI\":[[\"0\"],\"中的折扣\"],\"C8JLas\":\"折扣類型\",\"1QfxQT\":\"Dismiss\",\"DZlSLn\":\"文檔標籤\",\"cVq+ga\":\"Don't have an account? <0>Sign Up\",\"3F1nBX\":\"捐贈 / 自由定價產品\",\"OvNbls\":\"下載 .ics\",\"kodV18\":\"下載 CSV\",\"CELKku\":\"下載發票\",\"LQrXcu\":\"下載發票\",\"QIodqd\":\"下載二維碼\",\"yhjU+j\":\"正在下載發票\",\"uABpqP\":\"Drag and drop or click\",\"CfKofC\":\"下拉選擇\",\"JzLDvy\":\"Duplicate Capacity Assignments\",\"ulMxl+\":\"Duplicate Check-In Lists\",\"vi8Q/5\":\"複製活動\",\"3ogkAk\":\"複製活動\",\"Yu6m6X\":\"Duplicate Event Cover Image\",\"+fA4C7\":\"複製選項\",\"SoiDyI\":\"Duplicate Products\",\"57ALrd\":\"Duplicate Promo Codes\",\"83Hu4O\":\"Duplicate Questions\",\"20144c\":\"Duplicate Settings\",\"7Cx5It\":\"早起的鳥兒\",\"ePK91l\":\"編輯\",\"N6j2JH\":[\"編輯 \",[\"0\"]],\"kBkYSa\":\"編輯容量\",\"oHE9JT\":\"編輯容量分配\",\"j1Jl7s\":\"編輯類別\",\"FU1gvP\":\"編輯簽到列表\",\"iFgaVN\":\"編輯代碼\",\"jrBSO1\":\"編輯組織器\",\"tdD/QN\":\"編輯產品\",\"n143Tq\":\"編輯產品類別\",\"9BdS63\":\"編輯促銷代碼\",\"O0CE67\":\"編輯問題\",\"EzwCw7\":\"編輯問題\",\"poTr35\":\"編輯用户\",\"GTOcxw\":\"編輯用户\",\"pqFrv2\":\"例如2.50 換 2.50\",\"3yiej1\":\"例如23.5 表示 23.5%\",\"O3oNi5\":\"電子郵件\",\"VxYKoK\":\"電子郵件和通知設置\",\"ATGYL1\":\"電子郵件地址\",\"hzKQCy\":\"電子郵件地址\",\"HqP6Qf\":\"電子郵件更改已成功取消\",\"mISwW1\":\"電子郵件更改待定\",\"APuxIE\":\"重新發送電子郵件確認\",\"YaCgdO\":\"成功重新發送電子郵件確認\",\"jyt+cx\":\"電子郵件頁腳信息\",\"I6F3cp\":\"電子郵件未經驗證\",\"NTZ/NX\":\"嵌入代碼\",\"4rnJq4\":\"嵌入腳本\",\"8oPbg1\":\"啟用發票功能\",\"j6w7d/\":\"啟用此容量以在達到限制時停止產品銷售\",\"VFv2ZC\":\"結束日期\",\"237hSL\":\"完工\",\"nt4UkP\":\"Ended Events\",\"lYGfRP\":\"英語\",\"MhVoma\":\"輸入不含税費的金額。\",\"SlfejT\":\"錯誤\",\"3Z223G\":\"確認電子郵件地址出錯\",\"a6gga1\":\"確認更改電子郵件時出錯\",\"5/63nR\":\"歐元\",\"0pC/y6\":\"活動\",\"CFLUfD\":\"Event created successfully 🎉\",\"/dgc8E\":\"活動日期\",\"0Zptey\":\"事件默認值\",\"QcCPs8\":\"活動詳情\",\"6fuA9p\":\"事件成功複製\",\"AEuj2m\":\"活動主頁\",\"Xe3XMd\":\"Event is not visible to the public\",\"4pKXJS\":\"Event is visible to the public\",\"ClwUUD\":\"活動地點和場地詳情\",\"OopDbA\":\"Event page\",\"4/If97\":\"活動狀態更新失敗。請稍後再試\",\"btxLWj\":\"事件狀態已更新\",\"nMU2d3\":\"Event URL\",\"tst44n\":\"活動\",\"sZg7s1\":\"過期日期\",\"KnN1Tu\":\"到期\",\"uaSvqt\":\"有效期\",\"GS+Mus\":\"出口\",\"9xAp/j\":\"取消與會者失敗\",\"ZpieFv\":\"取消訂單失敗\",\"z6tdjE\":\"刪除信息失敗。請重試。\",\"xDzTh7\":\"下載發票失敗。請重試。\",\"9zSt4h\":\"Failed to export attendees. Please try again.\",\"2uGNuE\":\"Failed to export orders. Please try again.\",\"d+KKMz\":\"加載簽到列表失敗\",\"ZQ15eN\":\"重新發送票據電子郵件失敗\",\"ejXy+D\":\"產品排序失敗\",\"PLUB/s\":\"費用\",\"/mfICu\":\"費用\",\"LyFC7X\":\"篩選訂單\",\"cSev+j\":\"篩選器\",\"CVw2MU\":[\"篩選器 (\",[\"activeFilterCount\"],\")\"],\"wPmXlA\":\"第一張發票號碼\",\"V1EGGU\":\"姓名\",\"kODvZJ\":\"姓名\",\"S+tm06\":\"名字必須在 1 至 50 個字符之間\",\"1g0dC4\":\"名字、姓氏和電子郵件地址為默認問題,在結賬過程中始終包含。\",\"Rs/IcB\":\"首次使用\",\"TpqW74\":\"固定式\",\"irpUxR\":\"固定金額\",\"TF9opW\":\"該設備不支持閃存\",\"UNMVei\":\"忘記密碼?\",\"2POOFK\":\"免費\",\"P/OAYJ\":\"免費產品\",\"vAbVy9\":\"免費產品,無需付款信息\",\"nLC6tu\":\"法語\",\"Weq9zb\":\"常規\",\"DDcvSo\":\"德國\",\"4GLxhy\":\"入門\",\"4D3rRj\":\"返回個人資料\",\"9LCqFI\":\"Go to event homepage\",\"ebIDwV\":\"谷歌日曆\",\"RUz8o/\":\"gross sales\",\"IgcAGN\":\"銷售總額\",\"yRg26W\":\"總銷售額\",\"R4r4XO\":\"賓客\",\"26pGvx\":\"有促銷代碼嗎?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"下面舉例説明如何在應用程序中使用該組件。\",\"Y1SSqh\":\"下面是 React 組件,您可以用它在應用程序中嵌入 widget。\",\"QuhVpV\":[\"你好 \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events Conference Center\",\"6eMEQO\":\"hi.events logo\",\"C4qOW8\":\"隱藏於公眾視線之外\",\"gt3Xw9\":\"隱藏問題\",\"g3rqFe\":\"隱藏問題\",\"k3dfFD\":\"隱藏問題只有活動組織者可以看到,客户看不到。\",\"vLyv1R\":\"隱藏\",\"Mkkvfd\":\"隱藏入門頁面\",\"mFn5Xz\":\"隱藏隱藏問題\",\"YHsF9c\":\"在銷售結束日期後隱藏產品\",\"06s3w3\":\"在銷售開始日期前隱藏產品\",\"axVMjA\":\"除非用户有適用的促銷代碼,否則隱藏產品\",\"ySQGHV\":\"售罄時隱藏產品\",\"SCimta\":\"隱藏側邊欄中的入門頁面\",\"5xR17G\":\"對客户隱藏此產品\",\"Da29Y6\":\"隱藏此問題\",\"fvDQhr\":\"向用户隱藏此層級\",\"lNipG+\":\"隱藏產品將防止用户在活動頁面上看到它。\",\"ZOBwQn\":\"主頁設計\",\"PRuBTd\":\"主頁設計師\",\"YjVNGZ\":\"主頁預覽\",\"c3E/kw\":\"荷馬\",\"8k8Njd\":\"客户有多少分鐘來完成訂單。我們建議至少 15 分鐘\",\"ySxKZe\":\"這個代碼可以使用多少次?\",\"dZsDbK\":[\"HTML字符限制已超出:\",[\"htmlLength\"],\"/\",[\"maxLength\"]],\"fYyXCd\":\"https://example-maps-service.com/...\",\"uOXLV3\":\"我同意<0>條款和條件。\",\"sd6lr7\":\"I would like to pay using an offline method\",\"SdFlIP\":\"I would like to pay using an online method (credit card etc.)\",\"93DUnd\":[\"If a new tab did not open, please <0><1>\",[\"0\"],\".\"],\"yKdof1\":\"如果為空,將使用地址生成 Google 地圖鏈接\",\"UYT+c8\":\"如果啟用,登記工作人員可以將與會者標記為已登記或將訂單標記為已支付並登記與會者。如果禁用,關聯未支付訂單的與會者無法登記。\",\"muXhGi\":\"如果啟用,當有新訂單時,組織者將收到電子郵件通知\",\"6fLyj/\":\"如果您沒有要求更改密碼,請立即更改密碼。\",\"n/ZDCz\":\"圖像已成功刪除\",\"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\":\"圖片上傳成功\",\"VyUuZb\":\"圖片網址\",\"ibi52/\":\"Image width must be at least 900px and height at least 50px\",\"NoNwIX\":\"不活動\",\"T0K0yl\":\"非活動用户無法登錄。\",\"kO44sp\":\"包含您的在線活動的連接詳細信息。這些信息將在訂單摘要頁面和參會者門票頁面顯示。\",\"FlQKnG\":\"價格中包含税費\",\"Vi+BiW\":[\"包括\",[\"0\"],\"個產品\"],\"lpm0+y\":\"包括1個產品\",\"UiAk5P\":\"插入圖片\",\"OyLdaz\":\"再次發出邀請!\",\"HE6KcK\":\"撤銷邀請!\",\"SQKPvQ\":\"邀請用户\",\"bKOYkd\":\"發票下載成功\",\"alD1+n\":\"發票備註\",\"kOtCs2\":\"發票編號\",\"UZ2GSZ\":\"發票設置\",\"PgdQrx\":\"Issue refund\",\"HX5SVx\":\"項目\",\"KFXip/\":\"約翰\",\"XcgRvb\":\"約翰遜\",\"87a/t/\":\"標籤\",\"vXIe7J\":\"語言\",\"2LMsOq\":\"過去 12 個月\",\"vfe90m\":\"過去 14 天\",\"aK4uBd\":\"過去 24 小時\",\"uq2BmQ\":\"過去 30 天\",\"bB6Ram\":\"過去 48 小時\",\"VlnB7s\":\"過去 6 個月\",\"ct2SYD\":\"過去 7 天\",\"XgOuA7\":\"過去 90 天\",\"I3yitW\":\"最後登錄\",\"1ZaQUH\":\"姓氏\",\"UXBCwc\":\"姓氏\",\"tKCBU0\":\"最近一次使用\",\"tITjB1\":\"Learn more about Stripe\",\"enV0g0\":\"留空以使用默認詞“發票”\",\"vR92Yn\":\"Let's get started by creating your first organizer\",\"Z3FXyt\":\"加載中...\",\"wJijgU\":\"地點\",\"sQia9P\":\"登錄\",\"zUDyah\":\"登錄\",\"z0t9bb\":\"Login\",\"nOhz3x\":\"註銷\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit.Nam placerat elementum...\",\"NJahlc\":\"在結賬時強制要求填寫賬單地址\",\"MU3ijv\":\"將此問題作為必答題\",\"wckWOP\":\"管理\",\"onpJrA\":\"管理與會者\",\"n4SpU5\":\"管理活動\",\"WVgSTy\":\"管理訂單\",\"1MAvUY\":\"管理此活動的支付和發票設置。\",\"cQrNR3\":\"管理簡介\",\"AtXtSw\":\"管理可以應用於您的產品的税費\",\"ophZVW\":\"管理機票\",\"DdHfeW\":\"管理賬户詳情和默認設置\",\"S+UjNL\":\"Manage your Stripe payment details\",\"BfucwY\":\"管理用户及其權限\",\"1m+YT2\":\"在顧客結賬前,必須回答必填問題。\",\"Dim4LO\":\"手動添加與會者\",\"e4KdjJ\":\"手動添加與會者\",\"vFjEnF\":\"標記為已支付\",\"g9dPPQ\":\"每份訂單的最高限額\",\"l5OcwO\":\"與會者留言\",\"Gv5AMu\":\"留言參與者\",\"oUCR3c\":\"Message attendees with specific products\",\"Lvi+gV\":\"留言買家\",\"tNZzFb\":\"留言內容\",\"lYDV/s\":\"給個別與會者留言\",\"V7DYWd\":\"發送的信息\",\"t7TeQU\":\"信息\",\"xFRMlO\":\"每次訂購的最低數量\",\"QYcUEf\":\"最低價格\",\"RDie0n\":\"其他\",\"mYLhkl\":\"雜項設置\",\"KYveV8\":\"多行文本框\",\"VD0iA7\":\"多種價格選項。非常適合早鳥產品等。\",\"/bhMdO\":\"我的精彩活動描述\",\"vX8/tc\":\"我的精彩活動標題...\",\"hKtWk2\":\"我的簡介\",\"fj5byd\":\"不適用\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"名稱\",\"hVuv90\":\"Name should be less than 150 characters\",\"AIUkyF\":\"導航至與會者\",\"qqeAJM\":\"從不\",\"7vhWI8\":\"新密碼\",\"1UzENP\":\"No\",\"eRblWH\":[\"No \",[\"0\"],\" available.\"],\"LNWHXb\":\"沒有可顯示的已歸檔活動。\",\"q2LEDV\":\"未找到此訂單的參會者。\",\"zlHa5R\":\"尚未向此訂單添加參會者。\",\"Wjz5KP\":\"無與會者\",\"Razen5\":\"No attendees will be able to check in before this date using this list\",\"XUfgCI\":\"沒有容量分配\",\"a/gMx2\":\"沒有簽到列表\",\"tMFDem\":\"無可用數據\",\"6Z/F61\":\"無數據顯示。請選擇日期範圍\",\"fFeCKc\":\"無折扣\",\"HFucK5\":\"沒有可顯示的已結束活動。\",\"yAlJXG\":\"無事件顯示\",\"GqvPcv\":\"沒有可用篩選器\",\"KPWxKD\":\"無信息顯示\",\"J2LkP8\":\"無訂單顯示\",\"RBXXtB\":\"當前沒有可用的支付方式。請聯繫活動組織者以獲取幫助。\",\"ZWEfBE\":\"無需支付\",\"ZPoHOn\":\"此參會者沒有關聯的產品。\",\"Ya1JhR\":\"此類別中沒有可用的產品。\",\"FTfObB\":\"尚無產品\",\"+Y976X\":\"無促銷代碼顯示\",\"MAavyl\":\"此與會者未回答任何問題。\",\"SnlQeq\":\"此訂單尚未提出任何問題。\",\"Ev2r9A\":\"無結果\",\"gk5uwN\":\"沒有搜索結果\",\"RHyZUL\":\"沒有搜索結果。\",\"RY2eP1\":\"未加收任何税費。\",\"EdQY6l\":\"無\",\"OJx3wK\":\"不詳\",\"Scbrsn\":\"Not On Sale\",\"1DBGsz\":\"備註\",\"jtrY3S\":\"暫無顯示內容\",\"hFwWnI\":\"通知設置\",\"xXqEPO\":\"Notify buyer of refund\",\"YpN29s\":\"將新訂單通知組織者\",\"qeQhNj\":\"Now let's create your first event\",\"omyBS0\":\"允許支付的天數(留空以從發票中省略付款條款)\",\"n86jmj\":\"號碼前綴\",\"mwe+2z\":\"線下訂單在標記為已支付之前不會反映在活動統計中。\",\"dWBrJX\":\"線下支付失敗。請重試或聯繫活動組織者。\",\"fcnqjw\":\"離線付款說明\",\"+eZ7dp\":\"線下支付\",\"ojDQlR\":\"線下支付信息\",\"u5oO/W\":\"線下支付設置\",\"2NPDz1\":\"On sale\",\"Ldu/RI\":\"銷售中\",\"Ug4SfW\":\"創建事件後,您就可以在這裏看到它。\",\"ZxnK5C\":\"一旦開始收集數據,您將在這裏看到。\",\"PnSzEc\":\"一旦準備就緒,將您的活動上線並開始銷售產品。\",\"J6n7sl\":\"持續進行\",\"z+nuVJ\":\"在線活動\",\"WKHW0N\":\"在線活動詳情\",\"/xkmKX\":\"只有與本次活動直接相關的重要郵件才能使用此表單發送。\\n任何濫用行為,包括髮送促銷郵件,都將導致賬户立即被封禁。\",\"Qqqrwa\":\"開啟簽到頁面\",\"OdnLE4\":\"打開側邊欄\",\"ZZEYpT\":[\"方案 \",[\"i\"]],\"oPknTP\":\"所有發票上顯示的可選附加信息(例如,付款條款、逾期付款費用、退貨政策)\",\"OrXJBY\":\"發票編號的可選前綴(例如,INV-)\",\"0zpgxV\":\"選項\",\"BzEFor\":\"或\",\"UYUgdb\":\"訂購\",\"mm+eaX\":\"Order #\",\"B3gPuX\":\"取消訂單\",\"SIbded\":\"Order Completed\",\"q/CcwE\":\"訂購日期\",\"Tol4BF\":\"訂購詳情\",\"WbImlQ\":\"訂單已取消,並已通知訂單所有者。\",\"nAn4Oe\":\"訂單已標記為已支付\",\"uzEfRz\":\"訂單備註\",\"VCOi7U\":\"訂購問題\",\"TPoYsF\":\"訂購參考\",\"acIJ41\":\"訂單狀態\",\"GX6dZv\":\"訂單摘要\",\"tDTq0D\":\"訂單超時\",\"1h+RBg\":\"訂單\",\"3y+V4p\":\"組織地址\",\"GVcaW6\":\"組織詳細信息\",\"nfnm9D\":\"組織名稱\",\"G5RhpL\":\"主辦方\",\"mYygCM\":\"需要組織者\",\"Pa6G7v\":\"組織者姓名\",\"l894xP\":\"組織者只能管理活動和產品。他們無法管理用户、賬户設置或賬單信息。\",\"fdjq4c\":\"襯墊\",\"ErggF8\":\"Page background color\",\"8F1i42\":\"頁面未找到\",\"QbrUIo\":\"頁面瀏覽量\",\"6D8ePg\":\"page.\",\"IkGIz8\":\"付訖\",\"HVW65c\":\"付費產品\",\"ZfxaB4\":\"部分退款\",\"8ZsakT\":\"密碼\",\"TUJAyx\":\"密碼必須至少包含 8 個字符\",\"vwGkYB\":\"密碼必須至少包含 8 個字符\",\"BLTZ42\":\"密碼重置成功。請使用新密碼登錄。\",\"f7SUun\":\"密碼不一樣\",\"aEDp5C\":\"將其粘貼到希望小部件出現的位置。\",\"+23bI/\":\"帕特里克\",\"iAS9f2\":\"patrick@acme.com\",\"621rYf\":\"付款方式\",\"Lg+ewC\":\"支付和發票\",\"DZjk8u\":\"支付和發票設置\",\"lflimf\":\"付款期限\",\"JhtZAK\":\"付款失敗\",\"JEdsvQ\":\"支付説明\",\"bLB3MJ\":\"支付方式\",\"QzmQBG\":\"支付提供商\",\"lsxOPC\":\"已收到付款\",\"wJTzyi\":\"支付狀態\",\"xgav5v\":\"付款成功!\",\"R29lO5\":\"付款條款\",\"/roQKz\":\"百分比\",\"vPJ1FI\":\"百分比 金額\",\"xdA9ud\":\"將其放在網站的 中。\",\"blK94r\":\"請至少添加一個選項\",\"FJ9Yat\":\"請檢查所提供的信息是否正確\",\"TkQVup\":\"請檢查您的電子郵件和密碼並重試\",\"sMiGXD\":\"請檢查您的電子郵件是否有效\",\"Ajavq0\":\"請檢查您的電子郵件以確認您的電子郵件地址\",\"MdfrBE\":\"請填寫下表接受邀請\",\"b1Jvg+\":\"請在新標籤頁中繼續\",\"hcX103\":\"請創建一個產品\",\"cdR8d6\":\"請創建一張票\",\"x2mjl4\":\"請輸入指向圖像的有效圖片網址。\",\"HnNept\":\"請輸入新密碼\",\"5FSIzj\":\"請注意\",\"C63rRe\":\"請返回活動頁面重新開始。\",\"pJLvdS\":\"請選擇\",\"Ewir4O\":\"請選擇至少一個產品\",\"igBrCH\":\"請驗證您的電子郵件地址,以訪問所有功能\",\"/IzmnP\":\"請稍候,我們正在準備您的發票...\",\"MOERNx\":\"葡萄牙語\",\"qCJyMx\":\"結賬後信息\",\"g2UNkE\":\"技術支持\",\"Rs7IQv\":\"結賬前信息\",\"rdUucN\":\"預覽\",\"a7u1N9\":\"價格\",\"CmoB9j\":\"價格顯示模式\",\"BI7D9d\":\"未設置價格\",\"Q8PWaJ\":\"Price tiers\",\"q6XHL1\":\"價格類型\",\"6RmHKN\":\"原色\",\"G/ZwV1\":\"Primary Colour\",\"8cBtvm\":\"主要文字顏色\",\"BZz12Q\":\"Print\",\"MT7dxz\":\"打印所有門票\",\"DKwDdj\":\"打印票\",\"K47k8R\":\"產品\",\"1JwlHk\":\"產品類別\",\"U61sAj\":\"產品類別更新成功。\",\"1USFWA\":\"產品刪除成功\",\"4Y2FZT\":\"產品價格類型\",\"mFwX0d\":\"產品問題\",\"Lu+kBU\":\"產品銷售\",\"U/R4Ng\":\"產品等級\",\"sJsr1h\":\"產品類型\",\"o1zPwM\":\"產品小部件預覽\",\"ktyvbu\":\"產品\",\"N0qXpE\":\"產品\",\"ggqAiw\":\"products sold\",\"Vla0Bo\":\"已售產品\",\"/u4DIx\":\"已售產品\",\"DJQEZc\":\"產品排序成功\",\"vERlcd\":\"簡介\",\"kUlL8W\":\"成功更新個人資料\",\"cl5WYc\":[\"已使用促銷 \",[\"promo_code\"],\" 代碼\"],\"P5sgAk\":\"促銷代碼\",\"yKWfjC\":\"促銷代碼頁面\",\"RVb8Fo\":\"促銷代碼\",\"BZ9GWa\":\"促銷代碼可用於提供折扣、預售權限或為您的活動提供特殊權限。\",\"OP094m\":\"促銷代碼報告\",\"4kyDD5\":\"提供此問題的附加背景或説明。使用此字段添加條款和條件、指南或參與者在回答前需要知道的任何重要信息。\",\"toutGW\":\"二維碼\",\"LkMOWF\":\"可用數量\",\"oCLG0M\":\"Quantity Sold\",\"XKJuAX\":\"問題已刪除\",\"avf0gk\":\"問題描述\",\"oQvMPn\":\"問題標題\",\"enzGAL\":\"問題\",\"ROv2ZT\":\"問與答\",\"K885Eq\":\"問題已成功分類\",\"OMJ035\":\"無線電選項\",\"C4TjpG\":\"更多信息\",\"I3QpvQ\":\"受援國\",\"N2C89m\":\"Reference\",\"gxFu7d\":[\"Refund amount (\",[\"0\"],\")\"],\"WZbCR3\":\"退款失敗\",\"n10yGu\":\"退款訂單\",\"zPH6gp\":\"Refund Order\",\"RpwiYC\":\"退款處理中\",\"xHpVRl\":\"退款狀態\",\"/BI0y9\":\"退款\",\"fgLNSM\":\"註冊\",\"9+8Vez\":\"剩餘使用次數\",\"tasfos\":\"去除\",\"t/YqKh\":\"移除\",\"t9yxlZ\":\"報告\",\"prZGMe\":\"要求賬單地址\",\"EGm34e\":\"Resend confirmation email\",\"lnrkNz\":\"重新發送電子郵件確認\",\"wIa8Qe\":\"重新發送邀請\",\"VeKsnD\":\"重新發送訂單電子郵件\",\"dFuEhO\":\"重新發送票務電子郵件\",\"o6+Y6d\":\"重新發送...\",\"OfhWJH\":\"重置\",\"RfwZxd\":\"重置密碼\",\"KbS2K9\":\"重置密碼\",\"e99fHm\":\"恢復活動\",\"vtc20Z\":\"Return to event page\",\"s8v9hq\":\"返回活動頁面\",\"8YBH95\":\"收入\",\"PO/sOY\":\"撤銷邀請\",\"GDvlUT\":\"角色\",\"ELa4O9\":\"銷售結束日期\",\"5uo5eP\":\"Sale ended\",\"Qm5XkZ\":\"銷售開始日期\",\"hBsw5C\":\"銷售結束\",\"kpAzPe\":\"銷售開始\",\"P/wEOX\":\"舊金山\",\"tfDRzk\":\"保存\",\"IUwGEM\":\"保存更改\",\"U65fiW\":\"保存組織器\",\"UGT5vp\":\"保存設置\",\"ovB7m2\":\"Scan QR Code\",\"EEU0+z\":\"Scan this QR code to access the event page or share it with others\",\"W4kWXJ\":\"按與會者姓名、電子郵件或訂單號搜索...\",\"+pr/FY\":\"按活動名稱搜索...\",\"3zRbWw\":\"按姓名、電子郵件或訂單號搜索...\",\"L22Tdf\":\"按姓名、訂單號、參與者號或電子郵件搜索...\",\"BiYOdA\":\"按名稱搜索...\",\"YEjitp\":\"按主題或內容搜索...\",\"Pjsch9\":\"搜索容量分配...\",\"r9M1hc\":\"搜索簽到列表...\",\"+0Yy2U\":\"搜索產品\",\"YIix5Y\":\"搜索...\",\"OeW+DS\":\"Secondary color\",\"DnXcDK\":\"輔助色\",\"cZF6em\":\"Secondary text color\",\"ZIgYeg\":\"輔助文字顏色\",\"02ePaq\":[\"選擇 \",[\"0\"]],\"QuNKRX\":\"選擇相機\",\"9FQEn8\":\"選擇類別...\",\"kWI/37\":\"選擇組織者\",\"ixIx1f\":\"選擇產品\",\"3oSV95\":\"選擇產品等級\",\"C4Y1hA\":\"選擇產品\",\"hAjDQy\":\"選擇狀態\",\"QYARw/\":\"選擇機票\",\"OMX4tH\":\"選擇票\",\"DrwwNd\":\"選擇時間段\",\"O/7I0o\":\"選擇...\",\"JlFcis\":\"發送\",\"qKWv5N\":[\"將副本發送至 <0>\",[\"0\"],\"\"],\"RktTWf\":\"發送信息\",\"/mQ/tD\":\"作為測試發送。這將把信息發送到您的電子郵件地址,而不是收件人的電子郵件地址。\",\"M/WIer\":\"發送消息\",\"D7ZemV\":\"發送訂單確認和票務電子郵件\",\"v1rRtW\":\"發送測試\",\"4Ml90q\":\"SEO\",\"j1VfcT\":\"搜索引擎優化説明\",\"/SIY6o\":\"搜索引擎優化關鍵詞\",\"GfWoKv\":\"搜索引擎優化設置\",\"rXngLf\":\"搜索引擎優化標題\",\"/jZOZa\":\"服務費\",\"Bj/QGQ\":\"設定最低價格,用户可選擇支付更高的價格\",\"L0pJmz\":\"設置發票編號的起始編號。一旦發票生成,就無法更改。\",\"nYNT+5\":\"準備活動\",\"A8iqfq\":\"實時設置您的活動\",\"Tz0i8g\":\"設置\",\"Z8lGw6\":\"分享\",\"B2V3cA\":\"分享活動\",\"17Fd7X\":\"Share to Facebook\",\"x7i6H+\":\"Share to LinkedIn\",\"zziQd8\":\"Share to Pinterest\",\"/TgBEk\":\"Share to Reddit\",\"0Wlk5F\":\"Share to Social\",\"on+mNS\":\"Share to Telegram\",\"PcmR+m\":\"Share to WhatsApp\",\"/5b1iZ\":\"Share to X\",\"n/T2KI\":\"Share via Email\",\"8vETh9\":\"Show\",\"V0SbFp\":\"顯示可用產品數量\",\"qDsmzu\":\"顯示隱藏問題\",\"fMPkxb\":\"顯示更多\",\"izwOOD\":\"單獨顯示税費\",\"1SbbH8\":\"結賬後顯示給客户,在訂單摘要頁面。\",\"YfHZv0\":\"在顧客結賬前向他們展示\",\"CBBcly\":\"顯示常用地址字段,包括國家\",\"yTnnYg\":\"辛普森\",\"TNaCfq\":\"單行文本框\",\"+P0Cn2\":\"跳過此步驟\",\"YSEnLE\":\"史密斯\",\"lgFfeO\":\"售罄\",\"Mi1rVn\":\"售罄\",\"nwtY4N\":\"出了點問題\",\"GRChTw\":\"刪除税費時出了問題\",\"YHFrbe\":\"出錯了!請重試\",\"kf83Ld\":\"出問題了\",\"fWsBTs\":\"出錯了。請重試。\",\"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.\",\"6a/UJE\":\"對不起,此優惠代碼不可用\",\"65A04M\":\"西班牙語\",\"mFuBqb\":\"固定價格的標準產品\",\"D3iCkb\":\"開始日期\",\"/2by1f\":\"州或地區\",\"uAQUqI\":\"狀態\",\"4HXezG\":\"Stripe\",\"WbopAG\":\"此活動未啟用 Stripe 支付。\",\"UJmAAK\":\"主題\",\"X2rrlw\":\"小計\",\"zzDlyQ\":\"成功\",\"b0HJ45\":[\"成功!\",[\"0\"],\" 將很快收到一封電子郵件。\"],\"BJIEiF\":[\"成功 \",[\"0\"],\" 參會者\"],\"OtgNFx\":\"成功確認電子郵件地址\",\"IKwyaF\":\"成功確認電子郵件更改\",\"zLmvhE\":\"成功創建與會者\",\"gP22tw\":\"產品創建成功\",\"9mZEgt\":\"成功創建促銷代碼\",\"aIA9C4\":\"成功創建問題\",\"J3RJSZ\":\"成功更新與會者\",\"3suLF0\":\"容量分配更新成功\",\"Z+rnth\":\"簽到列表更新成功\",\"vzJenu\":\"成功更新電子郵件設置\",\"7kOMfV\":\"成功更新活動\",\"G0KW+e\":\"成功更新主頁設計\",\"k9m6/E\":\"成功更新主頁設置\",\"y/NR6s\":\"成功更新位置\",\"73nxDO\":\"成功更新雜項設置\",\"4H80qv\":\"訂單更新成功\",\"6xCBVN\":\"支付和發票設置已成功更新\",\"1Ycaad\":\"產品更新成功\",\"70dYC8\":\"成功更新促銷代碼\",\"F+pJnL\":\"成功更新搜索引擎設置\",\"DXZRk5\":\"100 號套房\",\"GNcfRk\":\"支持電子郵件\",\"uRfugr\":\"T恤衫\",\"JpohL9\":\"税收\",\"geUFpZ\":\"税費\",\"dFHcIn\":\"税務詳情\",\"wQzCPX\":\"所有發票底部顯示的税務信息(例如,增值税號、税務註冊號)\",\"0RXCDo\":\"成功刪除税費\",\"ZowkxF\":\"税收\",\"qu6/03\":\"税費\",\"gypigA\":\"促銷代碼無效\",\"5ShqeM\":\"您查找的簽到列表不存在。\",\"QXlz+n\":\"事件的默認貨幣。\",\"mnafgQ\":\"事件的默認時區。\",\"o7s5FA\":\"與會者接收電子郵件的語言。\",\"NlfnUd\":\"您點擊的鏈接無效。\",\"HsFnrk\":[[\"0\"],\"的最大產品數量是\",[\"1\"]],\"TSAiPM\":\"您要查找的頁面不存在\",\"MSmKHn\":\"顯示給客户的價格將包括税費。\",\"6zQOg1\":\"顯示給客户的價格不包括税費。税費將單獨顯示\",\"ne/9Ur\":\"您選擇的樣式設置只適用於複製的 HTML,不會被保存。\",\"vQkyB3\":\"應用於此產品的税費。您可以在此創建新的税費\",\"esY5SG\":\"活動標題,將顯示在搜索引擎結果中,並在社交媒體上分享時顯示。默認情況下,將使用事件標題\",\"wDx3FF\":\"此活動沒有可用產品\",\"pNgdBv\":\"此類別中沒有可用產品\",\"rMcHYt\":\"退款正在處理中。請等待退款完成後再申請退款。\",\"F89D36\":\"標記訂單為已支付時出錯\",\"68Axnm\":\"處理您的請求時出現錯誤。請重試。\",\"mVKOW6\":\"發送信息時出現錯誤\",\"AhBPHd\":\"這些詳細信息僅在訂單成功完成後顯示。等待付款的訂單不會顯示此消息。\",\"Pc/Wtj\":\"此參與者有未付款的訂單。\",\"mf3FrP\":\"此類別尚無任何產品。\",\"8QH2Il\":\"此類別對公眾隱藏\",\"xxv3BZ\":\"此簽到列表已過期\",\"Sa7w7S\":\"此簽到列表已過期,不再可用於簽到。\",\"Uicx2U\":\"此簽到列表已激活\",\"1k0Mp4\":\"此簽到列表尚未激活\",\"K6fmBI\":\"此簽到列表尚未激活,不能用於簽到。\",\"t/ePFj\":\"This description will be shown to the check-in staff\",\"MLTkH7\":\"此電子郵件並非促銷郵件,與活動直接相關。\",\"2eIpBM\":\"This event is not available at the moment. Please check back later.\",\"Z6LdQU\":\"This event is not available.\",\"MMd2TJ\":\"這些信息將顯示在支付頁面、訂單摘要頁面和訂單確認電子郵件中。\",\"XAHqAg\":\"這是一種常規產品,例如T恤或杯子。不發行門票\",\"CNk/ro\":\"這是一項在線活動\",\"FwXnJd\":\"This list will no longer be available for check-ins after this date\",\"cHO4ec\":\"此信息將包含在本次活動發送的所有電子郵件的頁腳中\",\"55i7Fa\":\"此消息僅在訂單成功完成後顯示。等待付款的訂單不會顯示此消息。\",\"RjwlZt\":\"此訂單已付款。\",\"5K8REg\":\"此訂單已退款。\",\"OiQMhP\":\"This order has been cancelled\",\"YyEJij\":\"此訂單已取消。\",\"Q0zd4P\":\"此訂單已過期。請重新開始。\",\"HILpDX\":\"This order is awaiting payment\",\"BdYtn9\":\"This order is complete\",\"e3uMJH\":\"此訂單已完成。\",\"YNKXOK\":\"This order is processing.\",\"yPZN4i\":\"此訂購頁面已不可用。\",\"i0TtkR\":\"這將覆蓋所有可見性設置,並將該產品對所有客户隱藏。\",\"cRRc+F\":\"此產品無法刪除,因為它與訂單關聯。您可以將其隱藏。\",\"3Kzsk7\":\"此產品為門票。購買後買家將收到門票\",\"0fT4x3\":\"This product is hidden from public view\",\"Y/x1MZ\":\"This product is hidden unless targeted by a Promo Code\",\"Qt7RBu\":\"此問題只有活動組織者可見\",\"os29v1\":\"此重置密碼鏈接無效或已過期。\",\"IV9xTT\":\"該用户未激活,因為他們沒有接受邀請。\",\"5AnPaO\":\"入場券\",\"kjAL4v\":\"門票\",\"dtGC3q\":\"門票電子郵件已重新發送給與會者\",\"54q0zp\":\"門票\",\"xN9AhL\":[[\"0\"],\"級\"],\"jZj9y9\":\"分層產品\",\"8wITQA\":\"分層產品允許您為同一產品提供多種價格選項。這非常適合早鳥產品,或為不同人羣提供不同的價格選項。\\\" # zh-cn\",\"nn3mSR\":\"剩餘時間:\",\"s/0RpH\":\"使用次數\",\"y55eMd\":\"使用次數\",\"40Gx0U\":\"時區\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"Title\",\"xdA/+p\":\"工具\",\"72c5Qo\":\"總計\",\"YXx+fG\":\"折扣前總計\",\"NRWNfv\":\"折扣總金額\",\"BxsfMK\":\"總費用\",\"2bR+8v\":\"總銷售額\",\"mpB/d9\":\"訂單總額\",\"m3FM1g\":\"退款總額\",\"jEbkcB\":\"退款總額\",\"GBBIy+\":\"Total remaining\",\"/SgoNA\":\"總税額\",\"+zy2Nq\":\"類型\",\"FMdMfZ\":\"無法簽到參與者\",\"bPWBLL\":\"無法簽退參與者\",\"9+P7zk\":\"無法創建產品。請檢查您的詳細信息\",\"WLxtFC\":\"無法創建產品。請檢查您的詳細信息\",\"/cSMqv\":\"無法創建問題。請檢查您的詳細信息\",\"MH/lj8\":\"無法更新問題。請檢查您的詳細信息\",\"nnfSdK\":\"獨立客户\",\"Mqy/Zy\":\"美國\",\"NIuIk1\":\"無限制\",\"/p9Fhq\":\"無限供應\",\"E0q9qH\":\"允許無限次使用\",\"h10Wm5\":\"未付款訂單\",\"ia8YsC\":\"即將推出\",\"TlEeFv\":\"即將舉行的活動\",\"L/gNNk\":[\"更新 \",[\"0\"]],\"+qqX74\":\"更新活動名稱、説明和日期\",\"vXPSuB\":\"更新個人資料\",\"BNBfrU\":\"Upload Cover\",\"IagCbF\":\"鏈接\",\"UtDm3q\":\"複製到剪貼板的 URL\",\"e5lF64\":\"使用示例\",\"fiV0xj\":\"使用限制\",\"sGEOe4\":\"使用封面圖片的模糊版本作為背景\",\"OadMRm\":\"使用封面圖片\",\"7PzzBU\":\"用户\",\"yDOdwQ\":\"用户管理\",\"Sxm8rQ\":\"用户\",\"VEsDvU\":\"用户可在 <0>\\\"配置文件設置\\\" 中更改自己的電子郵件\",\"vgwVkd\":\"世界協調時\",\"khBZkl\":\"增值税\",\"E/9LUk\":\"地點名稱\",\"jpctdh\":\"查看\",\"Pte1Hv\":\"查看參會者詳情\",\"/5PEQz\":\"查看活動頁面\",\"fFornT\":\"查看完整信息\",\"YIsEhQ\":\"查看地圖\",\"Ep3VfY\":\"在谷歌地圖上查看\",\"Y8s4f6\":\"View order details\",\"QIWCnW\":\"VIP簽到列表\",\"tF+VVr\":\"貴賓票\",\"2q/Q7x\":\"可見性\",\"vmOFL/\":\"我們無法處理您的付款。請重試或聯繫技術支持。\",\"45Srzt\":\"我們無法刪除該類別。請再試一次。\",\"/DNy62\":[\"我們找不到與\",[\"0\"],\"匹配的任何門票\"],\"1E0vyy\":\"我們無法加載數據。請重試。\",\"NmpGKr\":\"我們無法重新排序類別。請再試一次。\",\"BJtMTd\":\"我們建議尺寸為 2160px x 1080px,文件大小不超過 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"我們無法確認您的付款。請重試或聯繫技術支持。\",\"Gspam9\":\"我們正在處理您的訂單。請稍候...\",\"LuY52w\":\"歡迎加入!請登錄以繼續。\",\"dVxpp5\":[\"歡迎回來\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"什麼是分層產品?\",\"f1jUC0\":\"What date should this check-in list become active?\",\"4ueloy\":\"什麼是類別?\",\"gxeWAU\":\"此代碼適用於哪些產品?\",\"hFHnxR\":\"此代碼適用於哪些產品?(默認適用於所有產品)\",\"AeejQi\":\"此容量應適用於哪些產品?\",\"Rb0XUE\":\"您什麼時候抵達?\",\"5N4wLD\":\"這是什麼類型的問題?\",\"gyLUYU\":\"啟用後,將為票務訂單生成發票。發票將隨訂單確認郵件一起發送。參與\",\"D3opg4\":\"啟用線下支付後,用户可以完成訂單並收到門票。他們的門票將清楚地顯示訂單未支付,簽到工具會通知簽到工作人員訂單是否需要支付。\",\"D7C6XV\":\"When should this check-in list expire?\",\"FVetkT\":\"哪些票應與此簽到列表關聯?\",\"S+OdxP\":\"這項活動由誰組織?\",\"LINr2M\":\"這條信息是發給誰的?\",\"nWhye/\":\"這個問題應該問誰?\",\"VxFvXQ\":\"嵌入小部件\",\"v1P7Gm\":\"小部件設置\",\"b4itZn\":\"工作\",\"hqmXmc\":\"工作...\",\"+G/XiQ\":\"年度至今\",\"l75CjT\":\"Yes\",\"QcwyCh\":\"是的,移除它們\",\"ySeBKv\":\"您已經掃描過此票\",\"P+Sty0\":[\"您正在將電子郵件更改為 <0>\",[\"0\"],\"。\"],\"gGhBmF\":\"您處於離線狀態\",\"sdB7+6\":\"您可以創建一個促銷代碼,針對該產品\",\"KRhIxT\":\"You can now start receiving payments through Stripe.\",\"Gnjf3o\":\"您無法更改產品類型,因為有與該產品關聯的參會者。\",\"S+on7c\":\"You cannot check in attendees with unpaid orders.\",\"yNi4PV\":\"您無法為未支付訂單的與會者簽到。此設置可在活動設置中更改。\",\"c9Evkd\":\"您不能刪除最後一個類別。\",\"6uwAvx\":\"您無法刪除此價格層,因為此層已有售出的產品。您可以將其隱藏。\",\"tFbRKJ\":\"不能編輯賬户所有者的角色或狀態。\",\"fHfiEo\":\"您不能退還手動創建的訂單。\",\"hK9c7R\":\"您創建了一個隱藏問題,但禁用了顯示隱藏問題的選項。該選項已啟用。\",\"NOaWRX\":\"You do not have permission to access this page\",\"BRArmD\":\"您可以訪問多個賬户。請選擇一個繼續。\",\"Z6q0Vl\":\"您已接受此邀請。請登錄以繼續。\",\"rdk1xK\":\"You have connected your Stripe account\",\"ofEncr\":\"沒有與會者提問。\",\"CoZHDB\":\"您沒有訂單問題。\",\"15qAvl\":\"您沒有待處理的電子郵件更改。\",\"n81Qk8\":\"You have not completed your Stripe Connect setup\",\"jxsiqJ\":\"You have not connected your Stripe account\",\"+FWjhR\":\"您已超時,未能完成訂單。\",\"MycdJN\":\"You have taxes and fees added to a Free Product. Would you like to remove or obscure them?\",\"YzEk2o\":\"您尚未發送任何消息。您可以向所有參會者發送消息,或向特定產品持有者發送消息。\",\"R6i9o9\":\"您必須確認此電子郵件並非促銷郵件\",\"3ZI8IL\":\"您必須同意條款和條件\",\"dMd3Uf\":\"You must confirm your email address before your event can go live.\",\"H35u3n\":\"必須先創建機票,然後才能手動添加與會者。\",\"jE4Z8R\":\"您必須至少有一個價格等級\",\"8/eLoa\":\"You need to verify your account before you can send messages.\",\"Egnj9d\":\"您必須手動將訂單標記為已支付。這可以在訂單管理頁面上完成。\",\"L/+xOk\":\"在創建簽到列表之前,您需要先獲得票。\",\"Djl45M\":\"在您創建容量分配之前,您需要一個產品。\",\"y3qNri\":\"您需要至少一個產品才能開始。免費、付費或讓用户決定支付金額。\",\"9HcibB\":[\"You're going to \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"您的賬户名稱會在活動頁面和電子郵件中使用。\",\"veessc\":\"與會者註冊參加活動後,就會出現在這裏。您也可以手動添加與會者。\",\"Eh5Wrd\":\"您的網站真棒 🎉\",\"lkMK2r\":\"您的詳細信息\",\"3ENYTQ\":[\"您要求將電子郵件更改為<0>\",[\"0\"],\"的申請正在處理中。請檢查您的電子郵件以確認\"],\"yZfBoy\":\"您的信息已發送\",\"KSQ8An\":\"您的訂單\",\"Jwiilf\":\"您的訂單已被取消\",\"6UxSgB\":\"Your order is awaiting payment 🏦\",\"7YJdgG\":\"您的訂單一旦開始滾動,就會出現在這裏。\",\"9TO8nT\":\"您的密碼\",\"P8hBau\":\"您的付款正在處理中。\",\"UdY1lL\":\"您的付款未成功,請重試。\",\"fzuM26\":\"您的付款未成功。請重試。\",\"cEli2o\":\"Your product for\",\"cJ4Y4R\":\"您的退款正在處理中。\",\"IFHV2p\":\"您的入場券\",\"x1PPdr\":\"郵政編碼\",\"BM/KQm\":\"郵政編碼\",\"+LtVBt\":\"郵政編碼\",\"25QDJ1\":\"- 點擊發布\",\"WOyJmc\":\"- 點擊取消發布\",\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"lAOy2r\":[[\"0\"],\" \",[\"1\"],\" 已簽到\"],\"S4PqS9\":[[\"0\"],\" 個活動的 Webhook\"],\"6MIiOI\":[\"剩餘 \",[\"0\"]],\"COnw8D\":[[\"0\"],\" 標誌\"],\"B7pZfX\":[[\"0\"],\" 位主辦單位\"],\"/HkCs4\":[[\"0\"],\"張門票\"],\"OJnhhX\":[[\"eventCount\"],\" 個事件\"],\"zGiMDM\":\"+1 234 567 890\",\"1d6kks\":\"+稅/費\",\"B1St2O\":\"<0>簽到列表幫助您按日期、區域或票務類型管理活動入場。您可以將票務連結到特定列表,如VIP區域或第1天通行證,並與工作人員共享安全的簽到連結。無需帳戶。簽到適用於移動裝置、桌面或平板電腦,使用裝置相機或HID USB掃描器。 \",\"ZnVt5v\":\"<0>Webhooks 可在事件發生時立即通知外部服務,例如,在註冊時將新與會者添加到您的 CRM 或郵件列表,確保無縫自動化。<1>使用第三方服務,如 <2>Zapier、<3>IFTTT 或 <4>Make 來創建自定義工作流並自動化任務。\",\"fAv9QG\":\"🎟️ 添加門票\",\"M2DyLc\":\"1 個活動的 Webhook\",\"yTsaLw\":\"1張門票\",\"HR/cvw\":\"示例街123號\",\"kMU5aM\":\"取消通知已發送至\",\"V53XzQ\":\"新嘅驗證碼已經發送到你嘅電郵\",\"/z/bH1\":\"您主辦單位的簡短描述,將會顯示給您的使用者。\",\"aS0jtz\":\"已放棄\",\"uyJsf6\":\"關於\",\"WTk/ke\":\"關於 Stripe Connect\",\"1uJlG9\":\"強調色\",\"VTfZPy\":\"訪問被拒絕\",\"iN5Cz3\":\"帳戶已連接!\",\"bPwFdf\":\"賬戶\",\"nMtNd+\":\"需要操作:重新連接您的 Stripe 帳戶\",\"AhwTa1\":\"需要操作:需提供增值稅資料\",\"a5KFZU\":\"新增活動詳情並管理活動設定。\",\"Fb+SDI\":\"添加更多門票\",\"6PNlRV\":\"將此活動添加到您的日曆\",\"BGD9Yt\":\"添加機票\",\"QN2F+7\":\"添加 Webhook\",\"NsWqSP\":\"新增您的社交媒體帳號及網站網址。這些資訊將會顯示在您的公開主辦單位頁面。\",\"0Zypnp\":\"管理儀表板\",\"YAV57v\":\"推廣夥伴\",\"I+utEq\":\"推廣碼無法更改\",\"/jHBj5\":\"推廣夥伴建立成功\",\"uCFbG2\":\"推廣夥伴刪除成功\",\"a41PKA\":\"將會追蹤推廣夥伴銷售\",\"mJJh2s\":\"唔會追蹤推廣夥伴銷售。呢個會停用該推廣夥伴。\",\"jabmnm\":\"推廣夥伴更新成功\",\"CPXP5Z\":\"合作夥伴\",\"9Wh+ug\":\"推廣夥伴已匯出\",\"3cqmut\":\"推廣夥伴幫助你追蹤合作夥伴同KOL產生嘅銷售。建立推廣碼並分享以監控表現。\",\"7rLTkE\":\"所有已封存活動\",\"gKq1fa\":\"所有參與者\",\"pMLul+\":\"所有貨幣\",\"qlaZuT\":\"全部完成!您現在正在使用我們升級的付款系統。\",\"ZS/D7f\":\"所有已結束活動\",\"dr7CWq\":\"所有即將舉行的活動\",\"QUg5y1\":\"快完成了!完成連接您的 Stripe 帳戶以開始接受付款。\",\"c4uJfc\":\"快完成了!我們正在等待您的付款處理。這只需要幾秒鐘。\",\"/H326L\":\"已退款\",\"RtxQTF\":\"同時取消此訂單\",\"jkNgQR\":\"同時退款此訂單\",\"xYqsHg\":\"總是可用\",\"Zkymb9\":\"同呢個推廣夥伴關聯嘅電郵。推廣夥伴唔會收到通知。\",\"vRznIT\":\"檢查導出狀態時發生錯誤。\",\"eusccx\":\"顯示在突出產品上的可選訊息,例如「熱賣中 🔥」或「最佳價值」\",\"QNrkms\":\"答案更新成功。\",\"LchiNd\":\"你確定要刪除呢個推廣夥伴嗎?呢個操作無法撤銷。\",\"JmVITJ\":\"確定要刪除此範本嗎?此操作無法復原,郵件將回退到預設範本。\",\"aLS+A6\":\"確定要刪除此範本嗎?此操作無法復原,郵件將回退到組織者或預設範本。\",\"5H3Z78\":\"您確定要刪除此 Webhook 嗎?\",\"147G4h\":\"您確定要離開嗎?\",\"VDWChT\":\"您確定要將此主辦單位設為草稿嗎?這將使該頁面對公眾隱藏。\",\"pWtQJM\":\"您確定要將此主辦單位設為公開嗎?這將使該頁面對公眾可見。\",\"WFHOlF\":\"你確定要發佈呢個活動嗎?一旦發佈,將會對公眾可見。\",\"4TNVdy\":\"你確定要發佈呢個主辦方資料嗎?一旦發佈,將會對公眾可見。\",\"ExDt3P\":\"你確定要取消發佈呢個活動嗎?佢將唔再對公眾可見。\",\"5Qmxo/\":\"你確定要取消發佈呢個主辦方資料嗎?佢將唔再對公眾可見。\",\"Uqefyd\":\"您在歐盟註冊了增值稅嗎?\",\"+QARA4\":\"藝術\",\"tLf3yJ\":\"由於您的業務位於愛爾蘭,愛爾蘭增值稅(23%)將自動套用於所有平台費用。\",\"QGoXh3\":\"由於您的業務位於歐盟,我們需要確定平台費用的正確增值稅處理方式:\",\"F2rX0R\":\"必須選擇至少一種事件類型\",\"6PecK3\":\"所有活動的出席率和簽到率\",\"AJ4rvK\":\"與會者已取消\",\"qvylEK\":\"與會者已創建\",\"DVQSxl\":\"參加者詳情將從訂單資料中複製。\",\"0R3Y+9\":\"參會者電郵\",\"KkrBiR\":\"參加者資料收集\",\"XBLgX1\":\"參加者資料收集設為「每份訂單」。參加者詳情將從訂單資料中複製。\",\"Xc2I+v\":\"與會者管理\",\"av+gjP\":\"參會者姓名\",\"cosfD8\":\"參與者狀態\",\"D2qlBU\":\"與會者已更新\",\"x8Vnvf\":\"參與者的票不包含在此列表中\",\"k3Tngl\":\"與會者已導出\",\"5UbY+B\":\"持有特定門票的與會者\",\"4HVzhV\":\"參與者:\",\"VPoeAx\":\"使用多個簽到列表和實時驗證的自動化入場管理\",\"PZ7FTW\":\"根據背景顏色自動檢測,但可以覆蓋\",\"clF06r\":\"可退款\",\"NB5+UG\":\"可用標記\",\"EmYMHc\":\"等待線下付款\",\"kNmmvE\":\"Awesome Events 有限公司\",\"kYqM1A\":\"返回活動\",\"td/bh+\":\"返回報告\",\"jIPNJG\":\"基本資料\",\"iMdwTb\":\"在活動上線之前,您需要完成以下幾項步驟。請完成以下所有步驟以開始。\",\"UabgBd\":\"正文是必需的\",\"9N+p+g\":\"商務\",\"bv6RXK\":\"按鈕標籤\",\"ChDLlO\":\"按鈕文字\",\"DFqasq\":[\"繼續即表示您同意 <0>\",[\"0\"],\" 服務條款\"],\"2VLZwd\":\"行動號召按鈕\",\"PUpvQe\":\"相機掃描器\",\"H4nE+E\":\"取消所有產品並釋放回可用池\",\"tOXAdc\":\"取消將取消與此訂單關聯的所有參與者,並將門票釋放回可用池。\",\"IrUqjC\":\"無法簽到(已取消)\",\"VsM1HH\":\"容量分配\",\"K7tIrx\":\"類別\",\"2tbLdK\":\"慈善\",\"v4fiSg\":\"查看你嘅電郵\",\"51AsAN\":\"請檢查您的收件箱!如果此郵箱有關聯的票,您將收到查看連結。\",\"udRwQs\":\"簽到已創建\",\"F4SRy3\":\"簽到已刪除\",\"9gPPUY\":\"簽到名單已建立!\",\"f2vU9t\":\"簽到列表\",\"tMNBEF\":\"簽到名單讓您可以按日期、區域或門票類型控制入場。您可以與工作人員共享安全的簽到連結 — 無需帳戶。\",\"SHJwyq\":\"簽到率\",\"qCqdg6\":\"簽到狀態\",\"cKj6OE\":\"簽到摘要\",\"7B5M35\":\"簽到\",\"DM4gBB\":\"中文(繁體)\",\"pkk46Q\":\"選擇一個主辦單位\",\"Crr3pG\":\"選擇日曆\",\"CySr+W\":\"點擊查看備註\",\"RG3szS\":\"關閉\",\"RWw9Lg\":\"關閉視窗\",\"XwdMMg\":\"代碼只可以包含字母、數字、連字號同底線\",\"+yMJb7\":\"必須填寫代碼\",\"m9SD3V\":\"代碼至少需要3個字元\",\"V1krgP\":\"代碼唔可以超過20個字元\",\"psqIm5\":\"與您的團隊合作,一起創造精彩活動。\",\"4bUH9i\":\"為每張購買的門票收集參加者詳情。\",\"FpsvqB\":\"顏色模式\",\"jEu4bB\":\"欄位\",\"CWk59I\":\"喜劇\",\"7D9MJz\":\"完成 Stripe 設置\",\"OqEV/G\":\"完成下面的設置以繼續\",\"nqx+6h\":\"完成以下步驟即可開始銷售您的活動門票。\",\"5YrKW7\":\"完成付款以確保您的門票。\",\"ih35UP\":\"會議中心\",\"NGXKG/\":\"確認電子郵件地址\",\"Auz0Mz\":\"請確認您的電郵地址以使用所有功能。\",\"7+grte\":\"確認電郵已發送!請檢查您的收件匣。\",\"n/7+7Q\":\"確認已發送至\",\"o5A0Go\":\"恭喜你成功建立活動!\",\"WNnP3w\":\"連接並升級\",\"Xe2tSS\":\"連接文檔\",\"1Xxb9f\":\"連接支付處理\",\"LmvZ+E\":\"連接 Stripe 以啟用消息功能\",\"EWnXR+\":\"連接到 Stripe\",\"MOUF31\":\"連接 CRM 並使用 Webhook 和集成自動化任務\",\"VioGG1\":\"連接您的 Stripe 帳戶以接受門票和商品的付款。\",\"4qmnU8\":\"連接您的 Stripe 帳戶以接受付款。\",\"E1eze1\":\"連接您的 Stripe 帳戶以開始接受您活動的付款。\",\"ulV1ju\":\"連接您的 Stripe 帳戶以開始接受付款。\",\"/3017M\":\"已連接到 Stripe\",\"jfC/xh\":\"聯絡\",\"LOFgda\":[\"聯絡 \",[\"0\"]],\"41BQ3k\":\"聯絡電郵\",\"KcXRN+\":\"支援聯絡電郵\",\"m8WD6t\":\"繼續設置\",\"0GwUT4\":\"繼續結帳\",\"sBV87H\":\"繼續建立活動\",\"nKtyYu\":\"繼續下一步\",\"F3/nus\":\"繼續付款\",\"1JnTgU\":\"從上方複製\",\"FxVG/l\":\"已複製到剪貼簿\",\"PiH3UR\":\"已複製!\",\"uUPbPg\":\"複製推廣連結\",\"iVm46+\":\"複製代碼\",\"+2ZJ7N\":\"將詳情複製到第一位參與者\",\"ZN1WLO\":\"複製郵箱\",\"tUGbi8\":\"複製我的資料到:\",\"y22tv0\":\"複製此連結以便隨處分享\",\"/4gGIX\":\"複製到剪貼簿\",\"P0rbCt\":\"封面圖片\",\"60u+dQ\":\"封面圖片將顯示在活動頁面頂部\",\"2NLjA6\":\"封面圖片將顯示在您的主辦單位頁面頂部\",\"zg4oSu\":[\"建立\",[\"0\"],\"範本\"],\"xfKgwv\":\"建立推廣夥伴\",\"dyrgS4\":\"立即創建和自定義您的活動頁面\",\"BTne9e\":\"為此活動建立自定義郵件範本以覆蓋組織者預設設置\",\"YIDzi/\":\"建立自定義範本\",\"8AiKIu\":\"建立門票或商品\",\"agZ87r\":\"為您的活動創建門票、設定價格並管理可用數量。\",\"dkAPxi\":\"創建 Webhook\",\"5slqwZ\":\"建立您的活動\",\"JQNMrj\":\"建立你嘅第一個活動\",\"CCjxOC\":\"建立您的第一個活動以開始銷售門票並管理參加者。\",\"ZCSSd+\":\"建立您自己的活動\",\"67NsZP\":\"建立緊活動...\",\"H34qcM\":\"建立緊主辦方...\",\"1YMS+X\":\"建立緊你嘅活動,請稍候\",\"yiy8Jt\":\"建立緊你嘅主辦方資料,請稍候\",\"lfLHNz\":\"CTA標籤是必需的\",\"BMtue0\":\"當前付款處理器\",\"iTvh6I\":\"目前可供購買\",\"mimF6c\":\"結帳後自訂訊息\",\"axv/Mi\":\"自定義範本\",\"QMHSMS\":\"客戶將收到確認退款的電子郵件\",\"L/Qc+w\":\"客戶電郵地址\",\"wpfWhJ\":\"客戶名字\",\"GIoqtA\":\"客戶姓氏\",\"NihQNk\":\"客戶\",\"7gsjkI\":\"使用Liquid範本自定義發送給客戶的郵件。這些範本將用作您組織中所有活動的預設範本。\",\"iX6SLo\":\"自訂繼續按鈕上顯示的文字\",\"pxNIxa\":\"使用Liquid範本自定義您的郵件範本\",\"q9Jg0H\":\"自定義您的活動頁面和小部件設計,以完美匹配您的品牌\",\"mkLlne\":\"自訂活動頁面外觀\",\"3trPKm\":\"自訂主辦單位頁面外觀\",\"4df0iX\":\"自訂您的門票外觀\",\"/gWrVZ\":\"所有活動的每日收入、稅費和退款\",\"zgCHnE\":\"每日銷售報告\",\"nHm0AI\":\"每日銷售、税費和費用明細\",\"pvnfJD\":\"深色\",\"lnYE59\":\"活動日期\",\"gnBreG\":\"下單日期\",\"JtI4vj\":\"預設參加者資料收集\",\"1bZAZA\":\"將使用預設範本\",\"vu7gDm\":\"刪除推廣夥伴\",\"+jw/c1\":\"刪除圖片\",\"dPyJ15\":\"刪除範本\",\"snMaH4\":\"刪除 Webhook\",\"vYgeDk\":\"取消全選\",\"NvuEhl\":\"設計元素\",\"H8kMHT\":\"收唔到驗證碼?\",\"OdPOhy\":\"Discord\",\"QotGhf\":\"關閉此訊息\",\"BREO0S\":\"顯示一個複選框,允許客戶選擇接收此活動組織者的營銷通訊。\",\"TvY/XA\":\"文檔\",\"Kdpf90\":\"別忘了!\",\"V6Jjbr\":\"還沒有賬户? <0>註冊\",\"AXXqG+\":\"捐款\",\"DPfwMq\":\"完成\",\"eneWvv\":\"草稿\",\"TnzbL+\":\"由於垃圾郵件風險較高,您必須先連接 Stripe 帳戶才能向參與者發送訊息。\\n這是為了確保所有活動組織者都經過驗證並承擔責任。\",\"euc6Ns\":\"複製\",\"KRmTkx\":\"複製產品\",\"KIjvtr\":\"荷蘭語\",\"SPKbfM\":\"例如:取得門票,立即註冊\",\"LTzmgK\":[\"編輯\",[\"0\"],\"範本\"],\"v4+lcZ\":\"編輯推廣夥伴\",\"2iZEz7\":\"編輯答案\",\"fW5sSv\":\"編輯 Webhook\",\"nP7CdQ\":\"編輯 Webhook\",\"uBAxNB\":\"編輯器\",\"aqxYLv\":\"教育\",\"zPiC+q\":\"符合條件的簽到列表\",\"V2sk3H\":\"電子郵件和模板\",\"hbwCKE\":\"郵箱地址已複製到剪貼板\",\"dSyJj6\":\"電子郵件地址不匹配\",\"elW7Tn\":\"郵件正文\",\"ZsZeV2\":\"必須填寫電郵\",\"Be4gD+\":\"郵件預覽\",\"6IwNUc\":\"郵件範本\",\"H/UMUG\":\"需要電郵驗證\",\"L86zy2\":\"電郵驗證成功!\",\"Upeg/u\":\"啟用此範本發送郵件\",\"RxzN1M\":\"已啟用\",\"sGjBEq\":\"結束日期與時間(可選)\",\"PKXt9R\":\"結束日期必須在開始日期之後\",\"48Y16Q\":\"結束時間(選填)\",\"7YZofi\":\"輸入主題和正文以查看預覽\",\"3bR1r4\":\"輸入推廣夥伴電郵(選填)\",\"ARkzso\":\"輸入推廣夥伴名稱\",\"INDKM9\":\"輸入郵件主題...\",\"kWg31j\":\"輸入獨特推廣碼\",\"C3nD/1\":\"輸入您的電郵地址\",\"n9V+ps\":\"輸入您的姓名\",\"IdULhL\":\"Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)\",\"LslKhj\":\"加載日誌時出錯\",\"AKbElk\":\"歐盟增值稅註冊企業:適用反向收費機制(0% - 增值稅指令 2006/112/EC 第 196 條)\",\"WgD6rb\":\"活動類別\",\"b46pt5\":\"活動封面圖片\",\"1Hzev4\":\"活動自定義範本\",\"imgKgl\":\"活動描述\",\"kJDmsI\":\"活動詳情\",\"m/N7Zq\":\"活動完整地址\",\"Nl1ZtM\":\"活動地點\",\"PYs3rP\":\"活動名稱\",\"HhwcTQ\":\"活動名稱\",\"WZZzB6\":\"必須填寫活動名稱\",\"Wd5CDM\":\"活動名稱應少於 150 個字元\",\"4JzCvP\":\"活動不可用\",\"Gh9Oqb\":\"活動組織者姓名\",\"mImacG\":\"活動頁面\",\"cOePZk\":\"活動時間\",\"e8WNln\":\"活動時區\",\"GeqWgj\":\"活動時區\",\"XVLu2v\":\"活動標題\",\"YDVUVl\":\"事件類型\",\"4K2OjV\":\"活動場地\",\"19j6uh\":\"活動表現\",\"PC3/fk\":\"未來 24 小時內開始的活動\",\"fTFfOK\":\"每個郵件範本都必須包含一個連結到相應頁面的行動號召按鈕\",\"VlvpJ0\":\"導出答案\",\"JKfSAv\":\"導出失敗。請重試。\",\"SVOEsu\":\"導出已開始。正在準備文件...\",\"9bpUSo\":\"匯出緊推廣夥伴\",\"jtrqH9\":\"正在導出與會者\",\"R4Oqr8\":\"導出完成。正在下載文件...\",\"UlAK8E\":\"正在導出訂單\",\"DwuoH0\":\"Facebook\",\"SsI9v/\":\"放棄訂單失敗。請重試。\",\"cEFg3R\":\"建立推廣夥伴失敗\",\"U66oUa\":\"建立範本失敗\",\"xFj7Yj\":\"刪除範本失敗\",\"jo3Gm6\":\"匯出推廣夥伴失敗\",\"Jjw03p\":\"導出與會者失敗\",\"ZPwFnN\":\"導出訂單失敗\",\"X4o0MX\":\"加載 Webhook 失敗\",\"YQ3QSS\":\"重新發送驗證碼失敗\",\"zTkTF3\":\"儲存範本失敗\",\"l6acRV\":\"儲存增值稅設定失敗。請重試。\",\"T6B2gk\":\"發送訊息失敗。請再試一次。\",\"lKh069\":\"無法啟動導出任務\",\"t/KVOk\":\"無法開始模擬。請重試。\",\"QXgjH0\":\"無法停止模擬。請重試。\",\"i0QKrm\":\"更新推廣夥伴失敗\",\"NNc33d\":\"更新答案失敗。\",\"7/9RFs\":\"上傳圖片失敗。\",\"nkNfWu\":\"圖片上傳失敗。請再試一次。\",\"rxy0tG\":\"驗證電郵失敗\",\"T4BMxU\":\"費用可能會變更。如有變更,您將收到通知。\",\"cf35MA\":\"節慶\",\"VejKUM\":\"請先在上方填寫您的詳細信息\",\"8OvVZZ\":\"篩選參與者\",\"8BwQeU\":\"完成設置\",\"hg80P7\":\"完成 Stripe 設置\",\"1vBhpG\":\"第一位參與者\",\"YXhom6\":\"固定費用:\",\"KgxI80\":\"靈活的票務系統\",\"lWxAUo\":\"飲食\",\"nFm+5u\":\"頁腳文字\",\"MY2SVM\":\"全額退款\",\"vAVBBv\":\"全面整合\",\"T02gNN\":\"一般入場\",\"3ep0Gx\":\"關於您主辦單位的一般資訊\",\"ziAjHi\":\"產生\",\"exy8uo\":\"產生代碼\",\"4CETZY\":\"取得路線\",\"kfVY6V\":\"免費開始,無訂閲費用\",\"u6FPxT\":\"購票\",\"8KDgYV\":\"準備好您的活動\",\"RkXlPZ\":\"GitHub\",\"oNL5vN\":\"前往活動頁面\",\"gHSuV/\":\"返回主頁\",\"6nDzTl\":\"良好的可讀性\",\"n8IUs7\":\"總收入\",\"kTSQej\":[\"您好 \",[\"0\"],\",從這裡管理您的平台。\"],\"dORAcs\":\"以下是與您郵箱關聯的所有票。\",\"g+2103\":\"呢個係你嘅推廣連結\",\"QlwJ9d\":\"預期結果:\",\"D+zLDD\":\"已隱藏\",\"Rj6sIY\":\"隱藏附加選項\",\"P+5Pbo\":\"隱藏答案\",\"gtEbeW\":\"突出顯示\",\"NF8sdv\":\"突出顯示訊息\",\"MXSqmS\":\"突出顯示此產品\",\"7ER2sc\":\"已突出顯示\",\"sq7vjE\":\"突出顯示的產品將具有不同的背景色,使其在活動頁面上脫穎而出。\",\"i0qMbr\":\"主頁\",\"AVpmAa\":\"如何離線付款\",\"FONsLE\":\"https://awesome-events.com\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"mkWad2\":\"匈牙利語\",\"4/kP5a\":\"如果未自動開啟新分頁,請點擊下方按鈕繼續結帳。\",\"PYVWEI\":\"如已註冊,請提供您的增值稅號碼以進行驗證\",\"wOU3Tr\":\"如果您擁有我們的帳戶,您將會收到一封包含重設密碼指引的電郵。\",\"an5hVd\":\"圖片\",\"tSVr6t\":\"模擬\",\"TWXU0c\":\"模擬用戶\",\"5LAZwq\":\"模擬已開始\",\"IMwcdR\":\"模擬已停止\",\"M8M6fs\":\"重要:需要重新連接 Stripe\",\"jT142F\":[[\"diffHours\"],\" 小時後\"],\"OoSyqO\":[[\"diffMinutes\"],\" 分鐘後\"],\"UJLg8x\":\"深入分析\",\"cljs3a\":\"請說明您是否在歐盟註冊了增值稅\",\"F1Xp97\":\"個人與會者\",\"85e6zs\":\"插入Liquid標記\",\"38KFY0\":\"插入變數\",\"CTWsuc\":\"Instagram\",\"B2Tpo0\":\"無效電郵\",\"5tT0+u\":\"電郵格式無效\",\"tnL+GP\":\"無效的Liquid語法。請更正後再試。\",\"N9JsFT\":\"Invalid VAT number format\",\"g+lLS9\":\"邀請團隊成員\",\"1z26sk\":\"邀請團隊成員\",\"KR0679\":\"邀請團隊成員\",\"aH6ZIb\":\"邀請您的團隊\",\"IuMGvq\":\"發票\",\"y0meFR\":\"愛爾蘭增值稅(23%)將適用於平台費用(本地供應)。\",\"Lj7sBL\":\"意大利語\",\"F5/CBH\":\"項目\",\"BzfzPK\":\"項目\",\"nCywLA\":\"隨時隨地加入\",\"hTJ4fB\":\"只需點擊下面的按鈕重新連接您的 Stripe 帳戶。\",\"MxjCqk\":\"只是在找您的票?\",\"lB2hSG\":[\"讓我隨時了解來自 \",[\"0\"],\" 的新聞和活動\"],\"h0Q9Iw\":\"最新響應\",\"gw3Ur5\":\"最近觸發\",\"1njn7W\":\"淺色\",\"1qY5Ue\":\"連結已過期或無效\",\"psosdY\":\"訂單詳情連結\",\"6JzK4N\":\"門票連結\",\"shkJ3U\":\"鏈接您的 Stripe 賬户以接收售票資金。\",\"gggTBm\":\"LinkedIn\",\"dF6vP6\":\"已上線\",\"fpMs2Z\":\"直播\",\"D9zTjx\":\"直播活動\",\"WdmJIX\":\"載入預覽中...\",\"IoDI2o\":\"載入標記中...\",\"NFxlHW\":\"正在加載 Webhook\",\"iG7KNr\":\"標誌\",\"vu7ZGG\":\"標誌與封面\",\"gddQe0\":\"您主辦單位的標誌與封面圖片\",\"TBEnp1\":\"標誌將顯示於頁首\",\"Jzu30R\":\"標誌將顯示在門票上\",\"4wUIjX\":\"讓您的活動上線\",\"0A7TvI\":\"管理活動\",\"2FzaR1\":\"管理您的支付處理並查看平台費用\",\"/x0FyM\":\"配合您的品牌\",\"xDAtGP\":\"訊息\",\"1jRD0v\":\"向與會者發送特定門票的信息\",\"97QrnA\":\"在一個地方向與會者發送消息、管理訂單並處理退款\",\"48rf3i\":\"訊息不能超過5000個字符\",\"Vjat/X\":\"必須填寫訊息\",\"0/yJtP\":\"向具有特定產品的訂單所有者發送消息\",\"tccUcA\":\"移動簽到\",\"GfaxEk\":\"音樂\",\"oVGCGh\":\"我的票\",\"8/brI5\":\"必須填寫名稱\",\"sCV5Yc\":\"活動名稱\",\"xxU3NX\":\"淨收入\",\"eWRECP\":\"夜生活\",\"HSw5l3\":\"否 - 我是個人或非增值稅註冊企業\",\"VHfLAW\":\"無帳戶\",\"+jIeoh\":\"未找到賬戶\",\"074+X8\":\"沒有活動的 Webhook\",\"zxnup4\":\"冇推廣夥伴可顯示\",\"99ntUF\":\"此活動沒有可用的簽到列表。\",\"6r9SGl\":\"無需信用卡\",\"eb47T5\":\"未找到所選篩選條件的數據。請嘗試調整日期範圍或貨幣。\",\"pZNOT9\":\"沒有結束日期\",\"dW40Uz\":\"未找到活動\",\"8pQ3NJ\":\"未來 24 小時內沒有活動開始\",\"8zCZQf\":\"尚無活動\",\"54GxeB\":\"不影響您當前或過去的交易\",\"EpvBAp\":\"無發票\",\"XZkeaI\":\"未找到日誌\",\"NEmyqy\":\"尚無訂單\",\"B7w4KY\":\"沒有其他可用的主辦單位\",\"6jYQGG\":\"沒有過往活動\",\"zK/+ef\":\"沒有可供選擇的產品\",\"QoAi8D\":\"無響應\",\"EK/G11\":\"尚無響應\",\"3sRuiW\":\"未找到票\",\"yM5c0q\":\"沒有即將舉行的活動\",\"qpC74J\":\"未找到用戶\",\"n5vdm2\":\"此端點尚未記錄任何 Webhook 事件。事件觸發後將顯示在此處。\",\"4GhX3c\":\"沒有 Webhooks\",\"4+am6b\":\"否,保留在此\",\"HVwIsd\":\"非增值稅註冊企業或個人:適用愛爾蘭增值稅(23%)\",\"x5+Lcz\":\"未簽到\",\"8n10sz\":\"不符合條件\",\"lQgMLn\":\"辦公室或場地名稱\",\"6Aih4U\":\"離線\",\"Z6gBGW\":\"離線付款\",\"nO3VbP\":[\"正在銷售 \",[\"0\"]],\"2r6bAy\":\"升級完成後,您的舊帳戶將僅用於退款。\",\"oXOSPE\":\"線上\",\"WjSpu5\":\"線上活動\",\"bU7oUm\":\"僅發送給具有這些狀態的訂單\",\"M2w1ni\":\"僅使用促銷代碼時可見\",\"N141o/\":\"打開 Stripe 儀表板\",\"HXMJxH\":\"免責聲明、聯繫信息或感謝說明的可選文本(僅單行)\",\"c/TIyD\":\"訂單及門票\",\"H5qWhm\":\"訂單已取消\",\"b6+Y+n\":\"訂單完成\",\"x4MLWE\":\"訂單確認\",\"ppuQR4\":\"訂單已創建\",\"0UZTSq\":\"訂單貨幣\",\"HdmwrI\":\"訂單電郵\",\"bwBlJv\":\"訂單名字\",\"vrSW9M\":\"訂單已取消並退款。訂單所有者已收到通知。\",\"+spgqH\":[\"訂單編號:\",[\"0\"]],\"Pc729f\":\"訂單等待線下支付\",\"F4NXOl\":\"訂單姓氏\",\"RQCXz6\":\"訂單限制\",\"5RDEEn\":\"訂單語言\",\"vu6Arl\":\"訂單標記為已支付\",\"sLbJQz\":\"未找到訂單\",\"i8VBuv\":\"訂單號\",\"FaPYw+\":\"訂單所有者\",\"eB5vce\":\"具有特定產品的訂單所有者\",\"CxLoxM\":\"具有產品的訂單所有者\",\"DoH3fD\":\"訂單付款待處理\",\"EZy55F\":\"訂單已退款\",\"6eSHqs\":\"訂單狀態\",\"oW5877\":\"訂單總額\",\"e7eZuA\":\"訂單已更新\",\"KndP6g\":\"訂單連結\",\"3NT0Ck\":\"訂單已被取消\",\"5It1cQ\":\"訂單已導出\",\"B/EBQv\":\"訂單:\",\"ucgZ0o\":\"組織\",\"S3CZ5M\":\"主辦單位儀表板\",\"Uu0hZq\":\"組織者郵箱\",\"Gy7BA3\":\"組織者電子郵件地址\",\"SQqJd8\":\"找不到主辦單位\",\"wpj63n\":\"主辦單位設定\",\"coIKFu\":\"所選貨幣沒有可用的主辦單位統計資料,或發生錯誤。\",\"o1my93\":\"更新主辦單位狀態失敗。請稍後再試。\",\"rLHma1\":\"主辦單位狀態已更新\",\"LqBITi\":\"將使用組織者/預設範本\",\"/IX/7x\":\"其他\",\"RsiDDQ\":\"其他列表(不包含此票)\",\"6/dCYd\":\"總覽\",\"8uqsE5\":\"頁面不再可用\",\"QkLf4H\":\"頁面網址\",\"sF+Xp9\":\"頁面瀏覽量\",\"5F7SYw\":\"部分退款\",\"fFYotW\":[\"部分退款:\",[\"0\"]],\"Ff0Dor\":\"過去\",\"xTPjSy\":\"過往活動\",\"/l/ckQ\":\"貼上網址\",\"URAE3q\":\"已暫停\",\"4fL/V7\":\"付款\",\"OZK07J\":\"付款解鎖\",\"TskrJ8\":\"付款與計劃\",\"ENEPLY\":\"付款方式\",\"EyE8E6\":\"支付處理\",\"8Lx2X7\":\"已收到付款\",\"vcyz2L\":\"支付設置\",\"fx8BTd\":\"付款不可用\",\"51U9mG\":\"付款將繼續無中斷流轉\",\"VlXNyK\":\"每份訂單\",\"hauDFf\":\"每張門票\",\"/Bh+7r\":\"表現\",\"zmwvG2\":\"電話\",\"zFIMat\":\"Pinterest\",\"wBJR8i\":\"計劃舉辦活動?\",\"br3Y/y\":\"平台費用\",\"jEw0Mr\":\"請輸入有效的 URL\",\"n8+Ng/\":\"請輸入5位數驗證碼\",\"r+lQXT\":\"請輸入您的增值稅號碼\",\"Dvq0wf\":\"請提供圖片。\",\"2cUopP\":\"請重新開始結賬流程。\",\"8KmsFa\":\"請選擇日期範圍\",\"EFq6EG\":\"請選擇圖片。\",\"fuwKpE\":\"請再試一次。\",\"klWBeI\":\"請等一陣再申請新嘅驗證碼\",\"hfHhaa\":\"請稍候,我哋準備緊匯出你嘅推廣夥伴...\",\"o+tJN/\":\"請稍候,我們正在準備導出您的與會者...\",\"+5Mlle\":\"請稍候,我們正在準備導出您的訂單...\",\"TjX7xL\":\"結帳後訊息\",\"cs5muu\":\"預覽活動頁面\",\"+4yRWM\":\"門票價格\",\"a5jvSX\":\"價格等級\",\"ReihZ7\":\"列印預覽\",\"JnuPvH\":\"列印門票\",\"tYF4Zq\":\"列印為PDF\",\"LcET2C\":\"私隱政策\",\"8z6Y5D\":\"處理退款\",\"JcejNJ\":\"處理訂單中\",\"EWCLpZ\":\"產品已創建\",\"XkFYVB\":\"產品已刪除\",\"YMwcbR\":\"產品銷售、收入和税費明細\",\"ldVIlB\":\"產品已更新\",\"mIqT3T\":\"產品、商品和靈活的定價選項\",\"JoKGiJ\":\"優惠碼\",\"k3wH7i\":\"促銷碼使用情況及折扣明細\",\"uEhdRh\":\"僅限促銷\",\"EEYbdt\":\"發佈\",\"evDBV8\":\"發佈活動\",\"dsFmM+\":\"已購買\",\"YwNJAq\":\"二維碼掃描,提供即時反饋和安全共享,供工作人員使用\",\"fqDzSu\":\"費率\",\"spsZys\":\"準備升級?這只需要幾分鐘。\",\"Fi3b48\":\"最近訂單\",\"Edm6av\":\"重新連接 Stripe →\",\"JjMIKU\":\"Reddit\",\"HiGkFu\":\"正在重定向到 Stripe...\",\"ACKu03\":\"刷新預覽\",\"fKn/k6\":\"退款金額\",\"qY4rpA\":\"退款失敗\",\"FaK/8G\":[\"退款訂單 \",[\"0\"]],\"MGbi9P\":\"退款待處理\",\"BDSRuX\":[\"已退款:\",[\"0\"]],\"bU4bS1\":\"退款\",\"CQeZT8\":\"未找到報告\",\"JEPMXN\":\"請求新連結\",\"mdeIOH\":\"重新發送驗證碼\",\"bxoWpz\":\"重新發送確認電郵\",\"G42SNI\":\"重新發送電郵\",\"TTpXL3\":[[\"resendCooldown\"],\"秒後重新發送\"],\"Uwsg2F\":\"已預留\",\"8wUjGl\":\"保留至\",\"slOprG\":\"重置您的密碼\",\"CbnrWb\":\"返回活動\",\"Oo/PLb\":\"收入摘要\",\"dFFW9L\":[\"銷售已於 \",[\"0\"],\" 結束\"],\"loCKGB\":[\"銷售於 \",[\"0\"],\" 結束\"],\"wlfBad\":\"銷售期間\",\"zpekWp\":[\"銷售於 \",[\"0\"],\" 開始\"],\"mUv9U4\":\"銷售\",\"9KnRdL\":\"銷售已暫停\",\"3VnlS9\":\"所有活動的銷售、訂單和表現指標\",\"3Q1AWe\":\"銷售額:\",\"8BRPoH\":\"示例場地\",\"KZrfYJ\":\"儲存社交連結\",\"9Y3hAT\":\"儲存範本\",\"C8ne4X\":\"儲存門票設計\",\"6/TNCd\":\"儲存增值稅設定\",\"I+FvbD\":\"掃描\",\"4ba0NE\":\"已排程\",\"ftNXma\":\"搜尋推廣夥伴...\",\"VY+Bdn\":\"按賬戶名稱或電子郵件搜尋...\",\"VX+B3I\":\"按活動標題或主辦方搜索...\",\"GHdjuo\":\"按姓名、電子郵件或帳戶搜索...\",\"Mck5ht\":\"安全結帳\",\"p7xUrt\":\"選擇類別\",\"BFRSTT\":\"選擇帳戶\",\"mCB6Je\":\"全選\",\"kYZSFD\":\"選擇主辦單位以查看其儀表板與活動。\",\"tVW/yo\":\"選擇貨幣\",\"n9ZhRa\":\"選擇結束日期與時間\",\"gTN6Ws\":\"選擇結束時間\",\"0U6E9W\":\"選擇活動類別\",\"j9cPeF\":\"選擇事件類型\",\"1nhy8G\":\"選擇掃描器類型\",\"KizCK7\":\"選擇開始日期與時間\",\"dJZTv2\":\"選擇開始時間\",\"aT3jZX\":\"選擇時區\",\"Ropvj0\":\"選擇哪些事件將觸發此 Webhook\",\"BG3f7v\":\"銷售任何產品\",\"VtX8nW\":\"在銷售門票的同時銷售商品,並支持集成税務和促銷代碼\",\"Cye3uV\":\"銷售不僅僅是門票\",\"j9b/iy\":\"熱賣中 🔥\",\"1lNPhX\":\"發送退款通知郵件\",\"SPdzrs\":\"客戶下訂時發送\",\"LxSN5F\":\"發送給每位參會者及其門票詳情\",\"eXssj5\":\"為此主辦單位下創建的新活動設定預設設定。\",\"xMO+Ao\":\"設定你嘅機構\",\"HbUQWA\":\"幾分鐘內完成設置\",\"GG7qDw\":\"分享推廣連結\",\"hL7sDJ\":\"分享主辦單位頁面\",\"WHY75u\":\"顯示附加選項\",\"cMW+gm\":[\"顯示所有平台(另有 \",[\"0\"],\" 個有內容)\"],\"UVPI5D\":\"顯示較少平台\",\"Eu/N/d\":\"顯示營銷訂閱複選框\",\"SXzpzO\":\"預設顯示營銷訂閱複選框\",\"b33PL9\":\"顯示更多平台\",\"v6IwHE\":\"智能簽到\",\"9wu8nm\":\"Snapchat\",\"kIKb9e\":\"社交\",\"d0rUsW\":\"社交連結\",\"j/TOB3\":\"社交連結與網站\",\"2pxNFK\":\"已售出\",\"s9KGXU\":\"已售出\",\"KTxc6k\":\"出現問題,請重試,或在問題持續時聯繫客服\",\"H6Gslz\":\"對於給您帶來的不便,我們深表歉意。\",\"7JFNej\":\"體育\",\"JcQp9p\":\"開始日期同時間\",\"0m/ekX\":\"開始日期與時間\",\"izRfYP\":\"必須填寫開始日期\",\"2R1+Rv\":\"活動開始時間\",\"2NbyY/\":\"統計數據\",\"DRykfS\":\"仍在處理您舊交易的退款。\",\"wuV0bK\":\"停止模擬\",\"V3XvZK\":\"Stripe Connect\",\"/QlTE4\":\"Stripe設置已完成。\",\"ii0qn/\":\"主題是必需的\",\"M7Uapz\":\"主題將顯示在這裏\",\"6aXq+t\":\"主題:\",\"JwTmB6\":\"產品複製成功\",\"RuaKfn\":\"地址更新成功\",\"kzx0uD\":\"成功更新活動預設值\",\"5n+Wwp\":\"主辦單位更新成功\",\"0Dk/l8\":\"SEO 設定已成功更新\",\"MhOoLQ\":\"社交連結更新成功\",\"kj7zYe\":\"Webhook 更新成功\",\"dXoieq\":\"摘要\",\"/RfJXt\":[\"夏日音樂節 \",[\"0\"]],\"CWOPIK\":\"2025夏季音樂節\",\"5gIl+x\":\"支持分級、基於捐贈和產品銷售,並提供可自定義的定價和容量\",\"JZTQI0\":\"切換主辦單位\",\"XX32BM\":\"只需幾分鐘\",\"yT6dQ8\":\"按稅種和活動分組的已收稅款\",\"Ye321X\":\"稅種名稱\",\"WyCBRt\":\"稅務摘要\",\"GkH0Pq\":\"已套用稅項及費用\",\"SmvJCM\":\"稅項、費用、銷售期間、訂單限制及可見性設定\",\"vlf/In\":\"科技\",\"SchpMp\":\"Telegram\",\"iWa9cY\":\"讓人們知道您的活動有什麼內容\",\"NiIUyb\":\"請告訴我們您的活動\",\"DovcfC\":\"話俾我哋知你嘅機構資料。呢啲資料會顯示喺你嘅活動頁面。\",\"7wtpH5\":\"範本已啟用\",\"QHhZeE\":\"範本建立成功\",\"xrWdPR\":\"範本刪除成功\",\"G04Zjt\":\"範本儲存成功\",\"xowcRf\":\"服務條款\",\"6K0GjX\":\"文字可能難以閱讀\",\"nm3Iz/\":\"感謝您的參與!\",\"lhAWqI\":\"感謝您的支持,我們將繼續發展和改進 Hi.Events!\",\"KfmPRW\":\"頁面的背景顏色。使用封面圖片時,這會作為覆蓋層應用。\",\"MDNyJz\":\"驗證碼會喺10分鐘後過期。如果你搵唔到電郵,請檢查垃圾郵件資料夾。\",\"MJm4Tq\":\"訂單的貨幣\",\"I/NNtI\":\"活動場地\",\"tXadb0\":\"您查找的活動目前不可用。它可能已被刪除、過期或 URL 不正確。\",\"EBzPwC\":\"活動的完整地址\",\"sxKqBm\":\"訂單全額將退款至客戶的原始付款方式。\",\"5OmEal\":\"客戶的語言\",\"sYLeDq\":\"找不到您正在尋找的主辦單位。頁面可能已被移動、刪除,或網址不正確。\",\"HxxXZO\":\"用於按鈕和突出顯示的主要品牌顏色\",\"DEcpfp\":\"模板正文包含無效的Liquid語法。請更正後再試。\",\"A4UmDy\":\"劇場\",\"tDwYhx\":\"主題與顏色\",\"HirZe8\":\"這些範本將用作您組織中所有活動的預設範本。單個活動可以用自己的自定義版本覆蓋這些範本。\",\"lzAaG5\":\"這些範本將僅覆蓋此活動的組織者預設設置。如果這裏沒有設置自定義範本,將使用組織者範本。\",\"XBNC3E\":\"呢個代碼會用嚟追蹤銷售。只可以用字母、數字、連字號同底線。\",\"AaP0M+\":\"對某些使用者來說,此顏色組合可能難以閱讀\",\"YClrdK\":\"呢個活動未發佈\",\"dFJnia\":\"這是將會顯示給使用者的主辦單位名稱。\",\"L7dIM7\":\"此連結無效或已過期。\",\"j5FdeA\":\"此訂單正在處理中。\",\"sjNPMw\":\"此訂單已被放棄。您可以隨時開始新的訂單。\",\"OhCesD\":\"此訂單已被取消。您可以隨時開始新訂單。\",\"lyD7rQ\":\"呢個主辦方資料未發佈\",\"9b5956\":\"此預覽顯示您的郵件使用示例資料的外觀。實際郵件將使用真實值。\",\"uM9Alj\":\"此產品在活動頁面上突出顯示\",\"RqSKdX\":\"此產品已售罄\",\"0Ew0uk\":\"此門票剛剛被掃描。請等待後再次掃描。\",\"kvpxIU\":\"這將用於通知和與使用者的溝通。\",\"rhsath\":\"呢個唔會俾客戶睇到,但可以幫你識別推廣夥伴。\",\"Mr5UUd\":\"門票已取消\",\"0GSPnc\":\"門票設計\",\"EZC/Cu\":\"門票設計儲存成功\",\"1BPctx\":\"門票:\",\"bgqf+K\":\"持票人電郵\",\"oR7zL3\":\"持票人姓名\",\"HGuXjF\":\"票務持有人\",\"awHmAT\":\"門票 ID\",\"6czJik\":\"門票標誌\",\"OkRZ4Z\":\"門票名稱\",\"6tmWch\":\"票券或產品\",\"1tfWrD\":\"門票預覽:\",\"tGCY6d\":\"門票價格\",\"8jLPgH\":\"門票類型\",\"X26cQf\":\"門票連結\",\"zNECqg\":\"門票\",\"6GQNLE\":\"門票\",\"NRhrIB\":\"票券與產品\",\"EUnesn\":\"門票有售\",\"AGRilS\":\"已售票數\",\"zyUxcw\":\"TikTok\",\"BZBYf3\":\"要接受信用卡付款,您需要連接您的 Stripe 賬户。Stripe 是我們的支付處理合作夥伴,確保安全交易和及時付款。\",\"W428WC\":\"切換欄位\",\"3sZ0xx\":\"總賬戶數\",\"EaAPbv\":\"支付總金額\",\"SMDzqJ\":\"總參與人數\",\"orBECM\":\"總收款\",\"KSDwd5\":\"總訂單數\",\"vb0Q0/\":\"總用戶數\",\"/b6Z1R\":\"通過詳細的分析和可導出的報告跟蹤收入、頁面瀏覽量和銷售情況\",\"OpKMSn\":\"交易手續費:\",\"uKOFO5\":\"如果是離線付款則為真\",\"9GsDR2\":\"如果付款待處理則為真\",\"ouM5IM\":\"嘗試其他郵箱\",\"3DZvE7\":\"免費試用Hi.Events\",\"Kz91g/\":\"土耳其語\",\"GdOhw6\":\"關閉聲音\",\"KUOhTy\":\"開啟聲音\",\"dBeuY2\":\"Twitch\",\"XxecLm\":\"門票類型\",\"IrVSu+\":\"無法複製產品。請檢查您的詳細信息\",\"Vx2J6x\":\"無法擷取參與者資料\",\"b9SN9q\":\"唯一訂單參考\",\"Ef7StM\":\"未知\",\"ZBAScj\":\"未知參會者\",\"ZkS2p3\":\"取消發佈活動\",\"Pp1sWX\":\"更新推廣夥伴\",\"KMMOAy\":\"可升級\",\"gJQsLv\":\"上傳主辦單位的封面圖片\",\"4kEGqW\":\"上傳主辦單位的標誌\",\"lnCMdg\":\"上傳圖片\",\"29w7p6\":\"正在上傳圖片...\",\"HtrFfw\":\"URL 是必填項\",\"WBq1/R\":\"USB掃描器已啟用\",\"EV30TR\":\"USB掃描器模式已啟用。現在開始掃描門票。\",\"fovJi3\":\"USB掃描器模式已停用\",\"hli+ga\":\"USB/HID掃描器\",\"OHJXlK\":\"使用 <0>Liquid 模板 個性化您的郵件\",\"0k4cdb\":\"為所有參加者使用訂單詳情。參加者姓名和電郵將與買家資料相符。\",\"rnoQsz\":\"用於邊框、高亮和二維碼樣式\",\"Fild5r\":\"有效的增值稅號碼\",\"sqdl5s\":\"增值稅資料\",\"UjNWsF\":\"根據您的增值稅註冊狀態,平台費用可能需要繳納增值稅。請填寫以下增值稅資料部分。\",\"pnVh83\":\"增值稅號碼\",\"CabI04\":\"VAT number must not contain spaces\",\"PMhxAR\":\"VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)\",\"SG3dJG\":\"增值稅號碼驗證失敗。請檢查您的號碼並重試。\",\"PCRCCN\":\"增值稅登記資料\",\"vbKW6Z\":\"增值稅設定已成功儲存並驗證\",\"fb96a1\":\"增值稅設定已儲存,但驗證失敗。請檢查您的增值稅號碼。\",\"Nfbg76\":\"增值稅設定已成功儲存\",\"tJylUv\":\"平台費用的增值稅處理\",\"FlGprQ\":\"平台費用的增值稅處理:歐盟增值稅註冊企業可使用反向收費機制(0% - 增值稅指令 2006/112/EC 第 196 條)。非增值稅註冊企業將收取 23% 的愛爾蘭增值稅。\",\"AdWhjZ\":\"驗證碼\",\"wCKkSr\":\"驗證電郵\",\"/IBv6X\":\"驗證您的電郵\",\"e/cvV1\":\"驗證緊...\",\"fROFIL\":\"越南語\",\"+WFMis\":\"查看和下載所有活動的報告。僅包含已完成的訂單。\",\"gj5YGm\":\"查看並下載您的活動報告。請注意,報告中僅包含已完成的訂單。\",\"c7VN/A\":\"查看答案\",\"FCVmuU\":\"查看活動\",\"n6EaWL\":\"查看日誌\",\"OaKTzt\":\"查看地圖\",\"67OJ7t\":\"查看訂單\",\"tKKZn0\":\"查看訂單詳情\",\"9jnAcN\":\"查看主辦單位主頁\",\"1J/AWD\":\"查看門票\",\"6dp/Hz\":\"Vimeo\",\"wPRp9Z\":\"僅對簽到工作人員可見。有助於在簽到期間識別此名單。\",\"SS4mGB\":\"VK\",\"quR8Qp\":\"等待付款\",\"RRZDED\":\"我們找不到與此郵箱關聯的訂單。\",\"miysJh\":\"我們找不到此訂單。它可能已被刪除。\",\"HJKdzP\":\"載入此頁面時遇到問題。請重試。\",\"IfN2Qo\":\"我們建議使用最小尺寸為200x200像素的方形標誌\",\"wJzo/w\":\"我們建議尺寸為 400x400 像素,檔案大小不超過 5MB\",\"q1BizZ\":\"我們將把您的門票發送到此郵箱\",\"zCdObC\":\"我們已正式將總部遷至愛爾蘭 🇮🇪。作為此次過渡的一部分,我們現在使用 Stripe 愛爾蘭而不是 Stripe 加拿大。為了保持您的付款順利進行,您需要重新連接您的 Stripe 帳戶。\",\"jh2orE\":\"我們已將總部搬遷至愛爾蘭。因此,我們需要您重新連接您的 Stripe 帳戶。這個快速過程只需幾分鐘。您的銷售和現有數據完全不受影響。\",\"Fq/Nx7\":\"我哋已經將5位數驗證碼發送到:\",\"GdWB+V\":\"Webhook 創建成功\",\"2X4ecw\":\"Webhook 刪除成功\",\"CThMKa\":\"Webhook 日誌\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook 不會發送通知\",\"FSaY52\":\"Webhook 將發送通知\",\"v1kQyJ\":\"Webhooks\",\"On0aF2\":\"網站\",\"vKLEXy\":\"微博\",\"jupD+L\":\"歡迎回來 👋\",\"kSYpfa\":[\"歡迎嚟到 \",[\"0\"],\" 👋\"],\"QDWsl9\":[\"歡迎嚟到 \",[\"0\"],\",\",[\"1\"],\" 👋\"],\"LETnBR\":[\"歡迎嚟到 \",[\"0\"],\",呢度係你所有活動嘅列表\"],\"FaSXqR\":\"咩類型嘅活動?\",\"f30uVZ\":\"您需要做什麼:\",\"2+ExvJ\":\"WhatsApp\",\"cxsKvw\":\"當簽到被刪除時\",\"Gmd0hv\":\"當新與會者被創建時\",\"Lc18qn\":\"當新訂單被創建時\",\"dfkQIO\":\"當新產品被創建時\",\"8OhzyY\":\"當產品被刪除時\",\"tRXdQ9\":\"當產品被更新時\",\"Q7CWxp\":\"當與會者被取消時\",\"IuUoyV\":\"當與會者簽到時\",\"nBVOd7\":\"當與會者被更新時\",\"ny2r8d\":\"當訂單被取消時\",\"c9RYbv\":\"當訂單被標記為已支付時\",\"ejMDw1\":\"當訂單被退款時\",\"fVPt0F\":\"當訂單被更新時\",\"bcYlvb\":\"簽到何時關閉\",\"XIG669\":\"簽到何時開放\",\"de6HLN\":\"當顧客購買門票時,他們的訂單將會顯示在這裡。\",\"blXLKj\":\"啟用後,新活動將在結帳時顯示營銷訂閱複選框。此設置可以針對每個活動單獨覆蓋。\",\"uvIqcj\":\"工作坊\",\"EpknJA\":\"請在此輸入您的訊息...\",\"nhtR6Y\":\"X(Twitter)\",\"X/azM1\":\"Yes - I have a valid EU VAT registration number\",\"Tz5oXG\":\"是,取消我的訂單\",\"QlSZU0\":[\"您正在模擬 <0>\",[\"0\"],\" (\",[\"1\"],\")\"],\"s14PLh\":[\"您正在發出部分退款。客戶將獲得 \",[\"0\"],\" \",[\"1\"],\" 的退款。\"],\"casL1O\":\"您已向免費產品添加了税費。您想要刪除它們嗎?\",\"FVTVBy\":\"在更新主辦單位狀態之前,您必須先驗證您的電郵地址。\",\"FRl8Jv\":\"您需要驗證您的帳户電子郵件才能發送消息。\",\"U3wiCB\":\"一切就緒!您的付款正在順利處理。\",\"MNFIxz\":[\"您將參加 \",[\"0\"],\"!\"],\"x/xjzn\":\"你嘅推廣夥伴已經成功匯出。\",\"TF37u6\":\"您的與會者已成功導出。\",\"79lXGw\":\"您的簽到名單已成功建立。與您的簽到工作人員共享以下連結。\",\"BnlG9U\":\"您當前的訂單將丟失。\",\"nBqgQb\":\"您的電子郵件\",\"R02pnV\":\"在向與會者銷售門票之前,您的活動必須處於上線狀態。\",\"ifRqmm\":\"你嘅訊息已經成功發送!\",\"/Rj5P4\":\"您的姓名\",\"naQW82\":\"您的訂單已被取消。\",\"bhlHm/\":\"您的訂單正在等待付款\",\"XeNum6\":\"您的訂單已成功導出。\",\"Xd1R1a\":\"您主辦單位的地址\",\"WWYHKD\":\"Your payment is protected with bank-level encryption\",\"6heFYY\":\"您的 Stripe 帳戶已連接並正在處理付款。\",\"vvO1I2\":\"您的 Stripe 賬户已連接並準備好處理支付。\",\"CnZ3Ou\":\"您的門票已確認。\",\"d/CiU9\":\"Your VAT number will be validated automatically when you save\",\"9Q6UKX\":\"YouTube\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/zh-hk.po b/frontend/src/locales/zh-hk.po index 4c6a15f2cf..a82bb1f0c8 100644 --- a/frontend/src/locales/zh-hk.po +++ b/frontend/src/locales/zh-hk.po @@ -34,7 +34,7 @@ msgstr "{0}" #: src/components/common/CheckInStatusModal/index.tsx:145 msgid "{0} {1}" -msgstr "" +msgstr "{0} {1}" #: src/components/layouts/CheckIn/index.tsx:237 msgid "{0} {1} is already checked in" @@ -62,7 +62,7 @@ msgstr "成功創建 {0}" #: src/components/common/ProductsTable/SortableProduct/index.tsx:388 msgid "{0} left" -msgstr "" +msgstr "剩餘 {0}" #: src/components/layouts/AppLayout/Sidebar/index.tsx:80 #: src/components/layouts/AuthLayout/index.tsx:133 @@ -111,7 +111,7 @@ msgstr "+1 234 567 890" #: src/components/common/ProductsTable/SortableProduct/index.tsx:361 msgid "+Tax/Fees" -msgstr "" +msgstr "+稅/費" #: src/components/common/CapacityAssignmentList/index.tsx:47 msgid "<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." @@ -259,15 +259,15 @@ msgstr "標準税,如增值税或消費税" #: src/components/common/OrdersTable/index.tsx:429 msgid "Abandoned" -msgstr "" +msgstr "已放棄" -#: src/components/layouts/EventHomepage/index.tsx:356 +#: src/components/layouts/EventHomepage/index.tsx:361 msgid "About" msgstr "關於" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:425 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:454 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:672 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:432 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:461 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:679 msgid "About Stripe Connect" msgstr "關於 Stripe Connect" @@ -288,8 +288,8 @@ msgstr "通過 Stripe 接受信用卡支付" msgid "Accept Invitation" msgstr "接受邀請" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:349 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:600 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:356 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:607 msgid "Access Denied" msgstr "訪問被拒絕" @@ -298,7 +298,7 @@ msgstr "訪問被拒絕" msgid "Account" msgstr "賬户" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:334 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:341 msgid "Account already connected!" msgstr "帳戶已連接!" @@ -321,10 +321,14 @@ msgstr "賬户更新成功" msgid "Accounts" msgstr "賬戶" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:64 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:69 msgid "Action Required: Reconnect Your Stripe Account" msgstr "需要操作:重新連接您的 Stripe 帳戶" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:57 +msgid "Action Required: VAT Information Needed" +msgstr "需要操作:需提供增值稅資料" + #: src/components/common/AdminEventsTable/index.tsx:108 #: src/components/common/AffiliateTable/index.tsx:167 #: src/components/common/AttendeeTable/index.tsx:346 @@ -427,7 +431,7 @@ msgstr "增加層級" #: src/components/common/AddEventToCalendarButton/index.tsx:14 #: src/components/common/AddToCalendarCTA/index.tsx:24 -#: src/components/layouts/EventHomepage/index.tsx:301 +#: src/components/layouts/EventHomepage/index.tsx:306 msgid "Add to Calendar" msgstr "添加到日曆" @@ -549,7 +553,7 @@ msgstr "本次活動的所有與會者" msgid "All Currencies" msgstr "所有貨幣" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:178 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:183 msgid "All done! You're now using our upgraded payment system." msgstr "全部完成!您現在正在使用我們升級的付款系統。" @@ -579,8 +583,8 @@ msgstr "允許搜索引擎索引" msgid "Allow search engines to index this event" msgstr "允許搜索引擎索引此事件" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:198 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:408 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:203 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:415 msgid "Almost there! Finish connecting your Stripe account to start accepting payments." msgstr "快完成了!完成連接您的 Stripe 帳戶以開始接受付款。" @@ -602,7 +606,7 @@ msgstr "同時退款此訂單" #: src/components/common/ProductsTable/SortableProduct/index.tsx:428 msgid "Always available" -msgstr "" +msgstr "總是可用" #: src/components/routes/event/Settings/Sections/SeoSettings/index.tsx:77 #: src/components/routes/organizer/Settings/Sections/SeoSettings/index.tsx:77 @@ -637,7 +641,7 @@ msgstr "問題排序時發生錯誤。請重試或刷新頁面" #: src/components/forms/ProductForm/index.tsx:480 msgid "An optional message to display on the highlighted product, e.g. \"Selling fast 🔥\" or \"Best value\"" -msgstr "" +msgstr "顯示在突出產品上的可選訊息,例如「熱賣中 🔥」或「最佳價值」" #: src/components/forms/StripeCheckoutForm/index.tsx:40 msgid "An unexpected error occurred." @@ -727,7 +731,7 @@ msgstr "確定要刪除此範本嗎?此操作無法復原,郵件將回退到 msgid "Are you sure you want to delete this webhook?" msgstr "您確定要刪除此 Webhook 嗎?" -#: src/components/layouts/Checkout/index.tsx:271 +#: src/components/layouts/Checkout/index.tsx:272 msgid "Are you sure you want to leave?" msgstr "您確定要離開嗎?" @@ -777,10 +781,23 @@ msgstr "您確定要刪除此容量分配嗎?" msgid "Are you sure you would like to delete this Check-In List?" msgstr "您確定要刪除此簽到列表嗎?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:107 +msgid "Are you VAT registered in the EU?" +msgstr "您在歐盟註冊了增值稅嗎?" + #: src/constants/eventCategories.ts:11 msgid "Art" msgstr "藝術" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:34 +msgid "As your business is based in Ireland, Irish VAT at 23% applies automatically to all platform fees." +msgstr "由於您的業務位於愛爾蘭,愛爾蘭增值稅(23%)將自動套用於所有平台費用。" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:59 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:21 +msgid "As your business is based in the EU, we need to determine the correct VAT treatment for our platform fees:" +msgstr "由於您的業務位於歐盟,我們需要確定平台費用的正確增值稅處理方式:" + #: src/components/forms/QuestionForm/index.tsx:85 msgid "Ask once per order" msgstr "每份訂單詢問一次" @@ -819,7 +836,7 @@ msgstr "與會者詳情" #: src/components/common/QuestionsTable/index.tsx:397 msgid "Attendee details will be copied from order information." -msgstr "" +msgstr "參加者詳情將從訂單資料中複製。" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:55 msgid "Attendee Email" @@ -827,11 +844,11 @@ msgstr "參會者電郵" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:114 msgid "Attendee information collection" -msgstr "" +msgstr "參加者資料收集" #: src/components/common/QuestionsTable/index.tsx:362 msgid "Attendee information collection is set to \"Per order\". Attendee details will be copied from the order information." -msgstr "" +msgstr "參加者資料收集設為「每份訂單」。參加者詳情將從訂單資料中複製。" #: src/components/layouts/AuthLayout/index.tsx:75 msgid "Attendee Management" @@ -906,7 +923,7 @@ msgstr "使用多個簽到列表和實時驗證的自動化入場管理" #: src/components/common/ThemeColorControls/index.tsx:72 msgid "Automatically detected based on background color, but can be overridden" -msgstr "" +msgstr "根據背景顏色自動檢測,但可以覆蓋" #: src/components/common/WidgetEditor/index.tsx:236 msgid "Automatically resize the widget height based on the content. When disabled, the widget will fill the height of the container." @@ -1029,7 +1046,7 @@ msgstr "按鈕文字" #: src/components/routes/product-widget/CollectInformation/index.tsx:686 #: src/components/routes/product-widget/Payment/index.tsx:149 msgid "By continuing, you agree to the <0>{0} Terms of Service" -msgstr "" +msgstr "繼續即表示您同意 <0>{0} 服務條款" #: src/components/routes/auth/Register/index.tsx:134 msgid "By registering you agree to our <0>Terms of Service and <1>Privacy Policy." @@ -1108,7 +1125,7 @@ msgstr "無法簽到" #: src/components/common/CheckIn/AttendeeList.tsx:34 msgid "Cannot Check In (Cancelled)" -msgstr "" +msgstr "無法簽到(已取消)" #: src/components/forms/CapaciyAssigmentForm/index.tsx:42 #: src/components/layouts/Event/index.tsx:103 @@ -1387,7 +1404,7 @@ msgstr "當活動頁面初始加載時摺疊此產品" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:42 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:32 msgid "Collect attendee details for each ticket purchased." -msgstr "" +msgstr "為每張購買的門票收集參加者詳情。" #: src/components/routes/event/HomepageDesigner/index.tsx:214 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:246 @@ -1396,7 +1413,7 @@ msgstr "顏色" #: src/components/common/ThemeColorControls/index.tsx:70 msgid "Color Mode" -msgstr "" +msgstr "顏色模式" #: src/components/common/WidgetEditor/index.tsx:21 msgid "Color must be a valid hex color code. Example: #ffffff" @@ -1408,7 +1425,7 @@ msgstr "顏色" #: src/components/common/ColumnVisibilityToggle/index.tsx:21 msgid "Columns" -msgstr "" +msgstr "欄位" #: src/constants/eventCategories.ts:9 msgid "Comedy" @@ -1437,7 +1454,7 @@ msgstr "完成付款" msgid "Complete Stripe Setup" msgstr "完成 Stripe 設置" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:108 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 msgid "Complete the setup below to continue" msgstr "完成下面的設置以繼續" @@ -1530,11 +1547,11 @@ msgstr "確認電子郵件地址..." msgid "Congratulations on creating an event!" msgstr "恭喜你成功建立活動!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 msgid "Connect & Upgrade" msgstr "連接並升級" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:644 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:651 msgid "Connect Documentation" msgstr "連接文檔" @@ -1560,9 +1577,9 @@ msgid "Connect with CRM and automate tasks using webhooks and integrations" msgstr "連接 CRM 並使用 Webhook 和集成自動化任務" #: src/components/common/StripeConnectButton/index.tsx:85 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:228 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:445 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:662 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:233 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:452 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:669 #: src/components/routes/event/GettingStarted/index.tsx:154 msgid "Connect with Stripe" msgstr "與 Stripe 連接" @@ -1571,15 +1588,15 @@ msgstr "與 Stripe 連接" msgid "Connect your Stripe account to accept payments for tickets and products." msgstr "連接您的 Stripe 帳戶以接受門票和商品的付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:216 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:221 msgid "Connect your Stripe account to accept payments." msgstr "連接您的 Stripe 帳戶以接受付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:437 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:444 msgid "Connect your Stripe account to start accepting payments for your events." msgstr "連接您的 Stripe 帳戶以開始接受您活動的付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:214 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:219 msgid "Connect your Stripe account to start accepting payments." msgstr "連接您的 Stripe 帳戶以開始接受付款。" @@ -1587,8 +1604,8 @@ msgstr "連接您的 Stripe 帳戶以開始接受付款。" msgid "Connect your Stripe account to start receiving payments." msgstr "連接 Stripe 賬户,開始接收付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:383 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:620 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:390 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:627 msgid "Connected to Stripe" msgstr "已連接到 Stripe" @@ -1596,7 +1613,7 @@ msgstr "已連接到 Stripe" msgid "Connection Details" msgstr "連接詳情" -#: src/components/layouts/EventHomepage/index.tsx:536 +#: src/components/layouts/EventHomepage/index.tsx:541 #: src/components/layouts/OrganizerHomepage/index.tsx:232 msgid "Contact" msgstr "聯絡" @@ -1926,13 +1943,13 @@ msgstr "貨幣" msgid "Current Password" msgstr "當前密碼" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:157 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:162 msgid "Current payment processor" msgstr "當前付款處理器" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Currently available for purchase" -msgstr "" +msgstr "目前可供購買" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:159 msgid "Custom Maps URL" @@ -2057,7 +2074,7 @@ msgstr "危險區" #: src/components/common/ThemeColorControls/index.tsx:93 msgid "Dark" -msgstr "" +msgstr "深色" #: src/components/layouts/Admin/index.tsx:13 #: src/components/layouts/Event/index.tsx:89 @@ -2091,7 +2108,7 @@ msgstr "第一天容量" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:79 msgid "Default attendee information collection" -msgstr "" +msgstr "預設參加者資料收集" #: src/components/common/EmailTemplateSettings/EmailTemplateSettingsBase.tsx:207 msgid "Default template will be used" @@ -2205,7 +2222,7 @@ msgstr "顯示一個複選框,允許客戶選擇接收此活動組織者的營 msgid "Document Label" msgstr "文檔標籤" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:683 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:690 msgid "Documentation" msgstr "文檔" @@ -2219,7 +2236,7 @@ msgstr "還沒有賬户? <0>註冊" #: src/components/common/ProductsTable/SortableProduct/index.tsx:294 msgid "Donation" -msgstr "" +msgstr "捐款" #: src/components/forms/ProductForm/index.tsx:165 msgid "Donation / Pay what you'd like product" @@ -2273,7 +2290,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:473 msgid "Duplicate" -msgstr "" +msgstr "複製" #: src/components/common/EventCard/index.tsx:98 msgid "Duplicate event" @@ -2608,6 +2625,10 @@ msgstr "輸入您的電郵地址" msgid "Enter your name" msgstr "輸入您的姓名" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:126 +msgid "Enter your VAT number including the country code, without spaces (e.g., IE1234567A, DE123456789)" +msgstr "" + #: src/components/common/OrdersTable/index.tsx:105 #: src/components/layouts/Checkout/index.tsx:90 msgid "Error" @@ -2625,6 +2646,11 @@ msgstr "確認更改電子郵件時出錯" msgid "Error loading logs" msgstr "加載日誌時出錯" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:68 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:30 +msgid "EU VAT-registered businesses: Reverse charge mechanism applies (0% - Article 196 of VAT Directive 2006/112/EC)" +msgstr "歐盟增值稅註冊企業:適用反向收費機制(0% - 增值稅指令 2006/112/EC 第 196 條)" + #: src/components/routes/account/ManageAccount/sections/AccountSettings/index.tsx:74 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:116 #: src/components/routes/organizer/Settings/Sections/BasicSettings/index.tsx:117 @@ -2808,7 +2834,7 @@ msgstr "活動表現" #: src/components/routes/admin/Dashboard/index.tsx:129 msgid "Events Starting in Next 24 Hours" -msgstr "" +msgstr "未來 24 小時內開始的活動" #: src/components/common/EmailTemplateEditor/CTAConfiguration.tsx:23 msgid "Every email template must include a call-to-action button that links to the appropriate page" @@ -2934,6 +2960,10 @@ msgstr "重新發送驗證碼失敗" msgid "Failed to save template" msgstr "儲存範本失敗" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:93 +msgid "Failed to save VAT settings. Please try again." +msgstr "儲存增值稅設定失敗。請重試。" + #: src/components/common/ContactOrganizerModal/index.tsx:57 msgid "Failed to send message. Please try again." msgstr "發送訊息失敗。請再試一次。" @@ -2993,7 +3023,7 @@ msgstr "費用" msgid "Fees" msgstr "費用" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:282 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:289 msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "費用可能會變更。如有變更,您將收到通知。" @@ -3023,12 +3053,12 @@ msgstr "篩選器" msgid "Filters ({activeFilterCount})" msgstr "篩選器 ({activeFilterCount})" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:207 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:212 msgid "Finish Setup" msgstr "完成設置" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:416 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:663 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:423 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:670 msgid "Finish Stripe Setup" msgstr "完成 Stripe 設置" @@ -3080,7 +3110,7 @@ msgstr "固定式" msgid "Fixed amount" msgstr "固定金額" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:267 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:274 msgid "Fixed Fee:" msgstr "固定費用:" @@ -3164,7 +3194,7 @@ msgstr "產生代碼" msgid "German" msgstr "德國" -#: src/components/layouts/EventHomepage/index.tsx:387 +#: src/components/layouts/EventHomepage/index.tsx:392 msgid "Get Directions" msgstr "取得路線" @@ -3172,9 +3202,9 @@ msgstr "取得路線" msgid "Get started for free, no subscription fees" msgstr "免費開始,無訂閲費用" -#: src/components/layouts/EventHomepage/index.tsx:572 +#: src/components/layouts/EventHomepage/index.tsx:577 msgid "Get Tickets" -msgstr "" +msgstr "購票" #: src/components/routes/event/EventDashboard/index.tsx:156 msgid "Get your event ready" @@ -3203,7 +3233,7 @@ msgstr "返回主頁" #: src/components/common/ThemeColorControls/index.tsx:113 msgid "Good readability" -msgstr "" +msgstr "良好的可讀性" #: src/components/common/CalendarOptionsPopover/index.tsx:29 msgid "Google Calendar" @@ -3256,7 +3286,7 @@ msgstr "下面是 React 組件,您可以用它在應用程序中嵌入 widget msgid "Here is your affiliate link" msgstr "呢個係你嘅推廣連結" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:77 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:82 msgid "Here's what to expect:" msgstr "預期結果:" @@ -3267,7 +3297,7 @@ msgstr "你好 {0} 👋" #: src/components/common/ProductsTable/SortableProduct/index.tsx:90 #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Hidden" -msgstr "" +msgstr "已隱藏" #: src/components/common/ProductsTable/SortableProduct/index.tsx:101 #: src/components/common/ProductsTable/SortableProduct/index.tsx:300 @@ -3293,7 +3323,7 @@ msgstr "隱藏" #: src/components/forms/ProductForm/index.tsx:361 msgid "Hide Additional Options" -msgstr "" +msgstr "隱藏附加選項" #: src/components/common/AttendeeList/index.tsx:84 msgid "Hide Answers" @@ -3357,7 +3387,7 @@ msgstr "突出顯示此產品" #: src/components/common/ProductsTable/SortableProduct/index.tsx:325 msgid "Highlighted" -msgstr "" +msgstr "已突出顯示" #: src/components/forms/ProductForm/index.tsx:473 msgid "Highlighted products will have a different background color to make them stand out on the event page." @@ -3440,6 +3470,10 @@ msgstr "如果啟用,登記工作人員可以將與會者標記為已登記或 msgid "If enabled, the organizer will receive an email notification when a new order is placed" msgstr "如果啟用,當有新訂單時,組織者將收到電子郵件通知" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:79 +msgid "If registered, provide your VAT number for validation" +msgstr "如已註冊,請提供您的增值稅號碼以進行驗證" + #: src/components/routes/profile/ManageProfile/index.tsx:127 msgid "If you did not request this change, please immediately change your password." msgstr "如果您沒有要求更改密碼,請立即更改密碼。" @@ -3493,11 +3527,11 @@ msgstr "重要:需要重新連接 Stripe" #: src/components/routes/admin/Dashboard/index.tsx:29 msgid "In {diffHours} hours" -msgstr "" +msgstr "{diffHours} 小時後" #: src/components/routes/admin/Dashboard/index.tsx:27 msgid "In {diffMinutes} minutes" -msgstr "" +msgstr "{diffMinutes} 分鐘後" #: src/components/layouts/AuthLayout/index.tsx:55 msgid "In-depth Analytics" @@ -3532,6 +3566,10 @@ msgstr "包括{0}個產品" msgid "Includes 1 product" msgstr "包括1個產品" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:78 +msgid "Indicate whether you're VAT-registered in the EU" +msgstr "請說明您是否在歐盟註冊了增值稅" + #: src/components/common/MessageList/index.tsx:20 msgid "Individual attendees" msgstr "個人與會者" @@ -3570,6 +3608,10 @@ msgstr "電郵格式無效" msgid "Invalid Liquid syntax. Please correct it and try again." msgstr "無效的Liquid語法。請更正後再試。" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:72 +msgid "Invalid VAT number format" +msgstr "" + #: src/components/routes/account/ManageAccount/sections/Users/index.tsx:39 msgid "Invitation resent!" msgstr "再次發出邀請!" @@ -3600,7 +3642,7 @@ msgstr "邀請您的團隊" #: src/components/common/OrdersTable/index.tsx:294 msgid "Invoice" -msgstr "" +msgstr "發票" #: src/components/common/OrdersTable/index.tsx:102 #: src/components/layouts/Checkout/index.tsx:87 @@ -3619,6 +3661,10 @@ msgstr "發票編號" msgid "Invoice Settings" msgstr "發票設置" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:42 +msgid "Irish VAT at 23% will be applied to platform fees (domestic supply)." +msgstr "愛爾蘭增值稅(23%)將適用於平台費用(本地供應)。" + #: src/components/common/LanguageSwitcher/index.tsx:24 msgid "Italian" msgstr "意大利語" @@ -3629,11 +3675,11 @@ msgstr "項目" #: src/components/common/OrdersTable/index.tsx:333 msgid "item(s)" -msgstr "" +msgstr "項目" #: src/components/common/OrdersTable/index.tsx:315 msgid "Items" -msgstr "" +msgstr "項目" #: src/components/routes/auth/Register/index.tsx:85 msgid "John" @@ -3643,11 +3689,11 @@ msgstr "約翰" msgid "Johnson" msgstr "約翰遜" -#: src/components/layouts/EventHomepage/index.tsx:315 +#: src/components/layouts/EventHomepage/index.tsx:320 msgid "Join from anywhere" msgstr "隨時隨地加入" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:113 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:118 msgid "Just click the button below to reconnect your Stripe account." msgstr "只需點擊下面的按鈕重新連接您的 Stripe 帳戶。" @@ -3657,7 +3703,7 @@ msgstr "只是在找您的票?" #: src/components/routes/product-widget/CollectInformation/index.tsx:537 msgid "Keep me updated on news and events from {0}" -msgstr "" +msgstr "讓我隨時了解來自 {0} 的新聞和活動" #: src/components/forms/ProductForm/index.tsx:84 msgid "Label" @@ -3751,7 +3797,7 @@ msgstr "留空以使用默認詞“發票”" #: src/components/common/ThemeColorControls/index.tsx:84 msgid "Light" -msgstr "" +msgstr "淺色" #: src/components/routes/my-tickets/index.tsx:160 msgid "Link Expired or Invalid" @@ -3805,7 +3851,7 @@ msgid "Loading..." msgstr "加載中..." #: src/components/common/AttendeeTicket/index.tsx:91 -#: src/components/layouts/EventHomepage/index.tsx:369 +#: src/components/layouts/EventHomepage/index.tsx:374 #: src/components/routes/event/Settings/index.tsx:34 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/my-tickets/index.tsx:73 @@ -3910,7 +3956,7 @@ msgstr "管理機票" msgid "Manage your account details and default settings" msgstr "管理賬户詳情和默認設置" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:717 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:789 msgid "Manage your payment processing and view platform fees" msgstr "管理您的支付處理並查看平台費用" @@ -4107,6 +4153,10 @@ msgstr "新密碼" msgid "Nightlife" msgstr "夜生活" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:113 +msgid "No - I'm an individual or non-VAT registered business" +msgstr "否 - 我是個人或非增值稅註冊企業" + #: src/components/common/AdminUsersTable/index.tsx:143 msgid "No accounts" msgstr "無帳戶" @@ -4173,7 +4223,7 @@ msgstr "無折扣" #: src/components/common/ProductsTable/SortableProduct/index.tsx:424 msgid "No end date" -msgstr "" +msgstr "沒有結束日期" #: src/components/common/NoEventsBlankSlate/index.tsx:20 msgid "No ended events to show." @@ -4185,7 +4235,7 @@ msgstr "未找到活動" #: src/components/routes/admin/Dashboard/index.tsx:168 msgid "No events starting in the next 24 hours" -msgstr "" +msgstr "未來 24 小時內沒有活動開始" #: src/components/common/NoEventsBlankSlate/index.tsx:14 msgid "No events to show" @@ -4199,13 +4249,13 @@ msgstr "尚無活動" msgid "No filters available" msgstr "沒有可用篩選器" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:79 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 msgid "No impact on your current or past transactions" msgstr "不影響您當前或過去的交易" #: src/components/common/OrdersTable/index.tsx:299 msgid "No invoice" -msgstr "" +msgstr "無發票" #: src/components/modals/WebhookLogsModal/index.tsx:177 msgid "No logs found" @@ -4311,10 +4361,15 @@ msgstr "此端點尚未記錄任何 Webhook 事件。事件觸發後將顯示在 msgid "No Webhooks" msgstr "沒有 Webhooks" -#: src/components/layouts/Checkout/index.tsx:281 +#: src/components/layouts/Checkout/index.tsx:282 msgid "No, keep me here" msgstr "否,保留在此" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:69 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:31 +msgid "Non-VAT registered businesses or individuals: Irish VAT at 23% applies" +msgstr "非增值稅註冊企業或個人:適用愛爾蘭增值稅(23%)" + #: src/components/common/PromoCodeTable/index.tsx:82 #: src/components/routes/product-widget/CollectInformation/index.tsx:469 msgid "None" @@ -4407,9 +4462,9 @@ msgstr "銷售中" #: src/components/common/ProductsTable/SortableProduct/index.tsx:99 msgid "On sale {0}" -msgstr "" +msgstr "正在銷售 {0}" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:544 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:551 msgid "Once you complete the upgrade, your old account will only be used for refunds." msgstr "升級完成後,您的舊帳戶將僅用於退款。" @@ -4439,7 +4494,7 @@ msgid "Online event" msgstr "在線活動" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:71 -#: src/components/layouts/EventHomepage/index.tsx:313 +#: src/components/layouts/EventHomepage/index.tsx:318 #: src/components/layouts/OrganizerHomepage/EventCard/index.tsx:167 msgid "Online Event" msgstr "線上活動" @@ -4462,7 +4517,7 @@ msgstr "僅發送給具有這些狀態的訂單" #: src/components/common/ProductsTable/SortableProduct/index.tsx:301 msgid "Only visible with promo code" -msgstr "" +msgstr "僅使用促銷代碼時可見" #: src/components/common/CheckInListList/index.tsx:165 #: src/components/modals/CheckInListSuccessModal/index.tsx:56 @@ -4473,9 +4528,9 @@ msgstr "開啟簽到頁面" msgid "Open sidebar" msgstr "打開側邊欄" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:189 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:396 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:633 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:194 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:403 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:640 msgid "Open Stripe Dashboard" msgstr "打開 Stripe 儀表板" @@ -4523,7 +4578,7 @@ msgstr "訂購" #: src/components/common/AttendeeTable/index.tsx:240 msgid "Order & Ticket" -msgstr "" +msgstr "訂單及門票" #: src/components/routes/product-widget/CollectInformation/index.tsx:350 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:268 @@ -4594,7 +4649,7 @@ msgstr "訂單姓氏" #: src/components/forms/ProductForm/index.tsx:407 msgid "Order Limits" -msgstr "" +msgstr "訂單限制" #: src/components/common/Editor/Controls/InsertLiquidVariableControl.tsx:29 msgid "Order Locale" @@ -4723,7 +4778,7 @@ msgstr "組織名稱" #: src/components/common/AdminEventsTable/index.tsx:85 #: src/components/common/AttendeeTicket/index.tsx:82 -#: src/components/layouts/EventHomepage/index.tsx:448 +#: src/components/layouts/EventHomepage/index.tsx:453 #: src/components/modals/EditUserModal/index.tsx:55 #: src/components/modals/InviteUserModal/index.tsx:47 #: src/components/routes/events/Dashboard/index.tsx:193 @@ -4850,7 +4905,7 @@ msgstr "部分退款" #: src/components/common/OrdersTable/index.tsx:357 msgid "Partially refunded: {0}" -msgstr "" +msgstr "部分退款:{0}" #: src/components/routes/auth/Login/index.tsx:97 #: src/components/routes/auth/Register/index.tsx:107 @@ -4911,7 +4966,7 @@ msgstr "付款" #: src/components/common/AttendeeTicket/index.tsx:149 msgid "Pay to unlock" -msgstr "" +msgstr "付款解鎖" #: src/components/common/OrdersTable/index.tsx:368 #: src/components/common/ProgressStepper/index.tsx:19 @@ -4952,9 +5007,9 @@ msgstr "付款方式" msgid "Payment Methods" msgstr "支付方式" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:465 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:477 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:611 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:472 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:484 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:618 msgid "Payment Processing" msgstr "支付處理" @@ -4970,7 +5025,7 @@ msgstr "已收到付款" msgid "Payment Received" msgstr "已收到付款" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:716 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:788 msgid "Payment Settings" msgstr "支付設置" @@ -4990,19 +5045,19 @@ msgstr "付款條款" msgid "Payments not available" msgstr "付款不可用" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:80 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:85 msgid "Payments will continue to flow without interruption" msgstr "付款將繼續無中斷流轉" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:46 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:36 msgid "Per order" -msgstr "" +msgstr "每份訂單" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:40 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:30 msgid "Per ticket" -msgstr "" +msgstr "每張門票" #: src/components/forms/PromoCodeForm/index.tsx:81 #: src/components/forms/TaxAndFeeForm/index.tsx:27 @@ -5033,7 +5088,7 @@ msgstr "將其放在網站的 中。" msgid "Planning an event?" msgstr "計劃舉辦活動?" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:241 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:246 msgid "Platform Fees" msgstr "平台費用" @@ -5090,6 +5145,10 @@ msgstr "請輸入5位數驗證碼" msgid "Please enter your new password" msgstr "請輸入新密碼" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:64 +msgid "Please enter your VAT number" +msgstr "請輸入您的增值稅號碼" + #: src/components/modals/CancelOrderModal/index.tsx:65 msgid "Please Note" msgstr "請注意" @@ -5112,7 +5171,7 @@ msgstr "請選擇" #: src/components/common/OrganizerReportTable/index.tsx:227 msgid "Please select a date range" -msgstr "" +msgstr "請選擇日期範圍" #: src/components/common/Editor/Controls/InsertImageControl/index.tsx:54 msgid "Please select an image." @@ -5205,7 +5264,7 @@ msgstr "門票價格" #: src/components/forms/ProductForm/index.tsx:330 msgid "Price Tiers" -msgstr "" +msgstr "價格等級" #: src/components/forms/ProductForm/index.tsx:236 msgid "Price Type" @@ -5229,7 +5288,7 @@ msgstr "列印預覽" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:87 msgid "Print Ticket" -msgstr "" +msgstr "列印門票" #: src/components/layouts/Checkout/index.tsx:208 #: src/components/routes/my-tickets/index.tsx:119 @@ -5240,7 +5299,7 @@ msgstr "打印票" msgid "Print to PDF" msgstr "列印為PDF" -#: src/components/layouts/EventHomepage/index.tsx:552 +#: src/components/layouts/EventHomepage/index.tsx:557 #: src/components/layouts/OrganizerHomepage/index.tsx:315 msgid "Privacy Policy" msgstr "私隱政策" @@ -5386,7 +5445,7 @@ msgstr "促銷代碼報告" #: src/components/common/ProductsTable/SortableProduct/index.tsx:310 msgid "Promo Only" -msgstr "" +msgstr "僅限促銷" #: src/components/forms/QuestionForm/index.tsx:189 msgid "" @@ -5404,7 +5463,7 @@ msgstr "發佈活動" #: src/components/routes/my-tickets/index.tsx:94 msgid "Purchased" -msgstr "" +msgstr "已購買" #: src/components/modals/ShareModal/index.tsx:168 msgid "QR Code" @@ -5458,7 +5517,7 @@ msgstr "費率" msgid "Read less" msgstr "更多信息" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:217 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:222 msgid "Ready to upgrade? This takes only a few minutes." msgstr "準備升級?這只需要幾分鐘。" @@ -5480,10 +5539,10 @@ msgstr "Reddit" #: src/components/common/StripeConnectButton/index.tsx:59 #: src/components/common/StripeConnectButton/index.tsx:74 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:317 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:330 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:570 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:588 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:324 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:337 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:577 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:595 msgid "Redirecting to Stripe..." msgstr "正在重定向到 Stripe..." @@ -5497,7 +5556,7 @@ msgstr "退款金額" #: src/components/common/OrdersTable/index.tsx:359 msgid "Refund failed" -msgstr "" +msgstr "退款失敗" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Refund Failed" @@ -5513,7 +5572,7 @@ msgstr "退款訂單 {0}" #: src/components/common/OrdersTable/index.tsx:358 msgid "Refund pending" -msgstr "" +msgstr "退款待處理" #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refund Pending" @@ -5533,7 +5592,7 @@ msgstr "退款" #: src/components/common/OrdersTable/index.tsx:356 msgid "Refunded: {0}" -msgstr "" +msgstr "已退款:{0}" #: src/components/routes/organizer/Reports/EventsPerformanceReport/index.tsx:79 #: src/components/routes/organizer/Reports/RevenueSummaryReport/index.tsx:42 @@ -5614,7 +5673,7 @@ msgstr "重新發送..." #: src/components/common/OrdersTable/index.tsx:411 msgid "Reserved" -msgstr "" +msgstr "已預留" #: src/components/common/OrdersTable/index.tsx:305 msgid "Reserved until" @@ -5646,7 +5705,7 @@ msgstr "恢復活動" msgid "Return to Event" msgstr "返回活動" -#: src/components/layouts/Checkout/index.tsx:257 +#: src/components/layouts/Checkout/index.tsx:258 msgid "Return to Event Page" msgstr "返回活動頁面" @@ -5677,16 +5736,16 @@ msgstr "銷售結束日期" #: src/components/common/ProductsTable/SortableProduct/index.tsx:100 msgid "Sale ended {0}" -msgstr "" +msgstr "銷售已於 {0} 結束" #: src/components/common/ProductsTable/SortableProduct/index.tsx:416 msgid "Sale ends {0}" -msgstr "" +msgstr "銷售於 {0} 結束" #: src/components/common/ProductsTable/SortableProduct/index.tsx:403 #: src/components/forms/ProductForm/index.tsx:421 msgid "Sale Period" -msgstr "" +msgstr "銷售期間" #: src/components/forms/ProductForm/index.tsx:98 #: src/components/forms/ProductForm/index.tsx:426 @@ -5695,7 +5754,7 @@ msgstr "銷售開始日期" #: src/components/common/ProductsTable/SortableProduct/index.tsx:408 msgid "Sale starts {0}" -msgstr "" +msgstr "銷售於 {0} 開始" #: src/components/common/AffiliateTable/index.tsx:145 msgid "Sales" @@ -5703,7 +5762,7 @@ msgstr "銷售" #: src/components/common/ProductsTable/SortableProduct/index.tsx:102 msgid "Sales are paused" -msgstr "" +msgstr "銷售已暫停" #: src/components/common/ProductPriceAvailability/index.tsx:13 #: src/components/common/ProductPriceAvailability/index.tsx:35 @@ -5775,6 +5834,10 @@ msgstr "儲存範本" msgid "Save Ticket Design" msgstr "儲存門票設計" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:164 +msgid "Save VAT Settings" +msgstr "儲存增值稅設定" + #: src/components/layouts/CheckIn/index.tsx:443 #: src/components/layouts/CheckIn/index.tsx:453 msgid "Scan" @@ -5782,7 +5845,7 @@ msgstr "掃描" #: src/components/common/ProductsTable/SortableProduct/index.tsx:84 msgid "Scheduled" -msgstr "" +msgstr "已排程" #: src/components/routes/event/Affiliates/index.tsx:66 msgid "Search affiliates..." @@ -5851,7 +5914,7 @@ msgstr "輔助文字顏色" #: src/components/common/InlineOrderSummary/index.tsx:168 msgid "Secure Checkout" -msgstr "" +msgstr "安全結帳" #: src/components/common/FilterModal/index.tsx:162 #: src/components/common/FilterModal/index.tsx:181 @@ -6056,7 +6119,7 @@ msgstr "設定最低價格,用户可選擇支付更高的價格" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:71 msgid "Set default settings for new events created under this organizer." -msgstr "" +msgstr "為此主辦單位下創建的新活動設定預設設定。" #: src/components/routes/event/Settings/Sections/PaymentSettings/index.tsx:207 msgid "Set the starting number for invoice numbering. This cannot be changed once invoices have been generated." @@ -6092,7 +6155,7 @@ msgid "Setup in Minutes" msgstr "幾分鐘內完成設置" #: src/components/common/ShareIcon/index.tsx:30 -#: src/components/layouts/EventHomepage/index.tsx:274 +#: src/components/layouts/EventHomepage/index.tsx:279 #: src/components/layouts/OrganizerLayout/index.tsx:228 #: src/components/modals/ShareModal/index.tsx:37 #: src/components/modals/ShareModal/index.tsx:165 @@ -6117,7 +6180,7 @@ msgstr "分享主辦單位頁面" #: src/components/forms/ProductForm/index.tsx:361 msgid "Show Additional Options" -msgstr "" +msgstr "顯示附加選項" #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:232 msgid "Show all platforms ({0} more with values)" @@ -6211,7 +6274,7 @@ msgstr "已售出" #: src/components/common/ProductsTable/SortableProduct/index.tsx:371 msgid "Sold" -msgstr "" +msgstr "已售出" #: src/components/common/ProductPriceAvailability/index.tsx:9 #: src/components/common/ProductPriceAvailability/index.tsx:32 @@ -6219,7 +6282,7 @@ msgid "Sold out" msgstr "售罄" #: src/components/common/ProductsTable/SortableProduct/index.tsx:81 -#: src/components/layouts/EventHomepage/index.tsx:141 +#: src/components/layouts/EventHomepage/index.tsx:142 msgid "Sold Out" msgstr "售罄" @@ -6327,7 +6390,7 @@ msgstr "統計數據" msgid "Status" msgstr "狀態" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:176 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:181 msgid "Still handling refunds for your older transactions." msgstr "仍在處理您舊交易的退款。" @@ -6340,7 +6403,7 @@ msgstr "停止模擬" msgid "Stripe" msgstr "Stripe" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:155 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:160 msgid "Stripe Connect" msgstr "Stripe Connect" @@ -6443,7 +6506,7 @@ msgstr "成功更新活動" #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:59 msgid "Successfully Updated Event Defaults" -msgstr "" +msgstr "成功更新活動預設值" #: src/components/routes/event/HomepageDesigner/index.tsx:101 #: src/components/routes/organizer/OrganizerHomepageDesigner/index.tsx:92 @@ -6537,7 +6600,7 @@ msgstr "切換主辦單位" msgid "T-shirt" msgstr "T恤衫" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:78 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:83 msgid "Takes just a few minutes" msgstr "只需幾分鐘" @@ -6590,7 +6653,7 @@ msgstr "税收" #: src/components/common/ProductsTable/SortableProduct/index.tsx:143 msgid "Taxes & fees applied" -msgstr "" +msgstr "已套用稅項及費用" #: src/components/forms/ProductForm/index.tsx:370 #: src/components/forms/ProductForm/index.tsx:375 @@ -6600,7 +6663,7 @@ msgstr "税費" #: src/components/forms/ProductForm/index.tsx:362 msgid "Taxes, fees, sale period, order limits, and visibility settings" -msgstr "" +msgstr "稅項、費用、銷售期間、訂單限制及可見性設定" #: src/constants/eventCategories.ts:18 msgid "Tech" @@ -6638,20 +6701,20 @@ msgstr "範本刪除成功" msgid "Template saved successfully" msgstr "範本儲存成功" -#: src/components/layouts/EventHomepage/index.tsx:558 +#: src/components/layouts/EventHomepage/index.tsx:563 #: src/components/layouts/OrganizerHomepage/index.tsx:322 msgid "Terms of Service" msgstr "服務條款" #: src/components/common/ThemeColorControls/index.tsx:107 msgid "Text may be hard to read" -msgstr "" +msgstr "文字可能難以閱讀" #: src/components/routes/event/TicketDesigner/index.tsx:162 msgid "Thank you for attending!" msgstr "感謝您的參與!" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:84 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:89 msgid "Thanks for your support as we continue to grow and improve Hi.Events!" msgstr "感謝您的支持,我們將繼續發展和改進 Hi.Events!" @@ -6662,7 +6725,7 @@ msgstr "促銷代碼無效" #: src/components/common/ThemeColorControls/index.tsx:62 msgid "The background color of the page. When using cover image, this is applied as an overlay." -msgstr "" +msgstr "頁面的背景顏色。使用封面圖片時,這會作為覆蓋層應用。" #: src/components/layouts/CheckIn/index.tsx:353 msgid "The check-in list you are looking for does not exist." @@ -6740,7 +6803,7 @@ msgstr "顯示給客户的價格不包括税費。税費將單獨顯示" #: src/components/common/ThemeColorControls/index.tsx:52 msgid "The primary brand color used for buttons and highlights" -msgstr "" +msgstr "用於按鈕和突出顯示的主要品牌顏色" #: src/components/common/WidgetEditor/index.tsx:169 msgid "The styling settings you choose apply only to copied HTML and won't be stored." @@ -6843,7 +6906,7 @@ msgstr "呢個代碼會用嚟追蹤銷售。只可以用字母、數字、連字 #: src/components/common/ThemeColorControls/index.tsx:104 msgid "This color combination may be hard to read for some users" -msgstr "" +msgstr "對某些使用者來說,此顏色組合可能難以閱讀" #: src/components/modals/SendMessageModal/index.tsx:280 msgid "This email is not promotional and is directly related to the event." @@ -6911,7 +6974,7 @@ msgstr "此訂購頁面已不可用。" #: src/components/routes/product-widget/CollectInformation/index.tsx:321 msgid "This order was abandoned. You can start a new order anytime." -msgstr "" +msgstr "此訂單已被放棄。您可以隨時開始新的訂單。" #: src/components/routes/product-widget/CollectInformation/index.tsx:351 msgid "This order was cancelled. You can start a new order anytime." @@ -6939,11 +7002,11 @@ msgstr "此產品為門票。購買後買家將收到門票" #: src/components/common/ProductsTable/SortableProduct/index.tsx:316 msgid "This product is highlighted on the event page" -msgstr "" +msgstr "此產品在活動頁面上突出顯示" #: src/components/common/ProductsTable/SortableProduct/index.tsx:98 msgid "This product is sold out" -msgstr "" +msgstr "此產品已售罄" #: src/components/common/QuestionsTable/index.tsx:91 msgid "This question is only visible to the event organizer" @@ -6986,7 +7049,7 @@ msgstr "門票" #: src/components/common/CheckIn/AttendeeList.tsx:83 msgid "Ticket Cancelled" -msgstr "" +msgstr "門票已取消" #: src/components/layouts/Event/index.tsx:111 #: src/components/routes/event/TicketDesigner/index.tsx:107 @@ -7052,19 +7115,19 @@ msgstr "門票連結" #: src/components/routes/my-tickets/index.tsx:85 msgid "tickets" -msgstr "" +msgstr "門票" -#: src/components/layouts/EventHomepage/index.tsx:424 +#: src/components/layouts/EventHomepage/index.tsx:429 #: src/components/routes/my-tickets/index.tsx:84 msgid "Tickets" -msgstr "" +msgstr "門票" #: src/components/layouts/Event/index.tsx:101 #: src/components/routes/event/products.tsx:46 msgid "Tickets & Products" msgstr "票券與產品" -#: src/components/layouts/EventHomepage/index.tsx:144 +#: src/components/layouts/EventHomepage/index.tsx:149 msgid "Tickets Available" msgstr "門票有售" @@ -7118,13 +7181,13 @@ msgstr "時區" msgid "TIP" msgstr "TIP" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:653 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:660 msgid "To receive credit card payments, you need to connect your Stripe account. Stripe is our payment processing partner that ensures secure transactions and timely payouts." msgstr "要接受信用卡付款,您需要連接您的 Stripe 賬户。Stripe 是我們的支付處理合作夥伴,確保安全交易和及時付款。" #: src/components/common/ColumnVisibilityToggle/index.tsx:26 msgid "Toggle columns" -msgstr "" +msgstr "切換欄位" #: src/components/layouts/Event/index.tsx:109 #: src/components/layouts/OrganizerLayout/index.tsx:84 @@ -7200,7 +7263,7 @@ msgstr "總用戶數" msgid "Track revenue, page views, and sales with detailed analytics and exportable reports" msgstr "通過詳細的分析和可導出的報告跟蹤收入、頁面瀏覽量和銷售情況" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:255 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:262 msgid "Transaction Fee:" msgstr "交易手續費:" @@ -7355,7 +7418,7 @@ msgstr "更新活動名稱、説明和日期" msgid "Update profile" msgstr "更新個人資料" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:163 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:168 msgid "Upgrade Available" msgstr "可升級" @@ -7429,7 +7492,7 @@ msgstr "使用封面圖片" #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:48 #: src/components/routes/organizer/Settings/Sections/EventDefaults/index.tsx:38 msgid "Use order details for all attendees. Attendee names and emails will match the buyer's information." -msgstr "" +msgstr "為所有參加者使用訂單詳情。參加者姓名和電郵將與買家資料相符。" #: src/components/routes/event/TicketDesigner/index.tsx:130 msgid "Used for borders, highlights, and QR code styling" @@ -7464,10 +7527,63 @@ msgstr "用户可在 <0>\"配置文件設置\" 中更改自己的電子郵 msgid "UTC" msgstr "世界協調時" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:138 +msgid "Valid VAT number" +msgstr "有效的增值稅號碼" + #: src/components/forms/TaxAndFeeForm/index.tsx:62 msgid "VAT" msgstr "增值税" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:30 +msgid "VAT Information" +msgstr "增值稅資料" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatNotice/index.tsx:50 +msgid "VAT may be applied to platform fees depending on your VAT registration status. Please complete the VAT information section below." +msgstr "根據您的增值稅註冊狀態,平台費用可能需要繳納增值稅。請填寫以下增值稅資料部分。" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:125 +msgid "VAT Number" +msgstr "增值稅號碼" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:23 +msgid "VAT number must not contain spaces" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:31 +msgid "VAT number must start with a 2-letter country code followed by 8-15 alphanumeric characters (e.g., DE123456789)" +msgstr "" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:151 +msgid "VAT number validation failed. Please check your number and try again." +msgstr "增值稅號碼驗證失敗。請檢查您的號碼並重試。" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:44 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsModal.tsx:18 +msgid "VAT Registration Information" +msgstr "增值稅登記資料" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:84 +msgid "VAT settings saved and validated successfully" +msgstr "增值稅設定已成功儲存並驗證" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:86 +msgid "VAT settings saved but validation failed. Please check your VAT number." +msgstr "增值稅設定已儲存,但驗證失敗。請檢查您的增值稅號碼。" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:88 +msgid "VAT settings saved successfully" +msgstr "增值稅設定已成功儲存" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:32 +msgid "VAT Treatment for Platform Fees" +msgstr "平台費用的增值稅處理" + +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:86 +msgid "VAT treatment for platform fees: EU VAT-registered businesses can use the reverse charge mechanism (0% - Article 196 of VAT Directive 2006/112/EC). Non-VAT registered businesses are charged Irish VAT at 23%." +msgstr "平台費用的增值稅處理:歐盟增值稅註冊企業可使用反向收費機制(0% - 增值稅指令 2006/112/EC 第 196 條)。非增值稅註冊企業將收取 23% 的愛爾蘭增值稅。" + #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:116 msgid "Venue Name" msgstr "地點名稱" @@ -7535,12 +7651,12 @@ msgstr "查看日誌" msgid "View map" msgstr "查看地圖" -#: src/components/layouts/EventHomepage/index.tsx:411 +#: src/components/layouts/EventHomepage/index.tsx:416 msgid "View Map" msgstr "查看地圖" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:95 -#: src/components/layouts/EventHomepage/index.tsx:341 +#: src/components/layouts/EventHomepage/index.tsx:346 msgid "View on Google Maps" msgstr "在谷歌地圖上查看" @@ -7652,7 +7768,7 @@ msgstr "我們將把您的門票發送到此郵箱" msgid "We're processing your order. Please wait..." msgstr "我們正在處理您的訂單。請稍候..." -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:67 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:72 msgid "We've officially moved our headquarters to Ireland 🇮🇪. As part of this transition, we're now using Stripe Ireland instead of Stripe Canada. To keep your payouts running smoothly, you'll need to reconnect your Stripe account." msgstr "我們已正式將總部遷至愛爾蘭 🇮🇪。作為此次過渡的一部分,我們現在使用 Stripe 愛爾蘭而不是 Stripe 加拿大。為了保持您的付款順利進行,您需要重新連接您的 Stripe 帳戶。" @@ -7758,6 +7874,10 @@ msgstr "咩類型嘅活動?" msgid "What type of question is this?" msgstr "這是什麼類型的問題?" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/index.tsx:77 +msgid "What you need to do:" +msgstr "您需要做什麼:" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:89 msgid "WhatsApp" msgstr "WhatsApp" @@ -7901,7 +8021,11 @@ msgstr "X(Twitter)" msgid "Year to date" msgstr "年度至今" -#: src/components/layouts/Checkout/index.tsx:289 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:117 +msgid "Yes - I have a valid EU VAT registration number" +msgstr "" + +#: src/components/layouts/Checkout/index.tsx:290 msgid "Yes, cancel my order" msgstr "是,取消我的訂單" @@ -8035,7 +8159,7 @@ msgstr "在您創建容量分配之前,您需要一個產品。" msgid "You'll need at least one product to get started. Free, paid or let the user decide what to pay." msgstr "您需要至少一個產品才能開始。免費、付費或讓用户決定支付金額。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:175 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:180 msgid "You're all set! Your payments are being processed smoothly." msgstr "一切就緒!您的付款正在順利處理。" @@ -8067,7 +8191,7 @@ msgstr "您的網站真棒 🎉" msgid "Your check-in list has been created successfully. Share the link below with your check-in staff." msgstr "您的簽到名單已成功建立。與您的簽到工作人員共享以下連結。" -#: src/components/layouts/Checkout/index.tsx:274 +#: src/components/layouts/Checkout/index.tsx:275 msgid "Your current order will be lost." msgstr "您當前的訂單將丟失。" @@ -8153,12 +8277,12 @@ msgstr "您的付款未成功。請重試。" msgid "Your refund is processing." msgstr "您的退款正在處理中。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:172 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:177 msgid "Your Stripe account is connected and processing payments." msgstr "您的 Stripe 帳戶已連接並正在處理付款。" -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:387 -#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:624 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:394 +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/index.tsx:631 msgid "Your Stripe account is connected and ready to process payments." msgstr "您的 Stripe 賬户已連接並準備好處理支付。" @@ -8170,6 +8294,10 @@ msgstr "您的入場券" msgid "Your tickets have been confirmed." msgstr "您的門票已確認。" +#: src/components/routes/account/ManageAccount/sections/PaymentSettings/VatSettings/VatSettingsForm.tsx:168 +msgid "Your VAT number will be validated automatically when you save" +msgstr "" + #: src/components/routes/organizer/Settings/Sections/SocialLinks/index.tsx:67 msgid "YouTube" msgstr "YouTube" diff --git a/frontend/src/mutations/useUpsertAccountVatSetting.ts b/frontend/src/mutations/useUpsertAccountVatSetting.ts new file mode 100644 index 0000000000..3e4a2d67ae --- /dev/null +++ b/frontend/src/mutations/useUpsertAccountVatSetting.ts @@ -0,0 +1,19 @@ +import {useMutation, useQueryClient} from '@tanstack/react-query'; +import {UpsertVatSettingRequest, vatClient} from '../api/vat.client.ts'; +import {IdParam} from '../types.ts'; +import {GET_ACCOUNT_VAT_SETTING_QUERY_KEY} from '../queries/useGetAccountVatSetting.ts'; + +export const useUpsertAccountVatSetting = (accountId: IdParam) => { + const queryClient = useQueryClient(); + + return useMutation({ + mutationFn: async (data: UpsertVatSettingRequest) => { + return await vatClient.upsertVatSetting(accountId, data); + }, + onSuccess: () => { + queryClient.invalidateQueries({ + queryKey: [GET_ACCOUNT_VAT_SETTING_QUERY_KEY, accountId], + }); + }, + }); +}; diff --git a/frontend/src/queries/useGetAccountVatSetting.ts b/frontend/src/queries/useGetAccountVatSetting.ts new file mode 100644 index 0000000000..3cac7d2548 --- /dev/null +++ b/frontend/src/queries/useGetAccountVatSetting.ts @@ -0,0 +1,19 @@ +import {useQuery, UseQueryOptions} from '@tanstack/react-query'; +import {AccountVatSetting, vatClient} from '../api/vat.client.ts'; +import {IdParam} from '../types.ts'; + +export const GET_ACCOUNT_VAT_SETTING_QUERY_KEY = 'accountVatSetting'; + +export const useGetAccountVatSetting = ( + accountId: IdParam, + options?: Partial> +) => { + return useQuery({ + queryKey: [GET_ACCOUNT_VAT_SETTING_QUERY_KEY, accountId], + queryFn: async () => { + const {data} = await vatClient.getVatSetting(accountId); + return data; + }, + ...options, + }); +}; diff --git a/frontend/src/types.ts b/frontend/src/types.ts index b2c2640870..c07b2f93ab 100644 --- a/frontend/src/types.ts +++ b/frontend/src/types.ts @@ -135,6 +135,7 @@ export interface StripeConnectAccount { platform: string | null; account_type: string | null; is_primary: boolean; + country?: string; } export interface StripeConnectAccountsResponse { diff --git a/frontend/src/utilites/helpers.ts b/frontend/src/utilites/helpers.ts index 02ee5a8648..764c2cc352 100644 --- a/frontend/src/utilites/helpers.ts +++ b/frontend/src/utilites/helpers.ts @@ -111,7 +111,7 @@ export const iHavePurchasedALicence = () => { } export const isHiEvents = () => { - return getConfig('VITE_FRONTEND_URL')?.includes('.hi.events'); + return true; } export const isEmptyHtml = (content: string) => {