diff --git a/.github/workflows/unit-tests.yml b/.github/workflows/unit-tests.yml index b3fd31ce31..d779709afe 100644 --- a/.github/workflows/unit-tests.yml +++ b/.github/workflows/unit-tests.yml @@ -2,6 +2,7 @@ name: Run Unit Tests on: push: + branches: [main, develop] paths: - 'backend/**' pull_request: diff --git a/README.md b/README.md index c6e5a54090..2ea6352a28 100644 --- a/README.md +++ b/README.md @@ -9,7 +9,7 @@

Hi.Events

-Demo Event 🌟Website 🌎Documentation 📄Installation ⚙️ +Demo Event 🌟Website 🌎Documentation 📄Installation ⚙️

diff --git a/backend/README.md b/backend/README.md index 8b13789179..8d1c8b69c3 100644 --- a/backend/README.md +++ b/backend/README.md @@ -1 +1 @@ - + diff --git a/backend/app/DomainObjects/QuestionAndAnswerViewDomainObject.php b/backend/app/DomainObjects/QuestionAndAnswerViewDomainObject.php index 53938c8a14..cabe5bdf0c 100644 --- a/backend/app/DomainObjects/QuestionAndAnswerViewDomainObject.php +++ b/backend/app/DomainObjects/QuestionAndAnswerViewDomainObject.php @@ -14,15 +14,20 @@ class QuestionAndAnswerViewDomainObject extends AbstractDomainObject private ?string $product_title; private int $question_id; private ?int $order_id; + private ?string $order_first_name; + private ?string $order_last_name; + private ?string $order_email; + private ?string $order_public_id; private string $title; private bool $question_required; private ?string $question_description = null; + private ?int $attendee_id = null; + private ?string $attendee_public_id = null; private ?string $first_name = null; private ?string $last_name = null; + private ?string $attendee_email = null; private array|string $answer; private string $belongs_to; - private ?int $attendee_id = null; - private ?string $attendee_public_id = null; private string $question_type; private int $event_id; private int $question_answer_id; @@ -248,6 +253,66 @@ public function setAttendeePublicId(?string $attendee_public_id): QuestionAndAns return $this; } + public function getOrderFirstName(): ?string + { + return $this->order_first_name; + } + + public function setOrderFirstName(?string $order_first_name): QuestionAndAnswerViewDomainObject + { + $this->order_first_name = $order_first_name; + + return $this; + } + + public function getOrderLastName(): ?string + { + return $this->order_last_name; + } + + public function setOrderLastName(?string $order_last_name): QuestionAndAnswerViewDomainObject + { + $this->order_last_name = $order_last_name; + + return $this; + } + + public function getOrderEmail(): ?string + { + return $this->order_email; + } + + public function setOrderEmail(?string $order_email): QuestionAndAnswerViewDomainObject + { + $this->order_email = $order_email; + + return $this; + } + + public function getOrderPublicId(): ?string + { + return $this->order_public_id; + } + + public function setOrderPublicId(?string $order_public_id): QuestionAndAnswerViewDomainObject + { + $this->order_public_id = $order_public_id; + + return $this; + } + + public function getAttendeeEmail(): ?string + { + return $this->attendee_email; + } + + public function setAttendeeEmail(?string $attendee_email): QuestionAndAnswerViewDomainObject + { + $this->attendee_email = $attendee_email; + + return $this; + } + public function toArray(): array { return [ @@ -268,6 +333,11 @@ public function toArray(): array 'product_title' => $this->product_title ?? null, 'question_answer_id' => $this->question_answer_id ?? null, 'question_options' => $this->question_options ?? null, + 'attendee_email' => $this->attendee_email ?? null, + 'order_first_name' => $this->order_first_name ?? null, + 'order_last_name' => $this->order_last_name ?? null, + 'order_email' => $this->order_email ?? null, + 'order_public_id' => $this->order_public_id ?? null, ]; } } diff --git a/backend/app/Exports/AnswerExportSheets/AttendeeAnswersSheet.php b/backend/app/Exports/AnswerExportSheets/AttendeeAnswersSheet.php new file mode 100644 index 0000000000..c813e0fde0 --- /dev/null +++ b/backend/app/Exports/AnswerExportSheets/AttendeeAnswersSheet.php @@ -0,0 +1,130 @@ +answers; + } + + public function headings(): array + { + return [ + __('Question'), + __('Answer'), + __('Order ID'), + __('Order Email'), + __('Attendee Name'), + __('Attendee Email'), + __('Product'), + __('Order URL'), + ]; + } + + /** + * @param QuestionAndAnswerViewDomainObject $row + */ + public function map($row): array + { + $orderUrl = sprintf( + Url::getFrontEndUrlFromConfig(Url::ORGANIZER_ORDER_SUMMARY), + $row->getEventId(), + $row->getOrderId(), + ); + + $linkText = __('View Order'); + $hyperlink = '=HYPERLINK("' . $orderUrl . '","' . $linkText . '")'; + + return [ + $row->getTitle(), + $this->questionAnswerFormatter->getAnswerAsText( + $row->getAnswer(), + QuestionTypeEnum::fromName($row->getQuestionType()) + ), + $row->getOrderPublicId() ?? '', + $row->getOrderEmail() ?? '', + trim($row->getFirstName() . ' ' . $row->getLastName()), + $row->getAttendeeEmail() ?? '', + $row->getProductTitle() ?? '', + $hyperlink, + ]; + } + + public function styles(Worksheet $sheet): array + { + $sheet->getStyle('A1:H1')->applyFromArray([ + 'font' => ['bold' => true], + ]); + + $highestRow = $sheet->getHighestRow(); + + if ($highestRow > 1) { + $sheet->getStyle('H2:H' . $highestRow)->applyFromArray([ + 'alignment' => [ + 'horizontal' => Alignment::HORIZONTAL_CENTER, + ], + 'font' => [ + 'bold' => true, + 'color' => ['rgb' => '0563C1'], + ], + ]); + } + + return [ + 1 => ['font' => ['bold' => true]], + ]; + } + + public function columnWidths(): array + { + return [ + 'A' => 30, // Question + 'B' => 40, // Answer + 'C' => 15, // Order ID + 'D' => 25, // Order Email + 'E' => 25, // Attendee Name + 'F' => 25, // Attendee Email + 'G' => 25, // Product + 'H' => 15, // Order URL + ]; + } + + /** + * @return string + */ + public function title(): string + { + return __('Attendee Answers'); + } +} diff --git a/backend/app/Exports/AnswerExportSheets/OrderAnswersSheet.php b/backend/app/Exports/AnswerExportSheets/OrderAnswersSheet.php new file mode 100644 index 0000000000..a4a87ad331 --- /dev/null +++ b/backend/app/Exports/AnswerExportSheets/OrderAnswersSheet.php @@ -0,0 +1,122 @@ +answers; + } + + public function headings(): array + { + return [ + __('Question'), + __('Answer'), + __('Order ID'), + __('Order Name'), + __('Order Email'), + __('Order URL'), + ]; + } + + /** + * @param QuestionAndAnswerViewDomainObject $row + */ + public function map($row): array + { + $orderUrl = sprintf( + Url::getFrontEndUrlFromConfig(Url::ORGANIZER_ORDER_SUMMARY), + $row->getEventId(), + $row->getOrderId(), + ); + + $linkText = __('View Order'); + $hyperlink = '=HYPERLINK("' . $orderUrl . '","' . $linkText . '")'; + + return [ + $row->getTitle(), + $this->questionAnswerFormatter->getAnswerAsText( + $row->getAnswer(), + QuestionTypeEnum::fromName($row->getQuestionType()) + ), + $row->getOrderPublicId() ?? '', + trim($row->getOrderFirstName() . ' ' . $row->getOrderLastName()), + $row->getOrderEmail() ?? '', + $hyperlink, + ]; + } + + public function styles(Worksheet $sheet): array + { + $sheet->getStyle('A1:F1')->applyFromArray([ + 'font' => ['bold' => true], + ]); + + $highestRow = $sheet->getHighestRow(); + + // Style the URL column cells but exclude the header row + if ($highestRow > 1) { + $sheet->getStyle('F2:F' . $highestRow)->applyFromArray([ + 'alignment' => [ + 'horizontal' => Alignment::HORIZONTAL_CENTER, + ], + 'font' => [ + 'bold' => true, + 'color' => ['rgb' => '0563C1'], + ], + ]); + } + + return [ + 1 => ['font' => ['bold' => true]], + ]; + } + + public function columnWidths(): array + { + return [ + 'A' => 30, // Question + 'B' => 40, // Answer + 'C' => 15, // Order ID + 'D' => 25, // Order Name + 'E' => 25, // Order Email + 'F' => 15, // Order URL + ]; + } + + public function title(): string + { + return __('Order Answers'); + } +} diff --git a/backend/app/Exports/AnswerExportSheets/ProductAnswersSheet.php b/backend/app/Exports/AnswerExportSheets/ProductAnswersSheet.php new file mode 100644 index 0000000000..e0882fbc20 --- /dev/null +++ b/backend/app/Exports/AnswerExportSheets/ProductAnswersSheet.php @@ -0,0 +1,120 @@ +answers; + } + + public function headings(): array + { + return [ + __('Question'), + __('Answer'), + __('Order ID'), + __('Order Name'), + __('Order Email'), + __('Product'), + __('Order URL'), + ]; + } + + /** + * @param QuestionAndAnswerViewDomainObject $row + */ + public function map($row): array + { + $orderUrl = sprintf( + Url::getFrontEndUrlFromConfig(Url::ORGANIZER_ORDER_SUMMARY), + $row->getEventId(), + $row->getOrderId(), + ); + + $linkText = __('View Order'); + $hyperlink = '=HYPERLINK("' . $orderUrl . '","' . $linkText . '")'; + + return [ + $row->getTitle(), + $this->questionAnswerFormatter->getAnswerAsText( + $row->getAnswer(), + QuestionTypeEnum::fromName($row->getQuestionType()) + ), + $row->getOrderPublicId() ?? '', + trim($row->getOrderFirstName() . ' ' . $row->getOrderLastName()), + $row->getOrderEmail() ?? '', + $row->getProductTitle() ?? '', + $hyperlink, + ]; + } + + public function styles(Worksheet $sheet): array + { + $highestRow = $sheet->getHighestRow(); + + if ($highestRow > 1) { + $sheet->getStyle('G2:G' . $highestRow)->applyFromArray([ + 'alignment' => [ + 'horizontal' => Alignment::HORIZONTAL_CENTER, + ], + 'font' => [ + 'bold' => true, + 'color' => ['rgb' => '0563C1'], + ], + ]); + } + + return [ + 1 => ['font' => ['bold' => true]], + ]; + } + + public function columnWidths(): array + { + return [ + 'A' => 30, // Question + 'B' => 40, // Answer + 'C' => 15, // Order ID + 'D' => 25, // Order Name + 'E' => 25, // Order Email + 'F' => 25, // Product + 'G' => 15, // Order URL + ]; + } + + public function title(): string + { + return __('Product Answers'); + } +} diff --git a/backend/app/Exports/AnswersExport.php b/backend/app/Exports/AnswersExport.php new file mode 100644 index 0000000000..4ce2e009f3 --- /dev/null +++ b/backend/app/Exports/AnswersExport.php @@ -0,0 +1,60 @@ +answers = $answers; + return $this; + } + + public function sheets(): array + { + $attendeeAnswers = $this->answers->filter(function (QuestionAndAnswerViewDomainObject $answer) { + return $answer->getBelongsTo() === QuestionBelongsTo::PRODUCT->name && $answer->getAttendeeId() !== null; + })->sortBy([ + ['title', 'asc'], + ['order_id', 'asc'], + ['attendee_id', 'asc'] + ]); + + $productAnswers = $this->answers->filter(function (QuestionAndAnswerViewDomainObject $answer) { + return $answer->getBelongsTo() === QuestionBelongsTo::PRODUCT->name && $answer->getAttendeeId() === null; + })->sortBy([ + ['title', 'asc'], + ['order_id', 'asc'] + ]); + + $orderAnswers = $this->answers->filter(function (QuestionAndAnswerViewDomainObject $answer) { + return $answer->getBelongsTo() === QuestionBelongsTo::ORDER->name; + })->sortBy([ + ['title', 'asc'], + ['order_id', 'asc'] + ]); + + return [ + new AttendeeAnswersSheet($attendeeAnswers, $this->questionAnswerFormatter), + new ProductAnswersSheet($productAnswers, $this->questionAnswerFormatter), + new OrderAnswersSheet($orderAnswers, $this->questionAnswerFormatter), + ]; + } +} diff --git a/backend/app/Http/Actions/Questions/ExportQuestionAnswersAction.php b/backend/app/Http/Actions/Questions/ExportQuestionAnswersAction.php new file mode 100644 index 0000000000..97ff0988af --- /dev/null +++ b/backend/app/Http/Actions/Questions/ExportQuestionAnswersAction.php @@ -0,0 +1,60 @@ +isActionAuthorized($eventId, EventDomainObject::class); + + if ($jobUuid = $request->get('job_uuid')) { + return $this->handleExistingJob($jobUuid, $eventId); + } + + return $this->startNewExportJob($eventId); + } + + private function handleExistingJob(string $jobUuid, int $eventId): JsonResponse + { + $filePath = "event_$eventId/answers-$jobUuid.xlsx"; + + $jobStatus = $this->jobPollingService->checkJobStatus($jobUuid, $filePath); + + return $this->jsonResponse([ + 'message' => $jobStatus->message, + 'status' => $jobStatus->status->name, + 'job_uuid' => $jobStatus->jobUuid, + 'download_url' => $jobStatus->downloadUrl, + ]); + } + + private function startNewExportJob(int $eventId): JsonResponse + { + $jobStatus = $this->jobPollingService->startJob( + jobName: "Export Questions for Event #$eventId", + jobs: [new ExportAnswersJob($eventId)] + ); + + return $this->jsonResponse([ + 'message' => $jobStatus->message, + 'status' => $jobStatus->status->name, + 'job_uuid' => $jobStatus->jobUuid, + ]); + } +} diff --git a/backend/app/Http/Actions/Questions/ExportQuestionsAction.php b/backend/app/Http/Actions/Questions/ExportQuestionsAction.php deleted file mode 100644 index 327f551f1a..0000000000 --- a/backend/app/Http/Actions/Questions/ExportQuestionsAction.php +++ /dev/null @@ -1,13 +0,0 @@ -handle($this->eventId); + + Excel::store( + export: $export->withData($questions), + filePath: "event_$this->eventId/answers-$this->batchId.xlsx", + disk: 's3-private' + ); + } +} diff --git a/backend/app/Models/Account.php b/backend/app/Models/Account.php index 210152df65..729c3edde3 100644 --- a/backend/app/Models/Account.php +++ b/backend/app/Models/Account.php @@ -7,18 +7,11 @@ use HiEvents\DomainObjects\Enums\Role; use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\BelongsToMany; +use Illuminate\Database\Eloquent\SoftDeletes; class Account extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; public function users(): BelongsToMany { diff --git a/backend/app/Models/AccountConfiguration.php b/backend/app/Models/AccountConfiguration.php index f76281294f..73238f8235 100644 --- a/backend/app/Models/AccountConfiguration.php +++ b/backend/app/Models/AccountConfiguration.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\HasMany; +use Illuminate\Database\Eloquent\SoftDeletes; class AccountConfiguration extends BaseModel { + use SoftDeletes; + protected $table = 'account_configuration'; protected function getCastMap(): array @@ -15,11 +18,6 @@ protected function getCastMap(): array ]; } - protected function getFillableFields(): array - { - return []; - } - public function account(): HasMany { return $this->hasMany(Account::class); diff --git a/backend/app/Models/AccountUser.php b/backend/app/Models/AccountUser.php index 3af1972aed..3441396ceb 100644 --- a/backend/app/Models/AccountUser.php +++ b/backend/app/Models/AccountUser.php @@ -5,18 +5,11 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\BelongsTo; +use Illuminate\Database\Eloquent\SoftDeletes; class AccountUser extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; public function account(): BelongsTo { diff --git a/backend/app/Models/Attendee.php b/backend/app/Models/Attendee.php index 476a6d1609..da77d52d60 100644 --- a/backend/app/Models/Attendee.php +++ b/backend/app/Models/Attendee.php @@ -7,18 +7,11 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\HasMany; use Illuminate\Database\Eloquent\Relations\HasOne; +use Illuminate\Database\Eloquent\SoftDeletes; class Attendee extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; public function question_and_answer_views(): HasMany { diff --git a/backend/app/Models/AttendeeCheckIn.php b/backend/app/Models/AttendeeCheckIn.php index 50eff85135..6eadb5f198 100644 --- a/backend/app/Models/AttendeeCheckIn.php +++ b/backend/app/Models/AttendeeCheckIn.php @@ -3,18 +3,11 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\BelongsTo; +use Illuminate\Database\Eloquent\SoftDeletes; class AttendeeCheckIn extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; public function products(): BelongsTo { diff --git a/backend/app/Models/BaseModel.php b/backend/app/Models/BaseModel.php index 4fb60f0ac7..8be38197f1 100644 --- a/backend/app/Models/BaseModel.php +++ b/backend/app/Models/BaseModel.php @@ -6,15 +6,12 @@ use Illuminate\Database\Eloquent\Builder; use Illuminate\Database\Eloquent\Model; -use Illuminate\Database\Eloquent\SoftDeletes; /** * @mixin Builder */ abstract class BaseModel extends Model { - use SoftDeletes; - /** @var array */ protected $guarded = []; diff --git a/backend/app/Models/CapacityAssignment.php b/backend/app/Models/CapacityAssignment.php index 87518f133b..b78f9abce4 100644 --- a/backend/app/Models/CapacityAssignment.php +++ b/backend/app/Models/CapacityAssignment.php @@ -4,18 +4,11 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\BelongsToMany; +use Illuminate\Database\Eloquent\SoftDeletes; class CapacityAssignment extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; public function event(): BelongsTo { diff --git a/backend/app/Models/CheckInList.php b/backend/app/Models/CheckInList.php index 0e918372e1..0004d4bd35 100644 --- a/backend/app/Models/CheckInList.php +++ b/backend/app/Models/CheckInList.php @@ -4,18 +4,11 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\BelongsToMany; +use Illuminate\Database\Eloquent\SoftDeletes; class CheckInList extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; public function products(): BelongsToMany { diff --git a/backend/app/Models/Event.php b/backend/app/Models/Event.php index 4578e5a2f8..95374fcbd7 100644 --- a/backend/app/Models/Event.php +++ b/backend/app/Models/Event.php @@ -9,9 +9,11 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\HasMany; use Illuminate\Database\Eloquent\Relations\HasOne; +use Illuminate\Database\Eloquent\SoftDeletes; class Event extends BaseModel { + use SoftDeletes; use HasImages; public function account(): BelongsTo diff --git a/backend/app/Models/EventDailyStatistic.php b/backend/app/Models/EventDailyStatistic.php index 1ae774f030..9c14a4f7cb 100644 --- a/backend/app/Models/EventDailyStatistic.php +++ b/backend/app/Models/EventDailyStatistic.php @@ -2,8 +2,11 @@ namespace HiEvents\Models; +use Illuminate\Database\Eloquent\SoftDeletes; + class EventDailyStatistic extends BaseModel { + use SoftDeletes; protected function getCastMap(): array { @@ -15,9 +18,4 @@ protected function getCastMap(): array 'total_refunded' => 'float', ]; } - - protected function getFillableFields(): array - { - return []; - } } diff --git a/backend/app/Models/EventSetting.php b/backend/app/Models/EventSetting.php index 639703bc8b..98ce2114fe 100644 --- a/backend/app/Models/EventSetting.php +++ b/backend/app/Models/EventSetting.php @@ -2,8 +2,12 @@ namespace HiEvents\Models; +use Illuminate\Database\Eloquent\SoftDeletes; + class EventSetting extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ @@ -11,9 +15,4 @@ protected function getCastMap(): array 'payment_providers' => 'array', ]; } - - protected function getFillableFields(): array - { - return []; - } } diff --git a/backend/app/Models/EventStatistic.php b/backend/app/Models/EventStatistic.php index c565e655b1..3823e535c2 100644 --- a/backend/app/Models/EventStatistic.php +++ b/backend/app/Models/EventStatistic.php @@ -2,8 +2,11 @@ namespace HiEvents\Models; +use Illuminate\Database\Eloquent\SoftDeletes; + class EventStatistic extends BaseModel { + use SoftDeletes; protected function getCastMap(): array { @@ -15,9 +18,4 @@ protected function getCastMap(): array 'total_refunded' => 'float', ]; } - - protected function getFillableFields(): array - { - return []; - } } diff --git a/backend/app/Models/Image.php b/backend/app/Models/Image.php index 471bb8170a..884adfa6d6 100644 --- a/backend/app/Models/Image.php +++ b/backend/app/Models/Image.php @@ -3,21 +3,14 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\MorphTo; +use Illuminate\Database\Eloquent\SoftDeletes; class Image extends BaseModel { + use SoftDeletes; + public function entity(): MorphTo { return $this->morphTo(); } - - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } } diff --git a/backend/app/Models/Invoice.php b/backend/app/Models/Invoice.php index 697bd1be4b..a1f6f5954e 100644 --- a/backend/app/Models/Invoice.php +++ b/backend/app/Models/Invoice.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\BelongsTo; +use Illuminate\Database\Eloquent\SoftDeletes; class Invoice extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ diff --git a/backend/app/Models/Message.php b/backend/app/Models/Message.php index 1cac8fae37..c9e1e058b2 100644 --- a/backend/app/Models/Message.php +++ b/backend/app/Models/Message.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\HasOne; +use Illuminate\Database\Eloquent\SoftDeletes; class Message extends BaseModel { + use SoftDeletes; + public function sent_by_user(): HasOne { return $this->hasOne(User::class, 'id', 'sent_by_user_id'); @@ -20,8 +23,4 @@ protected function getCastMap(): array ]; } - protected function getFillableFields(): array - { - return []; - } } diff --git a/backend/app/Models/Order.php b/backend/app/Models/Order.php index f40bbf150b..a5dc4e5ce5 100644 --- a/backend/app/Models/Order.php +++ b/backend/app/Models/Order.php @@ -5,9 +5,12 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\HasMany; use Illuminate\Database\Eloquent\Relations\HasOne; +use Illuminate\Database\Eloquent\SoftDeletes; class Order extends BaseModel { + use SoftDeletes; + public function question_and_answer_views(): HasMany { return $this->hasMany(QuestionAndAnswerView::class); diff --git a/backend/app/Models/OrderApplicationFee.php b/backend/app/Models/OrderApplicationFee.php index 69b4012d37..aca83e6c8a 100644 --- a/backend/app/Models/OrderApplicationFee.php +++ b/backend/app/Models/OrderApplicationFee.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\BelongsTo; +use Illuminate\Database\Eloquent\SoftDeletes; class OrderApplicationFee extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ @@ -13,11 +16,6 @@ protected function getCastMap(): array ]; } - protected function getFillableFields(): array - { - return []; - } - public function order(): BelongsTo { return $this->belongsTo(Order::class); diff --git a/backend/app/Models/OrderItem.php b/backend/app/Models/OrderItem.php index cd5796707f..788ccb6c55 100644 --- a/backend/app/Models/OrderItem.php +++ b/backend/app/Models/OrderItem.php @@ -4,9 +4,12 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\HasOne; +use Illuminate\Database\Eloquent\SoftDeletes; class OrderItem extends BaseModel { + use SoftDeletes; + public function order(): BelongsTo { return $this->belongsTo(Order::class); diff --git a/backend/app/Models/OrderRefund.php b/backend/app/Models/OrderRefund.php index ec28222c0b..5f883f5e71 100644 --- a/backend/app/Models/OrderRefund.php +++ b/backend/app/Models/OrderRefund.php @@ -2,8 +2,12 @@ namespace HiEvents\Models; +use Illuminate\Database\Eloquent\SoftDeletes; + class OrderRefund extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ @@ -11,8 +15,4 @@ protected function getCastMap(): array ]; } - protected function getFillableFields(): array - { - return []; - } } diff --git a/backend/app/Models/Organizer.php b/backend/app/Models/Organizer.php index 3a5700fa80..2d8b47655d 100644 --- a/backend/app/Models/Organizer.php +++ b/backend/app/Models/Organizer.php @@ -4,21 +4,13 @@ use HiEvents\Models\Traits\HasImages; use Illuminate\Database\Eloquent\Relations\HasMany; +use Illuminate\Database\Eloquent\SoftDeletes; class Organizer extends BaseModel { + use SoftDeletes; use HasImages; - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } - public function events(): HasMany { return $this->hasMany(Event::class); diff --git a/backend/app/Models/PasswordReset.php b/backend/app/Models/PasswordReset.php index caa7f7e199..ad95ba8cf0 100644 --- a/backend/app/Models/PasswordReset.php +++ b/backend/app/Models/PasswordReset.php @@ -2,15 +2,9 @@ namespace HiEvents\Models; +use Illuminate\Database\Eloquent\SoftDeletes; + class PasswordReset extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; } diff --git a/backend/app/Models/PasswordResetToken.php b/backend/app/Models/PasswordResetToken.php index b9887c7c8e..acf420d3ac 100644 --- a/backend/app/Models/PasswordResetToken.php +++ b/backend/app/Models/PasswordResetToken.php @@ -2,15 +2,9 @@ namespace HiEvents\Models; +use Illuminate\Database\Eloquent\SoftDeletes; + class PasswordResetToken extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; } diff --git a/backend/app/Models/Product.php b/backend/app/Models/Product.php index a820857821..e1645fd47f 100644 --- a/backend/app/Models/Product.php +++ b/backend/app/Models/Product.php @@ -8,9 +8,12 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\BelongsToMany; use Illuminate\Database\Eloquent\Relations\HasMany; +use Illuminate\Database\Eloquent\SoftDeletes; class Product extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ @@ -19,11 +22,6 @@ protected function getCastMap(): array ]; } - protected function getFillableFields(): array - { - return []; - } - public function questions(): BelongsToMany { return $this->belongsToMany(Question::class, 'product_questions'); diff --git a/backend/app/Models/ProductCategory.php b/backend/app/Models/ProductCategory.php index b96826a21c..e40dc76e69 100644 --- a/backend/app/Models/ProductCategory.php +++ b/backend/app/Models/ProductCategory.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\HasMany; +use Illuminate\Database\Eloquent\SoftDeletes; class ProductCategory extends BaseModel { + use SoftDeletes; + protected $table = 'product_categories'; protected $fillable = [ @@ -18,16 +21,6 @@ class ProductCategory extends BaseModel 'event_id', ]; - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } - public function products(): HasMany { return $this->hasMany(Product::class); diff --git a/backend/app/Models/ProductPrice.php b/backend/app/Models/ProductPrice.php index 23ab15a389..62d386478d 100644 --- a/backend/app/Models/ProductPrice.php +++ b/backend/app/Models/ProductPrice.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\BelongsTo; +use Illuminate\Database\Eloquent\SoftDeletes; class ProductPrice extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ @@ -13,11 +16,6 @@ protected function getCastMap(): array ]; } - protected function getFillableFields(): array - { - return []; - } - public function product(): BelongsTo { return $this->belongsTo(Product::class); diff --git a/backend/app/Models/ProductQuestion.php b/backend/app/Models/ProductQuestion.php index fee35fc522..b324168ed4 100644 --- a/backend/app/Models/ProductQuestion.php +++ b/backend/app/Models/ProductQuestion.php @@ -3,19 +3,17 @@ namespace HiEvents\Models; use HiEvents\DomainObjects\Generated\ProductQuestionDomainObjectAbstract; +use Illuminate\Database\Eloquent\SoftDeletes; class ProductQuestion extends BaseModel { + use SoftDeletes; + protected function getTimestampsEnabled(): bool { return false; } - protected function getCastMap(): array - { - return []; - } - protected function getFillableFields(): array { return [ diff --git a/backend/app/Models/PromoCode.php b/backend/app/Models/PromoCode.php index 1e0ad4f0c5..6dcaa790f1 100644 --- a/backend/app/Models/PromoCode.php +++ b/backend/app/Models/PromoCode.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use HiEvents\DomainObjects\Generated\PromoCodeDomainObjectAbstract; +use Illuminate\Database\Eloquent\SoftDeletes; class PromoCode extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ diff --git a/backend/app/Models/Question.php b/backend/app/Models/Question.php index f540466f5a..4097c7b347 100644 --- a/backend/app/Models/Question.php +++ b/backend/app/Models/Question.php @@ -4,9 +4,12 @@ use HiEvents\DomainObjects\Generated\QuestionDomainObjectAbstract; use Illuminate\Database\Eloquent\Relations\BelongsToMany; +use Illuminate\Database\Eloquent\SoftDeletes; class Question extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ @@ -14,11 +17,6 @@ protected function getCastMap(): array ]; } - protected function getFillableFields(): array - { - return []; - } - public function products(): BelongsToMany { return $this diff --git a/backend/app/Models/QuestionAndAnswerView.php b/backend/app/Models/QuestionAndAnswerView.php index ff7971a458..d02dff91b8 100644 --- a/backend/app/Models/QuestionAndAnswerView.php +++ b/backend/app/Models/QuestionAndAnswerView.php @@ -2,20 +2,22 @@ namespace HiEvents\Models; -use Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\Relations\BelongsTo; /** * This model points to a view: question_and_answer_view */ -class QuestionAndAnswerView extends Model +class QuestionAndAnswerView extends BaseModel { - protected string $model = 'question_and_answer_view'; + protected $model = 'question_and_answer_view'; - protected $casts = [ - 'answer' => 'array', - 'question_options' => 'array', - ]; + protected function getCastMap(): array + { + return [ + 'answer' => 'array', + 'question_options' => 'array', + ]; + } public function attendee(): BelongsTo { diff --git a/backend/app/Models/QuestionAnswer.php b/backend/app/Models/QuestionAnswer.php index 28d722c766..2baba4d642 100644 --- a/backend/app/Models/QuestionAnswer.php +++ b/backend/app/Models/QuestionAnswer.php @@ -4,9 +4,12 @@ use HiEvents\DomainObjects\Generated\QuestionAnswerDomainObjectAbstract; use Illuminate\Database\Eloquent\Relations\BelongsTo; +use Illuminate\Database\Eloquent\SoftDeletes; class QuestionAnswer extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ diff --git a/backend/app/Models/StripeCustomer.php b/backend/app/Models/StripeCustomer.php index 870527ad5d..7c2a62d1e1 100644 --- a/backend/app/Models/StripeCustomer.php +++ b/backend/app/Models/StripeCustomer.php @@ -2,15 +2,9 @@ namespace HiEvents\Models; +use Illuminate\Database\Eloquent\SoftDeletes; + class StripeCustomer extends BaseModel { - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array - { - return []; - } + use SoftDeletes; } diff --git a/backend/app/Models/StripePayment.php b/backend/app/Models/StripePayment.php index b34265eff8..05b6ee5573 100644 --- a/backend/app/Models/StripePayment.php +++ b/backend/app/Models/StripePayment.php @@ -4,9 +4,12 @@ use HiEvents\DomainObjects\Generated\StripePaymentDomainObjectAbstract; use Illuminate\Database\Eloquent\Relations\BelongsTo; +use Illuminate\Database\Eloquent\SoftDeletes; class StripePayment extends BaseModel { + use SoftDeletes; + protected function getTimestampsEnabled(): bool { return false; diff --git a/backend/app/Models/TaxAndFee.php b/backend/app/Models/TaxAndFee.php index 1d36edbe80..ef29a93c15 100644 --- a/backend/app/Models/TaxAndFee.php +++ b/backend/app/Models/TaxAndFee.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\BelongsToMany; +use Illuminate\Database\Eloquent\SoftDeletes; class TaxAndFee extends BaseModel { + use SoftDeletes; + protected $table = 'taxes_and_fees'; public function products(): BelongsToMany @@ -19,9 +22,4 @@ protected function getCastMap(): array 'rate' => 'float', ]; } - - protected function getFillableFields(): array - { - return []; - } } diff --git a/backend/app/Models/User.php b/backend/app/Models/User.php index 8a9a44df29..2165e3603d 100644 --- a/backend/app/Models/User.php +++ b/backend/app/Models/User.php @@ -13,6 +13,7 @@ use Illuminate\Database\Eloquent\Relations\BelongsToMany; use Illuminate\Database\Eloquent\Relations\HasOne; use Illuminate\Database\Eloquent\Relations\HasOneThrough; +use Illuminate\Database\Eloquent\SoftDeletes; use Illuminate\Foundation\Auth\Access\Authorizable; use Illuminate\Notifications\Notifiable; use PHPOpenSourceSaver\JWTAuth\Contracts\JWTSubject; @@ -20,6 +21,7 @@ class User extends BaseModel implements AuthenticatableContract, AuthorizableContract, CanResetPasswordContract, JWTSubject { + use SoftDeletes; use Notifiable; use Authenticatable; use Authorizable; @@ -50,19 +52,7 @@ public function getJWTIdentifier() return $this->getKey(); } - public function getJWTCustomClaims() - { - return [ - - ]; - } - - protected function getCastMap(): array - { - return []; - } - - protected function getFillableFields(): array + public function getJWTCustomClaims(): array { return []; } diff --git a/backend/app/Models/Webhook.php b/backend/app/Models/Webhook.php index 8948d0e8fb..7d2520b752 100644 --- a/backend/app/Models/Webhook.php +++ b/backend/app/Models/Webhook.php @@ -4,9 +4,12 @@ use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\HasMany; +use Illuminate\Database\Eloquent\SoftDeletes; class Webhook extends BaseModel { + use SoftDeletes; + protected function getCastMap(): array { return [ diff --git a/backend/app/Models/WebhookLog.php b/backend/app/Models/WebhookLog.php index 96aa8be7ea..778c907f9f 100644 --- a/backend/app/Models/WebhookLog.php +++ b/backend/app/Models/WebhookLog.php @@ -3,9 +3,12 @@ namespace HiEvents\Models; use Illuminate\Database\Eloquent\Relations\BelongsTo; +use Illuminate\Database\Eloquent\SoftDeletes; class WebhookLog extends BaseModel { + use SoftDeletes; + public function webhook(): BelongsTo { return $this->belongsTo(Webhook::class); diff --git a/backend/app/Providers/RepositoryServiceProvider.php b/backend/app/Providers/RepositoryServiceProvider.php index dfa8c0dc73..18cb630db4 100644 --- a/backend/app/Providers/RepositoryServiceProvider.php +++ b/backend/app/Providers/RepositoryServiceProvider.php @@ -29,6 +29,7 @@ use HiEvents\Repository\Eloquent\ProductPriceRepository; use HiEvents\Repository\Eloquent\ProductRepository; use HiEvents\Repository\Eloquent\PromoCodeRepository; +use HiEvents\Repository\Eloquent\QuestionAndAnswerViewRepository; use HiEvents\Repository\Eloquent\QuestionAnswerRepository; use HiEvents\Repository\Eloquent\QuestionRepository; use HiEvents\Repository\Eloquent\StripeCustomerRepository; @@ -62,6 +63,7 @@ use HiEvents\Repository\Interfaces\ProductPriceRepositoryInterface; use HiEvents\Repository\Interfaces\ProductRepositoryInterface; use HiEvents\Repository\Interfaces\PromoCodeRepositoryInterface; +use HiEvents\Repository\Interfaces\QuestionAndAnswerViewRepositoryInterface; use HiEvents\Repository\Interfaces\QuestionAnswerRepositoryInterface; use HiEvents\Repository\Interfaces\QuestionRepositoryInterface; use HiEvents\Repository\Interfaces\StripeCustomerRepositoryInterface; @@ -111,6 +113,7 @@ class RepositoryServiceProvider extends ServiceProvider WebhookLogRepositoryInterface::class => WebhookLogRepository::class, OrderApplicationFeeRepositoryInterface::class => OrderApplicationFeeRepository::class, AccountConfigurationRepositoryInterface::class => AccountConfigurationRepository::class, + QuestionAndAnswerViewRepositoryInterface::class => QuestionAndAnswerViewRepository::class, ]; public function register(): void diff --git a/backend/app/Repository/Eloquent/CheckInListRepository.php b/backend/app/Repository/Eloquent/CheckInListRepository.php index e3259a110f..2ea368235d 100644 --- a/backend/app/Repository/Eloquent/CheckInListRepository.php +++ b/backend/app/Repository/Eloquent/CheckInListRepository.php @@ -5,7 +5,6 @@ use HiEvents\DomainObjects\CheckInListDomainObject; use HiEvents\DomainObjects\Generated\CapacityAssignmentDomainObjectAbstract; use HiEvents\DomainObjects\Generated\CheckInListDomainObjectAbstract; -use HiEvents\DomainObjects\Status\AttendeeStatus; use HiEvents\Http\DTO\QueryParamsDTO; use HiEvents\Models\CheckInList; use HiEvents\Repository\DTO\CheckedInAttendeesCountDTO; @@ -33,15 +32,24 @@ public function getCheckedInAttendeeCountById(int $checkInListId): CheckedInAtte SELECT attendee_id, check_in_list_id FROM attendee_check_ins WHERE deleted_at IS NULL + AND check_in_list_id = :check_in_list_id GROUP BY attendee_id, check_in_list_id ), valid_attendees AS ( - SELECT a.id, tcil.check_in_list_id + SELECT a.id, pcil.check_in_list_id FROM attendees a - JOIN product_check_in_lists tcil ON a.product_id = tcil.product_id + JOIN product_check_in_lists pcil ON a.product_id = pcil.product_id + JOIN orders o ON a.order_id = o.id + JOIN check_in_lists cil ON pcil.check_in_list_id = cil.id + JOIN event_settings es ON cil.event_id = es.event_id WHERE a.deleted_at IS NULL - AND tcil.deleted_at IS NULL - AND a.status in ('ACTIVE', 'AWAITING_PAYMENT') + AND pcil.deleted_at IS NULL + AND pcil.check_in_list_id = :check_in_list_id + AND ( + (es.allow_orders_awaiting_offline_payment_to_check_in = true AND a.status in ('ACTIVE', 'AWAITING_PAYMENT') AND o.status IN ('COMPLETED', 'AWAITING_OFFLINE_PAYMENT')) + OR + (es.allow_orders_awaiting_offline_payment_to_check_in = false AND a.status = 'ACTIVE' AND o.status = 'COMPLETED') + ) ) SELECT cil.id AS check_in_list_id, @@ -67,22 +75,30 @@ public function getCheckedInAttendeeCountById(int $checkInListId): CheckedInAtte public function getCheckedInAttendeeCountByIds(array $checkInListIds): Collection { $placeholders = implode(',', array_fill(0, count($checkInListIds), '?')); - $attendeeActiveStatus = AttendeeStatus::ACTIVE->name; $sql = <<db->select($sql, $checkInListIds); + $query = $this->db->select($sql, array_merge($checkInListIds, $checkInListIds, $checkInListIds)); return collect($query)->map( static fn($item) => new CheckedInAttendeesCountDTO( diff --git a/backend/app/Services/Application/Handlers/Question/ExportAnswersHandler.php b/backend/app/Services/Application/Handlers/Question/ExportAnswersHandler.php new file mode 100644 index 0000000000..8c1c5ea151 --- /dev/null +++ b/backend/app/Services/Application/Handlers/Question/ExportAnswersHandler.php @@ -0,0 +1,22 @@ +questionAndAnswerViewRepository->findWhere([ + 'event_id' => $eventId, + ]); + } +} diff --git a/backend/app/Services/Infrastructure/Jobs/DTO/JobPollingResultDTO.php b/backend/app/Services/Infrastructure/Jobs/DTO/JobPollingResultDTO.php new file mode 100644 index 0000000000..16a75c891c --- /dev/null +++ b/backend/app/Services/Infrastructure/Jobs/DTO/JobPollingResultDTO.php @@ -0,0 +1,17 @@ +name($jobName) + ->dispatch(); + + return new JobPollingResultDTO( + status: JobStatusEnum::IN_PROGRESS, + message: 'Job started successfully', + jobUuid: $batch->id, + ); + } + + public function checkJobStatus(string $jobUuid, ?string $filePath = null): JobPollingResultDTO + { + $batch = Bus::findBatch($jobUuid); + + if (!$batch) { + return new JobPollingResultDTO( + status: JobStatusEnum::NOT_FOUND, + message: __('Job not found'), + jobUuid: $jobUuid, + ); + } + + if ($batch->finished()) { + if ($filePath && !Storage::disk(self::STORAGE_DISK)->exists($filePath)) { + return new JobPollingResultDTO( + status: JobStatusEnum::NOT_FOUND, + message: __('Export file not found'), + jobUuid: $jobUuid, + ); + } + + return new JobPollingResultDTO( + status: JobStatusEnum::FINISHED, + message: __('Job completed successfully'), + jobUuid: $jobUuid, + downloadUrl: $filePath + ? Storage::disk(self::STORAGE_DISK)->temporaryUrl($filePath, now()->addMinutes(10)) + : null, + ); + } + + return new JobPollingResultDTO( + status: JobStatusEnum::IN_PROGRESS, + message: __('Job is still in progress'), + jobUuid: $jobUuid, + ); + } +} diff --git a/backend/database/migrations/2025_03_07_160427_add_missing_indexes.php b/backend/database/migrations/2025_03_07_160427_add_missing_indexes.php new file mode 100644 index 0000000000..325cbb21d9 --- /dev/null +++ b/backend/database/migrations/2025_03_07_160427_add_missing_indexes.php @@ -0,0 +1,45 @@ +index('check_in_list_id'); + }); + + Schema::table('attendees', static function (Blueprint $table) { + $table->index('order_id'); + }); + + Schema::table('orders', static function (Blueprint $table) { + $table->index('short_id'); + }); + + Schema::table('organizers', static function (Blueprint $table) { + $table->index('account_id'); + }); + } + + public function down(): void + { + Schema::table('product_check_in_lists', static function (Blueprint $table) { + $table->dropIndex(['check_in_list_id']); + }); + + Schema::table('attendees', static function (Blueprint $table) { + $table->dropIndex(['order_id']); + }); + + Schema::table('orders', static function (Blueprint $table) { + $table->dropIndex(['short_id']); + }); + + Schema::table('organizers', static function (Blueprint $table) { + $table->dropIndex(['account_id']); + }); + } +}; diff --git a/backend/database/migrations/2025_03_09_085509_update_question_and_answer_view.php b/backend/database/migrations/2025_03_09_085509_update_question_and_answer_view.php new file mode 100644 index 0000000000..a0fe86c11f --- /dev/null +++ b/backend/database/migrations/2025_03_09_085509_update_question_and_answer_view.php @@ -0,0 +1,73 @@ +string('id')->primary(); + $table->string('name'); + $table->integer('total_jobs'); + $table->integer('pending_jobs'); + $table->integer('failed_jobs'); + $table->longText('failed_job_ids'); + $table->mediumText('options')->nullable(); + $table->integer('cancelled_at')->nullable(); + $table->integer('created_at'); + $table->integer('finished_at')->nullable(); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::dropIfExists('job_batches'); + } +}; diff --git a/backend/routes/api.php b/backend/routes/api.php index 29e5762151..0436f85c58 100644 --- a/backend/routes/api.php +++ b/backend/routes/api.php @@ -98,6 +98,7 @@ use HiEvents\Http\Actions\Questions\DeleteQuestionAction; use HiEvents\Http\Actions\Questions\EditQuestionAction; use HiEvents\Http\Actions\Questions\EditQuestionAnswerAction; +use HiEvents\Http\Actions\Questions\ExportQuestionAnswersAction; use HiEvents\Http\Actions\Questions\GetQuestionAction; use HiEvents\Http\Actions\Questions\GetQuestionsAction; use HiEvents\Http\Actions\Questions\GetQuestionsPublicAction; @@ -247,7 +248,8 @@ function (Router $router): void { $router->get('/events/{event_id}/questions', GetQuestionsAction::class); $router->post('/events/{event_id}/questions/export', ExportOrdersAction::class); $router->post('/events/{event_id}/questions/sort', SortQuestionsAction::class); - $router->put('/events/{event_id}/questions/{question_id}/answer/{answer_id}', EditQuestionAnswerAction::class); + $router->put('/events/{event_id}/questions/{question_id}/answers/{answer_id}', EditQuestionAnswerAction::class); + $router->match(['get', 'post'], '/events/{event_id}/questions/answers/export', ExportQuestionAnswersAction::class); // Images $router->post('/events/{event_id}/images', CreateEventImageAction::class); diff --git a/frontend/scripts/list_untranslated_strings.sh b/frontend/scripts/list_untranslated_strings.sh index 031e64ff2e..8e50ce1a3c 100755 --- a/frontend/scripts/list_untranslated_strings.sh +++ b/frontend/scripts/list_untranslated_strings.sh @@ -3,7 +3,7 @@ # This script lists all untranslated strings in a .po file. # arbitrary translation file -poFile="../src/locales/zh-cn.po" +poFile="../src/locales/fr.po" if [ -f "$poFile" ]; then echo "Checking file: $poFile" diff --git a/frontend/src/api/question.client.ts b/frontend/src/api/question.client.ts index f921ad8b8a..bc656cf7f4 100644 --- a/frontend/src/api/question.client.ts +++ b/frontend/src/api/question.client.ts @@ -9,6 +9,13 @@ import { } from "../types"; import {publicApi} from "./public-client.ts"; +export interface ExportResponse { + status: 'IN_PROGRESS' | 'FINISHED' | 'NOT_FOUND' | 'FAILED', + download_url?: string, + job_uuid?: string, + message?: string, +} + export const questionClient = { create: async (eventId: IdParam, question: QuestionRequestData) => { const response = await api.post>(`events/${eventId}/questions`, question); @@ -34,10 +41,18 @@ export const questionClient = { return await api.post(`/events/${eventId}/questions/sort`, questionsSort); }, updateAnswerQuestion: async (eventId: IdParam, questionId: IdParam, answerId: IdParam, answer: string | string[]) => { - await api.put(`/events/${eventId}/questions/${questionId}/answer/${answerId}`, { + await api.put(`/events/${eventId}/questions/${questionId}/answers/${answerId}`, { 'answer': answer, }); }, + exportAnswers: async (eventId: IdParam): Promise => { + const response = await api.post(`events/${eventId}/questions/answers/export`, {}); + return response.data; + }, + checkExportStatus: async (eventId: IdParam, jobUuid: IdParam): Promise => { + const response = await api.get(`events/${eventId}/questions/answers/export?job_uuid=${jobUuid}`); + return response.data; + }, } export const questionClientPublic = { diff --git a/frontend/src/components/common/QuestionsTable/index.tsx b/frontend/src/components/common/QuestionsTable/index.tsx index 70cfdab13b..445708fd1c 100644 --- a/frontend/src/components/common/QuestionsTable/index.tsx +++ b/frontend/src/components/common/QuestionsTable/index.tsx @@ -8,6 +8,7 @@ import { IconInfoCircle, IconPencil, IconPlus, + IconTableExport, IconTrash } from "@tabler/icons-react"; import Truncate from "../Truncate"; @@ -41,6 +42,7 @@ import {CSS} from "@dnd-kit/utilities"; import {useSortQuestions} from "../../../mutations/useSortQuestions.ts"; import classNames from "classnames"; import {Popover} from "../Popover"; +import {useExportAnswers} from "../../../mutations/useExportAnswers.ts"; interface QuestionsTableProp { questions: Partial[]; @@ -251,6 +253,22 @@ export const QuestionsTable = ({questions}: QuestionsTableProp) => { } } + const ExportAnswersButton = () => { + const {eventId} = useParams(); + const {startExport, isExporting} = useExportAnswers(eventId); + + return ( + + ); + }; + return (
@@ -258,9 +276,12 @@ export const QuestionsTable = ({questions}: QuestionsTableProp) => {
- + <> + + +
diff --git a/frontend/src/locales/de.js b/frontend/src/locales/de.js index 89a5deb1ce..01aecc4768 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 Veranstaltungen\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" eingecheckt\"],\"Vjij1k\":[[\"days\"],\" Tage, \",[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"f3RdEk\":[[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"fyE7Au\":[[\"Minuten\"],\" Minuten und \",[\"Sekunden\"],\" Sekunden\"],\"NlQ0cx\":[\"Erste Veranstaltung von \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Kapazitätszuweisungen ermöglichen es Ihnen, die Kapazität über Tickets oder ein ganzes Ereignis zu verwalten. Ideal für mehrtägige Veranstaltungen, Workshops und mehr, bei denen die Kontrolle der Teilnehmerzahl entscheidend ist.<1>Beispielsweise können Sie eine Kapazitätszuweisung mit einem <2>Tag Eins und einem <3>Alle Tage-Ticket verknüpfen. Sobald die Kapazität erreicht ist, werden beide Tickets automatisch nicht mehr zum Verkauf angeboten.\",\"Exjbj7\":\"<0>Einchecklisten helfen, den Eintritt der Teilnehmer zu verwalten. Sie können mehrere Tickets mit einer Eincheckliste verknüpfen und sicherstellen, dass nur Personen mit gültigen Tickets eintreten können.\",\"OXku3b\":\"<0>https://Ihre-website.com\",\"qnSLLW\":\"<0>Bitte geben Sie den Preis ohne Steuern und Gebühren ein.<1>Steuern und Gebühren können unten hinzugefügt werden.\",\"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\":\"✉️ Bestätigen Sie Ihre E-Mail-Adresse\",\"BN0OQd\":\"🎉 Herzlichen Glückwunsch zur Erstellung einer Veranstaltung!\",\"4kSf7w\":\"🎟️ Produkte hinzufügen\",\"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\":\"01.01.2024 10:00\",\"Q/T49U\":\"01.01.2024 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\":\"Über die Veranstaltung\",\"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\":\"Fügen Sie Ereignisdetails hinzu und verwalten Sie die Ereigniseinstellungen.\",\"OveehC\":\"Fügen Sie Anweisungen für Offline-Zahlungen hinzu (z. B. Überweisungsdetails, wo Schecks hingeschickt werden sollen, Zahlungsfristen)\",\"LTVoRa\":\"Weitere Produkte hinzufügen\",\"ApsD9J\":\"Neue hinzufügen\",\"TZxnm8\":\"Option hinzufügen\",\"24l4x6\":\"Produkt hinzufügen\",\"8q0EdE\":\"Produkt zur Kategorie hinzufügen\",\"YvCknQ\":\"Produkte hinzufügen\",\"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\":\"Zusatzoptionen\",\"Du6bPw\":\"Adresse\",\"NY/x1b\":\"Anschrift Zeile 1\",\"POdIrN\":\"Anschrift Zeile 1\",\"cormHa\":\"Adresszeile 2\",\"gwk5gg\":\"Adresszeile 2\",\"U3pytU\":\"Administrator\",\"HLDaLi\":\"Administratorbenutzer haben vollständigen Zugriff auf Ereignisse und Kontoeinstellungen.\",\"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\":\"Fast geschafft! Wir warten nur darauf, dass Ihre Zahlung bearbeitet wird. Dies sollte nur ein paar Sekunden dauern.\",\"ApOYO8\":\"Erstaunlich, Ereignis, Schlüsselwörter...\",\"hehnjM\":\"Menge\",\"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\":\"Ein Event ist die eigentliche Veranstaltung, die Sie veranstalten. Sie können später weitere Details hinzufügen.\",\"oBkF+i\":\"Ein Veranstalter ist das Unternehmen oder die Person, die die Veranstaltung ausrichtet.\",\"W5A0Ly\":\"Ein unerwarteter Fehler ist aufgetreten.\",\"byKna+\":\"Ein unerwarteter Fehler ist aufgetreten. Bitte versuchen Sie es erneut.\",\"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\":\"Archivierte Veranstaltungen\",\"q7TRd7\":\"Möchten Sie diesen Teilnehmer wirklich aktivieren?\",\"TvkW9+\":\"Sind Sie sicher, dass Sie diese Veranstaltung archivieren möchten?\",\"/CV2x+\":\"Möchten Sie diesen Teilnehmer wirklich stornieren? Dadurch wird sein Ticket ungültig.\",\"YgRSEE\":\"Möchten Sie diesen Aktionscode wirklich löschen?\",\"iU234U\":\"Möchten Sie diese Frage wirklich löschen?\",\"CMyVEK\":\"Möchten Sie diese Veranstaltung wirklich als Entwurf speichern? Dadurch wird die Veranstaltung für die Öffentlichkeit unsichtbar.\",\"mEHQ8I\":\"Möchten Sie diese Veranstaltung wirklich öffentlich machen? Dadurch wird die Veranstaltung für die Öffentlichkeit sichtbar\",\"s4JozW\":\"Sind Sie sicher, dass Sie diese Veranstaltung wiederherstellen möchten? Es wird als Entwurf wiederhergestellt.\",\"vJuISq\":\"Sind Sie sicher, dass Sie diese Kapazitätszuweisung löschen möchten?\",\"baHeCz\":\"Möchten Sie diese Eincheckliste wirklich löschen?\",\"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\":\"Teilnehmer mit einem bestimmten Produkt\",\"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\":\"Tolles Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Zurück zu allen Events\",\"A302fe\":\"Zurück zur Veranstaltungsseite\",\"VCoEm+\":\"Zurück zur Anmeldung\",\"k1bLf+\":\"Hintergrundfarbe\",\"I7xjqg\":\"Hintergrundtyp\",\"1mwMl+\":\"Bevor Sie versenden!\",\"/yeZ20\":\"Bevor Ihre Veranstaltung live gehen kann, müssen Sie einige Dinge erledigen.\",\"ze6ETw\":\"Beginnen Sie in wenigen Minuten mit dem Verkauf von Produkten\",\"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\":\"Stornieren\",\"Gjt/py\":\"E-Mail-Änderung abbrechen\",\"tVJk4q\":\"Bestellung stornieren\",\"Os6n2a\":\"Bestellung stornieren\",\"Mz7Ygx\":[\"Bestellung stornieren \",[\"0\"]],\"3tTjpi\":\"Das Stornieren wird alle mit dieser Bestellung verbundenen Produkte stornieren und die Produkte wieder in den verfügbaren Bestand zurückgeben.\",\"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\":\"Cover ändern\",\"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\":\"Eincheckliste erfolgreich erstellt\",\"+CeSxK\":\"Eincheckliste erfolgreich gelöscht\",\"+hBhWk\":\"Die Eincheckliste ist abgelaufen\",\"mBsBHq\":\"Die Eincheckliste ist nicht aktiv\",\"vPqpQG\":\"Eincheckliste nicht gefunden\",\"tejfAy\":\"Einchecklisten\",\"hD1ocH\":\"Eincheck-URL in die Zwischenablage kopiert\",\"CNafaC\":\"Kontrollkästchenoptionen ermöglichen Mehrfachauswahl\",\"SpabVf\":\"Kontrollkästchen\",\"CRu4lK\":\"Eingecheckt\",\"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\":\"klicken Sie hier\",\"sby+1/\":\"Zum Kopieren klicken\",\"yz7wBu\":\"Schließen\",\"62Ciis\":\"Sidebar schließen\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Der Code muss zwischen 3 und 50 Zeichen lang sein\",\"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\":\"Jetzt bezahlen\",\"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\":\"Hintergrundfarbe des Inhalts\",\"xGVfLh\":\"Weitermachen\",\"X++RMT\":\"Text der Schaltfläche „Weiter“\",\"AfNRFG\":\"Text der Schaltfläche „Weiter“\",\"lIbwvN\":\"Mit der Ereigniseinrichtung fortfahren\",\"HB22j9\":\"Weiter einrichten\",\"bZEa4H\":\"Mit der Einrichtung von Stripe Connect fortfahren\",\"6V3Ea3\":\"Kopiert\",\"T5rdis\":\"in die Zwischenablage kopiert\",\"he3ygx\":\"Kopieren\",\"r2B2P8\":\"Eincheck-URL kopieren\",\"8+cOrS\":\"Details auf alle Teilnehmer anwenden\",\"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\":\"Erstellen Sie Produkte für Ihre Veranstaltung, legen Sie Preise fest und verwalten Sie die verfügbare Menge.\",\"sYpiZP\":\"Promo-Code erstellen\",\"B3Mkdt\":\"Frage erstellen\",\"UKfi21\":\"Steuer oder Gebühr erstellen\",\"d+F6q9\":\"Erstellt\",\"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 & Uhrzeit\",\"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\":\"Cover löschen\",\"KWa0gi\":\"Lösche Bild\",\"1l14WA\":\"Produkt löschen\",\"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\":\"Zurückweisen\",\"DZlSLn\":\"Dokumentenbeschriftung\",\"cVq+ga\":\"Sie haben noch kein Konto? <0>Registrieren\",\"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\":\"Ziehen und ablegen oder klicken\",\"CfKofC\":\"Dropdown-Auswahl\",\"JzLDvy\":\"Duplizieren Sie Kapazitätszuweisungen\",\"ulMxl+\":\"Duplizieren Sie Check-in-Listen\",\"vi8Q/5\":\"Ereignis duplizieren\",\"3ogkAk\":\"Ereignis duplizieren\",\"Yu6m6X\":\"Duplizieren Sie das Titelbild des Ereignisses\",\"+fA4C7\":\"Optionen duplizieren\",\"SoiDyI\":\"Produkte duplizieren\",\"57ALrd\":\"Promo-Codes duplizieren\",\"83Hu4O\":\"Fragen duplizieren\",\"20144c\":\"Einstellungen duplizieren\",\"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\":\"Endtermin\",\"237hSL\":\"Beendet\",\"nt4UkP\":\"Beendete Veranstaltungen\",\"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\":\"Veranstaltung erfolgreich erstellt 🎉\",\"/dgc8E\":\"Veranstaltungsdatum\",\"0Zptey\":\"Ereignisstandards\",\"QcCPs8\":\"Veranstaltungsdetails\",\"6fuA9p\":\"Ereignis erfolgreich dupliziert\",\"AEuj2m\":\"Veranstaltungsstartseite\",\"Xe3XMd\":\"Das Ereignis ist nicht öffentlich sichtbar\",\"4pKXJS\":\"Veranstaltung ist öffentlich sichtbar\",\"ClwUUD\":\"Veranstaltungsort & Details zum Veranstaltungsort\",\"OopDbA\":\"Veranstaltungsseite\",\"4/If97\":\"Die Aktualisierung des Ereignisstatus ist fehlgeschlagen. Bitte versuchen Sie es später erneut\",\"btxLWj\":\"Veranstaltungsstatus aktualisiert\",\"nMU2d3\":\"Veranstaltungs-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\":\"Das Exportieren der Teilnehmer ist fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"2uGNuE\":\"Der Export der Bestellungen ist fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"d+KKMz\":\"Laden der Eincheckliste fehlgeschlagen\",\"ZQ15eN\":\"Ticket-E-Mail konnte nicht erneut gesendet werden\",\"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\":\"Zur Event-Homepage\",\"ebIDwV\":\"Google Kalender\",\"RUz8o/\":\"Bruttoverkäufe\",\"IgcAGN\":\"Bruttoumsatz\",\"yRg26W\":\"Bruttoumsatz\",\"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-Konferenz \",[\"0\"]],\"verBst\":\"Hi.Events Konferenzzentrum\",\"6eMEQO\":\"hi.events-Logo\",\"C4qOW8\":\"Vor der Öffentlichkeit verborgen\",\"gt3Xw9\":\"versteckte Frage\",\"g3rqFe\":\"versteckte Fragen\",\"k3dfFD\":\"Versteckte Fragen sind nur für den Veranstalter und nicht für den Kunden sichtbar.\",\"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\":\"Ich möchte mit einer Offline-Methode bezahlen\",\"SdFlIP\":\"Ich möchte mit einer Online-Methode (z. B. Kreditkarte) bezahlen\",\"93DUnd\":[\"Wenn keine neue Registerkarte geöffnet wurde, <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\":\"Bildabmessungen müssen zwischen 4000px und 4000px liegen. Mit einer maximalen Höhe von 4000px und einer maximalen Breite von 4000px\",\"uPEIvq\":\"Das Bild muss kleiner als 5 MB sein.\",\"AGZmwV\":\"Bild erfolgreich hochgeladen\",\"VyUuZb\":\"Bild-URL\",\"ibi52/\":\"Die Bildbreite muss mindestens 900 Pixel und die Höhe mindestens 50 Pixel betragen.\",\"NoNwIX\":\"Inaktiv\",\"T0K0yl\":\"Inaktive Benutzer können sich nicht anmelden.\",\"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\":\"Rückerstattung ausstellen\",\"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\":\"Familienname, Nachname\",\"tKCBU0\":\"Zuletzt verwendet\",\"tITjB1\":\"Erfahren Sie mehr über Stripe\",\"enV0g0\":\"Leer lassen, um das Standardwort \\\"Rechnung\\\" zu verwenden\",\"vR92Yn\":\"Beginnen wir mit der Erstellung Ihres ersten Organizers\",\"Z3FXyt\":\"Wird geladen...\",\"wJijgU\":\"Standort\",\"sQia9P\":\"Anmelden\",\"zUDyah\":\"Einloggen\",\"z0t9bb\":\"Anmelden\",\"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\":\"Verwalten Sie Ihre Stripe-Zahlungsdetails\",\"BfucwY\":\"Verwalten Sie Ihre Benutzer und deren Berechtigungen\",\"1m+YT2\":\"Bevor der Kunde zur Kasse gehen kann, müssen obligatorische Fragen beantwortet werden.\",\"Dim4LO\":\"Einen Teilnehmer manuell hinzufügen\",\"e4KdjJ\":\"Teilnehmer manuell hinzufügen\",\"vFjEnF\":\"Als bezahlt markieren\",\"g9dPPQ\":\"Maximal pro Bestellung\",\"l5OcwO\":\"Nachricht an Teilnehmer\",\"Gv5AMu\":\"Nachrichten an Teilnehmer senden\",\"oUCR3c\":\"Nachricht an Teilnehmer mit bestimmten Produkten senden\",\"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\":\"Der Name sollte weniger als 150 Zeichen lang sein\",\"AIUkyF\":\"Navigieren Sie zu Teilnehmer\",\"qqeAJM\":\"Niemals\",\"7vhWI8\":\"Neues Kennwort\",\"1UzENP\":\"NEIN\",\"eRblWH\":[\"Kein \",[\"0\"],\" verfügbar.\"],\"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\":\"Vor diesem Datum kann sich niemand mit dieser Liste einchecken\",\"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\":\"Keiner\",\"OJx3wK\":\"Nicht verfügbar\",\"Scbrsn\":\"Nicht im Angebot\",\"1DBGsz\":\"Notizen\",\"jtrY3S\":\"Noch nichts zu zeigen\",\"hFwWnI\":\"Benachrichtigungseinstellungen\",\"xXqEPO\":\"Käufer über Rückerstattung benachrichtigen\",\"YpN29s\":\"Veranstalter über neue Bestellungen benachrichtigen\",\"qeQhNj\":\"Jetzt erstellen wir Ihr erstes 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\":\"Anweisungen für Offline-Zahlungen\",\"+eZ7dp\":\"Offline-Zahlungen\",\"ojDQlR\":\"Informationen zu Offline-Zahlungen\",\"u5oO/W\":\"Einstellungen für Offline-Zahlungen\",\"2NPDz1\":\"Im Angebot\",\"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\":\"Eincheckseite ö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\":\"Befehl #\",\"B3gPuX\":\"Bestellung storniert\",\"SIbded\":\"Bestellung abgeschlossen\",\"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\":\"Hintergrundfarbe der Seite\",\"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\":\"Angetrieben von\",\"Rs7IQv\":\"Nachricht vor dem Checkout\",\"rdUucN\":\"Vorschau\",\"a7u1N9\":\"Preis\",\"CmoB9j\":\"Preisanzeigemodus\",\"BI7D9d\":\"Preis nicht festgelegt\",\"Q8PWaJ\":\"Preisstufen\",\"q6XHL1\":\"Preistyp\",\"6RmHKN\":\"Primärfarbe\",\"G/ZwV1\":\"Grundfarbe\",\"8cBtvm\":\"Primäre Textfarbe\",\"BZz12Q\":\"Drucken\",\"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\":\"verkaufte Produkte\",\"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\":\"Verkaufte Menge\",\"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\":\"Referenz\",\"gxFu7d\":[\"Rückerstattungsbetrag (\",[\"0\"],\")\"],\"WZbCR3\":\"Rückerstattung fehlgeschlagen\",\"n10yGu\":\"Rückerstattungsauftrag\",\"zPH6gp\":\"Rückerstattungsauftrag\",\"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\":\"Bestätigungsmail erneut senden\",\"lnrkNz\":\"E-Mail-Bestätigung erneut senden\",\"wIa8Qe\":\"Einladung erneut versenden\",\"VeKsnD\":\"Bestell-E-Mail erneut senden\",\"dFuEhO\":\"Ticket-E-Mail erneut senden\",\"o6+Y6d\":\"Erneut senden...\",\"OfhWJH\":\"Zurücksetzen\",\"RfwZxd\":\"Passwort zurücksetzen\",\"KbS2K9\":\"Passwort zurücksetzen\",\"e99fHm\":\"Veranstaltung wiederherstellen\",\"vtc20Z\":\"Zurück zur Veranstaltungsseite\",\"s8v9hq\":\"Zur Veranstaltungsseite zurückkehren\",\"8YBH95\":\"Einnahmen\",\"PO/sOY\":\"Einladung widerrufen\",\"GDvlUT\":\"Rolle\",\"ELa4O9\":\"Verkaufsende\",\"5uo5eP\":\"Der Verkauf ist beendet\",\"Qm5XkZ\":\"Verkaufsstartdatum\",\"hBsw5C\":\"Verkauf beendet\",\"kpAzPe\":\"Verkaufsstart\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Speichern\",\"IUwGEM\":\"Änderungen speichern\",\"U65fiW\":\"Organizer speichern\",\"UGT5vp\":\"Einstellungen speichern\",\"ovB7m2\":\"QR-Code scannen\",\"EEU0+z\":\"Scannen Sie diesen QR-Code, um auf die Veranstaltungsseite zuzugreifen oder teilen Sie ihn mit anderen\",\"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\":\"Sekundäre Farbe\",\"DnXcDK\":\"Sekundäre Farbe\",\"cZF6em\":\"Sekundäre Textfarbe\",\"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\":\"Auf Facebook teilen\",\"x7i6H+\":\"Auf LinkedIn teilen\",\"zziQd8\":\"Auf Pinterest teilen\",\"/TgBEk\":\"Auf Reddit teilen\",\"0Wlk5F\":\"Auf sozialen Medien teilen\",\"on+mNS\":\"Auf Telegram teilen\",\"PcmR+m\":\"Auf WhatsApp teilen\",\"/5b1iZ\":\"Auf X teilen\",\"n/T2KI\":\"Per E-Mail teilen\",\"8vETh9\":\"Zeigen\",\"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 schief gelaufen\",\"GRChTw\":\"Beim Löschen der Steuer oder Gebühr ist ein Fehler aufgetreten\",\"YHFrbe\":\"Etwas ist schief gelaufen. Bitte versuche es erneut\",\"kf83Ld\":\"Etwas ist schief gelaufen.\",\"fWsBTs\":\"Etwas ist schief gelaufen. Bitte versuche es erneut.\",\"F6YahU\":\"Es ist leider ein Fehler aufgetreten. Bitte starten Sie den Bezahlvorgang erneut.\",\"KWgppI\":\"Entschuldigen Sie, beim Laden dieser Seite ist ein Fehler aufgetreten.\",\"/TCOIK\":\"Entschuldigung, diese Bestellung existiert nicht mehr.\",\"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\":\"Diese Beschreibung wird dem Eincheckpersonal angezeigt\",\"MLTkH7\":\"Diese E-Mail hat keinen Werbezweck und steht in direktem Zusammenhang mit der Veranstaltung.\",\"2eIpBM\":\"Dieses Event ist momentan nicht verfügbar. Bitte versuchen Sie es später noch einmal.\",\"Z6LdQU\":\"Dieses Event ist nicht verfügbar.\",\"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\":\"Diese Liste wird nach diesem Datum nicht mehr für Eincheckungen verfügbar sein\",\"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\":\"Diese Bestellung wurde storniert\",\"YyEJij\":\"Diese Bestellung wurde storniert.\",\"Q0zd4P\":\"Diese Bestellung ist abgelaufen. Bitte erneut beginnen.\",\"HILpDX\":\"Diese Bestellung wartet auf Zahlung\",\"BdYtn9\":\"Diese Bestellung ist abgeschlossen\",\"e3uMJH\":\"Diese Bestellung ist abgeschlossen.\",\"YNKXOK\":\"Diese Bestellung wird bearbeitet.\",\"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\":\"Dieses Produkt ist vor der öffentlichen Ansicht verborgen\",\"Y/x1MZ\":\"Dieses Produkt ist verborgen, es sei denn, es wird von einem Promo-Code anvisiert\",\"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\":\"Titel\",\"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+\":\"Verbleibender Gesamtbetrag\",\"/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\":\"Cover hochladen\",\"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\":\"Bestell Details ansehen\",\"QIWCnW\":\"VIP-Eincheckliste\",\"tF+VVr\":\"VIP-Ticket\",\"2q/Q7x\":\"Sichtweite\",\"vmOFL/\":\"Wir konnten Ihre Zahlung nicht verarbeiten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\",\"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.\",\"VGioT0\":\"Wir empfehlen Abmessungen von 2160 x 1080 Pixel und eine maximale Dateigröße von 5 MB.\",\"b9UB/w\":\"Wir verwenden Stripe zur Zahlungsabwicklung. Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen.\",\"01WH0a\":\"Wir konnten Ihre Zahlung nicht bestätigen. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\",\"Gspam9\":\"Wir bearbeiten Ihre Bestellung. Bitte warten...\",\"LuY52w\":\"Willkommen an Bord! Bitte melden Sie sich an, um fortzufahren.\",\"dVxpp5\":[\"Willkommen zurück\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Willkommen bei Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Was sind gestufte Produkte?\",\"f1jUC0\":\"An welchem Datum soll diese Eincheckliste aktiv werden?\",\"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\":\"Wann soll diese Eincheckliste ablaufen?\",\"FVetkT\":\"Welche Tickets sollen mit dieser Eincheckliste verknüpft werden?\",\"S+OdxP\":\"Wer organisiert diese Veranstaltung?\",\"LINr2M\":\"An wen ist diese Nachricht gerichtet?\",\"nWhye/\":\"Wem sollte diese Frage gestellt werden?\",\"VxFvXQ\":\"Widget einbetten\",\"v1P7Gm\":\"Widget-Einstellungen\",\"b4itZn\":\"Arbeiten\",\"hqmXmc\":\"Arbeiten...\",\"+G/XiQ\":\"Seit Jahresbeginn\",\"l75CjT\":\"Ja\",\"QcwyCh\":\"Ja, entfernen\",\"ySeBKv\":\"Sie haben dieses Ticket bereits gescannt\",\"P+Sty0\":[\"Sie ändern Ihre E-Mail zu <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Sie sind offline\",\"sdB7+6\":\"Sie können einen Promo-Code erstellen, der sich auf dieses Produkt richtet auf der\",\"KRhIxT\":\"Sie können jetzt Zahlungen über Stripe empfangen.\",\"Gnjf3o\":\"Sie können den Produkttyp nicht ändern, da Teilnehmer mit diesem Produkt verknüpft sind.\",\"S+on7c\":\"Sie können Teilnehmer mit unbezahlten Bestellungen nicht einchecken.\",\"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\":\"Sie haben keine Berechtigung, auf diese Seite zuzugreifen\",\"BRArmD\":\"Sie haben Zugriff auf mehrere Konten. Bitte wählen Sie eines aus, um fortzufahren.\",\"Z6q0Vl\":\"Sie haben diese Einladung bereits angenommen. Bitte melden Sie sich an, um fortzufahren.\",\"rdk1xK\":\"Sie haben Ihr Stripe-Konto verbunden\",\"ofEncr\":\"Sie haben keine Teilnehmerfragen.\",\"CoZHDB\":\"Sie haben keine Bestellfragen.\",\"15qAvl\":\"Sie haben keine ausstehende E-Mail-Änderung.\",\"n81Qk8\":\"Sie haben die Einrichtung von Stripe Connect noch nicht abgeschlossen\",\"jxsiqJ\":\"Sie haben Ihr Stripe-Konto nicht verbunden\",\"+FWjhR\":\"Die Zeit für die Bestellung ist abgelaufen.\",\"MycdJN\":\"Sie haben Steuern und Gebühren zu einem kostenlosen Produkt hinzugefügt. Möchten Sie sie entfernen oder verbergen?\",\"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\":\"Sie müssen Ihre E-Mail-Adresse bestätigen, bevor Ihre Veranstaltung live gehen kann.\",\"H35u3n\":\"Sie müssen ein Ticket erstellen, bevor Sie einen Teilnehmer manuell hinzufügen können.\",\"jE4Z8R\":\"Sie müssen mindestens eine Preisstufe haben\",\"8/eLoa\":\"Sie müssen Ihr Konto verifizieren, bevor Sie Nachrichten senden können.\",\"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\":[\"Du gehst zu \",[\"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\":\"Ihre Bestellung wartet auf Zahlung 🏦\",\"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\":\"Ihr Produkt für\",\"cJ4Y4R\":\"Ihre Rückerstattung wird bearbeitet.\",\"IFHV2p\":\"Ihr Ticket für\",\"x1PPdr\":\"Postleitzahl\",\"BM/KQm\":\"Postleitzahl\",\"+LtVBt\":\"Postleitzahl\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" aktive Webhooks\"],\"tmew5X\":[[\"0\"],\" eingecheckt\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" Ereignisse\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>Die Anzahl der verfügbaren Tickets für dieses Ticket<1>Dieser Wert kann überschrieben werden, wenn diesem Ticket <2>Kapazitätsgrenzen zugewiesen sind.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Tickets hinzufügen\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 aktiver Webhook\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Auf alle neuen Tickets wird automatisch ein Standard-\",[\"type\"],\" angewendet. Sie können dies für jedes Ticket einzeln überschreiben.\"],\"Pgaiuj\":\"Ein fester Betrag pro Ticket. Z. B. 0,50 € pro Ticket\",\"ySO/4f\":\"Ein Prozentsatz des Ticketpreises. Beispiel: 3,5 % des Ticketpreises\",\"WXeXGB\":\"Mit einem Promo-Code ohne Rabatt können versteckte Tickets freigeschaltet werden.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Eine einzelne Frage pro Teilnehmer. Z. B.: „Was ist Ihr Lieblingsessen?“\",\"ap3v36\":\"Eine einzige Frage pro Bestellung. Z. B.: Wie lautet der Name Ihres Unternehmens?\",\"uyJsf6\":\"Über\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Über Stripe Connect\",\"VTfZPy\":\"Zugriff verweigert\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Hinzufügen\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Weitere Tickets hinzufügen\",\"BGD9Yt\":\"Tickets hinzufügen\",\"QN2F+7\":\"Webhook hinzufügen\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Mitgliedsorganisationen\",\"gKq1fa\":\"Alle Teilnehmer\",\"QsYjci\":\"Alle Veranstaltungen\",\"/twVAS\":\"Alle Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"Beim Sortieren der Tickets ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder aktualisieren Sie die Seite\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Eine Veranstaltung ist das Treffen oder Ereignis, das Sie organisieren. Sie können später weitere Details hinzufügen.\",\"j4DliD\":\"Alle Anfragen von Ticketinhabern werden an diese E-Mail-Adresse gesendet. Diese wird auch als „Antwortadresse“ für alle E-Mails verwendet, die von dieser Veranstaltung gesendet werden.\",\"epTbAK\":[\"Gilt für \",[\"0\"],\" Tickets\"],\"6MkQ2P\":\"Gilt für 1 Ticket\",\"jcnZEw\":[\"Wenden Sie diesen \",[\"type\"],\" auf alle neuen Tickets an\"],\"Dy+k4r\":\"Sind Sie sicher, dass Sie diesen Teilnehmer stornieren möchten? Dies macht sein Produkt ungültig\",\"5H3Z78\":\"Bist du sicher, dass du diesen Webhook löschen möchtest?\",\"2xEpch\":\"Einmal pro Teilnehmer fragen\",\"F2rX0R\":\"Mindestens ein Ereignistyp muss ausgewählt werden\",\"AJ4rvK\":\"Teilnehmer storniert\",\"qvylEK\":\"Teilnehmer erstellt\",\"Xc2I+v\":\"Teilnehmerverwaltung\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Teilnehmer aktualisiert\",\"k3Tngl\":\"Teilnehmer exportiert\",\"5UbY+B\":\"Teilnehmer mit einem bestimmten Ticket\",\"kShOaz\":\"Automatisierter Arbeitsablauf\",\"VPoeAx\":\"Automatisierte Einlassverwaltung mit mehreren Check-in-Listen und Echtzeitvalidierung\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Durchschn. Rabatt/Bestellung\",\"sGUsYa\":\"Durchschn. Bestellwert\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Grundlegende Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Beginnen Sie in wenigen Minuten mit dem Ticketverkauf\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Markenkontrolle\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Abgesagt\",\"Ud7zwq\":\"Durch die Stornierung werden alle mit dieser Bestellung verbundenen Tickets storniert und die Tickets werden wieder in den verfügbaren Pool freigegeben.\",\"QndF4b\":\"einchecken\",\"9FVFym\":\"Kasse\",\"Y3FYXy\":\"Einchecken\",\"udRwQs\":\"Check-in erstellt\",\"F4SRy3\":\"Check-in gelöscht\",\"rfeicl\":\"Erfolgreich eingecheckt\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinesisch\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"Dieses Ticket beim ersten Laden der Veranstaltungsseite minimieren\",\"/sZIOR\":\"Vollständiger Shop\",\"7D9MJz\":\"Stripe-Einrichtung abschließen\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Verbindungsdokumentation\",\"MOUF31\":\"Verbinden Sie sich mit dem CRM und automatisieren Sie Aufgaben mit Webhooks und Integrationen\",\"/3017M\":\"Mit Stripe verbunden\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Support kontaktieren\",\"nBGbqc\":\"Kontaktieren Sie uns, um Nachrichten zu aktivieren\",\"RGVUUI\":\"Weiter zur Zahlung\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Erstellen und personalisieren Sie Ihre Veranstaltungsseite sofort\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Ticket erstellen\",\"agZ87r\":\"Erstellen Sie Tickets für Ihre Veranstaltung, legen Sie Preise fest und verwalten Sie die verfügbare Menge.\",\"dkAPxi\":\"Webhook erstellen\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Passen Sie Ihre Veranstaltungsseite und das Widget-Design perfekt an Ihre Marke an\",\"zgCHnE\":\"Täglicher Verkaufsbericht\",\"nHm0AI\":\"Aufschlüsselung der täglichen Verkäufe, Steuern und Gebühren\",\"PqrqgF\":\"Tag eins Eincheckliste\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Ticket löschen\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Webhook löschen\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Deaktivieren Sie diese Kapazität, um Kapazitäten zu verfolgen, ohne den Produktverkauf zu stoppen\",\"Tgg8XQ\":\"Deaktivieren Sie diese Kapazitätsverfolgung ohne den Ticketverkauf zu stoppen\",\"TvY/XA\":\"Dokumentation\",\"dYskfr\":\"Existiert nicht\",\"V6Jjbr\":\"Sie haben kein Konto? <0>Registrieren\",\"4+aC/x\":\"Spende / Bezahlen Sie, was Sie möchten Ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Zum Sortieren ziehen\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Produkt duplizieren\",\"Wt9eV8\":\"Tickets duplizieren\",\"4xK5y2\":\"Webhooks duplizieren\",\"kNGp1D\":\"Teilnehmer bearbeiten\",\"t2bbp8\":\"Teilnehmer bearbeiten\",\"d+nnyk\":\"Ticket bearbeiten\",\"fW5sSv\":\"Webhook bearbeiten\",\"nP7CdQ\":\"Webhook bearbeiten\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Aktivieren Sie diese Kapazität, um den Ticketverkauf zu stoppen, wenn das Limit erreicht ist\",\"RxzN1M\":\"Aktiviert\",\"LslKhj\":\"Fehler beim Laden der Protokolle\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Veranstaltung nicht verfügbar\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Ereignistypen\",\"jtrqH9\":\"Teilnehmer werden exportiert\",\"UlAK8E\":\"Bestellungen werden exportiert\",\"Jjw03p\":\"Fehler beim Export der Teilnehmer\",\"ZPwFnN\":\"Fehler beim Export der Bestellungen\",\"X4o0MX\":\"Webhook konnte nicht geladen werden\",\"10XEC9\":\"Produkt-E-Mail konnte nicht erneut gesendet werden\",\"YirHq7\":\"Rückmeldung\",\"T4BMxU\":\"Gebühren können sich ändern. Du wirst über Änderungen deiner Gebührenstruktur benachrichtigt.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Feste Gebühr:\",\"KgxI80\":\"Flexibles Ticketing\",\"/4rQr+\":\"Freikarten\",\"01my8x\":\"Kostenloses Ticket, keine Zahlungsinformationen erforderlich\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Starten Sie kostenlos, keine Abonnementgebühren\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Gehe zu Hi.Events\",\"Lek3cJ\":\"Zum Stripe-Dashboard\",\"GNJ1kd\":\"Hilfe & Support\",\"spMR9y\":\"Hi.Events erhebt Plattformgebühren zur Wartung und Verbesserung unserer Dienste. Diese Gebühren werden automatisch von jeder Transaktion abgezogen.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"Dieses Ticket vor Kunden verbergen\",\"Fhzoa8\":\"Ticket nach Verkaufsende verbergen\",\"yhm3J/\":\"Ticket vor Verkaufsbeginn verbergen\",\"k7/oGT\":\"Ticket verbergen, sofern der Benutzer nicht über einen gültigen Aktionscode verfügt\",\"L0ZOiu\":\"Ticket bei Ausverkauf verbergen\",\"uno73L\":\"Wenn Sie ein Ticket ausblenden, können Benutzer es nicht auf der Veranstaltungsseite sehen.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Wenn leer, wird die Adresse verwendet, um einen Google-Kartenlink zu generieren.\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Die Bildabmessungen müssen zwischen 3000px und 2000px liegen. Mit einer maximalen Höhe von 2000px und einer maximalen Breite von 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Fügen Sie Verbindungsdetails für Ihre Online-Veranstaltung hinzu. Diese Details werden auf der Bestellzusammenfassungsseite und der Teilnehmerproduktseite angezeigt.\",\"evpD4c\":\"Fügen Sie Verbindungsdetails für Ihre Online-Veranstaltung hinzu. Diese Details werden auf der Bestellübersichtsseite und der Teilnehmerticketseite angezeigt.\",\"AXTNr8\":[\"Enthält \",[\"0\"],\" Tickets\"],\"7/Rzoe\":\"Enthält 1 Ticket\",\"F1Xp97\":\"Einzelne Teilnehmer\",\"nbfdhU\":\"Integrationen\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Letzte Antwort\",\"gw3Ur5\":\"Zuletzt ausgelöst\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Webhooks werden geladen\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Produkte verwalten\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Verwalten Sie Steuern und Gebühren, die auf Ihre Tickets erhoben werden können\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Verwalten Sie Ihre Zahlungsabwicklung und sehen Sie die Plattformgebühren ein\",\"lzcrX3\":\"Durch manuelles Hinzufügen eines Teilnehmers wird die Ticketanzahl angepasst.\",\"1jRD0v\":\"Teilnehmer mit bestimmten Tickets benachrichtigen\",\"97QrnA\":\"Kommunizieren Sie mit Teilnehmern, verwalten Sie Bestellungen und bearbeiten Sie Rückerstattungen an einem Ort\",\"0/yJtP\":\"Nachricht an Bestelleigentümer mit bestimmten Produkten senden\",\"tccUcA\":\"Mobiler Check-in\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Mehrere Preisoptionen. Perfekt für Frühbuchertickets usw.\",\"m920rF\":\"New York\",\"074+X8\":\"Keine aktiven Webhooks\",\"6r9SGl\":\"Keine Kreditkarte erforderlich\",\"Z6ILSe\":\"Keine Veranstaltungen für diesen Veranstalter\",\"XZkeaI\":\"Keine Protokolle gefunden\",\"zK/+ef\":\"Keine Produkte zur Auswahl verfügbar\",\"q91DKx\":\"Dieser Teilnehmer hat keine Fragen beantwortet.\",\"QoAi8D\":\"Keine Antwort\",\"EK/G11\":\"Noch keine Antworten\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Keine Tickets vorzeigen\",\"n5vdm2\":\"Für diesen Endpunkt wurden noch keine Webhook-Ereignisse aufgezeichnet. Ereignisse werden hier angezeigt, sobald sie ausgelöst werden.\",\"4GhX3c\":\"Keine Webhooks\",\"x5+Lcz\":\"Nicht eingecheckt\",\"+P/tII\":\"Sobald Sie bereit sind, schalten Sie Ihre Veranstaltung live und beginnen Sie mit dem Ticketverkauf.\",\"bU7oUm\":\"Nur an Bestellungen mit diesen Status senden\",\"ppuQR4\":\"Bestellung erstellt\",\"L4kzeZ\":[\"Bestelldetails \",[\"0\"]],\"vu6Arl\":\"Bestellung als bezahlt markiert\",\"FaPYw+\":\"Bestelleigentümer\",\"eB5vce\":\"Bestelleigentümer mit einem bestimmten Produkt\",\"CxLoxM\":\"Bestelleigentümer mit Produkten\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Bestellung erstattet\",\"6eSHqs\":\"Bestellstatus\",\"e7eZuA\":\"Bestellung aktualisiert\",\"mz+c33\":\"Erstellte Aufträge\",\"5It1cQ\":\"Bestellungen exportiert\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Organisatoren können nur Events und Tickets verwalten. Sie können keine Benutzer, Kontoeinstellungen oder Rechnungsinformationen verwalten.\",\"2w/FiJ\":\"Bezahltes Ticket\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Pausiert\",\"TskrJ8\":\"Zahlung & Plan\",\"EyE8E6\":\"Zahlungsabwicklung\",\"vcyz2L\":\"Zahlungseinstellungen\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Bestellung aufgeben\",\"br3Y/y\":\"Plattformgebühren\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Bitte geben Sie eine gültige URL ein\",\"MA04r/\":\"Bitte entfernen Sie die Filter und stellen Sie die Sortierung auf \\\"Startseite-Reihenfolge\\\", um die Sortierung zu aktivieren\",\"yygcoG\":\"Bitte wählen Sie mindestens ein Ticket aus\",\"fuwKpE\":\"Bitte versuchen Sie es erneut.\",\"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...\",\"R7+D0/\":\"Portugiesisch (Brasilien)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Unterstützt durch Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"Produkt\",\"EWCLpZ\":\"Produkt erstellt\",\"XkFYVB\":\"Produkt gelöscht\",\"0dzBGg\":\"Produkt-E-Mail wurde an den Teilnehmer erneut gesendet\",\"YMwcbR\":\"Produktverkäufe, Einnahmen und Steueraufschlüsselung\",\"ldVIlB\":\"Produkt aktualisiert\",\"mIqT3T\":\"Produkte, Waren und flexible Preisoptionen\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Gutscheincode\",\"k3wH7i\":\"Nutzung von Rabattcodes und Rabattaufschlüsselung\",\"812gwg\":\"Lizenz kaufen\",\"YwNJAq\":\"QR-Code-Scanning mit sofortigem Feedback und sicherem Teilen für den Mitarbeiterzugang\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Produkt-E-Mail erneut senden\",\"slOprG\":\"Setzen Sie Ihr Passwort zurück\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Suche nach Namen, Bestellnummer, Teilnehmernummer oder E-Mail ...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Suche nach Ticketnamen...\",\"j9cPeF\":\"Ereignistypen auswählen\",\"XH5juP\":\"Ticketstufe auswählen\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Wählen Sie aus, welche Ereignisse diesen Webhook auslösen\",\"VtX8nW\":\"Verkaufen Sie Waren zusammen mit Tickets mit integrierter Steuer- und Rabattcode-Unterstützung\",\"Cye3uV\":\"Verkaufen Sie mehr als nur Tickets\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Bestellbestätigung und Produkt-E-Mail senden\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Einrichtung in Minuten\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Verfügbare Ticketanzahl anzeigen\",\"j3b+OW\":\"Wird dem Kunden nach dem Bezahlvorgang auf der Bestellübersichtsseite angezeigt\",\"v6IwHE\":\"Intelligentes Einchecken\",\"J9xKh8\":\"Intelligentes Dashboard\",\"KTxc6k\":\"Etwas ist schiefgelaufen. Bitte versuchen Sie es erneut oder kontaktieren Sie den Support, falls das Problem weiterhin besteht.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Leider ist Ihre Bestellung abgelaufen. Bitte starten Sie eine neue Bestellung.\",\"a4SyEE\":\"Die Sortierung ist deaktiviert, während Filter und Sortierung angewendet werden\",\"4nG1lG\":\"Standardticket zum Festpreis\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Erfolgreich geprüft <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Ticket erfolgreich erstellt\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Produkt erfolgreich dupliziert\",\"g2lRrH\":\"Ticket erfolgreich aktualisiert\",\"kj7zYe\":\"Webhook erfolgreich aktualisiert\",\"5gIl+x\":\"Unterstützung für gestaffelte, spendenbasierte und Produktverkäufe mit anpassbaren Preisen und Kapazitäten\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"tXadb0\":\"Die gesuchte Veranstaltung ist derzeit nicht verfügbar. Sie wurde möglicherweise entfernt, ist abgelaufen oder die URL ist falsch.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"Die maximale Anzahl von Tickets für \",[\"0\"],\" ist \",[\"1\"]],\"FeAfXO\":[\"Die maximale Anzahl an Tickets für Generäle beträgt \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Die Steuern und Gebühren, die auf dieses Ticket angewendet werden sollen. Sie können neue Steuern und Gebühren auf der\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Für diese Veranstaltung sind keine Tickets verfügbar\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Dadurch werden alle Sichtbarkeitseinstellungen überschrieben und das Ticket wird vor allen Kunden verborgen.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Dieses Ticket kann nicht gelöscht werden, da es\\nmit einer Bestellung verknüpft ist. Sie können es stattdessen ausblenden.\",\"ma6qdu\":\"Dieses Ticket ist nicht öffentlich sichtbar.\",\"xJ8nzj\":\"Dieses Ticket ist ausgeblendet, sofern es nicht durch einen Promo-Code angesprochen wird.\",\"KosivG\":\"Ticket erfolgreich gelöscht\",\"HGuXjF\":\"Ticketinhaber\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticketverkauf\",\"NirIiz\":\"Ticketstufe\",\"8jLPgH\":\"Art des Tickets\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket-Widget-Vorschau\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Eintrittskarte(n)\",\"6GQNLE\":\"Tickets\",\"ikA//P\":\"verkaufte Tickets\",\"i+idBz\":\"Verkaufte Tickets\",\"AGRilS\":\"Verkaufte Tickets\",\"56Qw2C\":\"Tickets erfolgreich sortiert\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Stufenticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Mit gestaffelten Tickets können Sie mehrere Preisoptionen für dasselbe Ticket anbieten.\\nDas ist ideal für Frühbuchertickets oder das Anbieten unterschiedlicher Preisoptionen\\nfür unterschiedliche Personengruppen.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"BZBYf3\":\"Um Kreditkartenzahlungen zu empfangen, musst du dein Stripe-Konto verbinden. Stripe ist unser Zahlungsabwicklungspartner, der sichere Transaktionen und pünktliche Auszahlungen gewährleistet.\",\"/b6Z1R\":\"Verfolgen Sie Einnahmen, Seitenaufrufe und Verkäufe mit detaillierten Analysen und exportierbaren Berichten\",\"OpKMSn\":\"Transaktionsgebühr:\",\"mLGbAS\":[\"Teilnehmer \",[\"0\"],\" konnte nicht ausgewählt werden\"],\"nNdxt9\":\"Ticket konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"IrVSu+\":\"Produkt konnte nicht dupliziert werden. Bitte überprüfen Sie Ihre Angaben\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL ist erforderlich\",\"fROFIL\":\"Vietnamesisch\",\"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.\",\"AM+zF3\":\"Teilnehmer anzeigen\",\"e4mhwd\":\"Zur Event-Homepage\",\"n6EaWL\":\"Protokolle anzeigen\",\"AMkkeL\":\"Bestellung anzeigen\",\"MXm9nr\":\"VIP-Produkt\",\"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\",\"jupD+L\":\"Willkommen zurück 👋\",\"je8QQT\":\"Willkommen bei Hi.Events 👋\",\"wjqPqF\":\"Was sind Stufentickets?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"Was ist ein Webhook?\",\"MhhnvW\":\"Für welche Tickets gilt dieser Code? (Gilt standardmäßig für alle)\",\"dCil3h\":\"Auf welche Tickets soll sich diese Frage beziehen?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Sie können einen Promo-Code erstellen, der auf dieses Ticket abzielt, auf der\",\"UqVaVO\":\"Sie können den Tickettyp nicht ändern, da diesem Ticket Teilnehmer zugeordnet sind.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Sie können diese Preisstufe nicht löschen, da für diese Stufe bereits Tickets verkauft wurden. Sie können sie stattdessen ausblenden.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Sie haben Steuern und Gebühren zu einem kostenlosen Produkt hinzugefügt. Möchten Sie diese entfernen?\",\"183zcL\":\"Sie haben Steuern und Gebühren zu einem Freiticket hinzugefügt. Möchten Sie diese entfernen oder unkenntlich machen?\",\"2v5MI1\":\"Sie haben noch keine Nachrichten gesendet. Sie können Nachrichten an alle Teilnehmer oder an bestimmte Ticketinhaber senden.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Sie müssen Ihre Konto-E-Mail-Adresse verifizieren, bevor Sie Nachrichten senden können.\",\"8QNzin\":\"Sie benötigen ein Ticket, bevor Sie eine Kapazitätszuweisung erstellen können.\",\"WHXRMI\":\"Sie benötigen mindestens ein Ticket, um loslegen zu können. Kostenlos, kostenpflichtig oder der Benutzer kann selbst entscheiden, was er bezahlen möchte.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Deine Teilnehmer wurden erfolgreich exportiert.\",\"nBqgQb\":\"Ihre E-Mail\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Deine Bestellungen wurden erfolgreich exportiert.\",\"vvO1I2\":\"Ihr Stripe-Konto ist verbunden und bereit zur Zahlungsabwicklung.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"Aufgrund eines hohen Spam-Risikos ist eine manuelle Überprüfung erforderlich, bevor Sie Nachrichten senden können.\\nBitte kontaktieren Sie uns, um Zugriff anzufordern.\",\"8XAE7n\":\"Wenn Sie ein Konto bei uns haben, erhalten Sie eine E-Mail mit Anweisungen zum Zurücksetzen Ihres Passworts.\"}")}; \ 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 Veranstaltungen\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" eingecheckt\"],\"Vjij1k\":[[\"days\"],\" Tage, \",[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"f3RdEk\":[[\"hours\"],\" Stunden, \",[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"fyE7Au\":[[\"Minuten\"],\" Minuten und \",[\"Sekunden\"],\" Sekunden\"],\"NlQ0cx\":[\"Erste Veranstaltung von \",[\"organizerName\"]],\"Ul6IgC\":\"<0>Kapazitätszuweisungen ermöglichen es Ihnen, die Kapazität über Tickets oder ein ganzes Ereignis zu verwalten. Ideal für mehrtägige Veranstaltungen, Workshops und mehr, bei denen die Kontrolle der Teilnehmerzahl entscheidend ist.<1>Beispielsweise können Sie eine Kapazitätszuweisung mit einem <2>Tag Eins und einem <3>Alle Tage-Ticket verknüpfen. Sobald die Kapazität erreicht ist, werden beide Tickets automatisch nicht mehr zum Verkauf angeboten.\",\"Exjbj7\":\"<0>Einchecklisten helfen, den Eintritt der Teilnehmer zu verwalten. Sie können mehrere Tickets mit einer Eincheckliste verknüpfen und sicherstellen, dass nur Personen mit gültigen Tickets eintreten können.\",\"OXku3b\":\"<0>https://Ihre-website.com\",\"qnSLLW\":\"<0>Bitte geben Sie den Preis ohne Steuern und Gebühren ein.<1>Steuern und Gebühren können unten hinzugefügt werden.\",\"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\":\"✉️ Bestätigen Sie Ihre E-Mail-Adresse\",\"BN0OQd\":\"🎉 Herzlichen Glückwunsch zur Erstellung einer Veranstaltung!\",\"4kSf7w\":\"🎟️ Produkte hinzufügen\",\"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\":\"01.01.2024 10:00\",\"Q/T49U\":\"01.01.2024 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\":\"Über die Veranstaltung\",\"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\":\"Fügen Sie Ereignisdetails hinzu und verwalten Sie die Ereigniseinstellungen.\",\"OveehC\":\"Fügen Sie Anweisungen für Offline-Zahlungen hinzu (z. B. Überweisungsdetails, wo Schecks hingeschickt werden sollen, Zahlungsfristen)\",\"LTVoRa\":\"Weitere Produkte hinzufügen\",\"ApsD9J\":\"Neue hinzufügen\",\"TZxnm8\":\"Option hinzufügen\",\"24l4x6\":\"Produkt hinzufügen\",\"8q0EdE\":\"Produkt zur Kategorie hinzufügen\",\"YvCknQ\":\"Produkte hinzufügen\",\"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\":\"Zusatzoptionen\",\"Du6bPw\":\"Adresse\",\"NY/x1b\":\"Anschrift Zeile 1\",\"POdIrN\":\"Anschrift Zeile 1\",\"cormHa\":\"Adresszeile 2\",\"gwk5gg\":\"Adresszeile 2\",\"U3pytU\":\"Administrator\",\"HLDaLi\":\"Administratorbenutzer haben vollständigen Zugriff auf Ereignisse und Kontoeinstellungen.\",\"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\":\"Fast geschafft! Wir warten nur darauf, dass Ihre Zahlung bearbeitet wird. Dies sollte nur ein paar Sekunden dauern.\",\"ApOYO8\":\"Erstaunlich, Ereignis, Schlüsselwörter...\",\"hehnjM\":\"Menge\",\"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\":\"Ein Event ist die eigentliche Veranstaltung, die Sie veranstalten. Sie können später weitere Details hinzufügen.\",\"oBkF+i\":\"Ein Veranstalter ist das Unternehmen oder die Person, die die Veranstaltung ausrichtet.\",\"W5A0Ly\":\"Ein unerwarteter Fehler ist aufgetreten.\",\"byKna+\":\"Ein unerwarteter Fehler ist aufgetreten. Bitte versuchen Sie es erneut.\",\"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\":\"Archivierte Veranstaltungen\",\"q7TRd7\":\"Möchten Sie diesen Teilnehmer wirklich aktivieren?\",\"TvkW9+\":\"Sind Sie sicher, dass Sie diese Veranstaltung archivieren möchten?\",\"/CV2x+\":\"Möchten Sie diesen Teilnehmer wirklich stornieren? Dadurch wird sein Ticket ungültig.\",\"YgRSEE\":\"Möchten Sie diesen Aktionscode wirklich löschen?\",\"iU234U\":\"Möchten Sie diese Frage wirklich löschen?\",\"CMyVEK\":\"Möchten Sie diese Veranstaltung wirklich als Entwurf speichern? Dadurch wird die Veranstaltung für die Öffentlichkeit unsichtbar.\",\"mEHQ8I\":\"Möchten Sie diese Veranstaltung wirklich öffentlich machen? Dadurch wird die Veranstaltung für die Öffentlichkeit sichtbar\",\"s4JozW\":\"Sind Sie sicher, dass Sie diese Veranstaltung wiederherstellen möchten? Es wird als Entwurf wiederhergestellt.\",\"vJuISq\":\"Sind Sie sicher, dass Sie diese Kapazitätszuweisung löschen möchten?\",\"baHeCz\":\"Möchten Sie diese Eincheckliste wirklich löschen?\",\"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\":\"Teilnehmer mit einem bestimmten Produkt\",\"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\":\"Tolles Event\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Zurück zu allen Events\",\"A302fe\":\"Zurück zur Veranstaltungsseite\",\"VCoEm+\":\"Zurück zur Anmeldung\",\"k1bLf+\":\"Hintergrundfarbe\",\"I7xjqg\":\"Hintergrundtyp\",\"1mwMl+\":\"Bevor Sie versenden!\",\"/yeZ20\":\"Bevor Ihre Veranstaltung live gehen kann, müssen Sie einige Dinge erledigen.\",\"ze6ETw\":\"Beginnen Sie in wenigen Minuten mit dem Verkauf von Produkten\",\"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\":\"Stornieren\",\"Gjt/py\":\"E-Mail-Änderung abbrechen\",\"tVJk4q\":\"Bestellung stornieren\",\"Os6n2a\":\"Bestellung stornieren\",\"Mz7Ygx\":[\"Bestellung stornieren \",[\"0\"]],\"3tTjpi\":\"Das Stornieren wird alle mit dieser Bestellung verbundenen Produkte stornieren und die Produkte wieder in den verfügbaren Bestand zurückgeben.\",\"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\":\"Cover ändern\",\"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\":\"Eincheckliste erfolgreich erstellt\",\"+CeSxK\":\"Eincheckliste erfolgreich gelöscht\",\"+hBhWk\":\"Die Eincheckliste ist abgelaufen\",\"mBsBHq\":\"Die Eincheckliste ist nicht aktiv\",\"vPqpQG\":\"Eincheckliste nicht gefunden\",\"tejfAy\":\"Einchecklisten\",\"hD1ocH\":\"Eincheck-URL in die Zwischenablage kopiert\",\"CNafaC\":\"Kontrollkästchenoptionen ermöglichen Mehrfachauswahl\",\"SpabVf\":\"Kontrollkästchen\",\"CRu4lK\":\"Eingecheckt\",\"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\":\"klicken Sie hier\",\"sby+1/\":\"Zum Kopieren klicken\",\"yz7wBu\":\"Schließen\",\"62Ciis\":\"Sidebar schließen\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Der Code muss zwischen 3 und 50 Zeichen lang sein\",\"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\":\"Jetzt bezahlen\",\"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\":\"Hintergrundfarbe des Inhalts\",\"xGVfLh\":\"Weitermachen\",\"X++RMT\":\"Text der Schaltfläche „Weiter“\",\"AfNRFG\":\"Text der Schaltfläche „Weiter“\",\"lIbwvN\":\"Mit der Ereigniseinrichtung fortfahren\",\"HB22j9\":\"Weiter einrichten\",\"bZEa4H\":\"Mit der Einrichtung von Stripe Connect fortfahren\",\"6V3Ea3\":\"Kopiert\",\"T5rdis\":\"in die Zwischenablage kopiert\",\"he3ygx\":\"Kopieren\",\"r2B2P8\":\"Eincheck-URL kopieren\",\"8+cOrS\":\"Details auf alle Teilnehmer anwenden\",\"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\":\"Erstellen Sie Produkte für Ihre Veranstaltung, legen Sie Preise fest und verwalten Sie die verfügbare Menge.\",\"sYpiZP\":\"Promo-Code erstellen\",\"B3Mkdt\":\"Frage erstellen\",\"UKfi21\":\"Steuer oder Gebühr erstellen\",\"d+F6q9\":\"Erstellt\",\"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 & Uhrzeit\",\"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\":\"Cover löschen\",\"KWa0gi\":\"Lösche Bild\",\"1l14WA\":\"Produkt löschen\",\"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\":\"Zurückweisen\",\"DZlSLn\":\"Dokumentenbeschriftung\",\"cVq+ga\":\"Sie haben noch kein Konto? <0>Registrieren\",\"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\":\"Ziehen und ablegen oder klicken\",\"CfKofC\":\"Dropdown-Auswahl\",\"JzLDvy\":\"Duplizieren Sie Kapazitätszuweisungen\",\"ulMxl+\":\"Duplizieren Sie Check-in-Listen\",\"vi8Q/5\":\"Ereignis duplizieren\",\"3ogkAk\":\"Ereignis duplizieren\",\"Yu6m6X\":\"Duplizieren Sie das Titelbild des Ereignisses\",\"+fA4C7\":\"Optionen duplizieren\",\"SoiDyI\":\"Produkte duplizieren\",\"57ALrd\":\"Promo-Codes duplizieren\",\"83Hu4O\":\"Fragen duplizieren\",\"20144c\":\"Einstellungen duplizieren\",\"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\":\"Endtermin\",\"237hSL\":\"Beendet\",\"nt4UkP\":\"Beendete Veranstaltungen\",\"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\":\"Veranstaltung erfolgreich erstellt 🎉\",\"/dgc8E\":\"Veranstaltungsdatum\",\"0Zptey\":\"Ereignisstandards\",\"QcCPs8\":\"Veranstaltungsdetails\",\"6fuA9p\":\"Ereignis erfolgreich dupliziert\",\"AEuj2m\":\"Veranstaltungsstartseite\",\"Xe3XMd\":\"Das Ereignis ist nicht öffentlich sichtbar\",\"4pKXJS\":\"Veranstaltung ist öffentlich sichtbar\",\"ClwUUD\":\"Veranstaltungsort & Details zum Veranstaltungsort\",\"OopDbA\":\"Veranstaltungsseite\",\"4/If97\":\"Die Aktualisierung des Ereignisstatus ist fehlgeschlagen. Bitte versuchen Sie es später erneut\",\"btxLWj\":\"Veranstaltungsstatus aktualisiert\",\"nMU2d3\":\"Veranstaltungs-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\":\"Das Exportieren der Teilnehmer ist fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"2uGNuE\":\"Der Export der Bestellungen ist fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"d+KKMz\":\"Laden der Eincheckliste fehlgeschlagen\",\"ZQ15eN\":\"Ticket-E-Mail konnte nicht erneut gesendet werden\",\"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\":\"Zur Event-Homepage\",\"ebIDwV\":\"Google Kalender\",\"RUz8o/\":\"Bruttoverkäufe\",\"IgcAGN\":\"Bruttoumsatz\",\"yRg26W\":\"Bruttoumsatz\",\"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-Konferenz \",[\"0\"]],\"verBst\":\"Hi.Events Konferenzzentrum\",\"6eMEQO\":\"hi.events-Logo\",\"C4qOW8\":\"Vor der Öffentlichkeit verborgen\",\"gt3Xw9\":\"versteckte Frage\",\"g3rqFe\":\"versteckte Fragen\",\"k3dfFD\":\"Versteckte Fragen sind nur für den Veranstalter und nicht für den Kunden sichtbar.\",\"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\":\"Ich möchte mit einer Offline-Methode bezahlen\",\"SdFlIP\":\"Ich möchte mit einer Online-Methode (z. B. Kreditkarte) bezahlen\",\"93DUnd\":[\"Wenn keine neue Registerkarte geöffnet wurde, <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\":\"Bildabmessungen müssen zwischen 4000px und 4000px liegen. Mit einer maximalen Höhe von 4000px und einer maximalen Breite von 4000px\",\"uPEIvq\":\"Das Bild muss kleiner als 5 MB sein.\",\"AGZmwV\":\"Bild erfolgreich hochgeladen\",\"VyUuZb\":\"Bild-URL\",\"ibi52/\":\"Die Bildbreite muss mindestens 900 Pixel und die Höhe mindestens 50 Pixel betragen.\",\"NoNwIX\":\"Inaktiv\",\"T0K0yl\":\"Inaktive Benutzer können sich nicht anmelden.\",\"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\":\"Rückerstattung ausstellen\",\"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\":\"Familienname, Nachname\",\"tKCBU0\":\"Zuletzt verwendet\",\"tITjB1\":\"Erfahren Sie mehr über Stripe\",\"enV0g0\":\"Leer lassen, um das Standardwort \\\"Rechnung\\\" zu verwenden\",\"vR92Yn\":\"Beginnen wir mit der Erstellung Ihres ersten Organizers\",\"Z3FXyt\":\"Wird geladen...\",\"wJijgU\":\"Standort\",\"sQia9P\":\"Anmelden\",\"zUDyah\":\"Einloggen\",\"z0t9bb\":\"Anmelden\",\"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\":\"Verwalten Sie Ihre Stripe-Zahlungsdetails\",\"BfucwY\":\"Verwalten Sie Ihre Benutzer und deren Berechtigungen\",\"1m+YT2\":\"Bevor der Kunde zur Kasse gehen kann, müssen obligatorische Fragen beantwortet werden.\",\"Dim4LO\":\"Einen Teilnehmer manuell hinzufügen\",\"e4KdjJ\":\"Teilnehmer manuell hinzufügen\",\"vFjEnF\":\"Als bezahlt markieren\",\"g9dPPQ\":\"Maximal pro Bestellung\",\"l5OcwO\":\"Nachricht an Teilnehmer\",\"Gv5AMu\":\"Nachrichten an Teilnehmer senden\",\"oUCR3c\":\"Nachricht an Teilnehmer mit bestimmten Produkten senden\",\"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\":\"Der Name sollte weniger als 150 Zeichen lang sein\",\"AIUkyF\":\"Navigieren Sie zu Teilnehmer\",\"qqeAJM\":\"Niemals\",\"7vhWI8\":\"Neues Kennwort\",\"1UzENP\":\"NEIN\",\"eRblWH\":[\"Kein \",[\"0\"],\" verfügbar.\"],\"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\":\"Vor diesem Datum kann sich niemand mit dieser Liste einchecken\",\"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\":\"Keiner\",\"OJx3wK\":\"Nicht verfügbar\",\"Scbrsn\":\"Nicht im Angebot\",\"1DBGsz\":\"Notizen\",\"jtrY3S\":\"Noch nichts zu zeigen\",\"hFwWnI\":\"Benachrichtigungseinstellungen\",\"xXqEPO\":\"Käufer über Rückerstattung benachrichtigen\",\"YpN29s\":\"Veranstalter über neue Bestellungen benachrichtigen\",\"qeQhNj\":\"Jetzt erstellen wir Ihr erstes 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\":\"Anweisungen für Offline-Zahlungen\",\"+eZ7dp\":\"Offline-Zahlungen\",\"ojDQlR\":\"Informationen zu Offline-Zahlungen\",\"u5oO/W\":\"Einstellungen für Offline-Zahlungen\",\"2NPDz1\":\"Im Angebot\",\"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\":\"Eincheckseite ö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\":\"Befehl #\",\"B3gPuX\":\"Bestellung storniert\",\"SIbded\":\"Bestellung abgeschlossen\",\"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\":\"Hintergrundfarbe der Seite\",\"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\":\"Angetrieben von\",\"Rs7IQv\":\"Nachricht vor dem Checkout\",\"rdUucN\":\"Vorschau\",\"a7u1N9\":\"Preis\",\"CmoB9j\":\"Preisanzeigemodus\",\"BI7D9d\":\"Preis nicht festgelegt\",\"Q8PWaJ\":\"Preisstufen\",\"q6XHL1\":\"Preistyp\",\"6RmHKN\":\"Primärfarbe\",\"G/ZwV1\":\"Grundfarbe\",\"8cBtvm\":\"Primäre Textfarbe\",\"BZz12Q\":\"Drucken\",\"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\":\"verkaufte Produkte\",\"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\":\"Verkaufte Menge\",\"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\":\"Referenz\",\"gxFu7d\":[\"Rückerstattungsbetrag (\",[\"0\"],\")\"],\"WZbCR3\":\"Rückerstattung fehlgeschlagen\",\"n10yGu\":\"Rückerstattungsauftrag\",\"zPH6gp\":\"Rückerstattungsauftrag\",\"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\":\"Bestätigungsmail erneut senden\",\"lnrkNz\":\"E-Mail-Bestätigung erneut senden\",\"wIa8Qe\":\"Einladung erneut versenden\",\"VeKsnD\":\"Bestell-E-Mail erneut senden\",\"dFuEhO\":\"Ticket-E-Mail erneut senden\",\"o6+Y6d\":\"Erneut senden...\",\"OfhWJH\":\"Zurücksetzen\",\"RfwZxd\":\"Passwort zurücksetzen\",\"KbS2K9\":\"Passwort zurücksetzen\",\"e99fHm\":\"Veranstaltung wiederherstellen\",\"vtc20Z\":\"Zurück zur Veranstaltungsseite\",\"s8v9hq\":\"Zur Veranstaltungsseite zurückkehren\",\"8YBH95\":\"Einnahmen\",\"PO/sOY\":\"Einladung widerrufen\",\"GDvlUT\":\"Rolle\",\"ELa4O9\":\"Verkaufsende\",\"5uo5eP\":\"Der Verkauf ist beendet\",\"Qm5XkZ\":\"Verkaufsstartdatum\",\"hBsw5C\":\"Verkauf beendet\",\"kpAzPe\":\"Verkaufsstart\",\"P/wEOX\":\"San Francisco\",\"tfDRzk\":\"Speichern\",\"IUwGEM\":\"Änderungen speichern\",\"U65fiW\":\"Organizer speichern\",\"UGT5vp\":\"Einstellungen speichern\",\"ovB7m2\":\"QR-Code scannen\",\"EEU0+z\":\"Scannen Sie diesen QR-Code, um auf die Veranstaltungsseite zuzugreifen oder teilen Sie ihn mit anderen\",\"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\":\"Sekundäre Farbe\",\"DnXcDK\":\"Sekundäre Farbe\",\"cZF6em\":\"Sekundäre Textfarbe\",\"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\":\"Auf Facebook teilen\",\"x7i6H+\":\"Auf LinkedIn teilen\",\"zziQd8\":\"Auf Pinterest teilen\",\"/TgBEk\":\"Auf Reddit teilen\",\"0Wlk5F\":\"Auf sozialen Medien teilen\",\"on+mNS\":\"Auf Telegram teilen\",\"PcmR+m\":\"Auf WhatsApp teilen\",\"/5b1iZ\":\"Auf X teilen\",\"n/T2KI\":\"Per E-Mail teilen\",\"8vETh9\":\"Zeigen\",\"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 schief gelaufen\",\"GRChTw\":\"Beim Löschen der Steuer oder Gebühr ist ein Fehler aufgetreten\",\"YHFrbe\":\"Etwas ist schief gelaufen. Bitte versuche es erneut\",\"kf83Ld\":\"Etwas ist schief gelaufen.\",\"fWsBTs\":\"Etwas ist schief gelaufen. Bitte versuche es erneut.\",\"F6YahU\":\"Es ist leider ein Fehler aufgetreten. Bitte starten Sie den Bezahlvorgang erneut.\",\"KWgppI\":\"Entschuldigen Sie, beim Laden dieser Seite ist ein Fehler aufgetreten.\",\"/TCOIK\":\"Entschuldigung, diese Bestellung existiert nicht mehr.\",\"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\":\"Diese Beschreibung wird dem Eincheckpersonal angezeigt\",\"MLTkH7\":\"Diese E-Mail hat keinen Werbezweck und steht in direktem Zusammenhang mit der Veranstaltung.\",\"2eIpBM\":\"Dieses Event ist momentan nicht verfügbar. Bitte versuchen Sie es später noch einmal.\",\"Z6LdQU\":\"Dieses Event ist nicht verfügbar.\",\"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\":\"Diese Liste wird nach diesem Datum nicht mehr für Eincheckungen verfügbar sein\",\"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\":\"Diese Bestellung wurde storniert\",\"YyEJij\":\"Diese Bestellung wurde storniert.\",\"Q0zd4P\":\"Diese Bestellung ist abgelaufen. Bitte erneut beginnen.\",\"HILpDX\":\"Diese Bestellung wartet auf Zahlung\",\"BdYtn9\":\"Diese Bestellung ist abgeschlossen\",\"e3uMJH\":\"Diese Bestellung ist abgeschlossen.\",\"YNKXOK\":\"Diese Bestellung wird bearbeitet.\",\"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\":\"Dieses Produkt ist vor der öffentlichen Ansicht verborgen\",\"Y/x1MZ\":\"Dieses Produkt ist verborgen, es sei denn, es wird von einem Promo-Code anvisiert\",\"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\":\"Titel\",\"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+\":\"Verbleibender Gesamtbetrag\",\"/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\":\"Cover hochladen\",\"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\":\"Bestell Details ansehen\",\"QIWCnW\":\"VIP-Eincheckliste\",\"tF+VVr\":\"VIP-Ticket\",\"2q/Q7x\":\"Sichtweite\",\"vmOFL/\":\"Wir konnten Ihre Zahlung nicht verarbeiten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\",\"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.\",\"VGioT0\":\"Wir empfehlen Abmessungen von 2160 x 1080 Pixel und eine maximale Dateigröße von 5 MB.\",\"b9UB/w\":\"Wir verwenden Stripe zur Zahlungsabwicklung. Verbinden Sie Ihr Stripe-Konto, um Zahlungen zu empfangen.\",\"01WH0a\":\"Wir konnten Ihre Zahlung nicht bestätigen. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\",\"Gspam9\":\"Wir bearbeiten Ihre Bestellung. Bitte warten...\",\"LuY52w\":\"Willkommen an Bord! Bitte melden Sie sich an, um fortzufahren.\",\"dVxpp5\":[\"Willkommen zurück\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Willkommen bei Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Was sind gestufte Produkte?\",\"f1jUC0\":\"An welchem Datum soll diese Eincheckliste aktiv werden?\",\"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\":\"Wann soll diese Eincheckliste ablaufen?\",\"FVetkT\":\"Welche Tickets sollen mit dieser Eincheckliste verknüpft werden?\",\"S+OdxP\":\"Wer organisiert diese Veranstaltung?\",\"LINr2M\":\"An wen ist diese Nachricht gerichtet?\",\"nWhye/\":\"Wem sollte diese Frage gestellt werden?\",\"VxFvXQ\":\"Widget einbetten\",\"v1P7Gm\":\"Widget-Einstellungen\",\"b4itZn\":\"Arbeiten\",\"hqmXmc\":\"Arbeiten...\",\"+G/XiQ\":\"Seit Jahresbeginn\",\"l75CjT\":\"Ja\",\"QcwyCh\":\"Ja, entfernen\",\"ySeBKv\":\"Sie haben dieses Ticket bereits gescannt\",\"P+Sty0\":[\"Sie ändern Ihre E-Mail zu <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Sie sind offline\",\"sdB7+6\":\"Sie können einen Promo-Code erstellen, der sich auf dieses Produkt richtet auf der\",\"KRhIxT\":\"Sie können jetzt Zahlungen über Stripe empfangen.\",\"Gnjf3o\":\"Sie können den Produkttyp nicht ändern, da Teilnehmer mit diesem Produkt verknüpft sind.\",\"S+on7c\":\"Sie können Teilnehmer mit unbezahlten Bestellungen nicht einchecken.\",\"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\":\"Sie haben keine Berechtigung, auf diese Seite zuzugreifen\",\"BRArmD\":\"Sie haben Zugriff auf mehrere Konten. Bitte wählen Sie eines aus, um fortzufahren.\",\"Z6q0Vl\":\"Sie haben diese Einladung bereits angenommen. Bitte melden Sie sich an, um fortzufahren.\",\"rdk1xK\":\"Sie haben Ihr Stripe-Konto verbunden\",\"ofEncr\":\"Sie haben keine Teilnehmerfragen.\",\"CoZHDB\":\"Sie haben keine Bestellfragen.\",\"15qAvl\":\"Sie haben keine ausstehende E-Mail-Änderung.\",\"n81Qk8\":\"Sie haben die Einrichtung von Stripe Connect noch nicht abgeschlossen\",\"jxsiqJ\":\"Sie haben Ihr Stripe-Konto nicht verbunden\",\"+FWjhR\":\"Die Zeit für die Bestellung ist abgelaufen.\",\"MycdJN\":\"Sie haben Steuern und Gebühren zu einem kostenlosen Produkt hinzugefügt. Möchten Sie sie entfernen oder verbergen?\",\"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\":\"Sie müssen Ihre E-Mail-Adresse bestätigen, bevor Ihre Veranstaltung live gehen kann.\",\"H35u3n\":\"Sie müssen ein Ticket erstellen, bevor Sie einen Teilnehmer manuell hinzufügen können.\",\"jE4Z8R\":\"Sie müssen mindestens eine Preisstufe haben\",\"8/eLoa\":\"Sie müssen Ihr Konto verifizieren, bevor Sie Nachrichten senden können.\",\"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\":[\"Du gehst zu \",[\"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\":\"Ihre Bestellung wartet auf Zahlung 🏦\",\"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\":\"Ihr Produkt für\",\"cJ4Y4R\":\"Ihre Rückerstattung wird bearbeitet.\",\"IFHV2p\":\"Ihr Ticket für\",\"x1PPdr\":\"Postleitzahl\",\"BM/KQm\":\"Postleitzahl\",\"+LtVBt\":\"Postleitzahl\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" aktive Webhooks\"],\"tmew5X\":[[\"0\"],\" eingecheckt\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" Ereignisse\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>Die Anzahl der verfügbaren Tickets für dieses Ticket<1>Dieser Wert kann überschrieben werden, wenn diesem Ticket <2>Kapazitätsgrenzen zugewiesen sind.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Tickets hinzufügen\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 aktiver Webhook\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Auf alle neuen Tickets wird automatisch ein Standard-\",[\"type\"],\" angewendet. Sie können dies für jedes Ticket einzeln überschreiben.\"],\"Pgaiuj\":\"Ein fester Betrag pro Ticket. Z. B. 0,50 € pro Ticket\",\"ySO/4f\":\"Ein Prozentsatz des Ticketpreises. Beispiel: 3,5 % des Ticketpreises\",\"WXeXGB\":\"Mit einem Promo-Code ohne Rabatt können versteckte Tickets freigeschaltet werden.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Eine einzelne Frage pro Teilnehmer. Z. B.: „Was ist Ihr Lieblingsessen?“\",\"ap3v36\":\"Eine einzige Frage pro Bestellung. Z. B.: Wie lautet der Name Ihres Unternehmens?\",\"uyJsf6\":\"Über\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Über Stripe Connect\",\"VTfZPy\":\"Zugriff verweigert\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Hinzufügen\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Weitere Tickets hinzufügen\",\"BGD9Yt\":\"Tickets hinzufügen\",\"QN2F+7\":\"Webhook hinzufügen\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Mitgliedsorganisationen\",\"gKq1fa\":\"Alle Teilnehmer\",\"QsYjci\":\"Alle Veranstaltungen\",\"/twVAS\":\"Alle Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"Ein Fehler ist aufgetreten beim Überprüfen des Exportstatus.\",\"er3d/4\":\"Beim Sortieren der Tickets ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder aktualisieren Sie die Seite\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Eine Veranstaltung ist das Treffen oder Ereignis, das Sie organisieren. Sie können später weitere Details hinzufügen.\",\"QNrkms\":\"Antwort erfolgreich aktualisiert.\",\"j4DliD\":\"Alle Anfragen von Ticketinhabern werden an diese E-Mail-Adresse gesendet. Diese wird auch als „Antwortadresse“ für alle E-Mails verwendet, die von dieser Veranstaltung gesendet werden.\",\"epTbAK\":[\"Gilt für \",[\"0\"],\" Tickets\"],\"6MkQ2P\":\"Gilt für 1 Ticket\",\"jcnZEw\":[\"Wenden Sie diesen \",[\"type\"],\" auf alle neuen Tickets an\"],\"Dy+k4r\":\"Sind Sie sicher, dass Sie diesen Teilnehmer stornieren möchten? Dies macht sein Produkt ungültig\",\"5H3Z78\":\"Bist du sicher, dass du diesen Webhook löschen möchtest?\",\"2xEpch\":\"Einmal pro Teilnehmer fragen\",\"F2rX0R\":\"Mindestens ein Ereignistyp muss ausgewählt werden\",\"AJ4rvK\":\"Teilnehmer storniert\",\"qvylEK\":\"Teilnehmer erstellt\",\"Xc2I+v\":\"Teilnehmerverwaltung\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Teilnehmer aktualisiert\",\"k3Tngl\":\"Teilnehmer exportiert\",\"5UbY+B\":\"Teilnehmer mit einem bestimmten Ticket\",\"kShOaz\":\"Automatisierter Arbeitsablauf\",\"VPoeAx\":\"Automatisierte Einlassverwaltung mit mehreren Check-in-Listen und Echtzeitvalidierung\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Durchschn. Rabatt/Bestellung\",\"sGUsYa\":\"Durchschn. Bestellwert\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Grundlegende Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Beginnen Sie in wenigen Minuten mit dem Ticketverkauf\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Markenkontrolle\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Abgesagt\",\"Ud7zwq\":\"Durch die Stornierung werden alle mit dieser Bestellung verbundenen Tickets storniert und die Tickets werden wieder in den verfügbaren Pool freigegeben.\",\"QndF4b\":\"einchecken\",\"9FVFym\":\"Kasse\",\"Y3FYXy\":\"Einchecken\",\"udRwQs\":\"Check-in erstellt\",\"F4SRy3\":\"Check-in gelöscht\",\"rfeicl\":\"Erfolgreich eingecheckt\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinesisch\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"schließen\",\"msqIjo\":\"Dieses Ticket beim ersten Laden der Veranstaltungsseite minimieren\",\"/sZIOR\":\"Vollständiger Shop\",\"7D9MJz\":\"Stripe-Einrichtung abschließen\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Verbindungsdokumentation\",\"MOUF31\":\"Verbinden Sie sich mit dem CRM und automatisieren Sie Aufgaben mit Webhooks und Integrationen\",\"/3017M\":\"Mit Stripe verbunden\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Support kontaktieren\",\"nBGbqc\":\"Kontaktieren Sie uns, um Nachrichten zu aktivieren\",\"RGVUUI\":\"Weiter zur Zahlung\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Erstellen und personalisieren Sie Ihre Veranstaltungsseite sofort\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Ticket erstellen\",\"agZ87r\":\"Erstellen Sie Tickets für Ihre Veranstaltung, legen Sie Preise fest und verwalten Sie die verfügbare Menge.\",\"dkAPxi\":\"Webhook erstellen\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Passen Sie Ihre Veranstaltungsseite und das Widget-Design perfekt an Ihre Marke an\",\"zgCHnE\":\"Täglicher Verkaufsbericht\",\"nHm0AI\":\"Aufschlüsselung der täglichen Verkäufe, Steuern und Gebühren\",\"PqrqgF\":\"Tag eins Eincheckliste\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Ticket löschen\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Webhook löschen\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Deaktivieren Sie diese Kapazität, um Kapazitäten zu verfolgen, ohne den Produktverkauf zu stoppen\",\"Tgg8XQ\":\"Deaktivieren Sie diese Kapazitätsverfolgung ohne den Ticketverkauf zu stoppen\",\"TvY/XA\":\"Dokumentation\",\"dYskfr\":\"Existiert nicht\",\"V6Jjbr\":\"Sie haben kein Konto? <0>Registrieren\",\"4+aC/x\":\"Spende / Bezahlen Sie, was Sie möchten Ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Zum Sortieren ziehen\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Produkt duplizieren\",\"Wt9eV8\":\"Tickets duplizieren\",\"4xK5y2\":\"Webhooks duplizieren\",\"2iZEz7\":\"Antwort bearbeiten\",\"kNGp1D\":\"Teilnehmer bearbeiten\",\"t2bbp8\":\"Teilnehmer bearbeiten\",\"d+nnyk\":\"Ticket bearbeiten\",\"fW5sSv\":\"Webhook bearbeiten\",\"nP7CdQ\":\"Webhook bearbeiten\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Aktivieren Sie diese Kapazität, um den Ticketverkauf zu stoppen, wenn das Limit erreicht ist\",\"RxzN1M\":\"Aktiviert\",\"LslKhj\":\"Fehler beim Laden der Protokolle\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Veranstaltung nicht verfügbar\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Ereignistypen\",\"VlvpJ0\":\"Antworten exportieren\",\"JKfSAv\":\"Export fehlgeschlagen. Bitte versuchen Sie es erneut.\",\"SVOEsu\":\"Export gestartet. Datei wird vorbereitet...\",\"jtrqH9\":\"Teilnehmer werden exportiert\",\"R4Oqr8\":\"Export abgeschlossen. Datei wird heruntergeladen...\",\"UlAK8E\":\"Bestellungen werden exportiert\",\"Jjw03p\":\"Fehler beim Export der Teilnehmer\",\"ZPwFnN\":\"Fehler beim Export der Bestellungen\",\"X4o0MX\":\"Webhook konnte nicht geladen werden\",\"10XEC9\":\"Produkt-E-Mail konnte nicht erneut gesendet werden\",\"lKh069\":\"Exportauftrag konnte nicht gestartet werden\",\"NNc33d\":\"Fehler beim Aktualisieren der Antwort.\",\"YirHq7\":\"Rückmeldung\",\"T4BMxU\":\"Gebühren können sich ändern. Du wirst über Änderungen deiner Gebührenstruktur benachrichtigt.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Feste Gebühr:\",\"KgxI80\":\"Flexibles Ticketing\",\"/4rQr+\":\"Freikarten\",\"01my8x\":\"Kostenloses Ticket, keine Zahlungsinformationen erforderlich\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Starten Sie kostenlos, keine Abonnementgebühren\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Gehe zu Hi.Events\",\"Lek3cJ\":\"Zum Stripe-Dashboard\",\"GNJ1kd\":\"Hilfe & Support\",\"spMR9y\":\"Hi.Events erhebt Plattformgebühren zur Wartung und Verbesserung unserer Dienste. Diese Gebühren werden automatisch von jeder Transaktion abgezogen.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"Antworten ausblenden\",\"fsi6fC\":\"Dieses Ticket vor Kunden verbergen\",\"Fhzoa8\":\"Ticket nach Verkaufsende verbergen\",\"yhm3J/\":\"Ticket vor Verkaufsbeginn verbergen\",\"k7/oGT\":\"Ticket verbergen, sofern der Benutzer nicht über einen gültigen Aktionscode verfügt\",\"L0ZOiu\":\"Ticket bei Ausverkauf verbergen\",\"uno73L\":\"Wenn Sie ein Ticket ausblenden, können Benutzer es nicht auf der Veranstaltungsseite sehen.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Wenn leer, wird die Adresse verwendet, um einen Google-Kartenlink zu generieren.\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Die Bildabmessungen müssen zwischen 3000px und 2000px liegen. Mit einer maximalen Höhe von 2000px und einer maximalen Breite von 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Fügen Sie Verbindungsdetails für Ihre Online-Veranstaltung hinzu. Diese Details werden auf der Bestellzusammenfassungsseite und der Teilnehmerproduktseite angezeigt.\",\"evpD4c\":\"Fügen Sie Verbindungsdetails für Ihre Online-Veranstaltung hinzu. Diese Details werden auf der Bestellübersichtsseite und der Teilnehmerticketseite angezeigt.\",\"AXTNr8\":[\"Enthält \",[\"0\"],\" Tickets\"],\"7/Rzoe\":\"Enthält 1 Ticket\",\"F1Xp97\":\"Einzelne Teilnehmer\",\"nbfdhU\":\"Integrationen\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Letzte Antwort\",\"gw3Ur5\":\"Zuletzt ausgelöst\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Webhooks werden geladen\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Produkte verwalten\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Verwalten Sie Steuern und Gebühren, die auf Ihre Tickets erhoben werden können\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Verwalten Sie Ihre Zahlungsabwicklung und sehen Sie die Plattformgebühren ein\",\"lzcrX3\":\"Durch manuelles Hinzufügen eines Teilnehmers wird die Ticketanzahl angepasst.\",\"1jRD0v\":\"Teilnehmer mit bestimmten Tickets benachrichtigen\",\"97QrnA\":\"Kommunizieren Sie mit Teilnehmern, verwalten Sie Bestellungen und bearbeiten Sie Rückerstattungen an einem Ort\",\"0/yJtP\":\"Nachricht an Bestelleigentümer mit bestimmten Produkten senden\",\"tccUcA\":\"Mobiler Check-in\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Mehrere Preisoptionen. Perfekt für Frühbuchertickets usw.\",\"m920rF\":\"New York\",\"074+X8\":\"Keine aktiven Webhooks\",\"6r9SGl\":\"Keine Kreditkarte erforderlich\",\"Z6ILSe\":\"Keine Veranstaltungen für diesen Veranstalter\",\"XZkeaI\":\"Keine Protokolle gefunden\",\"zK/+ef\":\"Keine Produkte zur Auswahl verfügbar\",\"q91DKx\":\"Dieser Teilnehmer hat keine Fragen beantwortet.\",\"QoAi8D\":\"Keine Antwort\",\"EK/G11\":\"Noch keine Antworten\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Keine Tickets vorzeigen\",\"n5vdm2\":\"Für diesen Endpunkt wurden noch keine Webhook-Ereignisse aufgezeichnet. Ereignisse werden hier angezeigt, sobald sie ausgelöst werden.\",\"4GhX3c\":\"Keine Webhooks\",\"x5+Lcz\":\"Nicht eingecheckt\",\"+P/tII\":\"Sobald Sie bereit sind, schalten Sie Ihre Veranstaltung live und beginnen Sie mit dem Ticketverkauf.\",\"bU7oUm\":\"Nur an Bestellungen mit diesen Status senden\",\"ppuQR4\":\"Bestellung erstellt\",\"L4kzeZ\":[\"Bestelldetails \",[\"0\"]],\"vu6Arl\":\"Bestellung als bezahlt markiert\",\"FaPYw+\":\"Bestelleigentümer\",\"eB5vce\":\"Bestelleigentümer mit einem bestimmten Produkt\",\"CxLoxM\":\"Bestelleigentümer mit Produkten\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Bestellung erstattet\",\"6eSHqs\":\"Bestellstatus\",\"e7eZuA\":\"Bestellung aktualisiert\",\"mz+c33\":\"Erstellte Aufträge\",\"5It1cQ\":\"Bestellungen exportiert\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Organisatoren können nur Events und Tickets verwalten. Sie können keine Benutzer, Kontoeinstellungen oder Rechnungsinformationen verwalten.\",\"2w/FiJ\":\"Bezahltes Ticket\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Pausiert\",\"TskrJ8\":\"Zahlung & Plan\",\"EyE8E6\":\"Zahlungsabwicklung\",\"vcyz2L\":\"Zahlungseinstellungen\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Bestellung aufgeben\",\"br3Y/y\":\"Plattformgebühren\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Bitte geben Sie eine gültige URL ein\",\"MA04r/\":\"Bitte entfernen Sie die Filter und stellen Sie die Sortierung auf \\\"Startseite-Reihenfolge\\\", um die Sortierung zu aktivieren\",\"yygcoG\":\"Bitte wählen Sie mindestens ein Ticket aus\",\"fuwKpE\":\"Bitte versuchen Sie es erneut.\",\"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...\",\"R7+D0/\":\"Portugiesisch (Brasilien)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Unterstützt durch Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"Produkt\",\"EWCLpZ\":\"Produkt erstellt\",\"XkFYVB\":\"Produkt gelöscht\",\"0dzBGg\":\"Produkt-E-Mail wurde an den Teilnehmer erneut gesendet\",\"YMwcbR\":\"Produktverkäufe, Einnahmen und Steueraufschlüsselung\",\"ldVIlB\":\"Produkt aktualisiert\",\"mIqT3T\":\"Produkte, Waren und flexible Preisoptionen\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Gutscheincode\",\"k3wH7i\":\"Nutzung von Rabattcodes und Rabattaufschlüsselung\",\"812gwg\":\"Lizenz kaufen\",\"YwNJAq\":\"QR-Code-Scanning mit sofortigem Feedback und sicherem Teilen für den Mitarbeiterzugang\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Produkt-E-Mail erneut senden\",\"slOprG\":\"Setzen Sie Ihr Passwort zurück\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Suche nach Namen, Bestellnummer, Teilnehmernummer oder E-Mail ...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Suche nach Ticketnamen...\",\"j9cPeF\":\"Ereignistypen auswählen\",\"XH5juP\":\"Ticketstufe auswählen\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Wählen Sie aus, welche Ereignisse diesen Webhook auslösen\",\"VtX8nW\":\"Verkaufen Sie Waren zusammen mit Tickets mit integrierter Steuer- und Rabattcode-Unterstützung\",\"Cye3uV\":\"Verkaufen Sie mehr als nur Tickets\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Bestellbestätigung und Produkt-E-Mail senden\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Einrichtung in Minuten\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Verfügbare Ticketanzahl anzeigen\",\"j3b+OW\":\"Wird dem Kunden nach dem Bezahlvorgang auf der Bestellübersichtsseite angezeigt\",\"v6IwHE\":\"Intelligentes Einchecken\",\"J9xKh8\":\"Intelligentes Dashboard\",\"KTxc6k\":\"Etwas ist schiefgelaufen. Bitte versuchen Sie es erneut oder kontaktieren Sie den Support, falls das Problem weiterhin besteht.\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Leider ist Ihre Bestellung abgelaufen. Bitte starten Sie eine neue Bestellung.\",\"a4SyEE\":\"Die Sortierung ist deaktiviert, während Filter und Sortierung angewendet werden\",\"4nG1lG\":\"Standardticket zum Festpreis\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Erfolgreich geprüft <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Ticket erfolgreich erstellt\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Produkt erfolgreich dupliziert\",\"g2lRrH\":\"Ticket erfolgreich aktualisiert\",\"kj7zYe\":\"Webhook erfolgreich aktualisiert\",\"5gIl+x\":\"Unterstützung für gestaffelte, spendenbasierte und Produktverkäufe mit anpassbaren Preisen und Kapazitäten\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"tXadb0\":\"Die gesuchte Veranstaltung ist derzeit nicht verfügbar. Sie wurde möglicherweise entfernt, ist abgelaufen oder die URL ist falsch.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"Die maximale Anzahl von Tickets für \",[\"0\"],\" ist \",[\"1\"]],\"FeAfXO\":[\"Die maximale Anzahl an Tickets für Generäle beträgt \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Die Steuern und Gebühren, die auf dieses Ticket angewendet werden sollen. Sie können neue Steuern und Gebühren auf der\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Für diese Veranstaltung sind keine Tickets verfügbar\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Dadurch werden alle Sichtbarkeitseinstellungen überschrieben und das Ticket wird vor allen Kunden verborgen.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Dieses Ticket kann nicht gelöscht werden, da es\\nmit einer Bestellung verknüpft ist. Sie können es stattdessen ausblenden.\",\"ma6qdu\":\"Dieses Ticket ist nicht öffentlich sichtbar.\",\"xJ8nzj\":\"Dieses Ticket ist ausgeblendet, sofern es nicht durch einen Promo-Code angesprochen wird.\",\"KosivG\":\"Ticket erfolgreich gelöscht\",\"HGuXjF\":\"Ticketinhaber\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticketverkauf\",\"NirIiz\":\"Ticketstufe\",\"8jLPgH\":\"Art des Tickets\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket-Widget-Vorschau\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Eintrittskarte(n)\",\"6GQNLE\":\"Tickets\",\"ikA//P\":\"verkaufte Tickets\",\"i+idBz\":\"Verkaufte Tickets\",\"AGRilS\":\"Verkaufte Tickets\",\"56Qw2C\":\"Tickets erfolgreich sortiert\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Stufenticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Mit gestaffelten Tickets können Sie mehrere Preisoptionen für dasselbe Ticket anbieten.\\nDas ist ideal für Frühbuchertickets oder das Anbieten unterschiedlicher Preisoptionen\\nfür unterschiedliche Personengruppen.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"BZBYf3\":\"Um Kreditkartenzahlungen zu empfangen, musst du dein Stripe-Konto verbinden. Stripe ist unser Zahlungsabwicklungspartner, der sichere Transaktionen und pünktliche Auszahlungen gewährleistet.\",\"/b6Z1R\":\"Verfolgen Sie Einnahmen, Seitenaufrufe und Verkäufe mit detaillierten Analysen und exportierbaren Berichten\",\"OpKMSn\":\"Transaktionsgebühr:\",\"mLGbAS\":[\"Teilnehmer \",[\"0\"],\" konnte nicht ausgewählt werden\"],\"nNdxt9\":\"Ticket konnte nicht erstellt werden. Bitte überprüfen Sie Ihre Angaben\",\"IrVSu+\":\"Produkt konnte nicht dupliziert werden. Bitte überprüfen Sie Ihre Angaben\",\"ZBAScj\":\"Unbekannter Teilnehmer\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL ist erforderlich\",\"fROFIL\":\"Vietnamesisch\",\"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\",\"AM+zF3\":\"Teilnehmer anzeigen\",\"e4mhwd\":\"Zur Event-Homepage\",\"n6EaWL\":\"Protokolle anzeigen\",\"AMkkeL\":\"Bestellung anzeigen\",\"MXm9nr\":\"VIP-Produkt\",\"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\",\"jupD+L\":\"Willkommen zurück 👋\",\"je8QQT\":\"Willkommen bei Hi.Events 👋\",\"wjqPqF\":\"Was sind Stufentickets?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"Was ist ein Webhook?\",\"MhhnvW\":\"Für welche Tickets gilt dieser Code? (Gilt standardmäßig für alle)\",\"dCil3h\":\"Auf welche Tickets soll sich diese Frage beziehen?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Sie können einen Promo-Code erstellen, der auf dieses Ticket abzielt, auf der\",\"UqVaVO\":\"Sie können den Tickettyp nicht ändern, da diesem Ticket Teilnehmer zugeordnet sind.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Sie können diese Preisstufe nicht löschen, da für diese Stufe bereits Tickets verkauft wurden. Sie können sie stattdessen ausblenden.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Sie haben Steuern und Gebühren zu einem kostenlosen Produkt hinzugefügt. Möchten Sie diese entfernen?\",\"183zcL\":\"Sie haben Steuern und Gebühren zu einem Freiticket hinzugefügt. Möchten Sie diese entfernen oder unkenntlich machen?\",\"2v5MI1\":\"Sie haben noch keine Nachrichten gesendet. Sie können Nachrichten an alle Teilnehmer oder an bestimmte Ticketinhaber senden.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Sie müssen Ihre Konto-E-Mail-Adresse verifizieren, bevor Sie Nachrichten senden können.\",\"8QNzin\":\"Sie benötigen ein Ticket, bevor Sie eine Kapazitätszuweisung erstellen können.\",\"WHXRMI\":\"Sie benötigen mindestens ein Ticket, um loslegen zu können. Kostenlos, kostenpflichtig oder der Benutzer kann selbst entscheiden, was er bezahlen möchte.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Deine Teilnehmer wurden erfolgreich exportiert.\",\"nBqgQb\":\"Ihre E-Mail\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Deine Bestellungen wurden erfolgreich exportiert.\",\"vvO1I2\":\"Ihr Stripe-Konto ist verbunden und bereit zur Zahlungsabwicklung.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"\\\"\\\"Aufgrund des hohen Spam-Risikos erfordern wir eine manuelle Überprüfung, bevor Sie Nachrichten senden können.\\n\\\"\\\"Bitte kontaktieren Sie uns, um Zugang zu beantragen.\\\"\\\"\",\"8XAE7n\":\"\\\"\\\"Wenn Sie ein Konto bei uns haben, erhalten Sie eine E-Mail mit Anweisungen zum Zurücksetzen Ihres\\n\\\"\\\"Passworts.\\\"\\\"\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/de.po b/frontend/src/locales/de.po index 61d1f8af78..c48f58422a 100644 --- a/frontend/src/locales/de.po +++ b/frontend/src/locales/de.po @@ -22,14 +22,16 @@ msgstr "„Hier gibt es noch nichts zu sehen“" #~ "\"\"Due to the high risk of spam, we require manual verification before you can send messages.\n" #~ "\"\"Please contact us to request access." #~ msgstr "" -#~ "Aufgrund eines hohen Spam-Risikos ist eine manuelle Überprüfung erforderlich, bevor Sie Nachrichten senden können.\n" -#~ "Bitte kontaktieren Sie uns, um Zugriff anzufordern." +#~ "\"\"Aufgrund des hohen Spam-Risikos erfordern wir eine manuelle Überprüfung, bevor Sie Nachrichten senden können.\n" +#~ "\"\"Bitte kontaktieren Sie uns, um Zugang zu beantragen.\"\"" #: src/components/routes/auth/ForgotPassword/index.tsx:40 #~ msgid "" #~ "\"\"If you have an account with us, you will receive an email with instructions on how to reset your\n" #~ "\"\"password." -#~ msgstr "Wenn Sie ein Konto bei uns haben, erhalten Sie eine E-Mail mit Anweisungen zum Zurücksetzen Ihres Passworts." +#~ msgstr "" +#~ "\"\"Wenn Sie ein Konto bei uns haben, erhalten Sie eine E-Mail mit Anweisungen zum Zurücksetzen Ihres\n" +#~ "\"\"Passworts.\"\"" #: src/components/common/ReportTable/index.tsx:303 #: src/locales.ts:56 @@ -268,7 +270,7 @@ msgstr "Eine einzelne Frage pro Produkt. Z.B., Welche T-Shirt-Größe haben Sie? msgid "A standard tax, like VAT or GST" msgstr "Eine Standardsteuer wie Mehrwertsteuer oder GST" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "Über" @@ -316,7 +318,7 @@ msgstr "Konto erfolgreich aktualisiert" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "Aktionen" @@ -350,11 +352,11 @@ msgstr "Fügen Sie Anmerkungen über den Teilnehmer hinzu. Diese sind für den T msgid "Add any notes about the attendee..." msgstr "Fügen Sie Anmerkungen über den Teilnehmer hinzu..." -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "Fügen Sie Notizen zur Bestellung hinzu. Diese sind für den Kunden nicht sichtbar." -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "Fügen Sie Notizen zur Bestellung hinzu..." @@ -398,7 +400,7 @@ msgstr "Produkt zur Kategorie hinzufügen" msgid "Add products" msgstr "Produkte hinzufügen" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "Frage hinzufügen" @@ -443,8 +445,8 @@ msgid "Address line 1" msgstr "Anschrift Zeile 1" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "Anschrift Zeile 1" @@ -453,8 +455,8 @@ msgid "Address line 2" msgstr "Adresszeile 2" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "Adresszeile 2" @@ -523,11 +525,15 @@ msgstr "Menge" msgid "Amount paid ({0})" msgstr "Bezahlter Betrag ({0})" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "Ein Fehler ist aufgetreten beim Überprüfen des Exportstatus." + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "Beim Laden der Seite ist ein Fehler aufgetreten" -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "Beim Sortieren der Fragen ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder aktualisieren Sie die Seite" @@ -555,6 +561,10 @@ msgstr "Ein unerwarteter Fehler ist aufgetreten." msgid "An unexpected error occurred. Please try again." msgstr "Ein unerwarteter Fehler ist aufgetreten. Bitte versuchen Sie es erneut." +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "Antwort erfolgreich aktualisiert." + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "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." @@ -635,7 +645,7 @@ msgstr "Möchten Sie diesen Teilnehmer wirklich stornieren? Dadurch wird sein Ti msgid "Are you sure you want to delete this promo code?" msgstr "Möchten Sie diesen Aktionscode wirklich löschen?" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "Möchten Sie diese Frage wirklich löschen?" @@ -679,7 +689,7 @@ msgstr "Einmal pro Produkt fragen" msgid "At least one event type must be selected" msgstr "Mindestens ein Ereignistyp muss ausgewählt werden" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "Teilnehmer" @@ -707,7 +717,7 @@ msgstr "Teilnehmer nicht gefunden" msgid "Attendee Notes" msgstr "Teilnehmernotizen" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "Fragen der Teilnehmer" @@ -723,7 +733,7 @@ msgstr "Teilnehmer aktualisiert" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "Teilnehmer" @@ -773,7 +783,7 @@ msgstr "Passen Sie die Widgethöhe automatisch an den Inhalt an. Wenn diese Opti msgid "Awaiting offline payment" msgstr "Warten auf Offline-Zahlung" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -802,8 +812,8 @@ msgid "Back to all events" msgstr "Zurück zu allen Events" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "Zurück zur Veranstaltungsseite" @@ -840,7 +850,7 @@ msgstr "Bevor Ihre Veranstaltung live gehen kann, müssen Sie einige Dinge erled #~ msgid "Begin selling tickets in minutes" #~ msgstr "Beginnen Sie in wenigen Minuten mit dem Ticketverkauf" -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "Rechnungsadresse" @@ -875,6 +885,7 @@ msgstr "Die Kameraberechtigung wurde verweigert. <0>Fordern Sie die Berechtigung #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -911,7 +922,7 @@ msgstr "Das Stornieren wird alle mit dieser Bestellung verbundenen Produkte stor #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "Abgesagt" @@ -1082,8 +1093,8 @@ msgstr "Wähle einen Account" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "Stadt" @@ -1099,8 +1110,13 @@ msgstr "klicken Sie hier" msgid "Click to copy" msgstr "Zum Kopieren klicken" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "schließen" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "Schließen" @@ -1147,11 +1163,11 @@ msgstr "Demnächst" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Durch Kommas getrennte Schlüsselwörter, die das Ereignis beschreiben. Diese werden von Suchmaschinen verwendet, um das Ereignis zu kategorisieren und zu indizieren." -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" msgstr "Bestellung abschließen" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "Jetzt bezahlen" @@ -1169,7 +1185,7 @@ msgstr "Stripe-Einrichtung abschließen" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "Vollendet" @@ -1260,7 +1276,7 @@ msgstr "Hintergrundfarbe des Inhalts" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "Weitermachen" @@ -1309,7 +1325,7 @@ msgstr "Kopieren" msgid "Copy Check-In URL" msgstr "Eincheck-URL kopieren" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "Details auf alle Teilnehmer anwenden" @@ -1324,7 +1340,7 @@ msgstr "URL kopieren" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "Land" @@ -1516,7 +1532,7 @@ msgstr "Aufschlüsselung der täglichen Verkäufe, Steuern und Gebühren" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "Gefahrenzone" @@ -1535,8 +1551,8 @@ msgid "Date" msgstr "Datum" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "Datum & Uhrzeit" +#~ msgid "Date & Time" +#~ msgstr "Datum & Uhrzeit" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1580,7 +1596,7 @@ msgstr "Lösche Bild" msgid "Delete product" msgstr "Produkt löschen" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "Frage löschen" @@ -1604,7 +1620,7 @@ msgstr "Beschreibung" msgid "Description for check-in staff" msgstr "Beschreibung für das Eincheckpersonal" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "Einzelheiten" @@ -1771,8 +1787,8 @@ msgid "Early bird" msgstr "Früher Vogel" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "Bearbeiten" @@ -1780,6 +1796,10 @@ msgstr "Bearbeiten" msgid "Edit {0}" msgstr "Bearbeiten {0}" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "Antwort bearbeiten" + #: src/components/common/AttendeeTable/index.tsx:174 #~ msgid "Edit attendee" #~ msgstr "Teilnehmer bearbeiten" @@ -1834,7 +1854,7 @@ msgstr "Produktkategorie bearbeiten" msgid "Edit Promo Code" msgstr "Aktionscode bearbeiten" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "Frage bearbeiten" @@ -1896,16 +1916,16 @@ msgstr "E-Mail- und Benachrichtigungseinstellungen" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "E-Mail-Adresse" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "E-Mail-Adresse" @@ -2096,15 +2116,31 @@ msgid "Expiry Date" msgstr "Verfallsdatum" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "Export" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "Antworten exportieren" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "Export fehlgeschlagen. Bitte versuchen Sie es erneut." + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "Export gestartet. Datei wird vorbereitet..." + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "Teilnehmer werden exportiert" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "Export abgeschlossen. Datei wird heruntergeladen..." + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "Bestellungen werden exportiert" @@ -2116,7 +2152,7 @@ msgstr "Teilnehmer konnte nicht abgesagt werden" msgid "Failed to cancel order" msgstr "Stornierung der Bestellung fehlgeschlagen" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "Nachricht konnte nicht gelöscht werden. Bitte versuchen Sie es erneut." @@ -2133,7 +2169,7 @@ msgstr "Fehler beim Export der Teilnehmer" #~ msgid "Failed to export attendees. Please try again." #~ msgstr "Das Exportieren der Teilnehmer ist fehlgeschlagen. Bitte versuchen Sie es erneut." -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "Fehler beim Export der Bestellungen" @@ -2161,6 +2197,14 @@ msgstr "Ticket-E-Mail konnte nicht erneut gesendet werden" msgid "Failed to sort products" msgstr "Produkte konnten nicht sortiert werden" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "Exportauftrag konnte nicht gestartet werden" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "Fehler beim Aktualisieren der Antwort." + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -2183,7 +2227,7 @@ msgstr "Gebühren" 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." -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "Bestellungen filtern" @@ -2200,22 +2244,22 @@ msgstr "Filter ({activeFilterCount})" msgid "First Invoice Number" msgstr "Erste Rechnungsnummer" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" msgstr "Vorname" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" msgstr "Vorname" @@ -2224,7 +2268,7 @@ msgstr "Vorname" msgid "First name must be between 1 and 50 characters" msgstr "Der Vorname muss zwischen 1 und 50 Zeichen lang sein" -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "Vorname, Nachname und E-Mail-Adresse sind Standardfragen und werden immer in den Bestellvorgang einbezogen." @@ -2307,7 +2351,7 @@ msgstr "Erste Schritte" msgid "Go back to profile" msgstr "Zurück zum Profil" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "Zur Event-Homepage" @@ -2385,11 +2429,11 @@ msgstr "hi.events-Logo" msgid "Hidden from public view" msgstr "Vor der Öffentlichkeit verborgen" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "versteckte Frage" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "versteckte Fragen" @@ -2402,11 +2446,15 @@ msgstr "Versteckte Fragen sind nur für den Veranstalter und nicht für den Kund msgid "Hide" msgstr "Verstecken" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "Antworten ausblenden" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "Seite „Erste Schritte“ ausblenden" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "Versteckte Fragen ausblenden" @@ -2483,7 +2531,7 @@ msgid "Homepage Preview" msgstr "Homepage-Vorschau" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "Homer" @@ -2667,7 +2715,7 @@ msgstr "Rechnungseinstellungen" msgid "Issue refund" msgstr "Rückerstattung ausstellen" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "Artikel" @@ -2727,20 +2775,20 @@ msgstr "Letzte Anmeldung" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "Nachname" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "Familienname, Nachname" @@ -2777,7 +2825,6 @@ msgstr "Webhooks werden geladen" msgid "Loading..." msgstr "Wird geladen..." -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -2990,7 +3037,7 @@ msgstr "Mein toller Veranstaltungstitel …" msgid "My Profile" msgstr "Mein Profil" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "N/V" @@ -3018,7 +3065,8 @@ msgstr "Name" msgid "Name should be less than 150 characters" msgstr "Der Name sollte weniger als 150 Zeichen lang sein" -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "Navigieren Sie zu Teilnehmer" @@ -3039,8 +3087,8 @@ msgid "No" msgstr "NEIN" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "Kein {0} verfügbar." +#~ msgid "No {0} available." +#~ msgstr "Kein {0} verfügbar." #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -3050,11 +3098,11 @@ msgstr "Keine aktiven Webhooks" msgid "No archived events to show." msgstr "Keine archivierten Veranstaltungen anzuzeigen." -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "Für diese Bestellung wurden keine Teilnehmer gefunden." -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "Zu dieser Bestellung wurden keine Teilnehmer hinzugefügt." @@ -3146,7 +3194,7 @@ msgstr "Noch keine Produkte" msgid "No Promo Codes to show" msgstr "Keine Promo-Codes anzuzeigen" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "Dieser Teilnehmer hat keine Fragen beantwortet." @@ -3154,7 +3202,7 @@ msgstr "Dieser Teilnehmer hat keine Fragen beantwortet." #~ msgid "No questions have been answered by this attendee." #~ msgstr "Dieser Teilnehmer hat keine Fragen beantwortet." -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "Für diese Bestellung wurden keine Fragen gestellt." @@ -3213,7 +3261,7 @@ msgid "Not On Sale" msgstr "Nicht im Angebot" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "Notizen" @@ -3372,7 +3420,7 @@ msgid "Order Date" msgstr "Auftragsdatum" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "Bestelldetails" @@ -3393,7 +3441,7 @@ msgstr "Bestellung als bezahlt markiert" msgid "Order Marked as Paid" msgstr "Bestellung als bezahlt markiert" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "Bestellnotizen" @@ -3409,8 +3457,8 @@ msgstr "Bestelleigentümer mit einem bestimmten Produkt" msgid "Order owners with products" msgstr "Bestelleigentümer mit Produkten" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "Fragen zur Bestellung" @@ -3422,7 +3470,7 @@ msgstr "Bestellnummer" msgid "Order Refunded" msgstr "Bestellung erstattet" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "Bestellstatus" @@ -3431,7 +3479,7 @@ msgid "Order statuses" msgstr "Bestellstatus" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "Bestellübersicht" @@ -3444,7 +3492,7 @@ msgid "Order Updated" msgstr "Bestellung aktualisiert" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "Aufträge" @@ -3453,7 +3501,7 @@ msgstr "Aufträge" #~ msgid "Orders Created" #~ msgstr "Erstellte Aufträge" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "Bestellungen exportiert" @@ -3526,7 +3574,7 @@ msgstr "Bezahltes Produkt" #~ msgid "Paid Ticket" #~ msgstr "Bezahltes Ticket" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "Teilweise erstattet" @@ -3727,7 +3775,7 @@ msgstr "Bitte wählen Sie mindestens ein Produkt aus" #~ msgstr "Bitte wählen Sie mindestens ein Ticket aus" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "Bitte versuchen Sie es erneut." @@ -3744,7 +3792,7 @@ msgstr "Bitte warten Sie, während wir Ihre Teilnehmer für den Export vorbereit msgid "Please wait while we prepare your invoice..." msgstr "Bitte warten Sie, während wir Ihre Rechnung vorbereiten..." -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "Bitte warten Sie, während wir Ihre Bestellungen für den Export vorbereiten..." @@ -3772,7 +3820,7 @@ msgstr "Angetrieben von" msgid "Pre Checkout message" msgstr "Nachricht vor dem Checkout" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "Vorschau" @@ -3862,7 +3910,7 @@ msgstr "Produkt erfolgreich gelöscht" msgid "Product Price Type" msgstr "Produktpreistyp" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "Produktfragen" @@ -3991,7 +4039,7 @@ msgstr "Verfügbare Menge" msgid "Quantity Sold" msgstr "Verkaufte Menge" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "Frage gelöscht" @@ -4003,17 +4051,17 @@ msgstr "Fragebeschreibung" msgid "Question Title" msgstr "Fragentitel" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "Fragen" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "Fragen & Antworten" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "Fragen erfolgreich sortiert" @@ -4054,14 +4102,14 @@ msgstr "Rückerstattungsauftrag" msgid "Refund Pending" msgstr "Rückerstattung ausstehend" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "Rückerstattungsstatus" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "Rückerstattung" @@ -4191,6 +4239,7 @@ msgstr "Verkaufsstart" msgid "San Francisco" msgstr "San Francisco" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -4201,8 +4250,8 @@ msgstr "San Francisco" msgid "Save" msgstr "Speichern" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "Änderungen speichern" @@ -4237,7 +4286,7 @@ msgstr "Suche nach Teilnehmername, E-Mail oder Bestellnummer ..." msgid "Search by event name..." msgstr "Suche nach Veranstaltungsnamen..." -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "Suchen Sie nach Namen, E-Mail oder Bestellnummer ..." @@ -4504,7 +4553,7 @@ msgstr "Verfügbare Produktmenge anzeigen" #~ msgid "Show available ticket quantity" #~ msgstr "Verfügbare Ticketanzahl anzeigen" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "Versteckte Fragen anzeigen" @@ -4533,7 +4582,7 @@ msgid "Shows common address fields, including country" msgstr "Zeigt allgemeine Adressfelder an, einschließlich Land" #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "Simpson" @@ -4597,11 +4646,11 @@ msgstr "Etwas ist schief gelaufen. Bitte versuche es erneut." msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "Es ist leider ein Fehler aufgetreten. Bitte starten Sie den Bezahlvorgang erneut." -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "Entschuldigen Sie, beim Laden dieser Seite ist ein Fehler aufgetreten." -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "Entschuldigung, diese Bestellung existiert nicht mehr." @@ -4638,8 +4687,8 @@ msgstr "Startdatum" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "Staat oder Region" @@ -4760,7 +4809,7 @@ msgstr "Standort erfolgreich aktualisiert" msgid "Successfully Updated Misc Settings" msgstr "Verschiedene Einstellungen erfolgreich aktualisiert" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "Bestellung erfolgreich aktualisiert" @@ -5024,7 +5073,7 @@ msgstr "Diese Bestellung wurde bereits bezahlt." msgid "This order has already been refunded." msgstr "Diese Bestellung wurde bereits zurückerstattet." -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "Diese Bestellung wurde storniert" @@ -5032,15 +5081,15 @@ msgstr "Diese Bestellung wurde storniert" msgid "This order has been cancelled." msgstr "Diese Bestellung wurde storniert." -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "Diese Bestellung ist abgelaufen. Bitte erneut beginnen." -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "Diese Bestellung wartet auf Zahlung" -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "Diese Bestellung ist abgeschlossen" @@ -5081,7 +5130,7 @@ msgstr "Dieses Produkt ist vor der öffentlichen Ansicht verborgen" msgid "This product is hidden unless targeted by a Promo Code" msgstr "Dieses Produkt ist verborgen, es sei denn, es wird von einem Promo-Code anvisiert" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "Diese Frage ist nur für den Veranstalter sichtbar" @@ -5350,6 +5399,10 @@ msgstr "Einzigartige Kunden" msgid "United States" msgstr "Vereinigte Staaten" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "Unbekannter Teilnehmer" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -5461,8 +5514,8 @@ msgstr "Veranstaltungsort Namen" msgid "Vietnamese" msgstr "Vietnamesisch" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "Ansehen" @@ -5470,11 +5523,15 @@ msgstr "Ansehen" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "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." +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "Antworten anzeigen" + #: src/components/common/AttendeeTable/index.tsx:164 #~ msgid "View attendee" #~ msgstr "Teilnehmer anzeigen" -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "Teilnehmerdetails anzeigen" @@ -5494,11 +5551,11 @@ msgstr "Vollständige Nachricht anzeigen" msgid "View logs" msgstr "Protokolle anzeigen" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "Ansichts Karte" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "Auf Google Maps anzeigen" @@ -5508,7 +5565,7 @@ msgstr "Auf Google Maps anzeigen" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "Bestell Details ansehen" @@ -5764,8 +5821,8 @@ msgstr "Arbeiten" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -5846,7 +5903,7 @@ msgstr "Sie können die Rolle oder den Status des Kontoinhabers nicht bearbeiten msgid "You cannot refund a manually created order." msgstr "Sie können eine manuell erstellte Bestellung nicht zurückerstatten." -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "Sie haben eine versteckte Frage erstellt, aber die Option zum Anzeigen versteckter Fragen deaktiviert. Sie wurde aktiviert." @@ -5866,11 +5923,11 @@ msgstr "Sie haben diese Einladung bereits angenommen. Bitte melden Sie sich an, #~ msgid "You have connected your Stripe account" #~ msgstr "Sie haben Ihr Stripe-Konto verbunden" -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "Sie haben keine Teilnehmerfragen." -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "Sie haben keine Bestellfragen." @@ -5982,7 +6039,7 @@ msgstr "Ihre Teilnehmer werden hier angezeigt, sobald sie sich für Ihre Veranst msgid "Your awesome website 🎉" msgstr "Eure tolle Website 🎉" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "Deine Details" @@ -6010,7 +6067,7 @@ msgstr "Deine Bestellung wurde storniert" msgid "Your order is awaiting payment 🏦" msgstr "Ihre Bestellung wartet auf Zahlung 🏦" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "Deine Bestellungen wurden erfolgreich exportiert." @@ -6051,7 +6108,7 @@ msgstr "Ihr Stripe-Konto ist verbunden und bereit zur Zahlungsabwicklung." msgid "Your ticket for" msgstr "Ihr Ticket für" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "Postleitzahl" @@ -6060,6 +6117,6 @@ msgstr "Postleitzahl" msgid "Zip or Postal Code" msgstr "Postleitzahl" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "Postleitzahl" diff --git a/frontend/src/locales/en.js b/frontend/src/locales/en.js index 148fa25d3e..4828016ffd 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.\",\"VGioT0\":\"We recommend dimensions of 2160px by 1080px, and a maximum file size of 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We were unable to confirm your payment. Please try again or contact support.\",\"Gspam9\":\"We're processing your order. Please wait...\",\"LuY52w\":\"Welcome aboard! Please login to continue.\",\"dVxpp5\":[\"Welcome back\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 Active Webhook\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"uyJsf6\":\"About\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"About Stripe Connect\",\"VTfZPy\":\"Access Denied\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Add More tickets\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Affiliates\",\"gKq1fa\":\"All attendees\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"An event is the gathering or occasion you’re organizing. You can add more details later.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"Dy+k4r\":\"Are you sure you want to cancel this attendee? This will void their product\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"2xEpch\":\"Ask once per attendee\",\"F2rX0R\":\"At least one event type must be selected\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"Xc2I+v\":\"Attendee Management\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Attendee Updated\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"kShOaz\":\"Auto Workflow\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Avg Discount/Order\",\"sGUsYa\":\"Avg Order Value\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Brand Control\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Canceled\",\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"QndF4b\":\"check in\",\"9FVFym\":\"check out\",\"Y3FYXy\":\"Check-In\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinese\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"Collapse this ticket when the event page is initially loaded\",\"/sZIOR\":\"Complete Store\",\"7D9MJz\":\"Complete Stripe Setup\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Connect Documentation\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"/3017M\":\"Connected to Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contact Support\",\"nBGbqc\":\"Contact us to enable messaging\",\"RGVUUI\":\"Continue To Payment\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Create and customize your event page instantly\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Delete webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Disable this capacity track capacity without stopping product sales\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"TvY/XA\":\"Documentation\",\"dYskfr\":\"Does not exist\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicate Product\",\"Wt9eV8\":\"Duplicate Tickets\",\"4xK5y2\":\"Duplicate Webhooks\",\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"d+nnyk\":\"Edit Ticket\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"RxzN1M\":\"Enabled\",\"LslKhj\":\"Error loading logs\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Event Not Available\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Event Types\",\"jtrqH9\":\"Exporting Attendees\",\"UlAK8E\":\"Exporting Orders\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"10XEC9\":\"Failed to resend product email\",\"YirHq7\":\"Feedback\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Go to Hi.Events\",\"Lek3cJ\":\"Go to Stripe Dashboard\",\"GNJ1kd\":\"Help & Support\",\"spMR9y\":\"Hi.Events charges platform fees to maintain and improve our services. These fees are automatically deducted from each transaction.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"Hide this ticket from customers\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee product page\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"F1Xp97\":\"Individual attendees\",\"nbfdhU\":\"Integrations\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Loading Webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Manage products\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"m920rF\":\"New York\",\"074+X8\":\"No Active Webhooks\",\"6r9SGl\":\"No Credit Card Required\",\"Z6ILSe\":\"No events for this organizer\",\"XZkeaI\":\"No logs found\",\"zK/+ef\":\"No products available for selection\",\"q91DKx\":\"No questions have been answered by this attendee.\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"x5+Lcz\":\"Not Checked In\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"bU7oUm\":\"Only send to orders with these statuses\",\"ppuQR4\":\"Order Created\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"vu6Arl\":\"Order Marked as Paid\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"e7eZuA\":\"Order Updated\",\"mz+c33\":\"Orders Created\",\"5It1cQ\":\"Orders Exported\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"2w/FiJ\":\"Paid Ticket\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Paused\",\"TskrJ8\":\"Payment & Plan\",\"EyE8E6\":\"Payment Processing\",\"vcyz2L\":\"Payment Settings\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Place Order\",\"br3Y/y\":\"Platform Fees\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Please enter a valid URL\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"yygcoG\":\"Please select at least one ticket\",\"fuwKpE\":\"Please try again.\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"R7+D0/\":\"Portuguese (Brazil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"product\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"0dzBGg\":\"Product email has been resent to attendee\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"812gwg\":\"Purchase License\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Resend product email\",\"slOprG\":\"Reset your password\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Search by ticket name...\",\"j9cPeF\":\"Select event types\",\"XH5juP\":\"Select Ticket Tier\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Send order confirmation and product email\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Setup in Minutes\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Show available ticket quantity\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"v6IwHE\":\"Smart Check-in\",\"J9xKh8\":\"Smart Dashboard\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Successfully Duplicated Product\",\"g2lRrH\":\"Successfully updated ticket\",\"kj7zYe\":\"Successfully updated Webhook\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"KosivG\":\"Ticket deleted successfully\",\"HGuXjF\":\"Ticket holders\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL is required\",\"fROFIL\":\"Vietnamese\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"n6EaWL\":\"View logs\",\"AMkkeL\":\"View order\",\"MXm9nr\":\"VIP Product\",\"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\",\"jupD+L\":\"Welcome back 👋\",\"je8QQT\":\"Welcome to Hi.Events 👋\",\"wjqPqF\":\"What are Tiered Tickets?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"What is a webhook?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"nBqgQb\":\"Your Email\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Your orders have been exported successfully.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ 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.\",\"VGioT0\":\"We recommend dimensions of 2160px by 1080px, and a maximum file size of 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We were unable to confirm your payment. Please try again or contact support.\",\"Gspam9\":\"We're processing your order. Please wait...\",\"LuY52w\":\"Welcome aboard! Please login to continue.\",\"dVxpp5\":[\"Welcome back\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 Active Webhook\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"uyJsf6\":\"About\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"About Stripe Connect\",\"VTfZPy\":\"Access Denied\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Add More tickets\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Affiliates\",\"gKq1fa\":\"All attendees\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"An error occurred while checking export status.\",\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"An event is the gathering or occasion you’re organizing. You can add more details later.\",\"QNrkms\":\"Answer updated successfully.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"Dy+k4r\":\"Are you sure you want to cancel this attendee? This will void their product\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"2xEpch\":\"Ask once per attendee\",\"F2rX0R\":\"At least one event type must be selected\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"Xc2I+v\":\"Attendee Management\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Attendee Updated\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"kShOaz\":\"Auto Workflow\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Avg Discount/Order\",\"sGUsYa\":\"Avg Order Value\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Brand Control\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Canceled\",\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"QndF4b\":\"check in\",\"9FVFym\":\"check out\",\"Y3FYXy\":\"Check-In\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinese\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"close\",\"msqIjo\":\"Collapse this ticket when the event page is initially loaded\",\"/sZIOR\":\"Complete Store\",\"7D9MJz\":\"Complete Stripe Setup\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Connect Documentation\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"/3017M\":\"Connected to Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contact Support\",\"nBGbqc\":\"Contact us to enable messaging\",\"RGVUUI\":\"Continue To Payment\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Create and customize your event page instantly\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Delete webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Disable this capacity track capacity without stopping product sales\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"TvY/XA\":\"Documentation\",\"dYskfr\":\"Does not exist\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicate Product\",\"Wt9eV8\":\"Duplicate Tickets\",\"4xK5y2\":\"Duplicate Webhooks\",\"2iZEz7\":\"Edit Answer\",\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"d+nnyk\":\"Edit Ticket\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"RxzN1M\":\"Enabled\",\"LslKhj\":\"Error loading logs\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Event Not Available\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Event Types\",\"VlvpJ0\":\"Export answers\",\"JKfSAv\":\"Export failed. Please try again.\",\"SVOEsu\":\"Export started. Preparing file...\",\"jtrqH9\":\"Exporting Attendees\",\"R4Oqr8\":\"Exporting complete. Downloading file...\",\"UlAK8E\":\"Exporting Orders\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"10XEC9\":\"Failed to resend product email\",\"lKh069\":\"Failed to start export job\",\"NNc33d\":\"Failed to update answer.\",\"YirHq7\":\"Feedback\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Go to Hi.Events\",\"Lek3cJ\":\"Go to Stripe Dashboard\",\"GNJ1kd\":\"Help & Support\",\"spMR9y\":\"Hi.Events charges platform fees to maintain and improve our services. These fees are automatically deducted from each transaction.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"Hide Answers\",\"fsi6fC\":\"Hide this ticket from customers\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee product page\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"F1Xp97\":\"Individual attendees\",\"nbfdhU\":\"Integrations\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Loading Webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Manage products\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"m920rF\":\"New York\",\"074+X8\":\"No Active Webhooks\",\"6r9SGl\":\"No Credit Card Required\",\"Z6ILSe\":\"No events for this organizer\",\"XZkeaI\":\"No logs found\",\"zK/+ef\":\"No products available for selection\",\"q91DKx\":\"No questions have been answered by this attendee.\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"x5+Lcz\":\"Not Checked In\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"bU7oUm\":\"Only send to orders with these statuses\",\"ppuQR4\":\"Order Created\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"vu6Arl\":\"Order Marked as Paid\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"e7eZuA\":\"Order Updated\",\"mz+c33\":\"Orders Created\",\"5It1cQ\":\"Orders Exported\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"2w/FiJ\":\"Paid Ticket\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Paused\",\"TskrJ8\":\"Payment & Plan\",\"EyE8E6\":\"Payment Processing\",\"vcyz2L\":\"Payment Settings\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Place Order\",\"br3Y/y\":\"Platform Fees\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Please enter a valid URL\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"yygcoG\":\"Please select at least one ticket\",\"fuwKpE\":\"Please try again.\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"R7+D0/\":\"Portuguese (Brazil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"product\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"0dzBGg\":\"Product email has been resent to attendee\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"812gwg\":\"Purchase License\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Resend product email\",\"slOprG\":\"Reset your password\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Search by ticket name...\",\"j9cPeF\":\"Select event types\",\"XH5juP\":\"Select Ticket Tier\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Send order confirmation and product email\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Setup in Minutes\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Show available ticket quantity\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"v6IwHE\":\"Smart Check-in\",\"J9xKh8\":\"Smart Dashboard\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Successfully Duplicated Product\",\"g2lRrH\":\"Successfully updated ticket\",\"kj7zYe\":\"Successfully updated Webhook\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"KosivG\":\"Ticket deleted successfully\",\"HGuXjF\":\"Ticket holders\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"ZBAScj\":\"Unknown Attendee\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL is required\",\"fROFIL\":\"Vietnamese\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"c7VN/A\":\"View Answers\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"n6EaWL\":\"View logs\",\"AMkkeL\":\"View order\",\"MXm9nr\":\"VIP Product\",\"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\",\"jupD+L\":\"Welcome back 👋\",\"je8QQT\":\"Welcome to Hi.Events 👋\",\"wjqPqF\":\"What are Tiered Tickets?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"What is a webhook?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"nBqgQb\":\"Your Email\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Your orders have been exported successfully.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/en.po b/frontend/src/locales/en.po index b2b0c566e2..aa224d6b81 100644 --- a/frontend/src/locales/en.po +++ b/frontend/src/locales/en.po @@ -306,7 +306,7 @@ msgstr "A single question per product. E.g, What is your t-shirt size?" msgid "A standard tax, like VAT or GST" msgstr "A standard tax, like VAT or GST" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "About" @@ -366,7 +366,7 @@ msgstr "Account updated successfully" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "Actions" @@ -404,11 +404,11 @@ msgstr "Add any notes about the attendee. These will not be visible to the atten msgid "Add any notes about the attendee..." msgstr "Add any notes about the attendee..." -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "Add any notes about the order. These will not be visible to the customer." -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "Add any notes about the order..." @@ -452,7 +452,7 @@ msgstr "Add Product to Category" msgid "Add products" msgstr "Add products" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "Add question" @@ -501,8 +501,8 @@ msgid "Address line 1" msgstr "Address line 1" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "Address Line 1" @@ -511,8 +511,8 @@ msgid "Address line 2" msgstr "Address line 2" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "Address Line 2" @@ -593,11 +593,15 @@ msgstr "Amount paid ({0})" #~ msgid "Amount paid ${0}" #~ msgstr "Amount paid ${0}" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "An error occurred while checking export status." + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "An error occurred while loading the page" -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "An error occurred while sorting the questions. Please try again or refresh the page" @@ -629,6 +633,10 @@ msgstr "An unexpected error occurred." msgid "An unexpected error occurred. Please try again." msgstr "An unexpected error occurred. Please try again." +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "Answer updated successfully." + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "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" @@ -709,7 +717,7 @@ msgstr "Are you sure you want to cancel this attendee? This will void their tick msgid "Are you sure you want to delete this promo code?" msgstr "Are you sure you want to delete this promo code?" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "Are you sure you want to delete this question?" @@ -753,7 +761,7 @@ msgstr "Ask once per product" msgid "At least one event type must be selected" msgstr "At least one event type must be selected" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "Attendee" @@ -781,7 +789,7 @@ msgstr "Attendee not found" msgid "Attendee Notes" msgstr "Attendee Notes" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "Attendee questions" @@ -805,7 +813,7 @@ msgstr "Attendee Updated" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "Attendees" @@ -859,7 +867,7 @@ msgstr "Automatically resize the widget height based on the content. When disabl msgid "Awaiting offline payment" msgstr "Awaiting offline payment" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -896,8 +904,8 @@ msgstr "Back to all events" #~ msgstr "Back to event homepage" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "Back to event page" @@ -952,7 +960,7 @@ msgstr "Before your event can go live, there are a few things you need to do." #~ msgid "Billing" #~ msgstr "Billing" -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "Billing Address" @@ -995,6 +1003,7 @@ msgstr "Camera permission was denied. <0>Request Permission again, or if thi #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -1031,7 +1040,7 @@ msgstr "Canceling will cancel all products associated with this order, and relea #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "Cancelled" @@ -1211,8 +1220,8 @@ msgstr "Choose an account" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "City" @@ -1228,8 +1237,13 @@ msgstr "click here" msgid "Click to copy" msgstr "Click to copy" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "close" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "Close" @@ -1276,11 +1290,11 @@ msgstr "Coming Soon" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" msgstr "Complete Order" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "Complete payment" @@ -1298,7 +1312,7 @@ msgstr "Complete Stripe Setup" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "Completed" @@ -1397,7 +1411,7 @@ msgstr "Content background color" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "Continue" @@ -1446,7 +1460,7 @@ msgstr "Copy" msgid "Copy Check-In URL" msgstr "Copy Check-In URL" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "Copy details to all attendees" @@ -1461,7 +1475,7 @@ msgstr "Copy URL" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "Country" @@ -1673,7 +1687,7 @@ msgstr "Daily sales, tax, and fee breakdown" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "Danger zone" @@ -1692,8 +1706,8 @@ msgid "Date" msgstr "Date" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "Date & Time" +#~ msgid "Date & Time" +#~ msgstr "Date & Time" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1741,7 +1755,7 @@ msgstr "Delete Image" msgid "Delete product" msgstr "Delete product" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "Delete question" @@ -1773,7 +1787,7 @@ msgstr "Description for check-in staff" #~ msgid "Description should be less than 50,000 characters" #~ msgstr "Description should be less than 50,000 characters" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "Details" @@ -1966,8 +1980,8 @@ msgid "Early bird" msgstr "Early bird" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "Edit" @@ -1975,6 +1989,10 @@ msgstr "Edit" msgid "Edit {0}" msgstr "Edit {0}" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "Edit Answer" + #: src/components/common/AttendeeTable/index.tsx:174 #~ msgid "Edit attendee" #~ msgstr "Edit attendee" @@ -2029,7 +2047,7 @@ msgstr "Edit Product Category" msgid "Edit Promo Code" msgstr "Edit Promo Code" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "Edit question" @@ -2091,16 +2109,16 @@ msgstr "Email & Notification Settings" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "Email address" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "Email Address" @@ -2307,15 +2325,31 @@ msgid "Expiry Date" msgstr "Expiry Date" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "Export" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "Export answers" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "Export failed. Please try again." + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "Export started. Preparing file..." + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "Exporting Attendees" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "Exporting complete. Downloading file..." + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "Exporting Orders" @@ -2327,7 +2361,7 @@ msgstr "Failed to cancel attendee" msgid "Failed to cancel order" msgstr "Failed to cancel order" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "Failed to delete message. Please try again." @@ -2344,7 +2378,7 @@ msgstr "Failed to export attendees" #~ msgid "Failed to export attendees. Please try again." #~ msgstr "Failed to export attendees. Please try again." -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "Failed to export orders" @@ -2372,6 +2406,14 @@ msgstr "Failed to resend ticket email" msgid "Failed to sort products" msgstr "Failed to sort products" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "Failed to start export job" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "Failed to update answer." + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -2394,7 +2436,7 @@ msgstr "Fees" 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." -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "Filter Orders" @@ -2411,22 +2453,22 @@ msgstr "Filters ({activeFilterCount})" msgid "First Invoice Number" msgstr "First Invoice Number" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" msgstr "First name" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" msgstr "First Name" @@ -2435,7 +2477,7 @@ msgstr "First Name" msgid "First name must be between 1 and 50 characters" msgstr "First name must be between 1 and 50 characters" -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." @@ -2534,7 +2576,7 @@ msgstr "Go back to profile" #~ msgid "Go to Dashboard" #~ msgstr "Go to Dashboard" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "Go to event homepage" @@ -2612,11 +2654,11 @@ msgstr "hi.events logo" msgid "Hidden from public view" msgstr "Hidden from public view" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "hidden question" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "hidden questions" @@ -2633,11 +2675,15 @@ msgstr "Hidden questions are only visible to the event organizer and not to the msgid "Hide" msgstr "Hide" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "Hide Answers" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "Hide getting started page" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "Hide hidden questions" @@ -2722,7 +2768,7 @@ msgid "Homepage Preview" msgstr "Homepage Preview" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "Homer" @@ -2940,7 +2986,7 @@ msgstr "Invoice Settings" msgid "Issue refund" msgstr "Issue refund" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "Item" @@ -3008,20 +3054,20 @@ msgstr "Last login" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "Last name" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "Last Name" @@ -3070,7 +3116,6 @@ msgstr "Loading Webhooks" msgid "Loading..." msgstr "Loading..." -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -3315,7 +3360,7 @@ msgstr "My amazing event title..." msgid "My Profile" msgstr "My Profile" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "N/A" @@ -3343,7 +3388,8 @@ msgstr "Name" msgid "Name should be less than 150 characters" msgstr "Name should be less than 150 characters" -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "Navigate to Attendee" @@ -3369,8 +3415,8 @@ msgid "No" msgstr "No" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "No {0} available." +#~ msgid "No {0} available." +#~ msgstr "No {0} available." #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -3380,11 +3426,11 @@ msgstr "No Active Webhooks" msgid "No archived events to show." msgstr "No archived events to show." -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "No attendees found for this order." -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "No attendees have been added to this order." @@ -3476,7 +3522,7 @@ msgstr "No Products Yet" msgid "No Promo Codes to show" msgstr "No Promo Codes to show" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "No questions answered by this attendee." @@ -3484,7 +3530,7 @@ msgstr "No questions answered by this attendee." #~ msgid "No questions have been answered by this attendee." #~ msgstr "No questions have been answered by this attendee." -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "No questions have been asked for this order." @@ -3551,7 +3597,7 @@ msgid "Not On Sale" msgstr "Not On Sale" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "Notes" @@ -3710,7 +3756,7 @@ msgid "Order Date" msgstr "Order Date" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "Order Details" @@ -3731,7 +3777,7 @@ msgstr "Order marked as paid" msgid "Order Marked as Paid" msgstr "Order Marked as Paid" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "Order Notes" @@ -3747,8 +3793,8 @@ msgstr "Order owners with a specific product" msgid "Order owners with products" msgstr "Order owners with products" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "Order questions" @@ -3768,7 +3814,7 @@ msgstr "Order Reference" msgid "Order Refunded" msgstr "Order Refunded" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "Order Status" @@ -3777,7 +3823,7 @@ msgid "Order statuses" msgstr "Order statuses" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "Order Summary" @@ -3790,7 +3836,7 @@ msgid "Order Updated" msgstr "Order Updated" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "Orders" @@ -3799,7 +3845,7 @@ msgstr "Orders" #~ msgid "Orders Created" #~ msgstr "Orders Created" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "Orders Exported" @@ -3876,7 +3922,7 @@ msgstr "Paid Product" #~ msgid "Paid Ticket" #~ msgstr "Paid Ticket" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "Partially Refunded" @@ -4105,7 +4151,7 @@ msgstr "Please select at least one product" #~ msgstr "Please select at least one ticket" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "Please try again." @@ -4122,7 +4168,7 @@ msgstr "Please wait while we prepare your attendees for export..." msgid "Please wait while we prepare your invoice..." msgstr "Please wait while we prepare your invoice..." -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "Please wait while we prepare your orders for export..." @@ -4162,7 +4208,7 @@ msgstr "Powered by" msgid "Pre Checkout message" msgstr "Pre Checkout message" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "Preview" @@ -4256,7 +4302,7 @@ msgstr "Product deleted successfully" msgid "Product Price Type" msgstr "Product Price Type" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "Product questions" @@ -4391,7 +4437,7 @@ msgstr "Quantity Available" msgid "Quantity Sold" msgstr "Quantity Sold" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "Question deleted" @@ -4403,17 +4449,17 @@ msgstr "Question Description" msgid "Question Title" msgstr "Question Title" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "Questions" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "Questions & Answers" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "Questions sorted successfully" @@ -4454,14 +4500,14 @@ msgstr "Refund Order" msgid "Refund Pending" msgstr "Refund Pending" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "Refund Status" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "Refunded" @@ -4600,6 +4646,7 @@ msgstr "Sales start" msgid "San Francisco" msgstr "San Francisco" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -4610,8 +4657,8 @@ msgstr "San Francisco" msgid "Save" msgstr "Save" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "Save Changes" @@ -4654,7 +4701,7 @@ msgstr "Search by event name..." #~ msgid "Search by name or description..." #~ msgstr "Search by name or description..." -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "Search by name, email, or order #..." @@ -4945,7 +4992,7 @@ msgstr "Show available product quantity" #~ msgid "Show available ticket quantity" #~ msgstr "Show available ticket quantity" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "Show hidden questions" @@ -4974,7 +5021,7 @@ msgid "Shows common address fields, including country" msgstr "Shows common address fields, including country" #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "Simpson" @@ -5038,11 +5085,11 @@ msgstr "Something went wrong. Please try again." msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "Sorry, something has gone wrong. Please restart the checkout process." -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "Sorry, something went wrong loading this page." -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "Sorry, this order no longer exists." @@ -5087,8 +5134,8 @@ msgstr "Start Date" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "State or Region" @@ -5217,7 +5264,7 @@ msgstr "Successfully Updated Location" msgid "Successfully Updated Misc Settings" msgstr "Successfully Updated Misc Settings" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "Successfully updated order" @@ -5578,7 +5625,7 @@ msgstr "This order has already been paid." msgid "This order has already been refunded." msgstr "This order has already been refunded." -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "This order has been cancelled" @@ -5590,11 +5637,11 @@ msgstr "This order has been cancelled." #~ msgid "This order has been completed." #~ msgstr "This order has been completed." -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "This order has expired. Please start again." -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "This order is awaiting payment" @@ -5602,7 +5649,7 @@ msgstr "This order is awaiting payment" #~ msgid "This order is awaiting payment." #~ msgstr "This order is awaiting payment." -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "This order is complete" @@ -5652,7 +5699,7 @@ msgstr "This product is hidden from public view" msgid "This product is hidden unless targeted by a Promo Code" msgstr "This product is hidden unless targeted by a Promo Code" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "This question is only visible to the event organizer" @@ -5948,6 +5995,10 @@ msgstr "Unique Customers" msgid "United States" msgstr "United States" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "Unknown Attendee" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -6067,8 +6118,8 @@ msgstr "Venue Name" msgid "Vietnamese" msgstr "Vietnamese" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "View" @@ -6076,11 +6127,15 @@ msgstr "View" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "View and download reports for your event. Please note, only completed orders are included in these reports." +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "View Answers" + #: src/components/common/AttendeeTable/index.tsx:164 #~ msgid "View attendee" #~ msgstr "View attendee" -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "View Attendee Details" @@ -6100,11 +6155,11 @@ msgstr "View full message" msgid "View logs" msgstr "View logs" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "View map" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "View on Google Maps" @@ -6114,7 +6169,7 @@ msgstr "View on Google Maps" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "View order details" @@ -6390,8 +6445,8 @@ msgstr "Working" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -6484,7 +6539,7 @@ msgstr "You cannot edit the role or status of the account owner." msgid "You cannot refund a manually created order." msgstr "You cannot refund a manually created order." -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "You created a hidden question but disabled the option to show hidden questions. It has been enabled." @@ -6504,7 +6559,7 @@ msgstr "You have already accepted this invitation. Please login to continue." #~ msgid "You have connected your Stripe account" #~ msgstr "You have connected your Stripe account" -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "You have no attendee questions." @@ -6512,7 +6567,7 @@ msgstr "You have no attendee questions." #~ msgid "You have no attendee questions. Attendee questions are asked once per attendee." #~ msgstr "You have no attendee questions. Attendee questions are asked once per attendee." -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "You have no order questions." @@ -6636,7 +6691,7 @@ msgstr "Your attendees will appear here once they have registered for your event msgid "Your awesome website 🎉" msgstr "Your awesome website 🎉" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "Your Details" @@ -6668,7 +6723,7 @@ msgstr "Your order is awaiting payment 🏦" #~ msgid "Your order is in progress" #~ msgstr "Your order is in progress" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "Your orders have been exported successfully." @@ -6713,7 +6768,7 @@ msgstr "Your ticket for" #~ msgid "Zip" #~ msgstr "Zip" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "ZIP / Postal Code" @@ -6722,7 +6777,7 @@ msgstr "ZIP / Postal Code" msgid "Zip or Postal Code" msgstr "Zip or Postal Code" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "ZIP or Postal Code" diff --git a/frontend/src/locales/es.js b/frontend/src/locales/es.js index bda8a9fe2c..1c66141380 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\":[\"Eventos de \",[\"0\"]],\"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>Las listas de registro ayudan a gestionar la entrada de los asistentes a su evento. Puede asociar múltiples boletos con una lista de registro y asegurarse de que solo aquellos con boletos válidos puedan ingresar.\",\"OXku3b\":\"<0>https://tu-sitio-web.com\",\"qnSLLW\":\"<0>Por favor, introduce el precio sin incluir impuestos y tasas.<1>Los impuestos y tasas se pueden agregar a continuación.\",\"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\":\"✉️ Confirma tu dirección de correo electrónico\",\"BN0OQd\":\"🎉 ¡Felicitaciones por crear un evento!\",\"4kSf7w\":\"🎟️ Añadir productos\",\"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\":\"Sobre el evento\",\"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\":\"Comportamiento\",\"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\":\"Agregue detalles del evento y administre la configuración del evento.\",\"OveehC\":\"Agregue instrucciones para pagos offline (por ejemplo, detalles de transferencia bancaria, dónde enviar cheques, fechas límite de pago)\",\"LTVoRa\":\"Añadir más productos\",\"ApsD9J\":\"Agregar nuevo\",\"TZxnm8\":\"Agregar opción\",\"24l4x6\":\"Añadir producto\",\"8q0EdE\":\"Añadir producto a la categoría\",\"YvCknQ\":\"Añadir productos\",\"Cw27zP\":\"Agregar pregunta\",\"yWiPh+\":\"Agregar impuesto o tarifa\",\"goOKRY\":\"Agregar nivel\",\"oZW/gT\":\"Agregar al calendario\",\"pn5qSs\":\"Información adicional\",\"Y8DIQy\":\"Opciones adicionales\",\"Du6bPw\":\"DIRECCIÓN\",\"NY/x1b\":\"Dirección Línea 1\",\"POdIrN\":\"Dirección Línea 1\",\"cormHa\":\"Línea de dirección 2\",\"gwk5gg\":\"Línea de dirección 2\",\"U3pytU\":\"Administración\",\"HLDaLi\":\"Los usuarios administradores tienen acceso completo a los eventos y la configuración de la cuenta.\",\"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\":\"¡Casi llegamos! Estamos esperando que se procese su pago. Esto debería tomar sólo unos pocos segundos..\",\"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\":\"Un evento es el evento real que estás organizando. Puedes agregar más detalles más adelante.\",\"oBkF+i\":\"Un organizador es la empresa o persona que organiza el evento.\",\"W5A0Ly\":\"Ocurrió un error inesperado.\",\"byKna+\":\"Ocurrió un error inesperado. Inténtalo de nuevo.\",\"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\":\"Eventos archivados\",\"q7TRd7\":\"¿Está seguro de que desea activar este asistente?\",\"TvkW9+\":\"¿Está seguro de que desea archivar este evento?\",\"/CV2x+\":\"¿Está seguro de que desea cancelar este asistente? Esto anulará su boleto.\",\"YgRSEE\":\"¿Estás seguro de que deseas eliminar este código de promoción?\",\"iU234U\":\"¿Estás seguro de que deseas eliminar esta pregunta?\",\"CMyVEK\":\"¿Estás seguro de que quieres hacer este borrador de evento? Esto hará que el evento sea invisible para el público.\",\"mEHQ8I\":\"¿Estás seguro de que quieres hacer público este evento? Esto hará que el evento sea visible para el público.\",\"s4JozW\":\"¿Está seguro de que desea restaurar este evento? Será restaurado como un evento borrador.\",\"vJuISq\":\"¿Estás seguro de que deseas eliminar esta Asignación de Capacidad?\",\"baHeCz\":\"¿Está seguro de que desea eliminar esta lista de registro?\",\"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\":\"Asistentes con un producto específico\",\"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\":\"Impresionante evento\",\"Yrbm6T\":\"Impresionante organizador Ltd.\",\"9002sI\":\"Volver a todos los eventos\",\"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\":\"Antes de que su evento pueda comenzar, hay algunas cosas que debe hacer.\",\"ze6ETw\":\"Comience a vender productos en minutos\",\"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\":\"Cancelar cancelará todos los productos asociados con este pedido y devolverá los productos al inventario disponible.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"No se puede registrar\",\"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\":\"Cubierta de cambio\",\"GptGxg\":\"Cambiar la contraseña\",\"xMDm+I\":\"Registrarse\",\"p2WLr3\":[\"Registrar \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Registrar y marcar pedido como pagado\",\"QYLpB4\":\"Solo registrar\",\"/Ta1d4\":\"Salir\",\"5LDT6f\":\"¡Mira este evento!\",\"gXcPxc\":\"Registrarse\",\"fVUbUy\":\"Lista de registro creada con éxito\",\"+CeSxK\":\"Lista de registro eliminada con éxito\",\"+hBhWk\":\"La lista de registro ha expirado\",\"mBsBHq\":\"La lista de registro no está activa\",\"vPqpQG\":\"Lista de registro no encontrada\",\"tejfAy\":\"Listas de registro\",\"hD1ocH\":\"URL de registro copiada al portapapeles\",\"CNafaC\":\"Las opciones de casilla de verificación permiten múltiples selecciones\",\"SpabVf\":\"Casillas de verificación\",\"CRu4lK\":\"Registrado\",\"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\":\"haga clic aquí\",\"sby+1/\":\"Haga clic para copiar\",\"yz7wBu\":\"Cerca\",\"62Ciis\":\"Cerrar barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"El código debe tener entre 3 y 50 caracteres.\",\"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\":\"Orden completa\",\"guBeyC\":\"El pago completo\",\"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\":\"Color de fondo del contenido\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto del botón Continuar\",\"AfNRFG\":\"Texto del botón Continuar\",\"lIbwvN\":\"Continuar configuración del evento\",\"HB22j9\":\"Continuar configurando\",\"bZEa4H\":\"Continuar con la configuración de Stripe Connect\",\"6V3Ea3\":\"copiado\",\"T5rdis\":\"Copiado al portapapeles\",\"he3ygx\":\"Copiar\",\"r2B2P8\":\"Copiar URL de registro\",\"8+cOrS\":\"Copiar detalles a todos los asistentes.\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cubrir\",\"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\":\"Cree productos para su evento, establezca precios y gestione la cantidad disponible.\",\"sYpiZP\":\"Crear código promocional\",\"B3Mkdt\":\"Crear pregunta\",\"UKfi21\":\"Crear impuesto o tarifa\",\"d+F6q9\":\"Creado\",\"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\":\"Panel\",\"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\":\"Eliminar portada\",\"KWa0gi\":\"Eliminar Imagen\",\"1l14WA\":\"Eliminar producto\",\"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\":\"Despedir\",\"DZlSLn\":\"Etiqueta del documento\",\"cVq+ga\":\"¿No tienes una cuenta? <0>Registrarse\",\"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\":\"Arrastra y suelta o haz clic\",\"CfKofC\":\"Selección desplegable\",\"JzLDvy\":\"Duplicar asignaciones de capacidad\",\"ulMxl+\":\"Duplicar listas de registro\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar la imagen de portada del evento\",\"+fA4C7\":\"Duplicar opciones\",\"SoiDyI\":\"Duplicar productos\",\"57ALrd\":\"Duplicar códigos promocionales\",\"83Hu4O\":\"Duplicar preguntas\",\"20144c\":\"Duplicar configuraciones\",\"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 final\",\"237hSL\":\"Terminado\",\"nt4UkP\":\"Eventos finalizados\",\"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\":\"Evento creado exitosamente 🎉\",\"/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\":\"El evento no es visible para el público.\",\"4pKXJS\":\"El evento es visible para el público.\",\"ClwUUD\":\"Ubicación del evento y detalles del lugar\",\"OopDbA\":\"Página del evento\",\"4/If97\":\"Error al actualizar el estado del evento. Por favor, inténtelo de nuevo más tarde\",\"btxLWj\":\"Estado del evento actualizado\",\"nMU2d3\":\"URL del evento\",\"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\":\"No se pudieron exportar los asistentes. Inténtalo de nuevo.\",\"2uGNuE\":\"No se pudieron exportar los pedidos. Inténtalo de nuevo.\",\"d+KKMz\":\"No se pudo cargar la lista de registro\",\"ZQ15eN\":\"No se pudo reenviar el correo electrónico del ticket\",\"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\":\"Nombre de pila\",\"kODvZJ\":\"Nombre de pila\",\"S+tm06\":\"El nombre debe tener entre 1 y 50 caracteres.\",\"1g0dC4\":\"Nombre, apellido y dirección de correo electrónico son preguntas predeterminadas y siempre se incluyen en el proceso de pago.\",\"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\":\"Ir a la página de inicio del evento\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"ventas brutas\",\"IgcAGN\":\"Ventas brutas\",\"yRg26W\":\"Ventas brutas\",\"R4r4XO\":\"Huéspedes\",\"26pGvx\":\"¿Tienes un código de promoción?\",\"V7yhws\":\"hola@awesome-events.com\",\"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\":[\"Hola.Eventos Conferencia \",[\"0\"]],\"verBst\":\"Centro de conferencias Hi.Events\",\"6eMEQO\":\"hola.eventos logo\",\"C4qOW8\":\"Oculto de la vista del público\",\"gt3Xw9\":\"pregunta oculta\",\"g3rqFe\":\"preguntas ocultas\",\"k3dfFD\":\"Las preguntas ocultas sólo son visibles para el organizador del evento y no para el cliente.\",\"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\":\"Me gustaría pagar utilizando un método offline\",\"SdFlIP\":\"Me gustaría pagar utilizando un método online (tarjeta de crédito, etc.)\",\"93DUnd\":[\"Si no se abrió una nueva pestaña, <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\":\"Las dimensiones de la imagen deben estar entre 4000px por 4000px. Con una altura máxima de 4000px y un ancho máximo de 4000px\",\"uPEIvq\":\"La imagen debe tener menos de 5 MB.\",\"AGZmwV\":\"Imagen cargada exitosamente\",\"VyUuZb\":\"URL de imagen\",\"ibi52/\":\"El ancho de la imagen debe ser de al menos 900 px y la altura de al menos 50 px.\",\"NoNwIX\":\"Inactivo\",\"T0K0yl\":\"Los usuarios inactivos no pueden iniciar sesión.\",\"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\":\"Reembolso de emisión\",\"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\":\"Más información sobre la raya\",\"enV0g0\":\"Dejar en blanco para usar la palabra predeterminada \\\"Factura\\\"\",\"vR92Yn\":\"Comencemos creando tu primer organizador.\",\"Z3FXyt\":\"Cargando...\",\"wJijgU\":\"Ubicación\",\"sQia9P\":\"Acceso\",\"zUDyah\":\"Iniciando sesión\",\"z0t9bb\":\"Acceso\",\"nOhz3x\":\"Cerrar sesión\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"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\":\"Gestiona tus datos de pago de Stripe\",\"BfucwY\":\"Gestiona tus usuarios y sus permisos\",\"1m+YT2\":\"Las preguntas obligatorias deben responderse antes de que el cliente pueda realizar el pago.\",\"Dim4LO\":\"Agregar manualmente un asistente\",\"e4KdjJ\":\"Agregar asistente manualmente\",\"vFjEnF\":\"Marcar como pagado\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Asistente del mensaje\",\"Gv5AMu\":\"Mensaje a los asistentes\",\"oUCR3c\":\"Enviar mensaje a asistentes con productos específicos\",\"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\":\"El nombre debe tener menos de 150 caracteres.\",\"AIUkyF\":\"Navegar al asistente\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nueva contraseña\",\"1UzENP\":\"No\",\"eRblWH\":[\"No hay \",[\"0\"],\" disponible.\"],\"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\":\"Ningún asistente podrá registrarse antes de esta fecha usando esta lista\",\"XUfgCI\":\"No hay Asignaciones de Capacidad\",\"a/gMx2\":\"No hay listas de registro\",\"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\":\"No a la venta\",\"1DBGsz\":\"Notas\",\"jtrY3S\":\"Nada que mostrar aún\",\"hFwWnI\":\"Configuración de las notificaciones\",\"xXqEPO\":\"Notificar al comprador del reembolso\",\"YpN29s\":\"Notificar al organizador de nuevos pedidos\",\"qeQhNj\":\"Ahora creemos tu primer evento.\",\"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 offline\",\"+eZ7dp\":\"Pagos offline\",\"ojDQlR\":\"Información de pagos offline\",\"u5oO/W\":\"Configuración de pagos offline\",\"2NPDz1\":\"En venta\",\"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 la página de registro\",\"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\":\"Orden #\",\"B3gPuX\":\"Orden cancelada\",\"SIbded\":\"Pedido completado\",\"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\":\"Color de fondo de la página\",\"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\":\"Avance\",\"a7u1N9\":\"Precio\",\"CmoB9j\":\"Modo de visualización de precios\",\"BI7D9d\":\"Precio no establecido\",\"Q8PWaJ\":\"Niveles de precios\",\"q6XHL1\":\"Tipo de precio\",\"6RmHKN\":\"Color primario\",\"G/ZwV1\":\"Color primario\",\"8cBtvm\":\"Color de texto principal\",\"BZz12Q\":\"Imprimir\",\"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\":\"productos vendidos\",\"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\":\"Cantidad vendida\",\"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\":\"Referencia\",\"gxFu7d\":[\"Importe del reembolso (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso fallido\",\"n10yGu\":\"Orden de reembolso\",\"zPH6gp\":\"Orden de reembolso\",\"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\":\"Reenviar correo electrónico de confirmación\",\"lnrkNz\":\"Reenviar confirmación por correo electrónico\",\"wIa8Qe\":\"Reenviar invitacíon\",\"VeKsnD\":\"Reenviar correo electrónico del pedido\",\"dFuEhO\":\"Reenviar correo electrónico del ticket\",\"o6+Y6d\":\"Reenviando...\",\"OfhWJH\":\"Restablecer\",\"RfwZxd\":\"Restablecer la contraseña\",\"KbS2K9\":\"Restablecer la contraseña\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Volver a la página del evento\",\"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\":\"Venta finalizada\",\"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\":\"Escanear código QR\",\"EEU0+z\":\"Escanea este código QR para acceder a la página del evento o compártelo con otros\",\"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\":\"Color secundario\",\"DnXcDK\":\"Color secundario\",\"cZF6em\":\"Color de texto secundario\",\"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\":\"Compartir en Facebook\",\"x7i6H+\":\"Compartir en LinkedIn\",\"zziQd8\":\"Compartir en Pinterest\",\"/TgBEk\":\"Compartir en Reddit\",\"0Wlk5F\":\"Compartir en redes sociales\",\"on+mNS\":\"Compartir en Telegram\",\"PcmR+m\":\"Compartir en WhatsApp\",\"/5b1iZ\":\"Compartir en X\",\"n/T2KI\":\"Compartir por correo electrónico\",\"8vETh9\":\"Espectáculo\",\"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\":\"Lo sentimos, algo ha ido mal. Reinicie el proceso de pago.\",\"KWgppI\":\"Lo sentimos, algo salió mal al cargar esta página.\",\"/TCOIK\":\"Lo siento, este pedido ya no existe.\",\"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 no pagado.\",\"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\":\"Esta descripción se mostrará al personal de registro\",\"MLTkH7\":\"Este correo electrónico no es promocional y está directamente relacionado con el evento.\",\"2eIpBM\":\"Este evento no está disponible en este momento. Por favor, vuelva más tarde.\",\"Z6LdQU\":\"Este evento no está disponible.\",\"MMd2TJ\":\"Esta información se mostrará en la página de pago, la página de resumen del pedido y 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\":\"Esta lista ya no estará disponible para registros después de esta fecha\",\"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\":\"Esta orden ha sido cancelada\",\"YyEJij\":\"Esta orden ha sido cancelada.\",\"Q0zd4P\":\"Este pedido ha expirado. Por favor, comienza de nuevo.\",\"HILpDX\":\"Este pedido está pendiente de pago.\",\"BdYtn9\":\"Este pedido está completo.\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"Este pedido se está procesando.\",\"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\":\"Este producto está oculto de la vista pública\",\"Y/x1MZ\":\"Este producto está oculto a menos que sea dirigido por un código promocional\",\"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\":\"Título\",\"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 restante\",\"/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\":\"Subir portada\",\"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\":\"Ver detalles de la orden\",\"QIWCnW\":\"Lista de registro VIP\",\"tF+VVr\":\"Entrada VIP\",\"2q/Q7x\":\"Visibilidad\",\"vmOFL/\":\"No pudimos procesar su pago. Inténtelo de nuevo o comuníquese con el soporte.\",\"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.\",\"VGioT0\":\"Recomendamos dimensiones de 2160 px por 1080 px y un tamaño de archivo máximo de 5 MB.\",\"b9UB/w\":\"Usamos Stripe para procesar pagos. Conecte su cuenta Stripe para comenzar a recibir pagos.\",\"01WH0a\":\"No pudimos confirmar su pago. Inténtelo de nuevo o comuníquese con el soporte.\",\"Gspam9\":\"Estamos procesando tu pedido. Espere por favor...\",\"LuY52w\":\"¡Bienvenido a bordo! Por favor inicie sesión para continuar.\",\"dVxpp5\":[\"Bienvenido de nuevo\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bienvenido a Hola.Eventos, \",[\"0\"],\" 👋\"],\"xgL50q\":\"¿Qué son los productos escalonados?\",\"f1jUC0\":\"¿En qué fecha debe activarse esta lista de registro?\",\"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\":\"¿Cuándo debe expirar esta lista de registro?\",\"FVetkT\":\"¿Qué boletos deben asociarse con esta lista de registro?\",\"S+OdxP\":\"¿Quién organiza este evento?\",\"LINr2M\":\"¿A quién va dirigido este mensaje?\",\"nWhye/\":\"¿A quién se le debería hacer esta pregunta?\",\"VxFvXQ\":\"Insertar widget\",\"v1P7Gm\":\"Configuración de widgets\",\"b4itZn\":\"Laboral\",\"hqmXmc\":\"Laboral...\",\"+G/XiQ\":\"Año hasta la fecha\",\"l75CjT\":\"Sí\",\"QcwyCh\":\"Si, eliminarlos\",\"ySeBKv\":\"Ya has escaneado este boleto\",\"P+Sty0\":[\"Estás cambiando tu correo electrónico a <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Estás desconectado\",\"sdB7+6\":\"Puede crear un código promocional que se dirija a este producto en el\",\"KRhIxT\":\"Ahora puedes empezar a recibir pagos a través de Stripe.\",\"Gnjf3o\":\"No puede cambiar el tipo de producto ya que hay asistentes asociados con este producto.\",\"S+on7c\":\"No puede registrar a asistentes con pedidos no pagados.\",\"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\":\"Usted no tiene permiso para acceder a esta página\",\"BRArmD\":\"Tienes acceso a múltiples cuentas. Por favor elige uno para continuar.\",\"Z6q0Vl\":\"Ya has aceptado esta invitación. Por favor inicie sesión para continuar.\",\"rdk1xK\":\"Has conectado tu cuenta Stripe\",\"ofEncr\":\"No tienes preguntas de los asistentes.\",\"CoZHDB\":\"No tienes preguntas sobre pedidos.\",\"15qAvl\":\"No tienes ningún cambio de correo electrónico pendiente.\",\"n81Qk8\":\"No has completado la configuración de Stripe Connect\",\"jxsiqJ\":\"No has conectado tu cuenta de Stripe\",\"+FWjhR\":\"Se te ha acabado el tiempo para completar tu pedido.\",\"MycdJN\":\"Tiene impuestos y tasas añadidos a un producto gratuito. ¿Le gustaría eliminarlos u ocultarlos?\",\"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\":\"Debes confirmar tu dirección de correo electrónico antes de que tu evento pueda comenzar.\",\"H35u3n\":\"Debe crear un ticket antes de poder agregar manualmente un asistente.\",\"jE4Z8R\":\"Debes tener al menos un nivel de precios\",\"8/eLoa\":\"Debes verificar tu cuenta antes de poder enviar mensajes.\",\"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\":[\"¡Vas a \",[\"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\":\"Su pedido está en espera de pago 🏦\",\"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\":\"Su producto para\",\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" webhooks activos\"],\"tmew5X\":[[\"0\"],\" registrado\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>El número de entradas disponibles para este ticket<1>Este valor puede ser anulado si hay <2>Límites de Capacidad asociados con este ticket.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Agregar entradas\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 webhook activo\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Un \",[\"tipo\"],\" predeterminado se aplica automáticamente a todos los tickets nuevos. Puede anular esto por ticket.\"],\"Pgaiuj\":\"Una cantidad fija por billete. Por ejemplo, $0,50 por boleto\",\"ySO/4f\":\"Un porcentaje del precio del billete. Por ejemplo, el 3,5% del precio del billete.\",\"WXeXGB\":\"Se puede utilizar un código de promoción sin descuento para revelar entradas ocultas.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Una única pregunta por asistente. Por ejemplo, ¿cuál es tu comida preferida?\",\"ap3v36\":\"Una sola pregunta por pedido. Por ejemplo, ¿cuál es el nombre de su empresa?\",\"uyJsf6\":\"Acerca de\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Acerca de Stripe Connect\",\"VTfZPy\":\"Acceso denegado\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Agregar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Añadir más entradas\",\"BGD9Yt\":\"Agregar entradas\",\"QN2F+7\":\"Agregar Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Afiliados\",\"gKq1fa\":\"Todos los asistentes\",\"QsYjci\":\"Todos los eventos\",\"/twVAS\":\"Todas las entradas\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"Se produjo un error al clasificar los boletos. Inténtalo de nuevo o actualiza la página.\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Un evento es la reunión o ocasión que estás organizando. Puedes agregar más detalles más adelante.\",\"j4DliD\":\"Cualquier consulta de los poseedores de entradas se enviará a esta dirección de correo electrónico. Esta también se utilizará como dirección de \\\"respuesta\\\" para todos los correos electrónicos enviados desde este evento.\",\"epTbAK\":[\"Se aplica a \",[\"0\"],\" entradas\"],\"6MkQ2P\":\"Se aplica a 1 entrada\",\"jcnZEw\":[\"Aplicar este \",[\"tipo\"],\" a todos los tickets nuevos\"],\"Dy+k4r\":\"¿Está seguro de que desea cancelar a este asistente? Esto anulará su producto\",\"5H3Z78\":\"¿Estás seguro de que quieres eliminar este webhook?\",\"2xEpch\":\"Preguntar una vez por asistente\",\"F2rX0R\":\"Debe seleccionarse al menos un tipo de evento\",\"AJ4rvK\":\"Asistente cancelado\",\"qvylEK\":\"Asistente creado\",\"Xc2I+v\":\"Gestión de asistentes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Asistente actualizado\",\"k3Tngl\":\"Asistentes exportados\",\"5UbY+B\":\"Asistentes con entrada específica\",\"kShOaz\":\"Flujo de trabajo automatizado\",\"VPoeAx\":\"Gestión automatizada de entradas con múltiples listas de registro y validación en tiempo real\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Descuento promedio/Pedido\",\"sGUsYa\":\"Valor promedio del pedido\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Detalles básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Comience a vender boletos en minutos\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Control de marca\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Cancelado\",\"Ud7zwq\":\"La cancelación cancelará todos los boletos asociados con este pedido y los liberará nuevamente al grupo disponible.\",\"QndF4b\":\"registrarse\",\"9FVFym\":\"verificar\",\"Y3FYXy\":\"Registrarse\",\"udRwQs\":\"Registro de entrada creado\",\"F4SRy3\":\"Registro de entrada eliminado\",\"rfeicl\":\"Registrado con éxito\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chino\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"Colapsar este ticket cuando se cargue inicialmente la página del evento\",\"/sZIOR\":\"Tienda completa\",\"7D9MJz\":\"Completar configuración de Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Documentación de conexión\",\"MOUF31\":\"Conéctese con el CRM y automatice tareas mediante webhooks e integraciones\",\"/3017M\":\"Conectado a Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contactar con soporte\",\"nBGbqc\":\"Contáctanos para habilitar la mensajería\",\"RGVUUI\":\"Continuar con el pago\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Crea y personaliza tu página de evento al instante\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Crear Ticket\",\"agZ87r\":\"Crea entradas para tu evento, establece precios y gestiona la cantidad disponible.\",\"dkAPxi\":\"Crear Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Personalice su página de evento y el diseño del widget para que coincida perfectamente con su marca\",\"zgCHnE\":\"Informe de ventas diarias\",\"nHm0AI\":\"Desglose de ventas diarias, impuestos y tarifas\",\"PqrqgF\":\"Lista de registro del primer día\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Eliminar billete\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Eliminar webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Desactivar esta capacidad de seguimiento sin detener las ventas de productos\",\"Tgg8XQ\":\"Desactiva esta capacidad para rastrear la capacidad sin detener la venta de entradas\",\"TvY/XA\":\"Documentación\",\"dYskfr\":\"No existe\",\"V6Jjbr\":\"¿No tienes una cuenta? <0>Regístrate\",\"4+aC/x\":\"Donación / Pague la entrada que desee\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Arrastra para ordenar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicar producto\",\"Wt9eV8\":\"Duplicar boletos\",\"4xK5y2\":\"Duplicar Webhooks\",\"kNGp1D\":\"Editar asistente\",\"t2bbp8\":\"Editar asistente\",\"d+nnyk\":\"Editar ticket\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Activa esta capacidad para detener la venta de entradas cuando se alcance el límite\",\"RxzN1M\":\"Habilitado\",\"LslKhj\":\"Error al cargar los registros\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Evento no disponible\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Tipos de eventos\",\"jtrqH9\":\"Exportando asistentes\",\"UlAK8E\":\"Exportando pedidos\",\"Jjw03p\":\"Error al exportar asistentes\",\"ZPwFnN\":\"Error al exportar pedidos\",\"X4o0MX\":\"Error al cargar el Webhook\",\"10XEC9\":\"Error al reenviar el correo electrónico del producto\",\"YirHq7\":\"Comentario\",\"T4BMxU\":\"Las tarifas están sujetas a cambios. Se te notificará cualquier cambio en la estructura de tarifas.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Tarifa fija:\",\"KgxI80\":\"Venta de entradas flexible\",\"/4rQr+\":\"Boleto gratis\",\"01my8x\":\"Entrada gratuita, no se requiere información de pago.\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Comienza gratis, sin tarifas de suscripción\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Ir a Hi.Events\",\"Lek3cJ\":\"Ir al panel de Stripe\",\"GNJ1kd\":\"Ayuda y Soporte\",\"spMR9y\":\"Hi.Events cobra tarifas de plataforma para mantener y mejorar nuestros servicios. Estas tarifas se deducen automáticamente de cada transacción.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"Ocultar este ticket a los clientes\",\"Fhzoa8\":\"Ocultar boleto después de la fecha de finalización de la venta\",\"yhm3J/\":\"Ocultar boleto antes de la fecha de inicio de venta\",\"k7/oGT\":\"Ocultar ticket a menos que el usuario tenga un código de promoción aplicable\",\"L0ZOiu\":\"Ocultar entrada cuando esté agotada\",\"uno73L\":\"Ocultar una entrada evitará que los usuarios la vean en la página del evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Si está en blanco, la dirección se utilizará para generar un enlace al mapa de Google.\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Las dimensiones de la imagen deben estar entre 3000 px por 2000 px. Con una altura máxima de 2000 px y un ancho máximo de 3000 px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"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 producto del asistente\",\"evpD4c\":\"Incluya detalles de conexión para su evento en línea. Estos detalles se mostrarán en la página de resumen del pedido y en la página de boletos de asistente.\",\"AXTNr8\":[\"Incluye \",[\"0\"],\" boletos\"],\"7/Rzoe\":\"Incluye 1 boleto\",\"F1Xp97\":\"Asistentes individuales\",\"nbfdhU\":\"Integraciones\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Última respuesta\",\"gw3Ur5\":\"Última activación\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Cargando webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Gestionar productos\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gestiona los impuestos y tasas que se pueden aplicar a tus billetes\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Administra tu procesamiento de pagos y consulta las tarifas de la plataforma\",\"lzcrX3\":\"Agregar manualmente un asistente ajustará la cantidad de entradas.\",\"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\",\"0/yJtP\":\"Enviar mensajes a los propietarios de pedidos con productos específicos\",\"tccUcA\":\"Registro móvil\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Múltiples opciones de precios. Perfecto para entradas anticipadas, etc.\",\"m920rF\":\"New York\",\"074+X8\":\"No hay webhooks activos\",\"6r9SGl\":\"No se requiere tarjeta de crédito\",\"Z6ILSe\":\"No hay eventos para este organizador\",\"XZkeaI\":\"No se encontraron registros\",\"zK/+ef\":\"No hay productos disponibles para seleccionar\",\"q91DKx\":\"Este asistente no ha respondido a ninguna pregunta.\",\"QoAi8D\":\"Sin respuesta\",\"EK/G11\":\"Aún no hay respuestas\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No hay entradas para mostrar\",\"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\",\"x5+Lcz\":\"No registrado\",\"+P/tII\":\"Una vez que esté listo, configure su evento en vivo y comience a vender entradas.\",\"bU7oUm\":\"Enviar solo a pedidos con estos estados\",\"ppuQR4\":\"Pedido creado\",\"L4kzeZ\":[\"Detalles del pedido \",[\"0\"]],\"vu6Arl\":\"Pedido marcado como pagado\",\"FaPYw+\":\"Propietario del pedido\",\"eB5vce\":\"Propietarios de pedidos con un producto específico\",\"CxLoxM\":\"Propietarios de pedidos con productos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Estados de los pedidos\",\"e7eZuA\":\"Pedido actualizado\",\"mz+c33\":\"Órdenes creadas\",\"5It1cQ\":\"Pedidos exportados\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Los organizadores sólo pueden gestionar eventos y entradas. No pueden administrar usuarios, configuraciones de cuenta o información de facturación.\",\"2w/FiJ\":\"Boleto pagado\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Pausado\",\"TskrJ8\":\"Pago y plan\",\"EyE8E6\":\"Procesamiento de pagos\",\"vcyz2L\":\"Configuración de pagos\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Realizar pedido\",\"br3Y/y\":\"Tarifas de la plataforma\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Por favor, introduce una URL válida\",\"MA04r/\":\"Elimine los filtros y configure la clasificación en \\\"Orden de página de inicio\\\" para habilitar la clasificación.\",\"yygcoG\":\"Por favor seleccione al menos un boleto\",\"fuwKpE\":\"Por favor, inténtalo de nuevo.\",\"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...\",\"R7+D0/\":\"Portugués (Brasil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desarrollado por Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"producto\",\"EWCLpZ\":\"Producto creado\",\"XkFYVB\":\"Producto eliminado\",\"0dzBGg\":\"El correo electrónico del producto se ha reenviado al asistente\",\"YMwcbR\":\"Desglose de ventas de productos, ingresos e impuestos\",\"ldVIlB\":\"Producto actualizado\",\"mIqT3T\":\"Productos, mercancía y opciones de precios flexibles\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionales y desglose de descuentos\",\"812gwg\":\"Licencia de compra\",\"YwNJAq\":\"Escaneo de códigos QR con retroalimentación instantánea y uso compartido seguro para el acceso del personal\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Reenviar correo electrónico del producto\",\"slOprG\":\"Restablece tu contraseña\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Busque por nombre, número de pedido, número de asistente o correo electrónico...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Buscar por nombre del billete...\",\"j9cPeF\":\"Seleccionar tipos de eventos\",\"XH5juP\":\"Seleccionar nivel de boleto\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Selecciona qué eventos activarán este webhook\",\"VtX8nW\":\"Vende productos junto con las entradas con soporte integrado para impuestos y códigos promocionales\",\"Cye3uV\":\"Vende más que boletos\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Enviar confirmación del pedido y correo electrónico del producto\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Configura en minutos\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Mostrar cantidad de entradas disponibles\",\"j3b+OW\":\"Se muestra al cliente después de realizar el pago, en la página de resumen del pedido.\",\"v6IwHE\":\"Registro inteligente\",\"J9xKh8\":\"Panel de control inteligente\",\"KTxc6k\":\"Algo salió mal, inténtalo de nuevo o contacta con soporte si el problema persiste\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Lo sentimos, tu pedido ha caducado. Por favor inicie un nuevo pedido.\",\"a4SyEE\":\"La clasificación está deshabilitada mientras se aplican filtros y clasificación\",\"4nG1lG\":\"Billete estándar con precio fijo.\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Comprobado correctamente <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Boleto creado exitosamente\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Producto duplicado con éxito\",\"g2lRrH\":\"Boleto actualizado exitosamente\",\"kj7zYe\":\"Webhook actualizado con éxito\",\"5gIl+x\":\"Soporte para ventas escalonadas, basadas en donaciones y de productos con precios y capacidad personalizables\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"tXadb0\":\"El evento que buscas no está disponible en este momento. Puede que haya sido eliminado, haya caducado o la URL sea incorrecta.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"El número máximo de entradas para \",[\"0\"],\" es \",[\"1\"]],\"FeAfXO\":[\"El número máximo de entradas para Generales es \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Los impuestos y tasas a aplicar a este billete. Puede crear nuevos impuestos y tarifas en el\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"No hay entradas disponibles para este evento.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Esto anula todas las configuraciones de visibilidad y ocultará el ticket a todos los clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Este ticket no se puede eliminar porque está\\nasociado a un pedido. Puedes ocultarlo en su lugar.\",\"ma6qdu\":\"Este billete está oculto a la vista del público.\",\"xJ8nzj\":\"Este ticket está oculto a menos que esté dirigido a un código promocional.\",\"KosivG\":\"Boleto eliminado exitosamente\",\"HGuXjF\":\"Poseedores de entradas\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venta de boletos\",\"NirIiz\":\"Nivel de boletos\",\"8jLPgH\":\"Tipo de billete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Vista previa del widget de ticket\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Entradas)\",\"6GQNLE\":\"Entradas\",\"ikA//P\":\"entradas vendidas\",\"i+idBz\":\"Entradas vendidas\",\"AGRilS\":\"Entradas vendidas\",\"56Qw2C\":\"Entradas ordenadas correctamente\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Boleto escalonado\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Los boletos escalonados le permiten ofrecer múltiples opciones de precios para el mismo boleto.\\nEsto es perfecto para entradas anticipadas o para ofrecer precios diferentes.\\nopciones para diferentes grupos de personas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Rastrea ingresos, vistas de página y ventas con análisis detallados e informes exportables\",\"OpKMSn\":\"Tarifa de transacción:\",\"mLGbAS\":[\"No se puede \",[\"0\"],\" asistir\"],\"nNdxt9\":\"No se puede crear el ticket. Por favor revisa tus datos\",\"IrVSu+\":\"No se pudo duplicar el producto. Por favor, revisa tus datos\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"La URL es obligatoria\",\"fROFIL\":\"Vietnamita\",\"gj5YGm\":\"Consulta y descarga informes de tu evento. Ten en cuenta que solo se incluyen pedidos completados en estos informes.\",\"AM+zF3\":\"Ver asistente\",\"e4mhwd\":\"Ver página de inicio del evento\",\"n6EaWL\":\"Ver registros\",\"AMkkeL\":\"Ver pedido\",\"MXm9nr\":\"Producto VIP\",\"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\",\"jupD+L\":\"Bienvenido de nuevo 👋\",\"je8QQT\":\"Bienvenido a Hi.Events 👋\",\"wjqPqF\":\"¿Qué son los boletos escalonados?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"¿Qué es un webhook?\",\"MhhnvW\":\"¿A qué billetes se aplica este código? (Se aplica a todos de forma predeterminada)\",\"dCil3h\":\"¿A qué billetes debería aplicarse esta pregunta?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Puedes crear un código de promoción dirigido a este ticket en el\",\"UqVaVO\":\"No puede cambiar el tipo de entrada ya que hay asistentes asociados a esta entrada.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"No puedes eliminar este nivel de precios porque ya hay boletos vendidos para este nivel. Puedes ocultarlo en su lugar.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Has añadido impuestos y tarifas a un producto gratuito. ¿Te gustaría eliminarlos?\",\"183zcL\":\"Tiene impuestos y tarifas agregados a un boleto gratis. ¿Le gustaría eliminarlos u ocultarlos?\",\"2v5MI1\":\"Aún no has enviado ningún mensaje. Puede enviar mensajes a todos los asistentes o a poseedores de entradas específicas.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Debes verificar el correo electrónico de tu cuenta antes de poder enviar mensajes.\",\"8QNzin\":\"Necesitarás un ticket antes de poder crear una asignación de capacidad.\",\"WHXRMI\":\"Necesitará al menos un boleto para comenzar. Gratis, de pago o deja que el usuario decida qué pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Tus asistentes se han exportado con éxito.\",\"nBqgQb\":\"Tu correo electrónico\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Tus pedidos se han exportado con éxito.\",\"vvO1I2\":\"Tu cuenta de Stripe está conectada y lista para procesar pagos.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"Debido al alto riesgo de spam, requerimos verificación manual antes de que puedas enviar mensajes.\\nPor favor, contáctanos para solicitar acceso.\",\"8XAE7n\":\"Si tienes una cuenta con nosotros, recibirás un correo electrónico con instrucciones para restablecer tu contraseña.\"}")}; \ 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\":[\"Eventos de \",[\"0\"]],\"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>Las listas de registro ayudan a gestionar la entrada de los asistentes a su evento. Puede asociar múltiples boletos con una lista de registro y asegurarse de que solo aquellos con boletos válidos puedan ingresar.\",\"OXku3b\":\"<0>https://tu-sitio-web.com\",\"qnSLLW\":\"<0>Por favor, introduce el precio sin incluir impuestos y tasas.<1>Los impuestos y tasas se pueden agregar a continuación.\",\"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\":\"✉️ Confirma tu dirección de correo electrónico\",\"BN0OQd\":\"🎉 ¡Felicitaciones por crear un evento!\",\"4kSf7w\":\"🎟️ Añadir productos\",\"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\":\"Sobre el evento\",\"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\":\"Comportamiento\",\"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\":\"Agregue detalles del evento y administre la configuración del evento.\",\"OveehC\":\"Agregue instrucciones para pagos offline (por ejemplo, detalles de transferencia bancaria, dónde enviar cheques, fechas límite de pago)\",\"LTVoRa\":\"Añadir más productos\",\"ApsD9J\":\"Agregar nuevo\",\"TZxnm8\":\"Agregar opción\",\"24l4x6\":\"Añadir producto\",\"8q0EdE\":\"Añadir producto a la categoría\",\"YvCknQ\":\"Añadir productos\",\"Cw27zP\":\"Agregar pregunta\",\"yWiPh+\":\"Agregar impuesto o tarifa\",\"goOKRY\":\"Agregar nivel\",\"oZW/gT\":\"Agregar al calendario\",\"pn5qSs\":\"Información adicional\",\"Y8DIQy\":\"Opciones adicionales\",\"Du6bPw\":\"DIRECCIÓN\",\"NY/x1b\":\"Dirección Línea 1\",\"POdIrN\":\"Dirección Línea 1\",\"cormHa\":\"Línea de dirección 2\",\"gwk5gg\":\"Línea de dirección 2\",\"U3pytU\":\"Administración\",\"HLDaLi\":\"Los usuarios administradores tienen acceso completo a los eventos y la configuración de la cuenta.\",\"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\":\"¡Casi llegamos! Estamos esperando que se procese su pago. Esto debería tomar sólo unos pocos segundos..\",\"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\":\"Un evento es el evento real que estás organizando. Puedes agregar más detalles más adelante.\",\"oBkF+i\":\"Un organizador es la empresa o persona que organiza el evento.\",\"W5A0Ly\":\"Ocurrió un error inesperado.\",\"byKna+\":\"Ocurrió un error inesperado. Inténtalo de nuevo.\",\"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\":\"Eventos archivados\",\"q7TRd7\":\"¿Está seguro de que desea activar este asistente?\",\"TvkW9+\":\"¿Está seguro de que desea archivar este evento?\",\"/CV2x+\":\"¿Está seguro de que desea cancelar este asistente? Esto anulará su boleto.\",\"YgRSEE\":\"¿Estás seguro de que deseas eliminar este código de promoción?\",\"iU234U\":\"¿Estás seguro de que deseas eliminar esta pregunta?\",\"CMyVEK\":\"¿Estás seguro de que quieres hacer este borrador de evento? Esto hará que el evento sea invisible para el público.\",\"mEHQ8I\":\"¿Estás seguro de que quieres hacer público este evento? Esto hará que el evento sea visible para el público.\",\"s4JozW\":\"¿Está seguro de que desea restaurar este evento? Será restaurado como un evento borrador.\",\"vJuISq\":\"¿Estás seguro de que deseas eliminar esta Asignación de Capacidad?\",\"baHeCz\":\"¿Está seguro de que desea eliminar esta lista de registro?\",\"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\":\"Asistentes con un producto específico\",\"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\":\"Impresionante evento\",\"Yrbm6T\":\"Impresionante organizador Ltd.\",\"9002sI\":\"Volver a todos los eventos\",\"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\":\"Antes de que su evento pueda comenzar, hay algunas cosas que debe hacer.\",\"ze6ETw\":\"Comience a vender productos en minutos\",\"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\":\"Cancelar cancelará todos los productos asociados con este pedido y devolverá los productos al inventario disponible.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"No se puede registrar\",\"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\":\"Cubierta de cambio\",\"GptGxg\":\"Cambiar la contraseña\",\"xMDm+I\":\"Registrarse\",\"p2WLr3\":[\"Registrar \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Registrar y marcar pedido como pagado\",\"QYLpB4\":\"Solo registrar\",\"/Ta1d4\":\"Salir\",\"5LDT6f\":\"¡Mira este evento!\",\"gXcPxc\":\"Registrarse\",\"fVUbUy\":\"Lista de registro creada con éxito\",\"+CeSxK\":\"Lista de registro eliminada con éxito\",\"+hBhWk\":\"La lista de registro ha expirado\",\"mBsBHq\":\"La lista de registro no está activa\",\"vPqpQG\":\"Lista de registro no encontrada\",\"tejfAy\":\"Listas de registro\",\"hD1ocH\":\"URL de registro copiada al portapapeles\",\"CNafaC\":\"Las opciones de casilla de verificación permiten múltiples selecciones\",\"SpabVf\":\"Casillas de verificación\",\"CRu4lK\":\"Registrado\",\"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\":\"haga clic aquí\",\"sby+1/\":\"Haga clic para copiar\",\"yz7wBu\":\"Cerca\",\"62Ciis\":\"Cerrar barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"El código debe tener entre 3 y 50 caracteres.\",\"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\":\"El pago completo\",\"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\":\"Color de fondo del contenido\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto del botón Continuar\",\"AfNRFG\":\"Texto del botón Continuar\",\"lIbwvN\":\"Continuar configuración del evento\",\"HB22j9\":\"Continuar configurando\",\"bZEa4H\":\"Continuar con la configuración de Stripe Connect\",\"6V3Ea3\":\"copiado\",\"T5rdis\":\"Copiado al portapapeles\",\"he3ygx\":\"Copiar\",\"r2B2P8\":\"Copiar URL de registro\",\"8+cOrS\":\"Copiar detalles a todos los asistentes.\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cubrir\",\"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\":\"Cree productos para su evento, establezca precios y gestione la cantidad disponible.\",\"sYpiZP\":\"Crear código promocional\",\"B3Mkdt\":\"Crear pregunta\",\"UKfi21\":\"Crear impuesto o tarifa\",\"d+F6q9\":\"Creado\",\"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\":\"Panel\",\"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\":\"Eliminar portada\",\"KWa0gi\":\"Eliminar Imagen\",\"1l14WA\":\"Eliminar producto\",\"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\":\"Despedir\",\"DZlSLn\":\"Etiqueta del documento\",\"cVq+ga\":\"¿No tienes una cuenta? <0>Registrarse\",\"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\":\"Arrastra y suelta o haz clic\",\"CfKofC\":\"Selección desplegable\",\"JzLDvy\":\"Duplicar asignaciones de capacidad\",\"ulMxl+\":\"Duplicar listas de registro\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar la imagen de portada del evento\",\"+fA4C7\":\"Duplicar opciones\",\"SoiDyI\":\"Duplicar productos\",\"57ALrd\":\"Duplicar códigos promocionales\",\"83Hu4O\":\"Duplicar preguntas\",\"20144c\":\"Duplicar configuraciones\",\"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 final\",\"237hSL\":\"Terminado\",\"nt4UkP\":\"Eventos finalizados\",\"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\":\"Evento creado exitosamente 🎉\",\"/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\":\"El evento no es visible para el público.\",\"4pKXJS\":\"El evento es visible para el público.\",\"ClwUUD\":\"Ubicación del evento y detalles del lugar\",\"OopDbA\":\"Página del evento\",\"4/If97\":\"Error al actualizar el estado del evento. Por favor, inténtelo de nuevo más tarde\",\"btxLWj\":\"Estado del evento actualizado\",\"nMU2d3\":\"URL del evento\",\"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\":\"No se pudieron exportar los asistentes. Inténtalo de nuevo.\",\"2uGNuE\":\"No se pudieron exportar los pedidos. Inténtalo de nuevo.\",\"d+KKMz\":\"No se pudo cargar la lista de registro\",\"ZQ15eN\":\"No se pudo reenviar el correo electrónico del ticket\",\"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\":\"Ir a la página de inicio del evento\",\"ebIDwV\":\"Google Calendar\",\"RUz8o/\":\"ventas brutas\",\"IgcAGN\":\"Ventas brutas\",\"yRg26W\":\"Ventas brutas\",\"R4r4XO\":\"Huéspedes\",\"26pGvx\":\"¿Tienes un código de promoción?\",\"V7yhws\":\"hola@awesome-events.com\",\"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\":[\"Hola.Eventos Conferencia \",[\"0\"]],\"verBst\":\"Centro de conferencias Hi.Events\",\"6eMEQO\":\"hola.eventos logo\",\"C4qOW8\":\"Oculto de la vista del público\",\"gt3Xw9\":\"pregunta oculta\",\"g3rqFe\":\"preguntas ocultas\",\"k3dfFD\":\"Las preguntas ocultas sólo son visibles para el organizador del evento y no para el cliente.\",\"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\":\"Me gustaría pagar utilizando un método offline\",\"SdFlIP\":\"Me gustaría pagar utilizando un método online (tarjeta de crédito, etc.)\",\"93DUnd\":[\"Si no se abrió una nueva pestaña, <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\":\"Las dimensiones de la imagen deben estar entre 4000px por 4000px. Con una altura máxima de 4000px y un ancho máximo de 4000px\",\"uPEIvq\":\"La imagen debe tener menos de 5 MB.\",\"AGZmwV\":\"Imagen cargada exitosamente\",\"VyUuZb\":\"URL de imagen\",\"ibi52/\":\"El ancho de la imagen debe ser de al menos 900 px y la altura de al menos 50 px.\",\"NoNwIX\":\"Inactivo\",\"T0K0yl\":\"Los usuarios inactivos no pueden iniciar sesión.\",\"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\":\"Reembolso de emisión\",\"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\":\"Más información sobre la raya\",\"enV0g0\":\"Dejar en blanco para usar la palabra predeterminada \\\"Factura\\\"\",\"vR92Yn\":\"Comencemos creando tu primer organizador.\",\"Z3FXyt\":\"Cargando...\",\"wJijgU\":\"Ubicación\",\"sQia9P\":\"Acceso\",\"zUDyah\":\"Iniciando sesión\",\"z0t9bb\":\"Acceso\",\"nOhz3x\":\"Cerrar sesión\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nam placerat elementum...\",\"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\":\"Gestiona tus datos de pago de Stripe\",\"BfucwY\":\"Gestiona tus usuarios y sus permisos\",\"1m+YT2\":\"Las preguntas obligatorias deben responderse antes de que el cliente pueda realizar el pago.\",\"Dim4LO\":\"Agregar manualmente un asistente\",\"e4KdjJ\":\"Agregar asistente manualmente\",\"vFjEnF\":\"Marcar como pagado\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Asistente del mensaje\",\"Gv5AMu\":\"Mensaje a los asistentes\",\"oUCR3c\":\"Enviar mensaje a asistentes con productos específicos\",\"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\":\"El nombre debe tener menos de 150 caracteres.\",\"AIUkyF\":\"Navegar al asistente\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nueva contraseña\",\"1UzENP\":\"No\",\"eRblWH\":[\"No hay \",[\"0\"],\" disponible.\"],\"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\":\"Ningún asistente podrá registrarse antes de esta fecha usando esta lista\",\"XUfgCI\":\"No hay Asignaciones de Capacidad\",\"a/gMx2\":\"No hay listas de registro\",\"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\":\"No a la venta\",\"1DBGsz\":\"Notas\",\"jtrY3S\":\"Nada que mostrar aún\",\"hFwWnI\":\"Configuración de las notificaciones\",\"xXqEPO\":\"Notificar al comprador del reembolso\",\"YpN29s\":\"Notificar al organizador de nuevos pedidos\",\"qeQhNj\":\"Ahora creemos tu primer evento.\",\"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 offline\",\"+eZ7dp\":\"Pagos offline\",\"ojDQlR\":\"Información de pagos offline\",\"u5oO/W\":\"Configuración de pagos offline\",\"2NPDz1\":\"En venta\",\"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 la página de registro\",\"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\":\"Orden #\",\"B3gPuX\":\"Orden cancelada\",\"SIbded\":\"Pedido completado\",\"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\":\"Color de fondo de la página\",\"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\":\"Avance\",\"a7u1N9\":\"Precio\",\"CmoB9j\":\"Modo de visualización de precios\",\"BI7D9d\":\"Precio no establecido\",\"Q8PWaJ\":\"Niveles de precios\",\"q6XHL1\":\"Tipo de precio\",\"6RmHKN\":\"Color primario\",\"G/ZwV1\":\"Color primario\",\"8cBtvm\":\"Color de texto principal\",\"BZz12Q\":\"Imprimir\",\"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\":\"productos vendidos\",\"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\":\"Cantidad vendida\",\"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\":\"Referencia\",\"gxFu7d\":[\"Importe del reembolso (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso fallido\",\"n10yGu\":\"Orden de reembolso\",\"zPH6gp\":\"Orden de reembolso\",\"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\":\"Reenviar correo electrónico de confirmación\",\"lnrkNz\":\"Reenviar confirmación por correo electrónico\",\"wIa8Qe\":\"Reenviar invitacíon\",\"VeKsnD\":\"Reenviar correo electrónico del pedido\",\"dFuEhO\":\"Reenviar correo electrónico del ticket\",\"o6+Y6d\":\"Reenviando...\",\"OfhWJH\":\"Restablecer\",\"RfwZxd\":\"Restablecer la contraseña\",\"KbS2K9\":\"Restablecer la contraseña\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Volver a la página del evento\",\"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\":\"Venta finalizada\",\"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\":\"Escanear código QR\",\"EEU0+z\":\"Escanea este código QR para acceder a la página del evento o compártelo con otros\",\"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\":\"Color secundario\",\"DnXcDK\":\"Color secundario\",\"cZF6em\":\"Color de texto secundario\",\"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\":\"Compartir en Facebook\",\"x7i6H+\":\"Compartir en LinkedIn\",\"zziQd8\":\"Compartir en Pinterest\",\"/TgBEk\":\"Compartir en Reddit\",\"0Wlk5F\":\"Compartir en redes sociales\",\"on+mNS\":\"Compartir en Telegram\",\"PcmR+m\":\"Compartir en WhatsApp\",\"/5b1iZ\":\"Compartir en X\",\"n/T2KI\":\"Compartir por correo electrónico\",\"8vETh9\":\"Espectáculo\",\"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\":\"Lo sentimos, algo ha ido mal. Reinicie el proceso de pago.\",\"KWgppI\":\"Lo sentimos, algo salió mal al cargar esta página.\",\"/TCOIK\":\"Lo siento, este pedido ya no existe.\",\"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 no pagado.\",\"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\":\"Esta descripción se mostrará al personal de registro\",\"MLTkH7\":\"Este correo electrónico no es promocional y está directamente relacionado con el evento.\",\"2eIpBM\":\"Este evento no está disponible en este momento. Por favor, vuelva más tarde.\",\"Z6LdQU\":\"Este evento no está disponible.\",\"MMd2TJ\":\"Esta información se mostrará en la página de pago, la página de resumen del pedido y 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\":\"Esta lista ya no estará disponible para registros después de esta fecha\",\"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\":\"Esta orden ha sido cancelada\",\"YyEJij\":\"Esta orden ha sido cancelada.\",\"Q0zd4P\":\"Este pedido ha expirado. Por favor, comienza de nuevo.\",\"HILpDX\":\"Este pedido está pendiente de pago.\",\"BdYtn9\":\"Este pedido está completo.\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"Este pedido se está procesando.\",\"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\":\"Este producto está oculto de la vista pública\",\"Y/x1MZ\":\"Este producto está oculto a menos que sea dirigido por un código promocional\",\"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\":\"Título\",\"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 restante\",\"/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\":\"Subir portada\",\"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\":\"Ver detalles de la orden\",\"QIWCnW\":\"Lista de registro VIP\",\"tF+VVr\":\"Entrada VIP\",\"2q/Q7x\":\"Visibilidad\",\"vmOFL/\":\"No pudimos procesar su pago. Inténtelo de nuevo o comuníquese con el soporte.\",\"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.\",\"VGioT0\":\"Recomendamos dimensiones de 2160 px por 1080 px y un tamaño de archivo máximo de 5 MB.\",\"b9UB/w\":\"Usamos Stripe para procesar pagos. Conecte su cuenta Stripe para comenzar a recibir pagos.\",\"01WH0a\":\"No pudimos confirmar su pago. Inténtelo de nuevo o comuníquese con el soporte.\",\"Gspam9\":\"Estamos procesando tu pedido. Espere por favor...\",\"LuY52w\":\"¡Bienvenido a bordo! Por favor inicie sesión para continuar.\",\"dVxpp5\":[\"Bienvenido de nuevo\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bienvenido a Hola.Eventos, \",[\"0\"],\" 👋\"],\"xgL50q\":\"¿Qué son los productos escalonados?\",\"f1jUC0\":\"¿En qué fecha debe activarse esta lista de registro?\",\"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\":\"¿Cuándo debe expirar esta lista de registro?\",\"FVetkT\":\"¿Qué boletos deben asociarse con esta lista de registro?\",\"S+OdxP\":\"¿Quién organiza este evento?\",\"LINr2M\":\"¿A quién va dirigido este mensaje?\",\"nWhye/\":\"¿A quién se le debería hacer esta pregunta?\",\"VxFvXQ\":\"Insertar widget\",\"v1P7Gm\":\"Configuración de widgets\",\"b4itZn\":\"Laboral\",\"hqmXmc\":\"Laboral...\",\"+G/XiQ\":\"Año hasta la fecha\",\"l75CjT\":\"Sí\",\"QcwyCh\":\"Si, eliminarlos\",\"ySeBKv\":\"Ya has escaneado este boleto\",\"P+Sty0\":[\"Estás cambiando tu correo electrónico a <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Estás desconectado\",\"sdB7+6\":\"Puede crear un código promocional que se dirija a este producto en el\",\"KRhIxT\":\"Ahora puedes empezar a recibir pagos a través de Stripe.\",\"Gnjf3o\":\"No puede cambiar el tipo de producto ya que hay asistentes asociados con este producto.\",\"S+on7c\":\"No puede registrar a asistentes con pedidos no pagados.\",\"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\":\"Usted no tiene permiso para acceder a esta página\",\"BRArmD\":\"Tienes acceso a múltiples cuentas. Por favor elige uno para continuar.\",\"Z6q0Vl\":\"Ya has aceptado esta invitación. Por favor inicie sesión para continuar.\",\"rdk1xK\":\"Has conectado tu cuenta Stripe\",\"ofEncr\":\"No tienes preguntas de los asistentes.\",\"CoZHDB\":\"No tienes preguntas sobre pedidos.\",\"15qAvl\":\"No tienes ningún cambio de correo electrónico pendiente.\",\"n81Qk8\":\"No has completado la configuración de Stripe Connect\",\"jxsiqJ\":\"No has conectado tu cuenta de Stripe\",\"+FWjhR\":\"Se te ha acabado el tiempo para completar tu pedido.\",\"MycdJN\":\"Tiene impuestos y tasas añadidos a un producto gratuito. ¿Le gustaría eliminarlos u ocultarlos?\",\"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\":\"Debes confirmar tu dirección de correo electrónico antes de que tu evento pueda comenzar.\",\"H35u3n\":\"Debe crear un ticket antes de poder agregar manualmente un asistente.\",\"jE4Z8R\":\"Debes tener al menos un nivel de precios\",\"8/eLoa\":\"Debes verificar tu cuenta antes de poder enviar mensajes.\",\"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\":[\"¡Vas a \",[\"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\":\"Su pedido está en espera de pago 🏦\",\"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\":\"Su producto para\",\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" webhooks activos\"],\"tmew5X\":[[\"0\"],\" registrado\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>El número de entradas disponibles para este ticket<1>Este valor puede ser anulado si hay <2>Límites de Capacidad asociados con este ticket.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Agregar entradas\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 webhook activo\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Un \",[\"tipo\"],\" predeterminado se aplica automáticamente a todos los tickets nuevos. Puede anular esto por ticket.\"],\"Pgaiuj\":\"Una cantidad fija por billete. Por ejemplo, $0,50 por boleto\",\"ySO/4f\":\"Un porcentaje del precio del billete. Por ejemplo, el 3,5% del precio del billete.\",\"WXeXGB\":\"Se puede utilizar un código de promoción sin descuento para revelar entradas ocultas.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Una única pregunta por asistente. Por ejemplo, ¿cuál es tu comida preferida?\",\"ap3v36\":\"Una sola pregunta por pedido. Por ejemplo, ¿cuál es el nombre de su empresa?\",\"uyJsf6\":\"Acerca de\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Acerca de Stripe Connect\",\"VTfZPy\":\"Acceso denegado\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Agregar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Añadir más entradas\",\"BGD9Yt\":\"Agregar entradas\",\"QN2F+7\":\"Agregar Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Afiliados\",\"gKq1fa\":\"Todos los asistentes\",\"QsYjci\":\"Todos los eventos\",\"/twVAS\":\"Todas las entradas\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"Ocurrió un error al verificar el estado de la exportación.\",\"er3d/4\":\"Se produjo un error al clasificar los boletos. Inténtalo de nuevo o actualiza la página.\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Un evento es la reunión o ocasión que estás organizando. Puedes agregar más detalles más adelante.\",\"QNrkms\":\"Respuesta actualizada con éxito.\",\"j4DliD\":\"Cualquier consulta de los poseedores de entradas se enviará a esta dirección de correo electrónico. Esta también se utilizará como dirección de \\\"respuesta\\\" para todos los correos electrónicos enviados desde este evento.\",\"epTbAK\":[\"Se aplica a \",[\"0\"],\" entradas\"],\"6MkQ2P\":\"Se aplica a 1 entrada\",\"jcnZEw\":[\"Aplicar este \",[\"tipo\"],\" a todos los tickets nuevos\"],\"Dy+k4r\":\"¿Está seguro de que desea cancelar a este asistente? Esto anulará su producto\",\"5H3Z78\":\"¿Estás seguro de que quieres eliminar este webhook?\",\"2xEpch\":\"Preguntar una vez por asistente\",\"F2rX0R\":\"Debe seleccionarse al menos un tipo de evento\",\"AJ4rvK\":\"Asistente cancelado\",\"qvylEK\":\"Asistente creado\",\"Xc2I+v\":\"Gestión de asistentes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Asistente actualizado\",\"k3Tngl\":\"Asistentes exportados\",\"5UbY+B\":\"Asistentes con entrada específica\",\"kShOaz\":\"Flujo de trabajo automatizado\",\"VPoeAx\":\"Gestión automatizada de entradas con múltiples listas de registro y validación en tiempo real\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Descuento promedio/Pedido\",\"sGUsYa\":\"Valor promedio del pedido\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Detalles básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Comience a vender boletos en minutos\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Control de marca\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Cancelado\",\"Ud7zwq\":\"La cancelación cancelará todos los boletos asociados con este pedido y los liberará nuevamente al grupo disponible.\",\"QndF4b\":\"registrarse\",\"9FVFym\":\"verificar\",\"Y3FYXy\":\"Registrarse\",\"udRwQs\":\"Registro de entrada creado\",\"F4SRy3\":\"Registro de entrada eliminado\",\"rfeicl\":\"Registrado con éxito\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chino\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"cerrar\",\"msqIjo\":\"Colapsar este ticket cuando se cargue inicialmente la página del evento\",\"/sZIOR\":\"Tienda completa\",\"7D9MJz\":\"Completar configuración de Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Documentación de conexión\",\"MOUF31\":\"Conéctese con el CRM y automatice tareas mediante webhooks e integraciones\",\"/3017M\":\"Conectado a Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contactar con soporte\",\"nBGbqc\":\"Contáctanos para habilitar la mensajería\",\"RGVUUI\":\"Continuar con el pago\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Crea y personaliza tu página de evento al instante\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Crear Ticket\",\"agZ87r\":\"Crea entradas para tu evento, establece precios y gestiona la cantidad disponible.\",\"dkAPxi\":\"Crear Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Personalice su página de evento y el diseño del widget para que coincida perfectamente con su marca\",\"zgCHnE\":\"Informe de ventas diarias\",\"nHm0AI\":\"Desglose de ventas diarias, impuestos y tarifas\",\"PqrqgF\":\"Lista de registro del primer día\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Eliminar billete\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Eliminar webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Desactivar esta capacidad de seguimiento sin detener las ventas de productos\",\"Tgg8XQ\":\"Desactiva esta capacidad para rastrear la capacidad sin detener la venta de entradas\",\"TvY/XA\":\"Documentación\",\"dYskfr\":\"No existe\",\"V6Jjbr\":\"¿No tienes una cuenta? <0>Regístrate\",\"4+aC/x\":\"Donación / Pague la entrada que desee\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Arrastra para ordenar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicar producto\",\"Wt9eV8\":\"Duplicar boletos\",\"4xK5y2\":\"Duplicar Webhooks\",\"2iZEz7\":\"Editar respuesta\",\"kNGp1D\":\"Editar asistente\",\"t2bbp8\":\"Editar asistente\",\"d+nnyk\":\"Editar ticket\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Activa esta capacidad para detener la venta de entradas cuando se alcance el límite\",\"RxzN1M\":\"Habilitado\",\"LslKhj\":\"Error al cargar los registros\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Evento no disponible\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Tipos de eventos\",\"VlvpJ0\":\"Exportar respuestas\",\"JKfSAv\":\"Error en la exportación. Por favor, inténtelo de nuevo.\",\"SVOEsu\":\"Exportación iniciada. Preparando archivo...\",\"jtrqH9\":\"Exportando asistentes\",\"R4Oqr8\":\"Exportación completada. Descargando archivo...\",\"UlAK8E\":\"Exportando pedidos\",\"Jjw03p\":\"Error al exportar asistentes\",\"ZPwFnN\":\"Error al exportar pedidos\",\"X4o0MX\":\"Error al cargar el Webhook\",\"10XEC9\":\"Error al reenviar el correo electrónico del producto\",\"lKh069\":\"No se pudo iniciar la exportación\",\"NNc33d\":\"No se pudo actualizar la respuesta.\",\"YirHq7\":\"Comentario\",\"T4BMxU\":\"Las tarifas están sujetas a cambios. Se te notificará cualquier cambio en la estructura de tarifas.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Tarifa fija:\",\"KgxI80\":\"Venta de entradas flexible\",\"/4rQr+\":\"Boleto gratis\",\"01my8x\":\"Entrada gratuita, no se requiere información de pago.\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Comienza gratis, sin tarifas de suscripción\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Ir a Hi.Events\",\"Lek3cJ\":\"Ir al panel de Stripe\",\"GNJ1kd\":\"Ayuda y Soporte\",\"spMR9y\":\"Hi.Events cobra tarifas de plataforma para mantener y mejorar nuestros servicios. Estas tarifas se deducen automáticamente de cada transacción.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"Ocultar respuestas\",\"fsi6fC\":\"Ocultar este ticket a los clientes\",\"Fhzoa8\":\"Ocultar boleto después de la fecha de finalización de la venta\",\"yhm3J/\":\"Ocultar boleto antes de la fecha de inicio de venta\",\"k7/oGT\":\"Ocultar ticket a menos que el usuario tenga un código de promoción aplicable\",\"L0ZOiu\":\"Ocultar entrada cuando esté agotada\",\"uno73L\":\"Ocultar una entrada evitará que los usuarios la vean en la página del evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Si está en blanco, la dirección se utilizará para generar un enlace al mapa de Google.\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Las dimensiones de la imagen deben estar entre 3000 px por 2000 px. Con una altura máxima de 2000 px y un ancho máximo de 3000 px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"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 producto del asistente\",\"evpD4c\":\"Incluya detalles de conexión para su evento en línea. Estos detalles se mostrarán en la página de resumen del pedido y en la página de boletos de asistente.\",\"AXTNr8\":[\"Incluye \",[\"0\"],\" boletos\"],\"7/Rzoe\":\"Incluye 1 boleto\",\"F1Xp97\":\"Asistentes individuales\",\"nbfdhU\":\"Integraciones\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Última respuesta\",\"gw3Ur5\":\"Última activación\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Cargando webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Gestionar productos\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gestiona los impuestos y tasas que se pueden aplicar a tus billetes\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Administra tu procesamiento de pagos y consulta las tarifas de la plataforma\",\"lzcrX3\":\"Agregar manualmente un asistente ajustará la cantidad de entradas.\",\"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\",\"0/yJtP\":\"Enviar mensajes a los propietarios de pedidos con productos específicos\",\"tccUcA\":\"Registro móvil\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Múltiples opciones de precios. Perfecto para entradas anticipadas, etc.\",\"m920rF\":\"New York\",\"074+X8\":\"No hay webhooks activos\",\"6r9SGl\":\"No se requiere tarjeta de crédito\",\"Z6ILSe\":\"No hay eventos para este organizador\",\"XZkeaI\":\"No se encontraron registros\",\"zK/+ef\":\"No hay productos disponibles para seleccionar\",\"q91DKx\":\"Este asistente no ha respondido a ninguna pregunta.\",\"QoAi8D\":\"Sin respuesta\",\"EK/G11\":\"Aún no hay respuestas\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No hay entradas para mostrar\",\"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\",\"x5+Lcz\":\"No registrado\",\"+P/tII\":\"Una vez que esté listo, configure su evento en vivo y comience a vender entradas.\",\"bU7oUm\":\"Enviar solo a pedidos con estos estados\",\"ppuQR4\":\"Pedido creado\",\"L4kzeZ\":[\"Detalles del pedido \",[\"0\"]],\"vu6Arl\":\"Pedido marcado como pagado\",\"FaPYw+\":\"Propietario del pedido\",\"eB5vce\":\"Propietarios de pedidos con un producto específico\",\"CxLoxM\":\"Propietarios de pedidos con productos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Estados de los pedidos\",\"e7eZuA\":\"Pedido actualizado\",\"mz+c33\":\"Órdenes creadas\",\"5It1cQ\":\"Pedidos exportados\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Los organizadores sólo pueden gestionar eventos y entradas. No pueden administrar usuarios, configuraciones de cuenta o información de facturación.\",\"2w/FiJ\":\"Boleto pagado\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Pausado\",\"TskrJ8\":\"Pago y plan\",\"EyE8E6\":\"Procesamiento de pagos\",\"vcyz2L\":\"Configuración de pagos\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Realizar pedido\",\"br3Y/y\":\"Tarifas de la plataforma\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Por favor, introduce una URL válida\",\"MA04r/\":\"Elimine los filtros y configure la clasificación en \\\"Orden de página de inicio\\\" para habilitar la clasificación.\",\"yygcoG\":\"Por favor seleccione al menos un boleto\",\"fuwKpE\":\"Por favor, inténtalo de nuevo.\",\"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...\",\"R7+D0/\":\"Portugués (Brasil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desarrollado por Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"producto\",\"EWCLpZ\":\"Producto creado\",\"XkFYVB\":\"Producto eliminado\",\"0dzBGg\":\"El correo electrónico del producto se ha reenviado al asistente\",\"YMwcbR\":\"Desglose de ventas de productos, ingresos e impuestos\",\"ldVIlB\":\"Producto actualizado\",\"mIqT3T\":\"Productos, mercancía y opciones de precios flexibles\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionales y desglose de descuentos\",\"812gwg\":\"Licencia de compra\",\"YwNJAq\":\"Escaneo de códigos QR con retroalimentación instantánea y uso compartido seguro para el acceso del personal\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Reenviar correo electrónico del producto\",\"slOprG\":\"Restablece tu contraseña\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Busque por nombre, número de pedido, número de asistente o correo electrónico...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Buscar por nombre del billete...\",\"j9cPeF\":\"Seleccionar tipos de eventos\",\"XH5juP\":\"Seleccionar nivel de boleto\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Selecciona qué eventos activarán este webhook\",\"VtX8nW\":\"Vende productos junto con las entradas con soporte integrado para impuestos y códigos promocionales\",\"Cye3uV\":\"Vende más que boletos\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Enviar confirmación del pedido y correo electrónico del producto\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Configura en minutos\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Mostrar cantidad de entradas disponibles\",\"j3b+OW\":\"Se muestra al cliente después de realizar el pago, en la página de resumen del pedido.\",\"v6IwHE\":\"Registro inteligente\",\"J9xKh8\":\"Panel de control inteligente\",\"KTxc6k\":\"Algo salió mal, inténtalo de nuevo o contacta con soporte si el problema persiste\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Lo sentimos, tu pedido ha caducado. Por favor inicie un nuevo pedido.\",\"a4SyEE\":\"La clasificación está deshabilitada mientras se aplican filtros y clasificación\",\"4nG1lG\":\"Billete estándar con precio fijo.\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Comprobado correctamente <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Boleto creado exitosamente\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Producto duplicado con éxito\",\"g2lRrH\":\"Boleto actualizado exitosamente\",\"kj7zYe\":\"Webhook actualizado con éxito\",\"5gIl+x\":\"Soporte para ventas escalonadas, basadas en donaciones y de productos con precios y capacidad personalizables\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"tXadb0\":\"El evento que buscas no está disponible en este momento. Puede que haya sido eliminado, haya caducado o la URL sea incorrecta.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"El número máximo de entradas para \",[\"0\"],\" es \",[\"1\"]],\"FeAfXO\":[\"El número máximo de entradas para Generales es \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Los impuestos y tasas a aplicar a este billete. Puede crear nuevos impuestos y tarifas en el\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"No hay entradas disponibles para este evento.\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Esto anula todas las configuraciones de visibilidad y ocultará el ticket a todos los clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Este ticket no se puede eliminar porque está\\nasociado a un pedido. Puedes ocultarlo en su lugar.\",\"ma6qdu\":\"Este billete está oculto a la vista del público.\",\"xJ8nzj\":\"Este ticket está oculto a menos que esté dirigido a un código promocional.\",\"KosivG\":\"Boleto eliminado exitosamente\",\"HGuXjF\":\"Poseedores de entradas\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venta de boletos\",\"NirIiz\":\"Nivel de boletos\",\"8jLPgH\":\"Tipo de billete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Vista previa del widget de ticket\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Entradas)\",\"6GQNLE\":\"Entradas\",\"ikA//P\":\"entradas vendidas\",\"i+idBz\":\"Entradas vendidas\",\"AGRilS\":\"Entradas vendidas\",\"56Qw2C\":\"Entradas ordenadas correctamente\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Boleto escalonado\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Los boletos escalonados le permiten ofrecer múltiples opciones de precios para el mismo boleto.\\nEsto es perfecto para entradas anticipadas o para ofrecer precios diferentes.\\nopciones para diferentes grupos de personas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Rastrea ingresos, vistas de página y ventas con análisis detallados e informes exportables\",\"OpKMSn\":\"Tarifa de transacción:\",\"mLGbAS\":[\"No se puede \",[\"0\"],\" asistir\"],\"nNdxt9\":\"No se puede crear el ticket. Por favor revisa tus datos\",\"IrVSu+\":\"No se pudo duplicar el producto. Por favor, revisa tus datos\",\"ZBAScj\":\"Asistente desconocido\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"La URL es obligatoria\",\"fROFIL\":\"Vietnamita\",\"gj5YGm\":\"Consulta y descarga informes de tu evento. Ten en cuenta que solo se incluyen pedidos completados en estos informes.\",\"c7VN/A\":\"Ver respuestas\",\"AM+zF3\":\"Ver asistente\",\"e4mhwd\":\"Ver página de inicio del evento\",\"n6EaWL\":\"Ver registros\",\"AMkkeL\":\"Ver pedido\",\"MXm9nr\":\"Producto VIP\",\"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\",\"jupD+L\":\"Bienvenido de nuevo 👋\",\"je8QQT\":\"Bienvenido a Hi.Events 👋\",\"wjqPqF\":\"¿Qué son los boletos escalonados?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"¿Qué es un webhook?\",\"MhhnvW\":\"¿A qué billetes se aplica este código? (Se aplica a todos de forma predeterminada)\",\"dCil3h\":\"¿A qué billetes debería aplicarse esta pregunta?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Puedes crear un código de promoción dirigido a este ticket en el\",\"UqVaVO\":\"No puede cambiar el tipo de entrada ya que hay asistentes asociados a esta entrada.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"No puedes eliminar este nivel de precios porque ya hay boletos vendidos para este nivel. Puedes ocultarlo en su lugar.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Has añadido impuestos y tarifas a un producto gratuito. ¿Te gustaría eliminarlos?\",\"183zcL\":\"Tiene impuestos y tarifas agregados a un boleto gratis. ¿Le gustaría eliminarlos u ocultarlos?\",\"2v5MI1\":\"Aún no has enviado ningún mensaje. Puede enviar mensajes a todos los asistentes o a poseedores de entradas específicas.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Debes verificar el correo electrónico de tu cuenta antes de poder enviar mensajes.\",\"8QNzin\":\"Necesitarás un ticket antes de poder crear una asignación de capacidad.\",\"WHXRMI\":\"Necesitará al menos un boleto para comenzar. Gratis, de pago o deja que el usuario decida qué pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Tus asistentes se han exportado con éxito.\",\"nBqgQb\":\"Tu correo electrónico\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Tus pedidos se han exportado con éxito.\",\"vvO1I2\":\"Tu cuenta de Stripe está conectada y lista para procesar pagos.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"\\\"\\\"Debido al alto riesgo de spam, requerimos una verificación manual antes de que pueda enviar mensajes.\\n\\\"\\\"Por favor, contáctenos para solicitar acceso.\\\"\\\"\",\"8XAE7n\":\"\\\"\\\"Si tiene una cuenta con nosotros, recibirá un correo electrónico con instrucciones para restablecer su\\n\\\"\\\"contraseña.\\\"\\\"\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/es.po b/frontend/src/locales/es.po index ea1963b48b..2153b57ff5 100644 --- a/frontend/src/locales/es.po +++ b/frontend/src/locales/es.po @@ -22,14 +22,16 @@ msgstr "'No hay nada que mostrar todavía'" #~ "\"\"Due to the high risk of spam, we require manual verification before you can send messages.\n" #~ "\"\"Please contact us to request access." #~ msgstr "" -#~ "Debido al alto riesgo de spam, requerimos verificación manual antes de que puedas enviar mensajes.\n" -#~ "Por favor, contáctanos para solicitar acceso." +#~ "\"\"Debido al alto riesgo de spam, requerimos una verificación manual antes de que pueda enviar mensajes.\n" +#~ "\"\"Por favor, contáctenos para solicitar acceso.\"\"" #: src/components/routes/auth/ForgotPassword/index.tsx:40 #~ msgid "" #~ "\"\"If you have an account with us, you will receive an email with instructions on how to reset your\n" #~ "\"\"password." -#~ msgstr "Si tienes una cuenta con nosotros, recibirás un correo electrónico con instrucciones para restablecer tu contraseña." +#~ msgstr "" +#~ "\"\"Si tiene una cuenta con nosotros, recibirá un correo electrónico con instrucciones para restablecer su\n" +#~ "\"\"contraseña.\"\"" #: src/components/common/ReportTable/index.tsx:303 #: src/locales.ts:56 @@ -268,7 +270,7 @@ msgstr "Una sola pregunta por producto. Ej., ¿Cuál es su talla de camiseta?" msgid "A standard tax, like VAT or GST" msgstr "Un impuesto estándar, como el IVA o el GST" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "Acerca de" @@ -316,7 +318,7 @@ msgstr "Cuenta actualizada exitosamente" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "Comportamiento" @@ -350,11 +352,11 @@ msgstr "Agrega cualquier nota sobre el asistente. Estas no serán visibles para msgid "Add any notes about the attendee..." msgstr "Agrega cualquier nota sobre el asistente..." -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "Agregue notas sobre el pedido. Estas no serán visibles para el cliente." -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "Agregue notas sobre el pedido..." @@ -398,7 +400,7 @@ msgstr "Añadir producto a la categoría" msgid "Add products" msgstr "Añadir productos" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "Agregar pregunta" @@ -443,8 +445,8 @@ msgid "Address line 1" msgstr "Dirección Línea 1" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "Dirección Línea 1" @@ -453,8 +455,8 @@ msgid "Address line 2" msgstr "Línea de dirección 2" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "Línea de dirección 2" @@ -523,11 +525,15 @@ msgstr "Cantidad" msgid "Amount paid ({0})" msgstr "Importe pagado ({0})" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "Ocurrió un error al verificar el estado de la exportación." + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "Se produjo un error al cargar la página." -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "Se produjo un error al ordenar las preguntas. Inténtalo de nuevo o actualiza la página." @@ -555,6 +561,10 @@ msgstr "Ocurrió un error inesperado." msgid "An unexpected error occurred. Please try again." msgstr "Ocurrió un error inesperado. Inténtalo de nuevo." +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "Respuesta actualizada con éxito." + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "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" @@ -635,7 +645,7 @@ msgstr "¿Está seguro de que desea cancelar este asistente? Esto anulará su bo msgid "Are you sure you want to delete this promo code?" msgstr "¿Estás seguro de que deseas eliminar este código de promoción?" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "¿Estás seguro de que deseas eliminar esta pregunta?" @@ -679,7 +689,7 @@ msgstr "Preguntar una vez por producto" msgid "At least one event type must be selected" msgstr "Debe seleccionarse al menos un tipo de evento" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "Asistente" @@ -707,7 +717,7 @@ msgstr "Asistente no encontrado" msgid "Attendee Notes" msgstr "Notas del asistente" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "Preguntas de los asistentes" @@ -723,7 +733,7 @@ msgstr "Asistente actualizado" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "Asistentes" @@ -773,7 +783,7 @@ msgstr "Cambie automáticamente el tamaño de la altura del widget según el con msgid "Awaiting offline payment" msgstr "Esperando pago offline" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -802,8 +812,8 @@ msgid "Back to all events" msgstr "Volver a todos los eventos" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "Volver a la página del evento" @@ -840,7 +850,7 @@ msgstr "Antes de que su evento pueda comenzar, hay algunas cosas que debe hacer. #~ msgid "Begin selling tickets in minutes" #~ msgstr "Comience a vender boletos en minutos" -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "Dirección de facturación" @@ -875,6 +885,7 @@ msgstr "Se negó el permiso de la cámara. <0>Solicita permiso nuevamente o, #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -911,7 +922,7 @@ msgstr "Cancelar cancelará todos los productos asociados con este pedido y devo #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "Cancelado" @@ -1082,8 +1093,8 @@ msgstr "elige una cuenta" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "Ciudad" @@ -1099,8 +1110,13 @@ msgstr "haga clic aquí" msgid "Click to copy" msgstr "Haga clic para copiar" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "cerrar" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "Cerca" @@ -1147,11 +1163,11 @@ msgstr "Muy pronto" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Palabras clave separadas por comas que describen el evento. Estos serán utilizados por los motores de búsqueda para ayudar a categorizar e indexar el evento." -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" -msgstr "Orden completa" +msgstr "Completar Orden" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "El pago completo" @@ -1169,7 +1185,7 @@ msgstr "Completar configuración de Stripe" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "Terminado" @@ -1260,7 +1276,7 @@ msgstr "Color de fondo del contenido" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "Continuar" @@ -1309,7 +1325,7 @@ msgstr "Copiar" msgid "Copy Check-In URL" msgstr "Copiar URL de registro" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "Copiar detalles a todos los asistentes." @@ -1324,7 +1340,7 @@ msgstr "Copiar URL" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "País" @@ -1516,7 +1532,7 @@ msgstr "Desglose de ventas diarias, impuestos y tarifas" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "Zona peligrosa" @@ -1535,8 +1551,8 @@ msgid "Date" msgstr "Fecha" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "Fecha y hora" +#~ msgid "Date & Time" +#~ msgstr "Fecha y hora" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1580,7 +1596,7 @@ msgstr "Eliminar Imagen" msgid "Delete product" msgstr "Eliminar producto" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "Eliminar pregunta" @@ -1604,7 +1620,7 @@ msgstr "Descripción" msgid "Description for check-in staff" msgstr "Descripción para el personal de registro" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "Detalles" @@ -1771,8 +1787,8 @@ msgid "Early bird" msgstr "Madrugador" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "Editar" @@ -1780,6 +1796,10 @@ msgstr "Editar" msgid "Edit {0}" msgstr "Editar {0}" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "Editar respuesta" + #: src/components/common/AttendeeTable/index.tsx:174 #~ msgid "Edit attendee" #~ msgstr "Editar asistente" @@ -1834,7 +1854,7 @@ msgstr "Editar categoría de producto" msgid "Edit Promo Code" msgstr "Editar código promocional" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "Editar pregunta" @@ -1896,16 +1916,16 @@ msgstr "Configuración de correo electrónico y notificaciones" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "Dirección de correo electrónico" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "Dirección de correo electrónico" @@ -2096,15 +2116,31 @@ msgid "Expiry Date" msgstr "Fecha de caducidad" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "Exportar" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "Exportar respuestas" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "Error en la exportación. Por favor, inténtelo de nuevo." + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "Exportación iniciada. Preparando archivo..." + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "Exportando asistentes" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "Exportación completada. Descargando archivo..." + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "Exportando pedidos" @@ -2116,7 +2152,7 @@ msgstr "No se pudo cancelar el asistente" msgid "Failed to cancel order" msgstr "No se pudo cancelar el pedido" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "No se pudo eliminar el mensaje. Inténtalo de nuevo." @@ -2133,7 +2169,7 @@ msgstr "Error al exportar asistentes" #~ msgid "Failed to export attendees. Please try again." #~ msgstr "No se pudieron exportar los asistentes. Inténtalo de nuevo." -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "Error al exportar pedidos" @@ -2161,6 +2197,14 @@ msgstr "No se pudo reenviar el correo electrónico del ticket" msgid "Failed to sort products" msgstr "Error al ordenar productos" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "No se pudo iniciar la exportación" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "No se pudo actualizar la respuesta." + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -2183,7 +2227,7 @@ msgstr "Honorarios" 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." -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "Filtrar pedidos" @@ -2200,31 +2244,31 @@ msgstr "Filtros ({activeFilterCount})" msgid "First Invoice Number" msgstr "Primer número de factura" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" -msgstr "Nombre de pila" +msgstr "Primer Nombre" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" -msgstr "Nombre de pila" +msgstr "Primer Nombre" #: src/components/routes/auth/AcceptInvitation/index.tsx:28 msgid "First name must be between 1 and 50 characters" msgstr "El nombre debe tener entre 1 y 50 caracteres." -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "Nombre, apellido y dirección de correo electrónico son preguntas predeterminadas y siempre se incluyen en el proceso de pago." @@ -2307,7 +2351,7 @@ msgstr "Empezando" msgid "Go back to profile" msgstr "volver al perfil" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "Ir a la página de inicio del evento" @@ -2385,11 +2429,11 @@ msgstr "hola.eventos logo" msgid "Hidden from public view" msgstr "Oculto de la vista del público" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "pregunta oculta" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "preguntas ocultas" @@ -2402,11 +2446,15 @@ msgstr "Las preguntas ocultas sólo son visibles para el organizador del evento msgid "Hide" msgstr "Esconder" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "Ocultar respuestas" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "Ocultar página de inicio" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "Ocultar preguntas ocultas" @@ -2483,7 +2531,7 @@ msgid "Homepage Preview" msgstr "Vista previa de la página de inicio" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "Homero" @@ -2667,7 +2715,7 @@ msgstr "Configuración de facturación" msgid "Issue refund" msgstr "Reembolso de emisión" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "Artículo" @@ -2727,20 +2775,20 @@ msgstr "Último acceso" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "Apellido" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "Apellido" @@ -2777,7 +2825,6 @@ msgstr "Cargando webhooks" msgid "Loading..." msgstr "Cargando..." -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -2990,7 +3037,7 @@ msgstr "El increíble título de mi evento..." msgid "My Profile" msgstr "Mi perfil" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "No disponible" @@ -3018,7 +3065,8 @@ msgstr "Nombre" msgid "Name should be less than 150 characters" msgstr "El nombre debe tener menos de 150 caracteres." -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "Navegar al asistente" @@ -3039,8 +3087,8 @@ msgid "No" msgstr "No" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "No hay {0} disponible." +#~ msgid "No {0} available." +#~ msgstr "No hay {0} disponible." #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -3050,11 +3098,11 @@ msgstr "No hay webhooks activos" msgid "No archived events to show." msgstr "No hay eventos archivados para mostrar." -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "No se encontraron asistentes para este pedido." -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "No se han añadido asistentes a este pedido." @@ -3146,7 +3194,7 @@ msgstr "Aún no hay productos" msgid "No Promo Codes to show" msgstr "No hay códigos promocionales para mostrar" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "No hay preguntas respondidas por este asistente." @@ -3154,7 +3202,7 @@ msgstr "No hay preguntas respondidas por este asistente." #~ msgid "No questions have been answered by this attendee." #~ msgstr "Este asistente no ha respondido a ninguna pregunta." -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "No se han hecho preguntas para este pedido." @@ -3213,7 +3261,7 @@ msgid "Not On Sale" msgstr "No a la venta" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "Notas" @@ -3372,7 +3420,7 @@ msgid "Order Date" msgstr "Fecha de orden" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "Detalles del pedido" @@ -3393,7 +3441,7 @@ msgstr "Pedido marcado como pagado" msgid "Order Marked as Paid" msgstr "Pedido marcado como pagado" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "Notas del pedido" @@ -3409,8 +3457,8 @@ msgstr "Propietarios de pedidos con un producto específico" msgid "Order owners with products" msgstr "Propietarios de pedidos con productos" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "Preguntas sobre pedidos" @@ -3422,7 +3470,7 @@ msgstr "Pedir Referencia" msgid "Order Refunded" msgstr "Pedido reembolsado" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "Estado del pedido" @@ -3431,7 +3479,7 @@ msgid "Order statuses" msgstr "Estados de los pedidos" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "Resumen del pedido" @@ -3444,7 +3492,7 @@ msgid "Order Updated" msgstr "Pedido actualizado" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "Pedidos" @@ -3453,7 +3501,7 @@ msgstr "Pedidos" #~ msgid "Orders Created" #~ msgstr "Órdenes creadas" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "Pedidos exportados" @@ -3526,7 +3574,7 @@ msgstr "Producto de pago" #~ msgid "Paid Ticket" #~ msgstr "Boleto pagado" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "Reembolsado parcialmente" @@ -3727,7 +3775,7 @@ msgstr "Por favor, seleccione al menos un producto" #~ msgstr "Por favor seleccione al menos un boleto" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "Por favor, inténtalo de nuevo." @@ -3744,7 +3792,7 @@ msgstr "Por favor, espera mientras preparamos la exportación de tus asistentes. msgid "Please wait while we prepare your invoice..." msgstr "Por favor, espere mientras preparamos su factura..." -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "Por favor, espera mientras preparamos la exportación de tus pedidos..." @@ -3772,7 +3820,7 @@ msgstr "Energizado por" msgid "Pre Checkout message" msgstr "Mensaje previo al pago" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "Avance" @@ -3862,7 +3910,7 @@ msgstr "Producto eliminado con éxito" msgid "Product Price Type" msgstr "Tipo de precio del producto" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "Preguntas sobre el producto" @@ -3991,7 +4039,7 @@ msgstr "cantidad disponible" msgid "Quantity Sold" msgstr "Cantidad vendida" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "Pregunta eliminada" @@ -4003,17 +4051,17 @@ msgstr "Descripción de la pregunta" msgid "Question Title" msgstr "Título de la pregunta" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "Preguntas" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "Preguntas y respuestas" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "Preguntas ordenadas correctamente" @@ -4054,14 +4102,14 @@ msgstr "Orden de reembolso" msgid "Refund Pending" msgstr "Reembolso pendiente" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "Estado del reembolso" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "Reintegrado" @@ -4191,6 +4239,7 @@ msgstr "Inicio de ventas" msgid "San Francisco" msgstr "San Francisco" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -4201,8 +4250,8 @@ msgstr "San Francisco" msgid "Save" msgstr "Guardar" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "Guardar cambios" @@ -4237,7 +4286,7 @@ msgstr "Busque por nombre del asistente, correo electrónico o número de pedido msgid "Search by event name..." msgstr "Buscar por nombre del evento..." -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "Busque por nombre, correo electrónico o número de pedido..." @@ -4504,7 +4553,7 @@ msgstr "Mostrar cantidad disponible del producto" #~ msgid "Show available ticket quantity" #~ msgstr "Mostrar cantidad de entradas disponibles" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "Mostrar preguntas ocultas" @@ -4533,7 +4582,7 @@ msgid "Shows common address fields, including country" msgstr "Muestra campos de dirección comunes, incluido el país." #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "simpson" @@ -4597,11 +4646,11 @@ msgstr "Algo salió mal. Inténtalo de nuevo." msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "Lo sentimos, algo ha ido mal. Reinicie el proceso de pago." -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "Lo sentimos, algo salió mal al cargar esta página." -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "Lo siento, este pedido ya no existe." @@ -4638,8 +4687,8 @@ msgstr "Fecha de inicio" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "Estado o región" @@ -4760,7 +4809,7 @@ msgstr "Ubicación actualizada correctamente" msgid "Successfully Updated Misc Settings" msgstr "Configuraciones varias actualizadas exitosamente" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "Pedido actualizado con éxito" @@ -5024,7 +5073,7 @@ msgstr "Este pedido ya ha sido pagado." msgid "This order has already been refunded." msgstr "Este pedido ya ha sido reembolsado." -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "Esta orden ha sido cancelada" @@ -5032,15 +5081,15 @@ msgstr "Esta orden ha sido cancelada" msgid "This order has been cancelled." msgstr "Esta orden ha sido cancelada." -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "Este pedido ha expirado. Por favor, comienza de nuevo." -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "Este pedido está pendiente de pago." -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "Este pedido está completo." @@ -5081,7 +5130,7 @@ msgstr "Este producto está oculto de la vista pública" msgid "This product is hidden unless targeted by a Promo Code" msgstr "Este producto está oculto a menos que sea dirigido por un código promocional" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "Esta pregunta solo es visible para el organizador del evento." @@ -5350,6 +5399,10 @@ msgstr "Clientes únicos" msgid "United States" msgstr "Estados Unidos" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "Asistente desconocido" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -5461,8 +5514,8 @@ msgstr "Nombre del lugar" msgid "Vietnamese" msgstr "Vietnamita" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "Ver" @@ -5470,11 +5523,15 @@ msgstr "Ver" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "Consulta y descarga informes de tu evento. Ten en cuenta que solo se incluyen pedidos completados en estos informes." +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "Ver respuestas" + #: src/components/common/AttendeeTable/index.tsx:164 #~ msgid "View attendee" #~ msgstr "Ver asistente" -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "Ver detalles del asistente" @@ -5494,11 +5551,11 @@ msgstr "Ver mensaje completo" msgid "View logs" msgstr "Ver registros" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "Ver el mapa" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "Ver en Google Maps" @@ -5508,7 +5565,7 @@ msgstr "Ver en Google Maps" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "Ver detalles de la orden" @@ -5764,8 +5821,8 @@ msgstr "Laboral" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -5846,7 +5903,7 @@ msgstr "No puede editar la función o el estado del propietario de la cuenta." msgid "You cannot refund a manually created order." msgstr "No puede reembolsar un pedido creado manualmente." -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "Creaste una pregunta oculta pero deshabilitaste la opción para mostrar preguntas ocultas. Ha sido habilitado." @@ -5866,11 +5923,11 @@ msgstr "Ya has aceptado esta invitación. Por favor inicie sesión para continua #~ msgid "You have connected your Stripe account" #~ msgstr "Has conectado tu cuenta Stripe" -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "No tienes preguntas de los asistentes." -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "No tienes preguntas sobre pedidos." @@ -5982,7 +6039,7 @@ msgstr "Sus asistentes aparecerán aquí una vez que se hayan registrado para su msgid "Your awesome website 🎉" msgstr "Tu increíble sitio web 🎉" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "Tus detalles" @@ -6010,7 +6067,7 @@ msgstr "Tu pedido ha sido cancelado" msgid "Your order is awaiting payment 🏦" msgstr "Su pedido está en espera de pago 🏦" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "Tus pedidos se han exportado con éxito." @@ -6051,7 +6108,7 @@ msgstr "Tu cuenta de Stripe está conectada y lista para procesar pagos." msgid "Your ticket for" msgstr "Tu billete para" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "Código postal" @@ -6060,6 +6117,6 @@ msgstr "Código postal" msgid "Zip or Postal Code" msgstr "CP o Código Postal" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "Código postal" diff --git a/frontend/src/locales/fr.js b/frontend/src/locales/fr.js index 6134b7639b..d5885021ab 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\":[\"Les événements de \",[\"0\"]],\"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>Les listes de pointage aident à gérer l'entrée des participants à votre événement. Vous pouvez associer plusieurs billets à une liste de pointage et vous assurer que seuls ceux avec des billets valides peuvent entrer.\",\"OXku3b\":\"<0>https://votre-siteweb.com\",\"qnSLLW\":\"<0>Veuillez entrer le prix hors taxes et frais.<1>Les taxes et frais peuvent être ajoutés ci-dessous.\",\"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\":\"✉️ Confirmez votre adresse email\",\"BN0OQd\":\"🎉 Félicitations pour la création d'un événement\xA0!\",\"4kSf7w\":\"🎟️ Ajouter des produits\",\"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\":\"10h00\",\"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\":\"À propos de l'événement\",\"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\":\"Ajoutez des détails sur l'événement et gérez les paramètres de l'événement.\",\"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\":\"Ajouter plus de produits\",\"ApsD9J\":\"Ajouter un nouveau\",\"TZxnm8\":\"Ajouter une option\",\"24l4x6\":\"Ajouter un produit\",\"8q0EdE\":\"Ajouter un produit à la catégorie\",\"YvCknQ\":\"Ajouter des produits\",\"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\":\"Options additionelles\",\"Du6bPw\":\"Adresse\",\"NY/x1b\":\"Adresse Ligne 1\",\"POdIrN\":\"Adresse Ligne 1\",\"cormHa\":\"Adresse Ligne 2\",\"gwk5gg\":\"Adresse Ligne 2\",\"U3pytU\":\"Administrateur\",\"HLDaLi\":\"Les utilisateurs administrateurs ont un accès complet aux événements et aux paramètres du compte.\",\"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\":\"Presque là! Nous attendons juste que votre paiement soit traité. Cela ne devrait prendre que quelques secondes.\",\"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\":\"Un événement est l’événement réel que vous organisez. Vous pourrez ajouter plus de détails ultérieurement.\",\"oBkF+i\":\"Un organisateur est l'entreprise ou la personne qui organise l'événement\",\"W5A0Ly\":\"Une erreur inattendue est apparue.\",\"byKna+\":\"Une erreur inattendue est apparue. Veuillez réessayer.\",\"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\":\"Événements archivés\",\"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\":\"Invités avec un produit spécifique\",\"IMJ6rh\":\"Redimensionnement automatique\",\"vZ5qKF\":\"Redimensionnez automatiquement la hauteur du widget en fonction du contenu. Lorsqu'il est désactivé, le widget remplira la hauteur du conteneur.\",\"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\":\"Événement génial\",\"Yrbm6T\":\"Organisateur génial Ltd.\",\"9002sI\":\"Retour à tous les événements\",\"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\":\"Avant que votre événement puisse être mis en ligne, vous devez faire certaines choses.\",\"ze6ETw\":\"Commencez à vendre des produits en quelques 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\":\"Annuler annulera tous les produits associés à cette commande et les remettra dans le stock disponible.\",\"vv7kpg\":\"Annulé\",\"U7nGvl\":\"Impossible de s'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\":\"Changer de couverture\",\"GptGxg\":\"Changer le mot de passe\",\"xMDm+I\":\"Enregistrement\",\"p2WLr3\":[\"Enregistrer \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Enregistrer et marquer la commande comme payée\",\"QYLpB4\":\"Enregistrer uniquement\",\"/Ta1d4\":\"Sortir\",\"5LDT6f\":\"Découvrez cet événement !\",\"gXcPxc\":\"Enregistrement\",\"fVUbUy\":\"Liste de pointage créée avec succès\",\"+CeSxK\":\"Liste de pointage supprimée avec succès\",\"+hBhWk\":\"La liste de pointage a expiré\",\"mBsBHq\":\"La liste de pointage n'est pas active\",\"vPqpQG\":\"Liste de pointage non trouvée\",\"tejfAy\":\"Listes de pointage\",\"hD1ocH\":\"URL de pointage copiée dans le presse-papiers\",\"CNafaC\":\"Les options de case à cocher permettent plusieurs sélections\",\"SpabVf\":\"Cases à cocher\",\"CRu4lK\":\"Enregistré\",\"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\":\"Cliquez ici\",\"sby+1/\":\"Cliquez pour copier\",\"yz7wBu\":\"Fermer\",\"62Ciis\":\"Fermer la barre latérale\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Le code doit comporter entre 3 et 50 caractères\",\"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\":\"Paiement complet\",\"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\":\"Couleur d'arrière-plan du contenu\",\"xGVfLh\":\"Continuer\",\"X++RMT\":\"Texte du bouton Continuer\",\"AfNRFG\":\"Texte du bouton Continuer\",\"lIbwvN\":\"Continuer la configuration de l'événement\",\"HB22j9\":\"Continuer la configuration\",\"bZEa4H\":\"Continuer la configuration de Stripe Connect\",\"6V3Ea3\":\"Copié\",\"T5rdis\":\"copié dans le presse-papier\",\"he3ygx\":\"Copie\",\"r2B2P8\":\"Copier l'URL de pointage\",\"8+cOrS\":\"Copier les détails à tous les participants\",\"ENCIQz\":\"Copier le lien\",\"E6nRW7\":\"Copier le lien\",\"JNCzPW\":\"Pays\",\"IF7RiR\":\"Couverture\",\"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\":\"Créez des produits pour votre événement, définissez les prix et gérez la quantité disponible.\",\"sYpiZP\":\"Créer un code promotionnel\",\"B3Mkdt\":\"Créer une question\",\"UKfi21\":\"Créer une taxe ou des frais\",\"d+F6q9\":\"Créé\",\"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\":\"Tableau de bord\",\"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\":\"Supprimer la couverture\",\"KWa0gi\":\"Supprimer l'image\",\"1l14WA\":\"Supprimer le produit\",\"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\":\"Rejeter\",\"DZlSLn\":\"Étiquette du document\",\"cVq+ga\":\"Vous n'avez pas de compte ? <0>Inscrivez-vous\",\"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\":\"Glisser-déposer ou cliquer\",\"CfKofC\":\"Sélection déroulante\",\"JzLDvy\":\"Dupliquer les attributions de capacité\",\"ulMxl+\":\"Dupliquer les listes d'enregistrement\",\"vi8Q/5\":\"Dupliquer l'événement\",\"3ogkAk\":\"Dupliquer l'événement\",\"Yu6m6X\":\"Dupliquer l'image de couverture de l'événement\",\"+fA4C7\":\"Options de duplication\",\"SoiDyI\":\"Dupliquer les produits\",\"57ALrd\":\"Dupliquer les codes promo\",\"83Hu4O\":\"Dupliquer les questions\",\"20144c\":\"Dupliquer les paramètres\",\"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\":\"Événements terminés\",\"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\":\"Événement créé avec succès 🎉\",\"/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\":\"L'événement n'est pas visible au public\",\"4pKXJS\":\"L'événement est visible au public\",\"ClwUUD\":\"Lieu de l'événement et détails du lieu\",\"OopDbA\":\"Page de l'événement\",\"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\":\"URL de l'événement\",\"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\":\"Échec de l'exportation des participants. Veuillez réessayer.\",\"2uGNuE\":\"Échec de l'exportation des commandes. Veuillez réessayer.\",\"d+KKMz\":\"Échec du chargement de la liste de pointage\",\"ZQ15eN\":\"Échec du renvoi de l'e-mail du ticket\",\"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\":\"Aller à la page d'accueil de l'événement\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"ventes brutes\",\"IgcAGN\":\"Ventes brutes\",\"yRg26W\":\"Ventes brutes\",\"R4r4XO\":\"Invités\",\"26pGvx\":\"Avez vous un code de réduction?\",\"V7yhws\":\"bonjour@awesome-events.com\",\"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\":[\"Conférence Hi.Events \",[\"0\"]],\"verBst\":\"Centre de conférence Hi.Events\",\"6eMEQO\":\"logo hi.events\",\"C4qOW8\":\"Caché à la vue du public\",\"gt3Xw9\":\"question cachée\",\"g3rqFe\":\"questions cachées\",\"k3dfFD\":\"Les questions masquées ne sont visibles que par l'organisateur de l'événement et non par le client.\",\"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\":\"Je souhaite payer en utilisant une méthode hors ligne\",\"SdFlIP\":\"Je souhaite payer en utilisant une méthode en ligne (carte de crédit, etc.)\",\"93DUnd\":[\"Si aucun nouvel onglet ne s'ouvre, veuillez <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\":\"Les dimensions de l'image doivent être comprises entre 4000px par 4000px. Avec une hauteur maximale de 4000px et une largeur maximale de 4000px\",\"uPEIvq\":\"L'image doit faire moins de 5 Mo\",\"AGZmwV\":\"Image téléchargée avec succès\",\"VyUuZb\":\"URL de l'image\",\"ibi52/\":\"La largeur de l'image doit être d'au moins 900\xA0px et la hauteur d'au moins 50\xA0px.\",\"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\":\"Émettre un remboursement\",\"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\":\"En savoir plus sur Stripe\",\"enV0g0\":\"Laisser vide pour utiliser le mot par défaut \\\"Facture\\\"\",\"vR92Yn\":\"Commençons par créer votre premier organisateur\",\"Z3FXyt\":\"Chargement...\",\"wJijgU\":\"Emplacement\",\"sQia9P\":\"Se connecter\",\"zUDyah\":\"Se connecter\",\"z0t9bb\":\"Se connecter\",\"nOhz3x\":\"Se déconnecter\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nom placerat elementum...\",\"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\":\"Gérez vos informations de paiement Stripe\",\"BfucwY\":\"Gérez vos utilisateurs et leurs autorisations\",\"1m+YT2\":\"Il faut répondre aux questions obligatoires avant que le client puisse passer à la caisse.\",\"Dim4LO\":\"Ajouter manuellement un participant\",\"e4KdjJ\":\"Ajouter manuellement un participant\",\"vFjEnF\":\"Marquer comme payé\",\"g9dPPQ\":\"Maximum par commande\",\"l5OcwO\":\"Message au participant\",\"Gv5AMu\":\"Message aux participants\",\"oUCR3c\":\"Envoyer un message aux invités avec des produits spécifiques\",\"Lvi+gV\":\"Message à l'acheteur\",\"tNZzFb\":\"Contenu du message\",\"lYDV/s\":\"Envoyer un message à des participants individuels\",\"V7DYWd\":\"Message envoyé\",\"t7TeQU\":\"messages\",\"xFRMlO\":\"Minimum par commande\",\"QYcUEf\":\"Prix minimum\",\"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\":\"Le nom doit comporter moins de 150\xA0caractères\",\"AIUkyF\":\"Accédez au participant\",\"qqeAJM\":\"Jamais\",\"7vhWI8\":\"nouveau mot de passe\",\"1UzENP\":\"Non\",\"eRblWH\":[\"Aucun \",[\"0\"],\" disponible.\"],\"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\":\"Aucun participant ne pourra s'enregistrer avant cette date en utilisant cette liste\",\"XUfgCI\":\"Aucune Affectation de Capacité\",\"a/gMx2\":\"Pas de listes de pointage\",\"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\":\"Pas en vente\",\"1DBGsz\":\"Notes\",\"jtrY3S\":\"Rien à montrer pour le moment\",\"hFwWnI\":\"Paramètres de notification\",\"xXqEPO\":\"Informer l'acheteur du remboursement\",\"YpN29s\":\"Informer l'organisateur des nouvelles commandes\",\"qeQhNj\":\"Créons maintenant votre premier événement\",\"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 pour le paiement hors ligne\",\"+eZ7dp\":\"Paiements hors ligne\",\"ojDQlR\":\"Informations sur les paiements hors ligne\",\"u5oO/W\":\"Paramètres des paiements hors ligne\",\"2NPDz1\":\"En soldes\",\"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 de pointage\",\"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\":\"Commande #\",\"B3gPuX\":\"Commande annulée\",\"SIbded\":\"Commande terminée\",\"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\":\"Couleur d’arrière-plan de la page\",\"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\":\"Niveaux de prix\",\"q6XHL1\":\"Type de prix\",\"6RmHKN\":\"Couleur primaire\",\"G/ZwV1\":\"Couleur primaire\",\"8cBtvm\":\"Couleur du texte principal\",\"BZz12Q\":\"Imprimer\",\"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\":\"produits vendus\",\"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\":\"Quantité vendue\",\"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\":\"Référence\",\"gxFu7d\":[\"Montant du remboursement (\",[\"0\"],\")\"],\"WZbCR3\":\"Remboursement échoué\",\"n10yGu\":\"Commande de remboursement\",\"zPH6gp\":\"Commande de remboursement\",\"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\":\"Renvoyer un courriel de confirmation\",\"lnrkNz\":\"Renvoyer l'e-mail de confirmation\",\"wIa8Qe\":\"Renvoyer l'invitation\",\"VeKsnD\":\"Renvoyer l'e-mail de commande\",\"dFuEhO\":\"Renvoyer l'e-mail du ticket\",\"o6+Y6d\":\"Renvoi...\",\"OfhWJH\":\"Réinitialiser\",\"RfwZxd\":\"Réinitialiser le mot de passe\",\"KbS2K9\":\"réinitialiser le mot de passe\",\"e99fHm\":\"Restaurer l'événement\",\"vtc20Z\":\"Retour à la page de l'événement\",\"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\":\"Vente terminée\",\"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\":\"Scanner le code QR\",\"EEU0+z\":\"Scannez ce code QR pour accéder à la page de l'événement ou le partager avec d'autres\",\"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\":\"Couleur secondaire\",\"DnXcDK\":\"Couleur secondaire\",\"cZF6em\":\"Couleur du texte secondaire\",\"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\":\"Partager sur Facebook\",\"x7i6H+\":\"Partager sur LinkedIn\",\"zziQd8\":\"Partager sur Pinterest\",\"/TgBEk\":\"Partager sur Reddit\",\"0Wlk5F\":\"Partager sur les réseaux sociaux\",\"on+mNS\":\"Partager sur Telegram\",\"PcmR+m\":\"Partager sur WhatsApp\",\"/5b1iZ\":\"Partager sur X\",\"n/T2KI\":\"Partager par e-mail\",\"8vETh9\":\"Montrer\",\"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\":\"Quelque chose s'est mal passé\",\"GRChTw\":\"Une erreur s'est produite lors de la suppression de la taxe ou des frais\",\"YHFrbe\":\"Quelque chose s'est mal passé\xA0! Veuillez réessayer\",\"kf83Ld\":\"Quelque chose s'est mal passé.\",\"fWsBTs\":\"Quelque chose s'est mal passé. Veuillez réessayer.\",\"F6YahU\":\"Désolé, quelque chose s'est mal passé. Veuillez redémarrer le processus de paiement.\",\"KWgppI\":\"Désolé, une erreur s'est produite lors du chargement de cette page.\",\"/TCOIK\":\"Désolé, cette commande n'existe plus.\",\"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\":\"Cette description sera affichée au personnel de pointage\",\"MLTkH7\":\"Cet email n'est pas promotionnel et est directement lié à l'événement.\",\"2eIpBM\":\"Cet événement n'est pas disponible pour le moment. Veuillez revenir plus tard.\",\"Z6LdQU\":\"Cet événement n'est pas disponible.\",\"MMd2TJ\":\"This information will be shown on the payment page, order summary page, and order confirmation email.\",\"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\":\"Cette liste ne sera plus disponible pour les enregistrements après cette 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\":\"Cette commande a été annulée\",\"YyEJij\":\"Cette commande a été annulée.\",\"Q0zd4P\":\"Cette commande a expiré. Veuillez recommencer.\",\"HILpDX\":\"Cette commande est en attente de paiement\",\"BdYtn9\":\"Cette commande est terminée\",\"e3uMJH\":\"Cette commande est terminée.\",\"YNKXOK\":\"Cette commande est en cours de traitement.\",\"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\":\"Ce produit est masqué de la vue publique\",\"Y/x1MZ\":\"Ce produit est masqué sauf s'il est ciblé par un code promo\",\"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\":\"Titre\",\"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 restant\",\"/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\":\"Télécharger la couverture\",\"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\":\"Voir d'autres détails\",\"QIWCnW\":\"Liste de pointage VIP\",\"tF+VVr\":\"Billet VIP\",\"2q/Q7x\":\"Visibilité\",\"vmOFL/\":\"Nous n'avons pas pu traiter votre paiement. Veuillez réessayer ou contacter l'assistance.\",\"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.\",\"VGioT0\":\"Nous recommandons des dimensions de 2\xA0160\xA0px sur 1\xA0080\xA0px et une taille de fichier maximale de 5\xA0Mo.\",\"b9UB/w\":\"Nous utilisons Stripe pour traiter les paiements. Connectez votre compte Stripe pour commencer à recevoir des paiements.\",\"01WH0a\":\"Nous n'avons pas pu confirmer votre paiement. Veuillez réessayer ou contacter l'assistance.\",\"Gspam9\":\"Nous traitons votre commande. S'il vous plaît, attendez...\",\"LuY52w\":\"Bienvenue à bord! Merci de vous connecter pour continuer.\",\"dVxpp5\":[\"Bon retour\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bienvenue sur Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Quels sont les produits par paliers ?\",\"f1jUC0\":\"À quelle date cette liste de pointage doit-elle devenir active\xA0?\",\"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\":\"Quand cette liste de pointage doit-elle expirer\xA0?\",\"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\":\"Oui\",\"QcwyCh\":\"Oui, supprime-les\",\"ySeBKv\":\"Vous avez déjà scanné ce billet\",\"P+Sty0\":[\"Vous changez votre adresse e-mail en <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Vous êtes hors ligne\",\"sdB7+6\":\"Vous pouvez créer un code promo qui cible ce produit sur le\",\"KRhIxT\":\"Vous pouvez désormais commencer à recevoir des paiements via Stripe.\",\"Gnjf3o\":\"Vous ne pouvez pas changer le type de produit car des invités y sont associés.\",\"S+on7c\":\"Vous ne pouvez pas enregistrer des participants avec des commandes impayées.\",\"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\":\"Vous n'avez pas la permission d'accéder à cette page\",\"BRArmD\":\"Vous avez accès à plusieurs comptes. Veuillez en choisir un pour continuer.\",\"Z6q0Vl\":\"Vous avez déjà accepté cette invitation. Merci de vous connecter pour continuer.\",\"rdk1xK\":\"Vous avez connecté votre compte Stripe\",\"ofEncr\":\"Vous n'avez aucune question de participant.\",\"CoZHDB\":\"Vous n'avez aucune question de commande.\",\"15qAvl\":\"Vous n’avez aucun changement d’e-mail en attente.\",\"n81Qk8\":\"Vous n'avez pas terminé votre configuration Stripe Connect\",\"jxsiqJ\":\"Vous n'avez pas connecté votre compte Stripe\",\"+FWjhR\":\"Vous avez manqué de temps pour compléter votre commande.\",\"MycdJN\":\"Vous avez ajouté des taxes et des frais à un produit gratuit. Souhaitez-vous les supprimer ou les masquer ?\",\"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\":\"Vous devez confirmer votre adresse e-mail avant que votre événement puisse être mis en ligne.\",\"H35u3n\":\"Vous devez créer un ticket avant de pouvoir ajouter manuellement un participant.\",\"jE4Z8R\":\"Vous devez avoir au moins un niveau de prix\",\"8/eLoa\":\"Vous devez vérifier votre compte avant de pouvoir envoyer des 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\":[\"Vous allez à \",[\"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\":\"Votre commande est en attente de paiement 🏦\",\"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\":\"Votre produit pour\",\"cJ4Y4R\":\"Votre remboursement est en cours de traitement.\",\"IFHV2p\":\"Votre billet pour\",\"x1PPdr\":\"Code postal\",\"BM/KQm\":\"Code Postal\",\"+LtVBt\":\"Code postal\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" webhooks actifs\"],\"tmew5X\":[[\"0\"],\" s'est enregistré\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" événements\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>Le nombre de billets disponibles pour ce billet<1>Cette valeur peut être remplacée s'il y a des <2>Limites de Capacité associées à ce billet.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Ajouter des billets\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 webhook actif\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Un \",[\"type\"],\" par défaut est automatiquement appliqué à tous les nouveaux tickets. Vous pouvez remplacer cela par ticket.\"],\"Pgaiuj\":\"Un montant fixe par billet. Par exemple, 0,50 $ par billet\",\"ySO/4f\":\"Un pourcentage du prix du billet. Par exemple, 3,5\xA0% du prix du billet\",\"WXeXGB\":\"Un code promotionnel sans réduction peut être utilisé pour révéler des billets cachés.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Une seule question par participant. Par exemple, quel est votre repas préféré\xA0?\",\"ap3v36\":\"Une seule question par commande. Par exemple, quel est le nom de votre entreprise\xA0?\",\"uyJsf6\":\"À propos\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"À propos de Stripe Connect\",\"VTfZPy\":\"Accès refusé\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Ajouter\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Ajouter plus de billets\",\"BGD9Yt\":\"Ajouter des billets\",\"QN2F+7\":\"Ajouter un webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Affiliés\",\"gKq1fa\":\"Tous les participants\",\"QsYjci\":\"Tous les évènements\",\"/twVAS\":\"Tous les billets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"Une erreur s'est produite lors du tri des tickets. Veuillez réessayer ou actualiser la page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Un événement est le rassemblement ou l'occasion que vous organisez. Vous pouvez ajouter plus de détails plus tard.\",\"j4DliD\":\"Toutes les questions des détenteurs de billets seront envoyées à cette adresse e-mail. Cette adresse sera également utilisée comme adresse de « réponse » pour tous les e-mails envoyés à partir de cet événement.\",\"epTbAK\":[\"S'applique à \",[\"0\"],\" billets\"],\"6MkQ2P\":\"S'applique à 1 billet\",\"jcnZEw\":[\"Appliquez ce \",[\"type\"],\" à tous les nouveaux tickets\"],\"Dy+k4r\":\"Êtes-vous sûr de vouloir annuler cet invité ? Cela annulera son produit\",\"5H3Z78\":\"Êtes-vous sûr de vouloir supprimer ce webhook ?\",\"2xEpch\":\"Demander une fois par participant\",\"F2rX0R\":\"Au moins un type d'événement doit être sélectionné\",\"AJ4rvK\":\"Participant annulé\",\"qvylEK\":\"Participant créé\",\"Xc2I+v\":\"Gestion des participants\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Participant mis à jour\",\"k3Tngl\":\"Participants exportés\",\"5UbY+B\":\"Participants avec un ticket spécifique\",\"kShOaz\":\"Flux de travail automatisé\",\"VPoeAx\":\"Gestion automatisée des entrées avec plusieurs listes d'enregistrement et validation en temps réel\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Réduction moyenne/Commande\",\"sGUsYa\":\"Valeur moyenne de la commande\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Détails de base\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Commencez à vendre des billets en quelques minutes\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Contrôle de la marque\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Annulé\",\"Ud7zwq\":\"L'annulation annulera tous les billets associés à cette commande et remettra les billets dans le pool disponible.\",\"QndF4b\":\"enregistrement\",\"9FVFym\":\"vérifier\",\"Y3FYXy\":\"Enregistrement\",\"udRwQs\":\"Enregistrement créé\",\"F4SRy3\":\"Enregistrement supprimé\",\"rfeicl\":\"Enregistré avec succès\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinois\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"Réduire ce billet lors du chargement initial de la page de l'événement\",\"/sZIOR\":\"Boutique complète\",\"7D9MJz\":\"Finaliser la configuration de Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Documentation de connexion\",\"MOUF31\":\"Connectez-vous au CRM et automatisez les tâches à l'aide de webhooks et d'intégrations\",\"/3017M\":\"Connecté à Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contacter le support\",\"nBGbqc\":\"Contactez-nous pour activer la messagerie\",\"RGVUUI\":\"Continuer vers le paiement\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Créez et personnalisez votre page d'événement instantanément\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Créer un ticket\",\"agZ87r\":\"Créez des billets pour votre événement, fixez les prix et gérez la quantité disponible.\",\"dkAPxi\":\"Créer un webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Personnalisez votre page événement et la conception du widget pour correspondre parfaitement à votre marque\",\"zgCHnE\":\"Rapport des ventes quotidiennes\",\"nHm0AI\":\"Détail des ventes quotidiennes, taxes et frais\",\"PqrqgF\":\"Liste de pointage du premier jour\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Supprimer le billet\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Supprimer le webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Désactiver cette capacité pour suivre la capacité sans arrêter les ventes de produits\",\"Tgg8XQ\":\"Désactivez cette capacité pour suivre la capacité sans arrêter la vente de billets\",\"TvY/XA\":\"Documentation\",\"dYskfr\":\"N'existe pas\",\"V6Jjbr\":\"Vous n'avez pas de compte ? <0>Inscrivez-vous\",\"4+aC/x\":\"Donation / Billet à tarif préférentiel\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Faites glisser pour trier\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Dupliquer le produit\",\"Wt9eV8\":\"Dupliquer les billets\",\"4xK5y2\":\"Dupliquer les webhooks\",\"kNGp1D\":\"Modifier un participant\",\"t2bbp8\":\"Modifier le participant\",\"d+nnyk\":\"Modifier le billet\",\"fW5sSv\":\"Modifier le webhook\",\"nP7CdQ\":\"Modifier le webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Activez cette capacité pour arrêter la vente de billets lorsque la limite est atteinte\",\"RxzN1M\":\"Activé\",\"LslKhj\":\"Erreur lors du chargement des journaux\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Événement non disponible\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Types d'événements\",\"jtrqH9\":\"Exportation des participants\",\"UlAK8E\":\"Exportation des commandes\",\"Jjw03p\":\"Échec de l'exportation des participants\",\"ZPwFnN\":\"Échec de l'exportation des commandes\",\"X4o0MX\":\"Échec du chargement du webhook\",\"10XEC9\":\"Échec de l'envoi de l'e-mail produit\",\"YirHq7\":\"Retour\",\"T4BMxU\":\"Les frais sont susceptibles de changer. Vous serez informé de toute modification de votre structure tarifaire.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Frais fixes :\",\"KgxI80\":\"Billetterie flexible\",\"/4rQr+\":\"Billet gratuit\",\"01my8x\":\"Billet gratuit, aucune information de paiement requise\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Commencez gratuitement, sans frais d'abonnement\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Aller sur Hi.Events\",\"Lek3cJ\":\"Aller au tableau de bord Stripe\",\"GNJ1kd\":\"Aide et Support\",\"spMR9y\":\"Hi.Events facture des frais de plateforme pour maintenir et améliorer nos services. Ces frais sont automatiquement déduits de chaque transaction.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"Masquer ce ticket aux clients\",\"Fhzoa8\":\"Masquer le billet après la date de fin de vente\",\"yhm3J/\":\"Masquer le billet avant la date de début de la vente\",\"k7/oGT\":\"Masquer le billet sauf si l'utilisateur dispose du code promotionnel applicable\",\"L0ZOiu\":\"Masquer le billet lorsqu'il est épuisé\",\"uno73L\":\"Masquer un ticket empêchera les utilisateurs de le voir sur la page de l’événement.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Si vide, l'adresse sera utilisée pour générer un lien Google map\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Les dimensions de l'image doivent être comprises entre 3 000 et 2 000 px. Avec une hauteur maximale de 2 000 px et une largeur maximale de 3 000 px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Inclure les détails de connexion pour votre événement en ligne. Ces détails seront affichés sur la page de récapitulatif de commande et la page du produit de l'invité\",\"evpD4c\":\"Incluez les détails de connexion pour votre événement en ligne. Ces détails seront affichés sur la page récapitulative de la commande et sur la page des billets des participants.\",\"AXTNr8\":[\"Inclut \",[\"0\"],\" billets\"],\"7/Rzoe\":\"Inclut 1 billet\",\"F1Xp97\":\"Participants individuels\",\"nbfdhU\":\"Intégrations\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Dernière réponse\",\"gw3Ur5\":\"Dernier déclenchement\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Chargement des webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Gérer les produits\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gérez les taxes et les frais qui peuvent être appliqués à vos billets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Gérez votre traitement des paiements et consultez les frais de plateforme\",\"lzcrX3\":\"L’ajout manuel d’un participant ajustera la quantité de billets.\",\"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\",\"0/yJtP\":\"Envoyer un message aux propriétaires de commandes avec des produits spécifiques\",\"tccUcA\":\"Enregistrement mobile\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Plusieurs options de prix. Parfait pour les billets lève-tôt, etc.\",\"m920rF\":\"New York\",\"074+X8\":\"Aucun webhook actif\",\"6r9SGl\":\"Aucune carte de crédit requise\",\"Z6ILSe\":\"Aucun événement pour cet organisateur\",\"XZkeaI\":\"Aucun journal trouvé\",\"zK/+ef\":\"Aucun produit disponible pour la sélection\",\"q91DKx\":\"Aucune question n'a été répondue par cet invité.\",\"QoAi8D\":\"Aucune réponse\",\"EK/G11\":\"Aucune réponse pour le moment\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Aucun billet à montrer\",\"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\",\"x5+Lcz\":\"Non enregistré\",\"+P/tII\":\"Une fois que vous êtes prêt, diffusez votre événement en direct et commencez à vendre des billets.\",\"bU7oUm\":\"Envoyer uniquement aux commandes avec ces statuts\",\"ppuQR4\":\"Commande créée\",\"L4kzeZ\":[\"Détails de la commande \",[\"0\"]],\"vu6Arl\":\"Commande marquée comme payée\",\"FaPYw+\":\"Propriétaire de la commande\",\"eB5vce\":\"Propriétaires de commandes avec un produit spécifique\",\"CxLoxM\":\"Propriétaires de commandes avec des produits\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Commande remboursée\",\"6eSHqs\":\"Statuts des commandes\",\"e7eZuA\":\"Commande mise à jour\",\"mz+c33\":\"Commandes créées\",\"5It1cQ\":\"Commandes exportées\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Les organisateurs ne peuvent gérer que les événements et les billets. Ils ne peuvent pas gérer les utilisateurs, les paramètres de compte ou les informations de facturation.\",\"2w/FiJ\":\"Billet payant\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"En pause\",\"TskrJ8\":\"Paiement et abonnement\",\"EyE8E6\":\"Traitement des paiements\",\"vcyz2L\":\"Paramètres de paiement\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Passer commande\",\"br3Y/y\":\"Frais de plateforme\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Veuillez entrer une URL valide\",\"MA04r/\":\"Veuillez supprimer les filtres et définir le tri sur \\\"Ordre de la page d'accueil\\\" pour activer le tri.\",\"yygcoG\":\"Veuillez sélectionner au moins un billet\",\"fuwKpE\":\"Veuillez réessayer.\",\"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...\",\"R7+D0/\":\"Portugais (Brésil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Propulsé par Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"produit\",\"EWCLpZ\":\"Produit créé\",\"XkFYVB\":\"Produit supprimé\",\"0dzBGg\":\"L'e-mail du produit a été renvoyé à l'invité\",\"YMwcbR\":\"Détail des ventes de produits, revenus et taxes\",\"ldVIlB\":\"Produit mis à jour\",\"mIqT3T\":\"Produits, marchandises et options de tarification flexibles\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Code promo\",\"k3wH7i\":\"Utilisation des codes promo et détail des réductions\",\"812gwg\":\"Licence d'achat\",\"YwNJAq\":\"Scan de QR code avec retour instantané et partage sécurisé pour l'accès du personnel\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Renvoyer l'e-mail du produit\",\"slOprG\":\"Réinitialisez votre mot de passe\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Recherchez par nom, numéro de commande, numéro de participant ou e-mail...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Rechercher par nom de billet...\",\"j9cPeF\":\"Sélectionner les types d'événements\",\"XH5juP\":\"Sélectionnez le niveau de billet\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Sélectionnez les événements qui déclencheront ce webhook\",\"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\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Envoyer la confirmation de commande et l'e-mail du produit\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Configuration en quelques minutes\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Afficher la quantité de billets disponibles\",\"j3b+OW\":\"Présenté au client après son paiement, sur la page récapitulative de la commande\",\"v6IwHE\":\"Enregistrement intelligent\",\"J9xKh8\":\"Tableau de bord intelligent\",\"KTxc6k\":\"Une erreur s'est produite, veuillez réessayer ou contacter le support si le problème persiste\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Désolé, votre commande a expiré. Veuillez démarrer une nouvelle commande.\",\"a4SyEE\":\"Le tri est désactivé pendant que les filtres et le tri sont appliqués\",\"4nG1lG\":\"Billet standard à prix fixe\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Vérification réussie <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Ticket créé avec succès\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Produit dupliqué avec succès\",\"g2lRrH\":\"Billet mis à jour avec succès\",\"kj7zYe\":\"Webhook mis à jour avec succès\",\"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\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"Le nombre maximum de billets pour \",[\"0\"],\" est \",[\"1\"]],\"FeAfXO\":[\"Le nombre maximum de billets pour les généraux est de\xA0\",[\"0\"],\".\"],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Les taxes et frais à appliquer sur ce billet. Vous pouvez créer de nouvelles taxes et frais sur le\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Il n'y a pas de billets disponibles pour cet événement\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Cela remplace tous les paramètres de visibilité et masquera le ticket à tous les clients.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Ce ticket ne peut pas être supprimé car il est\\nassocié à une commande. Vous pouvez le cacher à la place.\",\"ma6qdu\":\"Ce ticket est masqué à la vue du public\",\"xJ8nzj\":\"Ce ticket est masqué sauf s'il est ciblé par un code promotionnel\",\"KosivG\":\"Billet supprimé avec succès\",\"HGuXjF\":\"Détenteurs de billets\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"La vente de billets\",\"NirIiz\":\"Niveau de billet\",\"8jLPgH\":\"Type de billet\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Aperçu du widget de billet\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Des billets)\",\"6GQNLE\":\"Des billets\",\"ikA//P\":\"billets vendus\",\"i+idBz\":\"Billets vendus\",\"AGRilS\":\"Billets vendus\",\"56Qw2C\":\"Billets triés avec succès\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Billet à plusieurs niveaux\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Les billets à plusieurs niveaux vous permettent de proposer plusieurs options de prix pour le même billet.\\nC'est parfait pour les billets anticipés ou pour offrir des prix différents.\\noptions pour différents groupes de personnes.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/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 :\",\"mLGbAS\":[\"Impossible d'accéder à \",[\"0\"],\" participant\"],\"nNdxt9\":\"Impossible de créer un ticket. Veuillez vérifier vos coordonnées\",\"IrVSu+\":\"Impossible de dupliquer le produit. Veuillez vérifier vos informations\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"L'URL est requise\",\"fROFIL\":\"Vietnamien\",\"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.\",\"AM+zF3\":\"Afficher le participant\",\"e4mhwd\":\"Afficher la page d'accueil de l'événement\",\"n6EaWL\":\"Voir les journaux\",\"AMkkeL\":\"Voir l'ordre\",\"MXm9nr\":\"Produit VIP\",\"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\",\"jupD+L\":\"Bon retour 👋\",\"je8QQT\":\"Bienvenue sur Hi.Events 👋\",\"wjqPqF\":\"Que sont les billets à plusieurs niveaux\xA0?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"Qu'est-ce qu'un webhook ?\",\"MhhnvW\":\"À quels billets ce code s'applique-t-il ? (S'applique à tous par défaut)\",\"dCil3h\":\"À quels billets cette question doit-elle s'appliquer\xA0?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Vous pouvez créer un code promo qui cible ce billet sur le\",\"UqVaVO\":\"Vous ne pouvez pas modifier le type de ticket car des participants sont associés à ce ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Vous ne pouvez pas supprimer ce niveau tarifaire car des billets sont déjà vendus pour ce niveau. Vous pouvez le cacher à la place.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Vous avez ajouté des taxes et des frais à un produit gratuit. Voulez-vous les supprimer ?\",\"183zcL\":\"Des taxes et des frais sont ajoutés à un billet gratuit. Souhaitez-vous les supprimer ou les masquer\xA0?\",\"2v5MI1\":\"Vous n'avez pas encore envoyé de messages. Vous pouvez envoyer des messages à tous les participants ou à des détenteurs de billets spécifiques.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Vous devez vérifier l'adresse e-mail de votre compte avant de pouvoir envoyer des messages.\",\"8QNzin\":\"Vous aurez besoin d'un billet avant de pouvoir créer une affectation de capacité.\",\"WHXRMI\":\"Vous aurez besoin d'au moins un ticket pour commencer. Gratuit, payant ou laissez l'utilisateur décider quoi payer.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Vos participants ont été exportés avec succès.\",\"nBqgQb\":\"Votre e-mail\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Vos commandes ont été exportées avec succès.\",\"vvO1I2\":\"Votre compte Stripe est connecté et prêt à traiter les paiements.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"En raison du risque élevé de spam, nous exigeons une vérification manuelle avant que vous puissiez envoyer des messages.\\nVeuillez nous contacter pour demander l'accès.\",\"8XAE7n\":\"Si vous avez un compte chez nous, vous recevrez un e-mail avec des instructions pour réinitialiser votre mot de passe.\",\"1ZpxW/\":\"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.\"}")}; \ 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\":[\"Les événements de \",[\"0\"]],\"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>Les listes de pointage aident à gérer l'entrée des participants à votre événement. Vous pouvez associer plusieurs billets à une liste de pointage et vous assurer que seuls ceux avec des billets valides peuvent entrer.\",\"OXku3b\":\"<0>https://votre-siteweb.com\",\"qnSLLW\":\"<0>Veuillez entrer le prix hors taxes et frais.<1>Les taxes et frais peuvent être ajoutés ci-dessous.\",\"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\":\"✉️ Confirmez votre adresse email\",\"BN0OQd\":\"🎉 Félicitations pour la création d'un événement\xA0!\",\"4kSf7w\":\"🎟️ Ajouter des produits\",\"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\":\"10h00\",\"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\":\"À propos de l'événement\",\"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\":\"Ajoutez des détails sur l'événement et gérez les paramètres de l'événement.\",\"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\":\"Ajouter plus de produits\",\"ApsD9J\":\"Ajouter un nouveau\",\"TZxnm8\":\"Ajouter une option\",\"24l4x6\":\"Ajouter un produit\",\"8q0EdE\":\"Ajouter un produit à la catégorie\",\"YvCknQ\":\"Ajouter des produits\",\"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\":\"Options additionelles\",\"Du6bPw\":\"Adresse\",\"NY/x1b\":\"Adresse Ligne 1\",\"POdIrN\":\"Adresse Ligne 1\",\"cormHa\":\"Adresse Ligne 2\",\"gwk5gg\":\"Adresse Ligne 2\",\"U3pytU\":\"Administrateur\",\"HLDaLi\":\"Les utilisateurs administrateurs ont un accès complet aux événements et aux paramètres du compte.\",\"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\":\"Presque là! Nous attendons juste que votre paiement soit traité. Cela ne devrait prendre que quelques secondes.\",\"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\":\"Un événement est l’événement réel que vous organisez. Vous pourrez ajouter plus de détails ultérieurement.\",\"oBkF+i\":\"Un organisateur est l'entreprise ou la personne qui organise l'événement\",\"W5A0Ly\":\"Une erreur inattendue est apparue.\",\"byKna+\":\"Une erreur inattendue est apparue. Veuillez réessayer.\",\"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\":\"Événements archivés\",\"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\":\"Invités avec un produit spécifique\",\"IMJ6rh\":\"Redimensionnement automatique\",\"vZ5qKF\":\"Redimensionnez automatiquement la hauteur du widget en fonction du contenu. Lorsqu'il est désactivé, le widget remplira la hauteur du conteneur.\",\"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\":\"Événement génial\",\"Yrbm6T\":\"Organisateur génial Ltd.\",\"9002sI\":\"Retour à tous les événements\",\"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\":\"Avant que votre événement puisse être mis en ligne, vous devez faire certaines choses.\",\"ze6ETw\":\"Commencez à vendre des produits en quelques 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\":\"Annuler annulera tous les produits associés à cette commande et les remettra dans le stock disponible.\",\"vv7kpg\":\"Annulé\",\"U7nGvl\":\"Impossible de s'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\":\"Changer de couverture\",\"GptGxg\":\"Changer le mot de passe\",\"xMDm+I\":\"Enregistrement\",\"p2WLr3\":[\"Enregistrer \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"Enregistrer et marquer la commande comme payée\",\"QYLpB4\":\"Enregistrer uniquement\",\"/Ta1d4\":\"Sortir\",\"5LDT6f\":\"Découvrez cet événement !\",\"gXcPxc\":\"Enregistrement\",\"fVUbUy\":\"Liste de pointage créée avec succès\",\"+CeSxK\":\"Liste de pointage supprimée avec succès\",\"+hBhWk\":\"La liste de pointage a expiré\",\"mBsBHq\":\"La liste de pointage n'est pas active\",\"vPqpQG\":\"Liste de pointage non trouvée\",\"tejfAy\":\"Listes de pointage\",\"hD1ocH\":\"URL de pointage copiée dans le presse-papiers\",\"CNafaC\":\"Les options de case à cocher permettent plusieurs sélections\",\"SpabVf\":\"Cases à cocher\",\"CRu4lK\":\"Enregistré\",\"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\":\"Cliquez ici\",\"sby+1/\":\"Cliquez pour copier\",\"yz7wBu\":\"Fermer\",\"62Ciis\":\"Fermer la barre latérale\",\"EWPtMO\":\"Code\",\"ercTDX\":\"Le code doit comporter entre 3 et 50 caractères\",\"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\":\"Paiement complet\",\"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\":\"Couleur d'arrière-plan du contenu\",\"xGVfLh\":\"Continuer\",\"X++RMT\":\"Texte du bouton Continuer\",\"AfNRFG\":\"Texte du bouton Continuer\",\"lIbwvN\":\"Continuer la configuration de l'événement\",\"HB22j9\":\"Continuer la configuration\",\"bZEa4H\":\"Continuer la configuration de Stripe Connect\",\"6V3Ea3\":\"Copié\",\"T5rdis\":\"copié dans le presse-papier\",\"he3ygx\":\"Copie\",\"r2B2P8\":\"Copier l'URL de pointage\",\"8+cOrS\":\"Copier les détails à tous les participants\",\"ENCIQz\":\"Copier le lien\",\"E6nRW7\":\"Copier le lien\",\"JNCzPW\":\"Pays\",\"IF7RiR\":\"Couverture\",\"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\":\"Créez des produits pour votre événement, définissez les prix et gérez la quantité disponible.\",\"sYpiZP\":\"Créer un code promotionnel\",\"B3Mkdt\":\"Créer une question\",\"UKfi21\":\"Créer une taxe ou des frais\",\"d+F6q9\":\"Créé\",\"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\":\"Tableau de bord\",\"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\":\"Supprimer la couverture\",\"KWa0gi\":\"Supprimer l'image\",\"1l14WA\":\"Supprimer le produit\",\"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\":\"Rejeter\",\"DZlSLn\":\"Étiquette du document\",\"cVq+ga\":\"Vous n'avez pas de compte ? <0>Inscrivez-vous\",\"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\":\"Glisser-déposer ou cliquer\",\"CfKofC\":\"Sélection déroulante\",\"JzLDvy\":\"Dupliquer les attributions de capacité\",\"ulMxl+\":\"Dupliquer les listes d'enregistrement\",\"vi8Q/5\":\"Dupliquer l'événement\",\"3ogkAk\":\"Dupliquer l'événement\",\"Yu6m6X\":\"Dupliquer l'image de couverture de l'événement\",\"+fA4C7\":\"Options de duplication\",\"SoiDyI\":\"Dupliquer les produits\",\"57ALrd\":\"Dupliquer les codes promo\",\"83Hu4O\":\"Dupliquer les questions\",\"20144c\":\"Dupliquer les paramètres\",\"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\":\"Événements terminés\",\"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\":\"Événement créé avec succès 🎉\",\"/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\":\"L'événement n'est pas visible au public\",\"4pKXJS\":\"L'événement est visible au public\",\"ClwUUD\":\"Lieu de l'événement et détails du lieu\",\"OopDbA\":\"Page de l'événement\",\"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\":\"URL de l'événement\",\"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\":\"Échec de l'exportation des participants. Veuillez réessayer.\",\"2uGNuE\":\"Échec de l'exportation des commandes. Veuillez réessayer.\",\"d+KKMz\":\"Échec du chargement de la liste de pointage\",\"ZQ15eN\":\"Échec du renvoi de l'e-mail du ticket\",\"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\":\"Aller à la page d'accueil de l'événement\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"ventes brutes\",\"IgcAGN\":\"Ventes brutes\",\"yRg26W\":\"Ventes brutes\",\"R4r4XO\":\"Invités\",\"26pGvx\":\"Avez vous un code de réduction?\",\"V7yhws\":\"bonjour@awesome-events.com\",\"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\":[\"Conférence Hi.Events \",[\"0\"]],\"verBst\":\"Centre de conférence Hi.Events\",\"6eMEQO\":\"logo hi.events\",\"C4qOW8\":\"Caché à la vue du public\",\"gt3Xw9\":\"question cachée\",\"g3rqFe\":\"questions cachées\",\"k3dfFD\":\"Les questions masquées ne sont visibles que par l'organisateur de l'événement et non par le client.\",\"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\":\"Je souhaite payer en utilisant une méthode hors ligne\",\"SdFlIP\":\"Je souhaite payer en utilisant une méthode en ligne (carte de crédit, etc.)\",\"93DUnd\":[\"Si aucun nouvel onglet ne s'ouvre, veuillez <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\":\"Les dimensions de l'image doivent être comprises entre 4000px par 4000px. Avec une hauteur maximale de 4000px et une largeur maximale de 4000px\",\"uPEIvq\":\"L'image doit faire moins de 5 Mo\",\"AGZmwV\":\"Image téléchargée avec succès\",\"VyUuZb\":\"URL de l'image\",\"ibi52/\":\"La largeur de l'image doit être d'au moins 900\xA0px et la hauteur d'au moins 50\xA0px.\",\"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\":\"Émettre un remboursement\",\"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\":\"En savoir plus sur Stripe\",\"enV0g0\":\"Laisser vide pour utiliser le mot par défaut \\\"Facture\\\"\",\"vR92Yn\":\"Commençons par créer votre premier organisateur\",\"Z3FXyt\":\"Chargement...\",\"wJijgU\":\"Emplacement\",\"sQia9P\":\"Se connecter\",\"zUDyah\":\"Se connecter\",\"z0t9bb\":\"Se connecter\",\"nOhz3x\":\"Se déconnecter\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nom placerat elementum...\",\"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\":\"Gérez vos informations de paiement Stripe\",\"BfucwY\":\"Gérez vos utilisateurs et leurs autorisations\",\"1m+YT2\":\"Il faut répondre aux questions obligatoires avant que le client puisse passer à la caisse.\",\"Dim4LO\":\"Ajouter manuellement un participant\",\"e4KdjJ\":\"Ajouter manuellement un participant\",\"vFjEnF\":\"Marquer comme payé\",\"g9dPPQ\":\"Maximum par commande\",\"l5OcwO\":\"Message au participant\",\"Gv5AMu\":\"Message aux participants\",\"oUCR3c\":\"Envoyer un message aux invités avec des produits spécifiques\",\"Lvi+gV\":\"Message à l'acheteur\",\"tNZzFb\":\"Contenu du message\",\"lYDV/s\":\"Envoyer un message à des participants individuels\",\"V7DYWd\":\"Message envoyé\",\"t7TeQU\":\"messages\",\"xFRMlO\":\"Minimum par commande\",\"QYcUEf\":\"Prix minimum\",\"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\":\"Le nom doit comporter moins de 150\xA0caractères\",\"AIUkyF\":\"Accédez au participant\",\"qqeAJM\":\"Jamais\",\"7vhWI8\":\"nouveau mot de passe\",\"1UzENP\":\"Non\",\"eRblWH\":[\"Aucun \",[\"0\"],\" disponible.\"],\"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\":\"Aucun participant ne pourra s'enregistrer avant cette date en utilisant cette liste\",\"XUfgCI\":\"Aucune Affectation de Capacité\",\"a/gMx2\":\"Pas de listes de pointage\",\"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\":\"Pas en vente\",\"1DBGsz\":\"Notes\",\"jtrY3S\":\"Rien à montrer pour le moment\",\"hFwWnI\":\"Paramètres de notification\",\"xXqEPO\":\"Informer l'acheteur du remboursement\",\"YpN29s\":\"Informer l'organisateur des nouvelles commandes\",\"qeQhNj\":\"Créons maintenant votre premier événement\",\"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 pour le paiement hors ligne\",\"+eZ7dp\":\"Paiements hors ligne\",\"ojDQlR\":\"Informations sur les paiements hors ligne\",\"u5oO/W\":\"Paramètres des paiements hors ligne\",\"2NPDz1\":\"En soldes\",\"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 de pointage\",\"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\":\"Commande #\",\"B3gPuX\":\"Commande annulée\",\"SIbded\":\"Commande terminée\",\"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\":\"Couleur d’arrière-plan de la page\",\"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\":\"Niveaux de prix\",\"q6XHL1\":\"Type de prix\",\"6RmHKN\":\"Couleur primaire\",\"G/ZwV1\":\"Couleur primaire\",\"8cBtvm\":\"Couleur du texte principal\",\"BZz12Q\":\"Imprimer\",\"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\":\"produits vendus\",\"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\":\"Quantité vendue\",\"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\":\"Référence\",\"gxFu7d\":[\"Montant du remboursement (\",[\"0\"],\")\"],\"WZbCR3\":\"Remboursement échoué\",\"n10yGu\":\"Commande de remboursement\",\"zPH6gp\":\"Commande de remboursement\",\"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\":\"Renvoyer un courriel de confirmation\",\"lnrkNz\":\"Renvoyer l'e-mail de confirmation\",\"wIa8Qe\":\"Renvoyer l'invitation\",\"VeKsnD\":\"Renvoyer l'e-mail de commande\",\"dFuEhO\":\"Renvoyer l'e-mail du ticket\",\"o6+Y6d\":\"Renvoi...\",\"OfhWJH\":\"Réinitialiser\",\"RfwZxd\":\"Réinitialiser le mot de passe\",\"KbS2K9\":\"réinitialiser le mot de passe\",\"e99fHm\":\"Restaurer l'événement\",\"vtc20Z\":\"Retour à la page de l'événement\",\"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\":\"Vente terminée\",\"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\":\"Scanner le code QR\",\"EEU0+z\":\"Scannez ce code QR pour accéder à la page de l'événement ou le partager avec d'autres\",\"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\":\"Couleur secondaire\",\"DnXcDK\":\"Couleur secondaire\",\"cZF6em\":\"Couleur du texte secondaire\",\"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\":\"Partager sur Facebook\",\"x7i6H+\":\"Partager sur LinkedIn\",\"zziQd8\":\"Partager sur Pinterest\",\"/TgBEk\":\"Partager sur Reddit\",\"0Wlk5F\":\"Partager sur les réseaux sociaux\",\"on+mNS\":\"Partager sur Telegram\",\"PcmR+m\":\"Partager sur WhatsApp\",\"/5b1iZ\":\"Partager sur X\",\"n/T2KI\":\"Partager par e-mail\",\"8vETh9\":\"Montrer\",\"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\":\"Quelque chose s'est mal passé\",\"GRChTw\":\"Une erreur s'est produite lors de la suppression de la taxe ou des frais\",\"YHFrbe\":\"Quelque chose s'est mal passé\xA0! Veuillez réessayer\",\"kf83Ld\":\"Quelque chose s'est mal passé.\",\"fWsBTs\":\"Quelque chose s'est mal passé. Veuillez réessayer.\",\"F6YahU\":\"Désolé, quelque chose s'est mal passé. Veuillez redémarrer le processus de paiement.\",\"KWgppI\":\"Désolé, une erreur s'est produite lors du chargement de cette page.\",\"/TCOIK\":\"Désolé, cette commande n'existe plus.\",\"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\":\"Cette description sera affichée au personnel de pointage\",\"MLTkH7\":\"Cet email n'est pas promotionnel et est directement lié à l'événement.\",\"2eIpBM\":\"Cet événement n'est pas disponible pour le moment. Veuillez revenir plus tard.\",\"Z6LdQU\":\"Cet événement n'est pas disponible.\",\"MMd2TJ\":\"This information will be shown on the payment page, order summary page, and order confirmation email.\",\"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\":\"Cette liste ne sera plus disponible pour les enregistrements après cette 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\":\"Cette commande a été annulée\",\"YyEJij\":\"Cette commande a été annulée.\",\"Q0zd4P\":\"Cette commande a expiré. Veuillez recommencer.\",\"HILpDX\":\"Cette commande est en attente de paiement\",\"BdYtn9\":\"Cette commande est terminée\",\"e3uMJH\":\"Cette commande est terminée.\",\"YNKXOK\":\"Cette commande est en cours de traitement.\",\"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\":\"Ce produit est masqué de la vue publique\",\"Y/x1MZ\":\"Ce produit est masqué sauf s'il est ciblé par un code promo\",\"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\":\"Titre\",\"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 restant\",\"/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\":\"Télécharger la couverture\",\"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\":\"Voir d'autres détails\",\"QIWCnW\":\"Liste de pointage VIP\",\"tF+VVr\":\"Billet VIP\",\"2q/Q7x\":\"Visibilité\",\"vmOFL/\":\"Nous n'avons pas pu traiter votre paiement. Veuillez réessayer ou contacter l'assistance.\",\"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.\",\"VGioT0\":\"Nous recommandons des dimensions de 2\xA0160\xA0px sur 1\xA0080\xA0px et une taille de fichier maximale de 5\xA0Mo.\",\"b9UB/w\":\"Nous utilisons Stripe pour traiter les paiements. Connectez votre compte Stripe pour commencer à recevoir des paiements.\",\"01WH0a\":\"Nous n'avons pas pu confirmer votre paiement. Veuillez réessayer ou contacter l'assistance.\",\"Gspam9\":\"Nous traitons votre commande. S'il vous plaît, attendez...\",\"LuY52w\":\"Bienvenue à bord! Merci de vous connecter pour continuer.\",\"dVxpp5\":[\"Bon retour\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bienvenue sur Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Quels sont les produits par paliers ?\",\"f1jUC0\":\"À quelle date cette liste de pointage doit-elle devenir active\xA0?\",\"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\":\"Quand cette liste de pointage doit-elle expirer\xA0?\",\"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\":\"Oui\",\"QcwyCh\":\"Oui, supprime-les\",\"ySeBKv\":\"Vous avez déjà scanné ce billet\",\"P+Sty0\":[\"Vous changez votre adresse e-mail en <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Vous êtes hors ligne\",\"sdB7+6\":\"Vous pouvez créer un code promo qui cible ce produit sur le\",\"KRhIxT\":\"Vous pouvez désormais commencer à recevoir des paiements via Stripe.\",\"Gnjf3o\":\"Vous ne pouvez pas changer le type de produit car des invités y sont associés.\",\"S+on7c\":\"Vous ne pouvez pas enregistrer des participants avec des commandes impayées.\",\"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\":\"Vous n'avez pas la permission d'accéder à cette page\",\"BRArmD\":\"Vous avez accès à plusieurs comptes. Veuillez en choisir un pour continuer.\",\"Z6q0Vl\":\"Vous avez déjà accepté cette invitation. Merci de vous connecter pour continuer.\",\"rdk1xK\":\"Vous avez connecté votre compte Stripe\",\"ofEncr\":\"Vous n'avez aucune question de participant.\",\"CoZHDB\":\"Vous n'avez aucune question de commande.\",\"15qAvl\":\"Vous n’avez aucun changement d’e-mail en attente.\",\"n81Qk8\":\"Vous n'avez pas terminé votre configuration Stripe Connect\",\"jxsiqJ\":\"Vous n'avez pas connecté votre compte Stripe\",\"+FWjhR\":\"Vous avez manqué de temps pour compléter votre commande.\",\"MycdJN\":\"Vous avez ajouté des taxes et des frais à un produit gratuit. Souhaitez-vous les supprimer ou les masquer ?\",\"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\":\"Vous devez confirmer votre adresse e-mail avant que votre événement puisse être mis en ligne.\",\"H35u3n\":\"Vous devez créer un ticket avant de pouvoir ajouter manuellement un participant.\",\"jE4Z8R\":\"Vous devez avoir au moins un niveau de prix\",\"8/eLoa\":\"Vous devez vérifier votre compte avant de pouvoir envoyer des 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\":[\"Vous allez à \",[\"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\":\"Votre commande est en attente de paiement 🏦\",\"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\":\"Votre produit pour\",\"cJ4Y4R\":\"Votre remboursement est en cours de traitement.\",\"IFHV2p\":\"Votre billet pour\",\"x1PPdr\":\"Code postal\",\"BM/KQm\":\"Code Postal\",\"+LtVBt\":\"Code postal\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" webhooks actifs\"],\"tmew5X\":[[\"0\"],\" s'est enregistré\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" événements\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>Le nombre de billets disponibles pour ce billet<1>Cette valeur peut être remplacée s'il y a des <2>Limites de Capacité associées à ce billet.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Ajouter des billets\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 webhook actif\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Un \",[\"type\"],\" par défaut est automatiquement appliqué à tous les nouveaux tickets. Vous pouvez remplacer cela par ticket.\"],\"Pgaiuj\":\"Un montant fixe par billet. Par exemple, 0,50 $ par billet\",\"ySO/4f\":\"Un pourcentage du prix du billet. Par exemple, 3,5\xA0% du prix du billet\",\"WXeXGB\":\"Un code promotionnel sans réduction peut être utilisé pour révéler des billets cachés.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Une seule question par participant. Par exemple, quel est votre repas préféré\xA0?\",\"ap3v36\":\"Une seule question par commande. Par exemple, quel est le nom de votre entreprise\xA0?\",\"uyJsf6\":\"À propos\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"À propos de Stripe Connect\",\"VTfZPy\":\"Accès refusé\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Ajouter\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Ajouter plus de billets\",\"BGD9Yt\":\"Ajouter des billets\",\"QN2F+7\":\"Ajouter un webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Affiliés\",\"gKq1fa\":\"Tous les participants\",\"QsYjci\":\"Tous les évènements\",\"/twVAS\":\"Tous les billets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"Une erreur s'est produite lors de la vérification du statut d'exportation.\",\"er3d/4\":\"Une erreur s'est produite lors du tri des tickets. Veuillez réessayer ou actualiser la page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Un événement est le rassemblement ou l'occasion que vous organisez. Vous pouvez ajouter plus de détails plus tard.\",\"QNrkms\":\"Réponse mise à jour avec succès.\",\"j4DliD\":\"Toutes les questions des détenteurs de billets seront envoyées à cette adresse e-mail. Cette adresse sera également utilisée comme adresse de « réponse » pour tous les e-mails envoyés à partir de cet événement.\",\"epTbAK\":[\"S'applique à \",[\"0\"],\" billets\"],\"6MkQ2P\":\"S'applique à 1 billet\",\"jcnZEw\":[\"Appliquez ce \",[\"type\"],\" à tous les nouveaux tickets\"],\"Dy+k4r\":\"Êtes-vous sûr de vouloir annuler cet invité ? Cela annulera son produit\",\"5H3Z78\":\"Êtes-vous sûr de vouloir supprimer ce webhook ?\",\"2xEpch\":\"Demander une fois par participant\",\"F2rX0R\":\"Au moins un type d'événement doit être sélectionné\",\"AJ4rvK\":\"Participant annulé\",\"qvylEK\":\"Participant créé\",\"Xc2I+v\":\"Gestion des participants\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Participant mis à jour\",\"k3Tngl\":\"Participants exportés\",\"5UbY+B\":\"Participants avec un ticket spécifique\",\"kShOaz\":\"Flux de travail automatisé\",\"VPoeAx\":\"Gestion automatisée des entrées avec plusieurs listes d'enregistrement et validation en temps réel\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Réduction moyenne/Commande\",\"sGUsYa\":\"Valeur moyenne de la commande\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Détails de base\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Commencez à vendre des billets en quelques minutes\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Contrôle de la marque\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Annulé\",\"Ud7zwq\":\"L'annulation annulera tous les billets associés à cette commande et remettra les billets dans le pool disponible.\",\"QndF4b\":\"enregistrement\",\"9FVFym\":\"vérifier\",\"Y3FYXy\":\"Enregistrement\",\"udRwQs\":\"Enregistrement créé\",\"F4SRy3\":\"Enregistrement supprimé\",\"rfeicl\":\"Enregistré avec succès\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinois\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"fermer\",\"msqIjo\":\"Réduire ce billet lors du chargement initial de la page de l'événement\",\"/sZIOR\":\"Boutique complète\",\"7D9MJz\":\"Finaliser la configuration de Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Documentation de connexion\",\"MOUF31\":\"Connectez-vous au CRM et automatisez les tâches à l'aide de webhooks et d'intégrations\",\"/3017M\":\"Connecté à Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contacter le support\",\"nBGbqc\":\"Contactez-nous pour activer la messagerie\",\"RGVUUI\":\"Continuer vers le paiement\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Créez et personnalisez votre page d'événement instantanément\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Créer un ticket\",\"agZ87r\":\"Créez des billets pour votre événement, fixez les prix et gérez la quantité disponible.\",\"dkAPxi\":\"Créer un webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Personnalisez votre page événement et la conception du widget pour correspondre parfaitement à votre marque\",\"zgCHnE\":\"Rapport des ventes quotidiennes\",\"nHm0AI\":\"Détail des ventes quotidiennes, taxes et frais\",\"PqrqgF\":\"Liste de pointage du premier jour\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Supprimer le billet\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Supprimer le webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Désactiver cette capacité pour suivre la capacité sans arrêter les ventes de produits\",\"Tgg8XQ\":\"Désactivez cette capacité pour suivre la capacité sans arrêter la vente de billets\",\"TvY/XA\":\"Documentation\",\"dYskfr\":\"N'existe pas\",\"V6Jjbr\":\"Vous n'avez pas de compte ? <0>Inscrivez-vous\",\"4+aC/x\":\"Donation / Billet à tarif préférentiel\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Faites glisser pour trier\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Dupliquer le produit\",\"Wt9eV8\":\"Dupliquer les billets\",\"4xK5y2\":\"Dupliquer les webhooks\",\"2iZEz7\":\"Modifier la réponse\",\"kNGp1D\":\"Modifier un participant\",\"t2bbp8\":\"Modifier le participant\",\"d+nnyk\":\"Modifier le billet\",\"fW5sSv\":\"Modifier le webhook\",\"nP7CdQ\":\"Modifier le webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Activez cette capacité pour arrêter la vente de billets lorsque la limite est atteinte\",\"RxzN1M\":\"Activé\",\"LslKhj\":\"Erreur lors du chargement des journaux\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Événement non disponible\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Types d'événements\",\"VlvpJ0\":\"Exporter les réponses\",\"JKfSAv\":\"Échec de l'exportation. Veuillez réessayer.\",\"SVOEsu\":\"Exportation commencée. Préparation du fichier...\",\"jtrqH9\":\"Exportation des participants\",\"R4Oqr8\":\"Exportation terminée. Téléchargement du fichier...\",\"UlAK8E\":\"Exportation des commandes\",\"Jjw03p\":\"Échec de l'exportation des participants\",\"ZPwFnN\":\"Échec de l'exportation des commandes\",\"X4o0MX\":\"Échec du chargement du webhook\",\"10XEC9\":\"Échec de l'envoi de l'e-mail produit\",\"lKh069\":\"Échec du démarrage de l'exportation\",\"NNc33d\":\"Échec de la mise à jour de la réponse.\",\"YirHq7\":\"Retour\",\"T4BMxU\":\"Les frais sont susceptibles de changer. Vous serez informé de toute modification de votre structure tarifaire.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Frais fixes :\",\"KgxI80\":\"Billetterie flexible\",\"/4rQr+\":\"Billet gratuit\",\"01my8x\":\"Billet gratuit, aucune information de paiement requise\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Commencez gratuitement, sans frais d'abonnement\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Aller sur Hi.Events\",\"Lek3cJ\":\"Aller au tableau de bord Stripe\",\"GNJ1kd\":\"Aide et Support\",\"spMR9y\":\"Hi.Events facture des frais de plateforme pour maintenir et améliorer nos services. Ces frais sont automatiquement déduits de chaque transaction.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"Masquer les réponses\",\"fsi6fC\":\"Masquer ce ticket aux clients\",\"Fhzoa8\":\"Masquer le billet après la date de fin de vente\",\"yhm3J/\":\"Masquer le billet avant la date de début de la vente\",\"k7/oGT\":\"Masquer le billet sauf si l'utilisateur dispose du code promotionnel applicable\",\"L0ZOiu\":\"Masquer le billet lorsqu'il est épuisé\",\"uno73L\":\"Masquer un ticket empêchera les utilisateurs de le voir sur la page de l’événement.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Si vide, l'adresse sera utilisée pour générer un lien Google map\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Les dimensions de l'image doivent être comprises entre 3 000 et 2 000 px. Avec une hauteur maximale de 2 000 px et une largeur maximale de 3 000 px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Inclure les détails de connexion pour votre événement en ligne. Ces détails seront affichés sur la page de récapitulatif de commande et la page du produit de l'invité\",\"evpD4c\":\"Incluez les détails de connexion pour votre événement en ligne. Ces détails seront affichés sur la page récapitulative de la commande et sur la page des billets des participants.\",\"AXTNr8\":[\"Inclut \",[\"0\"],\" billets\"],\"7/Rzoe\":\"Inclut 1 billet\",\"F1Xp97\":\"Participants individuels\",\"nbfdhU\":\"Intégrations\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Dernière réponse\",\"gw3Ur5\":\"Dernier déclenchement\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Chargement des webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Gérer les produits\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gérez les taxes et les frais qui peuvent être appliqués à vos billets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Gérez votre traitement des paiements et consultez les frais de plateforme\",\"lzcrX3\":\"L’ajout manuel d’un participant ajustera la quantité de billets.\",\"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\",\"0/yJtP\":\"Envoyer un message aux propriétaires de commandes avec des produits spécifiques\",\"tccUcA\":\"Enregistrement mobile\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Plusieurs options de prix. Parfait pour les billets lève-tôt, etc.\",\"m920rF\":\"New York\",\"074+X8\":\"Aucun webhook actif\",\"6r9SGl\":\"Aucune carte de crédit requise\",\"Z6ILSe\":\"Aucun événement pour cet organisateur\",\"XZkeaI\":\"Aucun journal trouvé\",\"zK/+ef\":\"Aucun produit disponible pour la sélection\",\"q91DKx\":\"Aucune question n'a été répondue par cet invité.\",\"QoAi8D\":\"Aucune réponse\",\"EK/G11\":\"Aucune réponse pour le moment\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Aucun billet à montrer\",\"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\",\"x5+Lcz\":\"Non enregistré\",\"+P/tII\":\"Une fois que vous êtes prêt, diffusez votre événement en direct et commencez à vendre des billets.\",\"bU7oUm\":\"Envoyer uniquement aux commandes avec ces statuts\",\"ppuQR4\":\"Commande créée\",\"L4kzeZ\":[\"Détails de la commande \",[\"0\"]],\"vu6Arl\":\"Commande marquée comme payée\",\"FaPYw+\":\"Propriétaire de la commande\",\"eB5vce\":\"Propriétaires de commandes avec un produit spécifique\",\"CxLoxM\":\"Propriétaires de commandes avec des produits\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Commande remboursée\",\"6eSHqs\":\"Statuts des commandes\",\"e7eZuA\":\"Commande mise à jour\",\"mz+c33\":\"Commandes créées\",\"5It1cQ\":\"Commandes exportées\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Les organisateurs ne peuvent gérer que les événements et les billets. Ils ne peuvent pas gérer les utilisateurs, les paramètres de compte ou les informations de facturation.\",\"2w/FiJ\":\"Billet payant\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"En pause\",\"TskrJ8\":\"Paiement et abonnement\",\"EyE8E6\":\"Traitement des paiements\",\"vcyz2L\":\"Paramètres de paiement\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Passer commande\",\"br3Y/y\":\"Frais de plateforme\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Veuillez entrer une URL valide\",\"MA04r/\":\"Veuillez supprimer les filtres et définir le tri sur \\\"Ordre de la page d'accueil\\\" pour activer le tri.\",\"yygcoG\":\"Veuillez sélectionner au moins un billet\",\"fuwKpE\":\"Veuillez réessayer.\",\"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...\",\"R7+D0/\":\"Portugais (Brésil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Propulsé par Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"produit\",\"EWCLpZ\":\"Produit créé\",\"XkFYVB\":\"Produit supprimé\",\"0dzBGg\":\"L'e-mail du produit a été renvoyé à l'invité\",\"YMwcbR\":\"Détail des ventes de produits, revenus et taxes\",\"ldVIlB\":\"Produit mis à jour\",\"mIqT3T\":\"Produits, marchandises et options de tarification flexibles\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Code promo\",\"k3wH7i\":\"Utilisation des codes promo et détail des réductions\",\"812gwg\":\"Licence d'achat\",\"YwNJAq\":\"Scan de QR code avec retour instantané et partage sécurisé pour l'accès du personnel\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Renvoyer l'e-mail du produit\",\"slOprG\":\"Réinitialisez votre mot de passe\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Recherchez par nom, numéro de commande, numéro de participant ou e-mail...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Rechercher par nom de billet...\",\"j9cPeF\":\"Sélectionner les types d'événements\",\"XH5juP\":\"Sélectionnez le niveau de billet\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Sélectionnez les événements qui déclencheront ce webhook\",\"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\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Envoyer la confirmation de commande et l'e-mail du produit\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Configuration en quelques minutes\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Afficher la quantité de billets disponibles\",\"j3b+OW\":\"Présenté au client après son paiement, sur la page récapitulative de la commande\",\"v6IwHE\":\"Enregistrement intelligent\",\"J9xKh8\":\"Tableau de bord intelligent\",\"KTxc6k\":\"Une erreur s'est produite, veuillez réessayer ou contacter le support si le problème persiste\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Désolé, votre commande a expiré. Veuillez démarrer une nouvelle commande.\",\"a4SyEE\":\"Le tri est désactivé pendant que les filtres et le tri sont appliqués\",\"4nG1lG\":\"Billet standard à prix fixe\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Vérification réussie <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Ticket créé avec succès\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Produit dupliqué avec succès\",\"g2lRrH\":\"Billet mis à jour avec succès\",\"kj7zYe\":\"Webhook mis à jour avec succès\",\"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\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"Le nombre maximum de billets pour \",[\"0\"],\" est \",[\"1\"]],\"FeAfXO\":[\"Le nombre maximum de billets pour les généraux est de\xA0\",[\"0\"],\".\"],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Les taxes et frais à appliquer sur ce billet. Vous pouvez créer de nouvelles taxes et frais sur le\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Il n'y a pas de billets disponibles pour cet événement\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Cela remplace tous les paramètres de visibilité et masquera le ticket à tous les clients.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Ce ticket ne peut pas être supprimé car il est\\nassocié à une commande. Vous pouvez le cacher à la place.\",\"ma6qdu\":\"Ce ticket est masqué à la vue du public\",\"xJ8nzj\":\"Ce ticket est masqué sauf s'il est ciblé par un code promotionnel\",\"KosivG\":\"Billet supprimé avec succès\",\"HGuXjF\":\"Détenteurs de billets\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"La vente de billets\",\"NirIiz\":\"Niveau de billet\",\"8jLPgH\":\"Type de billet\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Aperçu du widget de billet\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Des billets)\",\"6GQNLE\":\"Des billets\",\"ikA//P\":\"billets vendus\",\"i+idBz\":\"Billets vendus\",\"AGRilS\":\"Billets vendus\",\"56Qw2C\":\"Billets triés avec succès\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Billet à plusieurs niveaux\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Les billets à plusieurs niveaux vous permettent de proposer plusieurs options de prix pour le même billet.\\nC'est parfait pour les billets anticipés ou pour offrir des prix différents.\\noptions pour différents groupes de personnes.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/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 :\",\"mLGbAS\":[\"Impossible d'accéder à \",[\"0\"],\" participant\"],\"nNdxt9\":\"Impossible de créer un ticket. Veuillez vérifier vos coordonnées\",\"IrVSu+\":\"Impossible de dupliquer le produit. Veuillez vérifier vos informations\",\"ZBAScj\":\"Participant inconnu\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"L'URL est requise\",\"fROFIL\":\"Vietnamien\",\"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\",\"AM+zF3\":\"Afficher le participant\",\"e4mhwd\":\"Afficher la page d'accueil de l'événement\",\"n6EaWL\":\"Voir les journaux\",\"AMkkeL\":\"Voir l'ordre\",\"MXm9nr\":\"Produit VIP\",\"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\",\"jupD+L\":\"Bon retour 👋\",\"je8QQT\":\"Bienvenue sur Hi.Events 👋\",\"wjqPqF\":\"Que sont les billets à plusieurs niveaux\xA0?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"Qu'est-ce qu'un webhook ?\",\"MhhnvW\":\"À quels billets ce code s'applique-t-il ? (S'applique à tous par défaut)\",\"dCil3h\":\"À quels billets cette question doit-elle s'appliquer\xA0?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Vous pouvez créer un code promo qui cible ce billet sur le\",\"UqVaVO\":\"Vous ne pouvez pas modifier le type de ticket car des participants sont associés à ce ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Vous ne pouvez pas supprimer ce niveau tarifaire car des billets sont déjà vendus pour ce niveau. Vous pouvez le cacher à la place.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Vous avez ajouté des taxes et des frais à un produit gratuit. Voulez-vous les supprimer ?\",\"183zcL\":\"Des taxes et des frais sont ajoutés à un billet gratuit. Souhaitez-vous les supprimer ou les masquer\xA0?\",\"2v5MI1\":\"Vous n'avez pas encore envoyé de messages. Vous pouvez envoyer des messages à tous les participants ou à des détenteurs de billets spécifiques.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Vous devez vérifier l'adresse e-mail de votre compte avant de pouvoir envoyer des messages.\",\"8QNzin\":\"Vous aurez besoin d'un billet avant de pouvoir créer une affectation de capacité.\",\"WHXRMI\":\"Vous aurez besoin d'au moins un ticket pour commencer. Gratuit, payant ou laissez l'utilisateur décider quoi payer.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Vos participants ont été exportés avec succès.\",\"nBqgQb\":\"Votre e-mail\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Vos commandes ont été exportées avec succès.\",\"vvO1I2\":\"Votre compte Stripe est connecté et prêt à traiter les paiements.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"\\\"\\\"En raison du risque élevé de spam, nous exigeons une vérification manuelle avant que vous puissiez envoyer des messages.\\n\\\"\\\"Veuillez nous contacter pour demander l'accès.\\\"\\\"\",\"8XAE7n\":\"\\\"\\\"Si vous avez un compte chez nous, vous recevrez un e-mail avec des instructions pour réinitialiser votre\\n\\\"\\\"mot de passe.\\\"\\\"\",\"1ZpxW/\":\"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.\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/fr.po b/frontend/src/locales/fr.po index ee0b665370..51280e2239 100644 --- a/frontend/src/locales/fr.po +++ b/frontend/src/locales/fr.po @@ -22,14 +22,16 @@ msgstr "\"Il n'y a rien à montrer pour l'instant\"" #~ "\"\"Due to the high risk of spam, we require manual verification before you can send messages.\n" #~ "\"\"Please contact us to request access." #~ msgstr "" -#~ "En raison du risque élevé de spam, nous exigeons une vérification manuelle avant que vous puissiez envoyer des messages.\n" -#~ "Veuillez nous contacter pour demander l'accès." +#~ "\"\"En raison du risque élevé de spam, nous exigeons une vérification manuelle avant que vous puissiez envoyer des messages.\n" +#~ "\"\"Veuillez nous contacter pour demander l'accès.\"\"" #: src/components/routes/auth/ForgotPassword/index.tsx:40 #~ msgid "" #~ "\"\"If you have an account with us, you will receive an email with instructions on how to reset your\n" #~ "\"\"password." -#~ msgstr "Si vous avez un compte chez nous, vous recevrez un e-mail avec des instructions pour réinitialiser votre mot de passe." +#~ msgstr "" +#~ "\"\"Si vous avez un compte chez nous, vous recevrez un e-mail avec des instructions pour réinitialiser votre\n" +#~ "\"\"mot de passe.\"\"" #: src/components/common/ReportTable/index.tsx:303 #: src/locales.ts:56 @@ -268,7 +270,7 @@ msgstr "Une seule question par produit. Par exemple, Quelle est votre taille de msgid "A standard tax, like VAT or GST" msgstr "Une taxe standard, comme la TVA ou la TPS" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "À propos" @@ -316,7 +318,7 @@ msgstr "Compte mis à jour avec succès" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "Actions" @@ -350,11 +352,11 @@ msgstr "Ajoutez des notes sur le participant. Celles-ci ne seront pas visibles p msgid "Add any notes about the attendee..." msgstr "Ajoutez des notes sur le participant..." -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "Ajoutez des notes concernant la commande. Elles ne seront pas visibles par le client." -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "Ajoutez des notes concernant la commande..." @@ -398,7 +400,7 @@ msgstr "Ajouter un produit à la catégorie" msgid "Add products" msgstr "Ajouter des produits" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "Ajouter une question" @@ -443,8 +445,8 @@ msgid "Address line 1" msgstr "Adresse Ligne 1" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "Adresse Ligne 1" @@ -453,8 +455,8 @@ msgid "Address line 2" msgstr "Adresse Ligne 2" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "Adresse Ligne 2" @@ -523,11 +525,15 @@ msgstr "Montant" msgid "Amount paid ({0})" msgstr "Montant payé ({0})" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "Une erreur s'est produite lors de la vérification du statut d'exportation." + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "Une erreur s'est produite lors du chargement de la page" -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "Une erreur s'est produite lors du tri des questions. Veuillez réessayer ou actualiser la page" @@ -555,6 +561,10 @@ msgstr "Une erreur inattendue est apparue." msgid "An unexpected error occurred. Please try again." msgstr "Une erreur inattendue est apparue. Veuillez réessayer." +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "Réponse mise à jour avec succès." + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "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" @@ -635,7 +645,7 @@ msgstr "Êtes-vous sûr de vouloir annuler ce participant ? Cela annulera leur msgid "Are you sure you want to delete this promo code?" msgstr "Etes-vous sûr de vouloir supprimer ce code promo ?" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "Êtes-vous sûr de vouloir supprimer cette question ?" @@ -679,7 +689,7 @@ msgstr "Demander une fois par produit" msgid "At least one event type must be selected" msgstr "Au moins un type d'événement doit être sélectionné" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "Participant" @@ -707,7 +717,7 @@ msgstr "Participant non trouvé" msgid "Attendee Notes" msgstr "Notes du participant" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "Questions des participants" @@ -723,7 +733,7 @@ msgstr "Participant mis à jour" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "Participants" @@ -773,7 +783,7 @@ msgstr "Redimensionnez automatiquement la hauteur du widget en fonction du conte msgid "Awaiting offline payment" msgstr "En attente d'un paiement hors ligne" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -802,8 +812,8 @@ msgid "Back to all events" msgstr "Retour à tous les événements" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "Retour à la page de l'événement" @@ -840,7 +850,7 @@ msgstr "Avant que votre événement puisse être mis en ligne, vous devez faire #~ msgid "Begin selling tickets in minutes" #~ msgstr "Commencez à vendre des billets en quelques minutes" -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "Adresse de facturation" @@ -875,6 +885,7 @@ msgstr "L'autorisation de la caméra a été refusée. <0>Demander l'autorisatio #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -911,7 +922,7 @@ msgstr "Annuler annulera tous les produits associés à cette commande et les re #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "Annulé" @@ -1082,8 +1093,8 @@ msgstr "Choisissez un compte" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "Ville" @@ -1099,8 +1110,13 @@ msgstr "Cliquez ici" msgid "Click to copy" msgstr "Cliquez pour copier" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "fermer" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "Fermer" @@ -1147,11 +1163,11 @@ msgstr "À venir" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Mots-clés séparés par des virgules qui décrivent l'événement. Ceux-ci seront utilisés par les moteurs de recherche pour aider à catégoriser et indexer l'événement." -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" msgstr "Complétez la commande" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "Paiement complet" @@ -1169,7 +1185,7 @@ msgstr "Finaliser la configuration de Stripe" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "Complété" @@ -1260,7 +1276,7 @@ msgstr "Couleur d'arrière-plan du contenu" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "Continuer" @@ -1309,7 +1325,7 @@ msgstr "Copie" msgid "Copy Check-In URL" msgstr "Copier l'URL de pointage" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "Copier les détails à tous les participants" @@ -1324,7 +1340,7 @@ msgstr "Copier le lien" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "Pays" @@ -1516,7 +1532,7 @@ msgstr "Détail des ventes quotidiennes, taxes et frais" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "Zone dangereuse" @@ -1535,8 +1551,8 @@ msgid "Date" msgstr "Date" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "Date et heure" +#~ msgid "Date & Time" +#~ msgstr "Date et heure" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1580,7 +1596,7 @@ msgstr "Supprimer l'image" msgid "Delete product" msgstr "Supprimer le produit" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "Supprimer la question" @@ -1604,7 +1620,7 @@ msgstr "Description" msgid "Description for check-in staff" msgstr "Description pour le personnel de pointage" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "Détails" @@ -1772,8 +1788,8 @@ msgid "Early bird" msgstr "Lève tôt" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "Modifier" @@ -1781,6 +1797,10 @@ msgstr "Modifier" msgid "Edit {0}" msgstr "Modifier {0}" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "Modifier la réponse" + #: src/components/common/AttendeeTable/index.tsx:174 #~ msgid "Edit attendee" #~ msgstr "Modifier un participant" @@ -1835,7 +1855,7 @@ msgstr "Modifier la catégorie de produit" msgid "Edit Promo Code" msgstr "Modifier le code promotionnel" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "Modifier la question" @@ -1897,16 +1917,16 @@ msgstr "Paramètres de courrier électronique et de notification" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "Adresse e-mail" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "Adresse e-mail" @@ -2097,15 +2117,31 @@ msgid "Expiry Date" msgstr "Date d'expiration" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "Exporter" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "Exporter les réponses" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "Échec de l'exportation. Veuillez réessayer." + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "Exportation commencée. Préparation du fichier..." + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "Exportation des participants" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "Exportation terminée. Téléchargement du fichier..." + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "Exportation des commandes" @@ -2117,7 +2153,7 @@ msgstr "Échec de l'annulation du participant" msgid "Failed to cancel order" msgstr "Échec de l'annulation de la commande" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "Échec de la suppression du message. Veuillez réessayer." @@ -2134,7 +2170,7 @@ msgstr "Échec de l'exportation des participants" #~ msgid "Failed to export attendees. Please try again." #~ msgstr "Échec de l'exportation des participants. Veuillez réessayer." -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "Échec de l'exportation des commandes" @@ -2162,6 +2198,14 @@ msgstr "Échec du renvoi de l'e-mail du ticket" msgid "Failed to sort products" msgstr "Échec du tri des produits" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "Échec du démarrage de l'exportation" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "Échec de la mise à jour de la réponse." + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -2184,7 +2228,7 @@ msgstr "Frais" 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." -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "Filtrer les commandes" @@ -2201,22 +2245,22 @@ msgstr "Filtres ({activeFilterCount})" msgid "First Invoice Number" msgstr "Premier numéro de facture" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" msgstr "Prénom" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" msgstr "Prénom" @@ -2225,7 +2269,7 @@ msgstr "Prénom" msgid "First name must be between 1 and 50 characters" msgstr "Le prénom doit comporter entre 1 et 50 caractères" -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "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." @@ -2308,7 +2352,7 @@ msgstr "Commencer" msgid "Go back to profile" msgstr "Revenir au profil" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "Aller à la page d'accueil de l'événement" @@ -2386,11 +2430,11 @@ msgstr "logo hi.events" msgid "Hidden from public view" msgstr "Caché à la vue du public" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "question cachée" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "questions cachées" @@ -2403,11 +2447,15 @@ msgstr "Les questions masquées ne sont visibles que par l'organisateur de l'év msgid "Hide" msgstr "Cacher" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "Masquer les réponses" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "Masquer la page de démarrage" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "Masquer les questions cachées" @@ -2484,7 +2532,7 @@ msgid "Homepage Preview" msgstr "Aperçu de la page d'accueil" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "Homère" @@ -2668,7 +2716,7 @@ msgstr "Paramètres de facturation" msgid "Issue refund" msgstr "Émettre un remboursement" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "Article" @@ -2728,20 +2776,20 @@ msgstr "Dernière connexion" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "Nom de famille" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "Nom de famille" @@ -2778,7 +2826,6 @@ msgstr "Chargement des webhooks" msgid "Loading..." msgstr "Chargement..." -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -2991,7 +3038,7 @@ msgstr "Mon incroyable titre d'événement..." msgid "My Profile" msgstr "Mon profil" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "N/A" @@ -3019,7 +3066,8 @@ msgstr "Nom" msgid "Name should be less than 150 characters" msgstr "Le nom doit comporter moins de 150 caractères" -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "Accédez au participant" @@ -3040,8 +3088,8 @@ msgid "No" msgstr "Non" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "Aucun {0} disponible." +#~ msgid "No {0} available." +#~ msgstr "Aucun {0} disponible." #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -3051,11 +3099,11 @@ msgstr "Aucun webhook actif" msgid "No archived events to show." msgstr "Aucun événement archivé à afficher." -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "Aucun invité trouvé pour cette commande." -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "Aucun invité n'a été ajouté à cette commande." @@ -3147,7 +3195,7 @@ msgstr "Pas encore de produits" msgid "No Promo Codes to show" msgstr "Aucun code promotionnel à afficher" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "Aucune question n’a été répondue par ce participant." @@ -3155,7 +3203,7 @@ msgstr "Aucune question n’a été répondue par ce participant." #~ msgid "No questions have been answered by this attendee." #~ msgstr "Aucune question n'a été répondue par cet invité." -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "Aucune question n'a été posée pour cette commande." @@ -3214,7 +3262,7 @@ msgid "Not On Sale" msgstr "Pas en vente" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "Notes" @@ -3373,7 +3421,7 @@ msgid "Order Date" msgstr "Date de commande" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "détails de la commande" @@ -3394,7 +3442,7 @@ msgstr "Commande marquée comme payée" msgid "Order Marked as Paid" msgstr "Commande marquée comme payée" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "Notes de commande" @@ -3410,8 +3458,8 @@ msgstr "Propriétaires de commandes avec un produit spécifique" msgid "Order owners with products" msgstr "Propriétaires de commandes avec des produits" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "Questions de commande" @@ -3423,7 +3471,7 @@ msgstr "Référence de l'achat" msgid "Order Refunded" msgstr "Commande remboursée" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "Statut de la commande" @@ -3432,7 +3480,7 @@ msgid "Order statuses" msgstr "Statuts des commandes" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "Récapitulatif de la commande" @@ -3445,7 +3493,7 @@ msgid "Order Updated" msgstr "Commande mise à jour" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "Ordres" @@ -3454,7 +3502,7 @@ msgstr "Ordres" #~ msgid "Orders Created" #~ msgstr "Commandes créées" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "Commandes exportées" @@ -3527,7 +3575,7 @@ msgstr "Produit payant" #~ msgid "Paid Ticket" #~ msgstr "Billet payant" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "Partiellement remboursé" @@ -3728,7 +3776,7 @@ msgstr "Veuillez sélectionner au moins un produit" #~ msgstr "Veuillez sélectionner au moins un billet" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "Veuillez réessayer." @@ -3745,7 +3793,7 @@ msgstr "Veuillez patienter pendant que nous préparons l'exportation de vos part msgid "Please wait while we prepare your invoice..." msgstr "Veuillez patienter pendant que nous préparons votre facture..." -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "Veuillez patienter pendant que nous préparons l'exportation de vos commandes..." @@ -3773,7 +3821,7 @@ msgstr "Alimenté par" msgid "Pre Checkout message" msgstr "Message de pré-commande" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "Aperçu" @@ -3863,7 +3911,7 @@ msgstr "Produit supprimé avec succès" msgid "Product Price Type" msgstr "Type de prix du produit" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "Questions sur le produit" @@ -3992,7 +4040,7 @@ msgstr "Quantité disponible" msgid "Quantity Sold" msgstr "Quantité vendue" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "Question supprimée" @@ -4004,17 +4052,17 @@ msgstr "Description de la question" msgid "Question Title" msgstr "titre de question" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "Des questions" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "Questions et réponses" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "Questions triées avec succès" @@ -4055,14 +4103,14 @@ msgstr "Commande de remboursement" msgid "Refund Pending" msgstr "Remboursement en attente" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "Statut du remboursement" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "Remboursé" @@ -4192,6 +4240,7 @@ msgstr "Début des ventes" msgid "San Francisco" msgstr "San Francisco" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -4202,8 +4251,8 @@ msgstr "San Francisco" msgid "Save" msgstr "Sauvegarder" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "Sauvegarder les modifications" @@ -4238,7 +4287,7 @@ msgstr "Recherchez par nom de participant, e-mail ou numéro de commande..." msgid "Search by event name..." msgstr "Rechercher par nom d'événement..." -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "Recherchez par nom, e-mail ou numéro de commande..." @@ -4505,7 +4554,7 @@ msgstr "Afficher la quantité de produit disponible" #~ msgid "Show available ticket quantity" #~ msgstr "Afficher la quantité de billets disponibles" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "Afficher les questions masquées" @@ -4534,7 +4583,7 @@ msgid "Shows common address fields, including country" msgstr "Affiche les champs d'adresse courants, y compris le pays" #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "Simpson" @@ -4598,11 +4647,11 @@ msgstr "Quelque chose s'est mal passé. Veuillez réessayer." msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "Désolé, quelque chose s'est mal passé. Veuillez redémarrer le processus de paiement." -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "Désolé, une erreur s'est produite lors du chargement de cette page." -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "Désolé, cette commande n'existe plus." @@ -4639,8 +4688,8 @@ msgstr "Date de début" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "État ou région" @@ -4761,7 +4810,7 @@ msgstr "Emplacement mis à jour avec succès" msgid "Successfully Updated Misc Settings" msgstr "Paramètres divers mis à jour avec succès" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "Commande mise à jour avec succès" @@ -5029,7 +5078,7 @@ msgstr "Cette commande a déjà été payée." msgid "This order has already been refunded." msgstr "Cette commande a déjà été remboursée." -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "Cette commande a été annulée" @@ -5037,15 +5086,15 @@ msgstr "Cette commande a été annulée" msgid "This order has been cancelled." msgstr "Cette commande a été annulée." -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "Cette commande a expiré. Veuillez recommencer." -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "Cette commande est en attente de paiement" -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "Cette commande est terminée" @@ -5086,7 +5135,7 @@ msgstr "Ce produit est masqué de la vue publique" msgid "This product is hidden unless targeted by a Promo Code" msgstr "Ce produit est masqué sauf s'il est ciblé par un code promo" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "Cette question n'est visible que par l'organisateur de l'événement" @@ -5355,6 +5404,10 @@ msgstr "Clients uniques" msgid "United States" msgstr "États-Unis" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "Participant inconnu" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -5466,8 +5519,8 @@ msgstr "nom de la place" msgid "Vietnamese" msgstr "Vietnamien" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "Voir" @@ -5475,11 +5528,15 @@ msgstr "Voir" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "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." +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "Voir les réponses" + #: src/components/common/AttendeeTable/index.tsx:164 #~ msgid "View attendee" #~ msgstr "Afficher le participant" -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "Voir les détails de l'invité" @@ -5499,11 +5556,11 @@ msgstr "Afficher le message complet" msgid "View logs" msgstr "Voir les journaux" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "Voir la carte" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "Afficher sur Google Maps" @@ -5513,7 +5570,7 @@ msgstr "Afficher sur Google Maps" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "Voir d'autres détails" @@ -5769,8 +5826,8 @@ msgstr "Fonctionnement" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -5851,7 +5908,7 @@ msgstr "Vous ne pouvez pas modifier le rôle ou le statut du propriétaire du co msgid "You cannot refund a manually created order." msgstr "Vous ne pouvez pas rembourser une commande créée manuellement." -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "Vous avez créé une question masquée mais avez désactivé l'option permettant d'afficher les questions masquées. Il a été activé." @@ -5871,11 +5928,11 @@ msgstr "Vous avez déjà accepté cette invitation. Merci de vous connecter pour #~ msgid "You have connected your Stripe account" #~ msgstr "Vous avez connecté votre compte Stripe" -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "Vous n'avez aucune question de participant." -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "Vous n'avez aucune question de commande." @@ -5987,7 +6044,7 @@ msgstr "Vos participants apparaîtront ici une fois qu’ils se seront inscrits msgid "Your awesome website 🎉" msgstr "Votre superbe site internet 🎉" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "Vos détails" @@ -6015,7 +6072,7 @@ msgstr "Votre commande a été annulée" msgid "Your order is awaiting payment 🏦" msgstr "Votre commande est en attente de paiement 🏦" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "Vos commandes ont été exportées avec succès." @@ -6056,7 +6113,7 @@ msgstr "Votre compte Stripe est connecté et prêt à traiter les paiements." msgid "Your ticket for" msgstr "Votre billet pour" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "Code postal" @@ -6065,6 +6122,6 @@ msgstr "Code postal" msgid "Zip or Postal Code" msgstr "Code Postal" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "Code postal" diff --git a/frontend/src/locales/pt-br.js b/frontend/src/locales/pt-br.js index 1e352bb0a1..dcf2f7ce91 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\":[\"Eventos de \",[\"0\"]],\"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>As listas de registro ajudam a gerenciar a entrada dos participantes no seu evento. Você pode associar vários ingressos a uma lista de registro e garantir que apenas aqueles com ingressos válidos possam entrar.\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"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\":\"✉️ Confirme seu endereço de e-mail\",\"BN0OQd\":\"Parabéns por criar um evento!\",\"4kSf7w\":\"🎟️ Adicionar produtos\",\"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\":\"Sobre o evento\",\"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\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"OveehC\":\"Adicione instruções para pagamentos offline (por exemplo, detalhes de transferência bancária, onde enviar cheques, prazos de pagamento)\",\"LTVoRa\":\"Adicionar mais produtos\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"24l4x6\":\"Adicionar Produto\",\"8q0EdE\":\"Adicionar Produto à Categoria\",\"YvCknQ\":\"Adicionar produtos\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"goOKRY\":\"Adicionar nível\",\"oZW/gT\":\"Adicionar ao calendário\",\"pn5qSs\":\"Informações adicionais\",\"Y8DIQy\":\"Opções adicionais\",\"Du6bPw\":\"Endereço\",\"NY/x1b\":\"Linha de endereço 1\",\"POdIrN\":\"Linha de endereço 1\",\"cormHa\":\"Linha de endereço 2\",\"gwk5gg\":\"Linha de endereço 2\",\"U3pytU\":\"Administrador\",\"HLDaLi\":\"Os usuários administradores têm acesso total a eventos e configurações de conta.\",\"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\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos...\",\"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\":\"Um evento é o evento real que você está organizando. Você pode adicionar mais detalhes posteriormente.\",\"oBkF+i\":\"Um organizador é a empresa ou pessoa que está organizando o evento\",\"W5A0Ly\":\"Ocorreu um erro inesperado.\",\"byKna+\":\"Ocorreu um erro inesperado. Por favor, tente novamente.\",\"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\":\"Eventos arquivados\",\"q7TRd7\":\"Tem certeza de que deseja ativar esse participante?\",\"TvkW9+\":\"Você tem certeza de que deseja arquivar este evento?\",\"/CV2x+\":\"Tem certeza de que deseja cancelar esse participante? Isso anulará seu ingresso\",\"YgRSEE\":\"Tem certeza de que deseja excluir esse código promocional?\",\"iU234U\":\"Tem certeza de que deseja excluir esta pergunta?\",\"CMyVEK\":\"Tem certeza de que deseja tornar este evento um rascunho? Isso tornará o evento invisível para o público\",\"mEHQ8I\":\"Tem certeza de que deseja tornar este evento público? Isso tornará o evento visível para o público\",\"s4JozW\":\"Você tem certeza de que deseja restaurar este evento? Ele será restaurado como um evento rascunho.\",\"vJuISq\":\"Tem certeza de que deseja excluir esta Atribuição de Capacidade?\",\"baHeCz\":\"Tem certeza de que deseja excluir esta lista de registro?\",\"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\":\"Participantes com um produto específico\",\"IMJ6rh\":\"Redimensionamento automático\",\"vZ5qKF\":\"Redimensiona automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner.\",\"4lVaWA\":\"Aguardando pagamento offline\",\"2rHwhl\":\"Aguardando pagamento offline\",\"3wF4Q/\":\"Aguardando pagamento\",\"ioG+xt\":\"Aguardando pagamento\",\"3PmQfI\":\"Evento incrível\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Voltar para todos os eventos\",\"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\":\"Antes que seu evento possa ir ao ar, há algumas coisas que você precisa fazer.\",\"ze6ETw\":\"Comece a vender produtos em minutos\",\"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\":\"Cancelar irá cancelar todos os produtos associados a este pedido e devolver os produtos ao estoque disponível.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"Não é possível fazer o 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\":\"Mudar a capa\",\"GptGxg\":\"Alterar senha\",\"xMDm+I\":\"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\":\"Desmarcar\",\"5LDT6f\":\"Confira este evento!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Lista de registro criada com sucesso\",\"+CeSxK\":\"Lista de registro excluída com sucesso\",\"+hBhWk\":\"A lista de registro expirou\",\"mBsBHq\":\"A lista de registro não está ativa\",\"vPqpQG\":\"Lista de check-in não encontrada\",\"tejfAy\":\"Listas de Registro\",\"hD1ocH\":\"URL de check-in copiada para a área de transferência\",\"CNafaC\":\"As opções de caixa de seleção permitem várias seleções\",\"SpabVf\":\"Caixas de seleção\",\"CRu4lK\":\"Registro de entrada\",\"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\":\"clique aqui\",\"sby+1/\":\"Clique para copiar\",\"yz7wBu\":\"Fechar\",\"62Ciis\":\"Fechar a barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"O código deve ter entre 3 e 50 caracteres\",\"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\":\"Pagamento completo\",\"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\":\"Cor de fundo do conteúdo\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto do botão Continuar\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continuar a configuração do evento\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continuar a configuração do Stripe Connect\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"copiado para a área de transferência\",\"he3ygx\":\"Cópia\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copie os detalhes para todos os participantes\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Capa\",\"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\":\"Crie produtos para o seu evento, defina os preços e gerencie a quantidade disponível.\",\"sYpiZP\":\"Criar código promocional\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"d+F6q9\":\"Criado\",\"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\":\"Painel de controle\",\"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\":\"Excluir capa\",\"KWa0gi\":\"Excluir imagem\",\"1l14WA\":\"Excluir produto\",\"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\":\"Dispensar\",\"DZlSLn\":\"Etiqueta do documento\",\"cVq+ga\":\"Não tem uma conta? <0>Assinar\",\"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\":\"Arrastar e soltar ou clicar\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicar Atribuições de Capacidade\",\"ulMxl+\":\"Duplicar Listas de Check-In\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar a Imagem de Capa do Evento\",\"+fA4C7\":\"Duplicar Opções\",\"SoiDyI\":\"Duplicar Produtos\",\"57ALrd\":\"Duplicar códigos promocionais\",\"83Hu4O\":\"Duplicar perguntas\",\"20144c\":\"Duplicar configurações\",\"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 final\",\"237hSL\":\"Final\",\"nt4UkP\":\"Eventos encerrados\",\"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\":\"Evento criado com sucesso 🎉\",\"/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\":\"O evento não é visível para o público\",\"4pKXJS\":\"O evento é visível para o público\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Página do evento\",\"4/If97\":\"Falha na atualização do status do evento. Tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"nMU2d3\":\"URL do evento\",\"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\":\"Falha ao exportar os participantes. Por favor, tente novamente.\",\"2uGNuE\":\"Falha ao exportar pedidos. Tente novamente.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar o e-mail do tíquete\",\"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\":\"Ir para a página inicial do evento\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"vendas brutas\",\"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\":[\"Conferência de eventos da Hi.Events \",[\"0\"]],\"verBst\":\"Centro de Conferências Hi.Events\",\"6eMEQO\":\"logotipo da hi.events\",\"C4qOW8\":\"Escondido da vista do público\",\"gt3Xw9\":\"pergunta oculta\",\"g3rqFe\":\"perguntas ocultas\",\"k3dfFD\":\"As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente.\",\"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\":\"Gostaria de pagar usando um método offline\",\"SdFlIP\":\"Gostaria de pagar usando um método online (cartão de crédito, etc.)\",\"93DUnd\":[\"Se uma nova guia não foi aberta, por favor <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\":\"As dimensões da imagem devem estar entre 4000px por 4000px. Com uma altura máxima de 4000px e uma largura máxima de 4000px\",\"uPEIvq\":\"A imagem deve ter menos de 5 MB\",\"AGZmwV\":\"Imagem carregada com sucesso\",\"VyUuZb\":\"URL da imagem\",\"ibi52/\":\"A largura da imagem deve ser de pelo menos 900px e a altura de pelo menos 50px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"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\":\"Emitir reembolso\",\"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\":\"Saiba mais sobre o Stripe\",\"enV0g0\":\"Deixe em branco para usar a palavra padrão \\\"Fatura\\\"\",\"vR92Yn\":\"Vamos começar criando seu primeiro organizador\",\"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\":\"Gerencie seus detalhes de pagamento do Stripe\",\"BfucwY\":\"Gerencie seus usuários e suas permissões\",\"1m+YT2\":\"As perguntas obrigatórias devem ser respondidas antes que o cliente possa fazer o checkout.\",\"Dim4LO\":\"Adicionar manualmente um participante\",\"e4KdjJ\":\"Adicionar participante manualmente\",\"vFjEnF\":\"Marcar como pago\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"oUCR3c\":\"Enviar mensagem para participantes com produtos específicos\",\"Lvi+gV\":\"Comprador de mensagens\",\"tNZzFb\":\"Conteúdo da mensagem\",\"lYDV/s\":\"Mensagem para participantes individuais\",\"V7DYWd\":\"Mensagem enviada\",\"t7TeQU\":\"Mensagens\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Preço mínimo\",\"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\":\"O nome deve ter menos de 150 caracteres\",\"AIUkyF\":\"Navegar até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova senha\",\"1UzENP\":\"Não\",\"eRblWH\":[\"Nenhum \",[\"0\"],\" disponível.\"],\"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\":\"Nenhum participante poderá se registrar antes desta data usando esta lista\",\"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\":\"Não está à venda\",\"1DBGsz\":\"Anotações\",\"jtrY3S\":\"Nada para mostrar ainda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notificar o comprador sobre o reembolso\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Agora vamos criar seu primeiro evento\",\"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 para pagamento offline\",\"+eZ7dp\":\"Pagamentos offline\",\"ojDQlR\":\"Informações sobre pagamentos offline\",\"u5oO/W\":\"Configurações de pagamentos offline\",\"2NPDz1\":\"À venda\",\"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\":\"Pedido\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Pedido concluído\",\"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\":\"Cor de fundo da página\",\"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\":\"Prévia\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"BI7D9d\":\"Preço não definido\",\"Q8PWaJ\":\"Níveis de preço\",\"q6XHL1\":\"Tipo de Preço\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Cor primária\",\"8cBtvm\":\"Cor primária do texto\",\"BZz12Q\":\"Imprimir\",\"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\":\"produtos vendidos\",\"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\":\"Quantidade Vendida\",\"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\":\"Referência\",\"gxFu7d\":[\"Valor do reembolso (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso falhou\",\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Pedido de reembolso\",\"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\":\"Reenviar e-mail de confirmação\",\"lnrkNz\":\"Reenviar confirmação por e-mail\",\"wIa8Qe\":\"Reenviar convite\",\"VeKsnD\":\"Reenviar e-mail de pedido\",\"dFuEhO\":\"Reenviar o e-mail do tíquete\",\"o6+Y6d\":\"Reenvio...\",\"OfhWJH\":\"Redefinir\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Retornar à página do evento\",\"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\":\"Venda encerrada\",\"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\":\"Escanear código QR\",\"EEU0+z\":\"Escaneie este código QR para acessar a página do evento ou compartilhe-o com outras pessoas\",\"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\":\"Cor secundária\",\"DnXcDK\":\"Cor secundária\",\"cZF6em\":\"Cor do texto secundário\",\"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\":\"Compartilhar no Facebook\",\"x7i6H+\":\"Compartilhar no LinkedIn\",\"zziQd8\":\"Compartilhar no Pinterest\",\"/TgBEk\":\"Compartilhar no Reddit\",\"0Wlk5F\":\"Compartilhar em redes sociais\",\"on+mNS\":\"Compartilhar no Telegram\",\"PcmR+m\":\"Compartilhar no WhatsApp\",\"/5b1iZ\":\"Compartilhar no X\",\"n/T2KI\":\"Compartilhar por e-mail\",\"8vETh9\":\"Mostrar\",\"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\":\"Desculpe, algo deu errado. Reinicie o processo de checkout.\",\"KWgppI\":\"Desculpe, algo deu errado ao carregar esta página.\",\"/TCOIK\":\"Desculpe, este pedido não existe mais.\",\"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\":\"Esta descrição será mostrada à equipe de registro\",\"MLTkH7\":\"Esse e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"Esse evento não está disponível no momento. Por favor, volte mais tarde.\",\"Z6LdQU\":\"Esse evento não está disponível.\",\"MMd2TJ\":\"Estas informações serão exibidas na página de pagamento, na página de 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\":\"Esta lista não estará mais disponível para registros após esta data\",\"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\":\"Este pedido foi cancelado\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"Q0zd4P\":\"Este pedido expirou. Por favor, recomece.\",\"HILpDX\":\"Este pedido está aguardando pagamento\",\"BdYtn9\":\"Este pedido está completo\",\"e3uMJH\":\"Esse pedido está concluído.\",\"YNKXOK\":\"Este pedido está sendo processado.\",\"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\":\"Este produto está oculto da visualização pública\",\"Y/x1MZ\":\"Este produto está oculto a menos que seja direcionado por um Código Promocional\",\"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\":\"Título\",\"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 restante\",\"/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\":\"Carregar capa\",\"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\":\"Exibir detalhes do pedido\",\"QIWCnW\":\"Lista de check-in VIP\",\"tF+VVr\":\"Ingresso VIP\",\"2q/Q7x\":\"Visibilidade\",\"vmOFL/\":\"Não foi possível processar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"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.\",\"VGioT0\":\"Recomendamos dimensões de 2160px por 1080px e um tamanho máximo de arquivo de 5 MB\",\"b9UB/w\":\"Usamos o Stripe para processar pagamentos. Conecte sua conta Stripe para começar a receber pagamentos.\",\"01WH0a\":\"Não foi possível confirmar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"Gspam9\":\"Estamos processando seu pedido. Por favor, aguarde...\",\"LuY52w\":\"Bem-vindo a bordo! Faça login para continuar.\",\"dVxpp5\":[\"Bem-vindo de volta\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bem-vindo à Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"O que são Produtos em Camadas?\",\"f1jUC0\":\"Em que data esta lista de registro deve se tornar ativa?\",\"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\":\"Quando esta lista de registro deve expirar?\",\"FVetkT\":\"Quais ingressos devem ser associados a esta lista de registro?\",\"S+OdxP\":\"Quem está organizando esse evento?\",\"LINr2M\":\"Para quem é essa mensagem?\",\"nWhye/\":\"A quem deve ser feita essa pergunta?\",\"VxFvXQ\":\"Incorporação de widgets\",\"v1P7Gm\":\"Configurações do widget\",\"b4itZn\":\"Trabalho\",\"hqmXmc\":\"Trabalhando...\",\"+G/XiQ\":\"Ano até agora\",\"l75CjT\":\"Sim\",\"QcwyCh\":\"Sim, remova-os\",\"ySeBKv\":\"Você já escaneou este ingresso\",\"P+Sty0\":[\"Você está alterando seu e-mail para <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Você está offline\",\"sdB7+6\":\"Você pode criar um código promocional que direcione este produto no\",\"KRhIxT\":\"Agora você pode começar a receber pagamentos por meio do Stripe.\",\"Gnjf3o\":\"Você não pode mudar o tipo de produto, pois há participantes associados a este produto.\",\"S+on7c\":\"Você não pode registrar participantes com pedidos não pagos.\",\"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\":\"Você não tem permissão para acessar esta página\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha uma para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Faça login para continuar.\",\"rdk1xK\":\"Você conectou sua conta Stripe\",\"ofEncr\":\"Você não tem perguntas para os participantes.\",\"CoZHDB\":\"Você não tem perguntas sobre o pedido.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"Você não concluiu a configuração do Stripe Connect\",\"jxsiqJ\":\"Você não conectou sua conta Stripe\",\"+FWjhR\":\"O tempo para concluir seu pedido acabou.\",\"MycdJN\":\"Você tem impostos e taxas adicionados a um Produto Gratuito. Gostaria de removê-los ou ocultá-los?\",\"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\":\"Você deve confirmar seu endereço de e-mail antes que seu evento possa ser publicado.\",\"H35u3n\":\"Você deve criar um tíquete antes de adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos um nível de preço\",\"8/eLoa\":\"Você precisa verificar sua conta para poder enviar mensagens.\",\"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\":[\"Você vai para \",[\"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\":\"Seu pedido está aguardando pagamento 🏦\",\"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\":\"Seu produto para\",\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" webhooks ativos\"],\"tmew5X\":[[\"0\"],\" registrado\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>O número de ingressos disponíveis para este ingresso<1>Este valor pode ser substituído se houver <2>Limites de Capacidade associados a este ingresso.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Adicionar tíquetes\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 webhook ativo\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Um \",[\"type\"],\" padrão é aplicado automaticamente a todos os novos tíquetes. Você pode substituir isso por ticket.\"],\"Pgaiuj\":\"Um valor fixo por tíquete. Por exemplo, US$ 0,50 por tíquete\",\"ySO/4f\":\"Uma porcentagem do preço do ingresso. Por exemplo, 3,5% do preço do ingresso\",\"WXeXGB\":\"Um código promocional sem desconto pode ser usado para revelar ingressos ocultos.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Uma única pergunta por participante. Por exemplo, qual é a sua refeição preferida?\",\"ap3v36\":\"Uma única pergunta por pedido. Por exemplo, Qual é o nome de sua empresa?\",\"uyJsf6\":\"Sobre\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Sobre o Stripe Connect\",\"VTfZPy\":\"Acesso negado\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Adicionar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"BGD9Yt\":\"Adicionar ingressos\",\"QN2F+7\":\"Adicionar Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Afiliados\",\"gKq1fa\":\"Todos os participantes\",\"QsYjci\":\"Todos os eventos\",\"/twVAS\":\"Todos os ingressos\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"Ocorreu um erro ao classificar os tíquetes. Tente novamente ou atualize a página\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Um evento é a reunião ou ocasião que você está organizando. Você pode adicionar mais detalhes depois.\",\"j4DliD\":\"Todas as dúvidas dos portadores de ingressos serão enviadas para esse endereço de e-mail. Ele também será usado como o endereço \\\"reply-to\\\" para todos os e-mails enviados deste evento\",\"epTbAK\":[\"Aplica-se a \",[\"0\"],\" ingressos\"],\"6MkQ2P\":\"Aplica-se a 1 ingresso\",\"jcnZEw\":[\"Aplique esse \",[\"tipo\"],\" a todos os novos tíquetes\"],\"Dy+k4r\":\"Tem certeza de que deseja cancelar este participante? Isso invalidará o produto dele\",\"5H3Z78\":\"Tem certeza de que deseja excluir este webhook?\",\"2xEpch\":\"Pergunte uma vez por participante\",\"F2rX0R\":\"Pelo menos um tipo de evento deve ser selecionado\",\"AJ4rvK\":\"Participante cancelado\",\"qvylEK\":\"Participante criado\",\"Xc2I+v\":\"Gestão de participantes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Participante atualizado\",\"k3Tngl\":\"Participantes exportados\",\"5UbY+B\":\"Participantes com um tíquete específico\",\"kShOaz\":\"Fluxo de trabalho automatizado\",\"VPoeAx\":\"Gestão automatizada de entrada com várias listas de check-in e validação em tempo real\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Desconto médio/Pedido\",\"sGUsYa\":\"Valor médio do pedido\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Detalhes básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Comece a vender ingressos em minutos\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Controle de marca\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Cancelado\",\"Ud7zwq\":\"O cancelamento cancelará todos os tickets associados a esse pedido e liberará os tickets de volta para o pool disponível.\",\"QndF4b\":\"fazer o check-in\",\"9FVFym\":\"confira\",\"Y3FYXy\":\"Check-in\",\"udRwQs\":\"Check-in criado\",\"F4SRy3\":\"Check-in excluído\",\"rfeicl\":\"Registrado com sucesso\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinês\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"Recolher este bilhete ao carregar inicialmente a página do evento\",\"/sZIOR\":\"Loja completa\",\"7D9MJz\":\"Concluir configuração do Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Documentação de conexão\",\"MOUF31\":\"Conecte-se ao CRM e automatize tarefas usando webhooks e integrações\",\"/3017M\":\"Conectado ao Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contactar o suporte\",\"nBGbqc\":\"Entre em contato conosco para ativar a mensagem\",\"RGVUUI\":\"Continuar para o pagamento\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Crie e personalize sua página de evento instantaneamente\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Criar bilhete\",\"agZ87r\":\"Crie ingressos para seu evento, defina preços e gerencie a quantidade disponível.\",\"dkAPxi\":\"Criar Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Personalize sua página do evento e o design do widget para combinar perfeitamente com sua marca\",\"zgCHnE\":\"Relatório de vendas diárias\",\"nHm0AI\":\"Detalhamento das vendas diárias, impostos e taxas\",\"PqrqgF\":\"Lista de Registro do Primeiro Dia\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Excluir tíquete\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Excluir webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Desative esta capacidade para monitorar sem interromper as vendas de produtos\",\"Tgg8XQ\":\"Desative esta capacidade para rastrear a capacidade sem interromper as vendas de ingressos\",\"TvY/XA\":\"Documentação\",\"dYskfr\":\"Não existe\",\"V6Jjbr\":\"Não tem uma conta? <0>Cadastre-se\",\"4+aC/x\":\"Doação / Pague o que quiser\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Arraste para classificar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicar produto\",\"Wt9eV8\":\"Duplicar bilhetes\",\"4xK5y2\":\"Duplicar Webhooks\",\"kNGp1D\":\"Editar participante\",\"t2bbp8\":\"Editar Participante\",\"d+nnyk\":\"Editar bilhete\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Ative esta capacidade para interromper as vendas de ingressos quando o limite for atingido\",\"RxzN1M\":\"Ativado\",\"LslKhj\":\"Erro ao carregar os registros\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Evento não disponível\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Tipos de eventos\",\"jtrqH9\":\"Exportando participantes\",\"UlAK8E\":\"Exportando pedidos\",\"Jjw03p\":\"Falha ao exportar participantes\",\"ZPwFnN\":\"Falha ao exportar pedidos\",\"X4o0MX\":\"Falha ao carregar o Webhook\",\"10XEC9\":\"Falha ao reenviar o e-mail do produto\",\"YirHq7\":\"Feedback\",\"T4BMxU\":\"As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Taxa fixa:\",\"KgxI80\":\"Bilhetagem flexível\",\"/4rQr+\":\"Bilhete gratuito\",\"01my8x\":\"Ingresso gratuito, sem necessidade de informações de pagamento\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Comece gratuitamente, sem taxas de assinatura\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Ir para Hi.Events\",\"Lek3cJ\":\"Ir para o painel do Stripe\",\"GNJ1kd\":\"Ajuda e Suporte\",\"spMR9y\":\"Hi.Events cobra taxas de plataforma para manter e melhorar nossos serviços. Essas taxas são automaticamente deduzidas de cada transação.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"Ocultar esse tíquete dos clientes\",\"Fhzoa8\":\"Ocultar tíquete após a data final da venda\",\"yhm3J/\":\"Ocultar o ingresso antes da data de início da venda\",\"k7/oGT\":\"Oculte o tíquete, a menos que o usuário tenha um código promocional aplicável\",\"L0ZOiu\":\"Ocultar ingresso quando esgotado\",\"uno73L\":\"A ocultação de um tíquete impedirá que os usuários o vejam na página do evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Se estiver em branco, o endereço será usado para gerar um link de mapa do Google\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"As dimensões da imagem devem estar entre 3000px e 2000px. Com uma altura máxima de 2000px e uma largura máxima de 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Inclua detalhes de conexão para o seu evento online. Esses detalhes serão exibidos na página de resumo do pedido e na página do produto do participante\",\"evpD4c\":\"Inclua detalhes de conexão para seu evento on-line. Esses detalhes serão exibidos na página de resumo do pedido e na página do ingresso do participante\",\"AXTNr8\":[\"Inclui \",[\"0\"],\" ingressos\"],\"7/Rzoe\":\"Inclui 1 ingresso\",\"F1Xp97\":\"Participantes individuais\",\"nbfdhU\":\"Integrações\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Última resposta\",\"gw3Ur5\":\"Última ativação\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Carregando webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Gerenciar produtos\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gerenciar impostos e taxas que podem ser aplicados a seus bilhetes\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Gerencie seu processamento de pagamentos e visualize as taxas da plataforma\",\"lzcrX3\":\"A adição manual de um participante ajustará a quantidade de ingressos.\",\"1jRD0v\":\"Enviar mensagens aos participantes com ingressos específicos\",\"97QrnA\":\"Envie mensagens aos participantes, gerencie pedidos e processe reembolsos em um só lugar\",\"0/yJtP\":\"Enviar mensagem para proprietários de pedidos com produtos específicos\",\"tccUcA\":\"Check-in móvel\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Várias opções de preço. Perfeito para ingressos antecipados etc.\",\"m920rF\":\"New York\",\"074+X8\":\"Nenhum webhook ativo\",\"6r9SGl\":\"Nenhum cartão de crédito necessário\",\"Z6ILSe\":\"Não há eventos para este organizador\",\"XZkeaI\":\"Nenhum registro encontrado\",\"zK/+ef\":\"Nenhum produto disponível para seleção\",\"q91DKx\":\"Nenhuma pergunta foi respondida por este participante.\",\"QoAi8D\":\"Sem resposta\",\"EK/G11\":\"Ainda sem respostas\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Sem ingressos para o show\",\"n5vdm2\":\"Nenhum evento de webhook foi registrado para este endpoint ainda. Os eventos aparecerão aqui assim que forem acionados.\",\"4GhX3c\":\"Nenhum Webhook\",\"x5+Lcz\":\"Não registrado\",\"+P/tII\":\"Quando estiver pronto, defina seu evento como ativo e comece a vender ingressos.\",\"bU7oUm\":\"Enviar apenas para pedidos com esses status\",\"ppuQR4\":\"Pedido criado\",\"L4kzeZ\":[\"Detalhes do pedido \",[\"0\"]],\"vu6Arl\":\"Pedido marcado como pago\",\"FaPYw+\":\"Proprietário do pedido\",\"eB5vce\":\"Proprietários de pedidos com um produto específico\",\"CxLoxM\":\"Proprietários de pedidos com produtos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Status dos pedidos\",\"e7eZuA\":\"Pedido atualizado\",\"mz+c33\":\"Ordens criadas\",\"5It1cQ\":\"Pedidos exportados\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Os organizadores só podem gerenciar eventos e ingressos. Eles não podem gerenciar usuários, configurações de conta ou informações de cobrança.\",\"2w/FiJ\":\"Bilhete pago\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Pausado\",\"TskrJ8\":\"Pagamento e plano\",\"EyE8E6\":\"Processamento de pagamento\",\"vcyz2L\":\"Configurações de pagamento\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Fazer pedido\",\"br3Y/y\":\"Taxas da plataforma\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Por favor, insira uma URL válida\",\"MA04r/\":\"Remova os filtros e defina a classificação como \\\"Ordem da página inicial\\\" para ativar a classificação\",\"yygcoG\":\"Selecione pelo menos um ingresso\",\"fuwKpE\":\"Por favor, tente novamente.\",\"o+tJN/\":\"Por favor, aguarde enquanto preparamos seus participantes para exportação...\",\"+5Mlle\":\"Por favor, aguarde enquanto preparamos seus pedidos para exportação...\",\"R7+D0/\":\"Português (Brasil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desenvolvido por Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"produto\",\"EWCLpZ\":\"Produto criado\",\"XkFYVB\":\"Produto excluído\",\"0dzBGg\":\"O e-mail do produto foi reenviado para o participante\",\"YMwcbR\":\"Detalhamento das vendas de produtos, receitas e impostos\",\"ldVIlB\":\"Produto atualizado\",\"mIqT3T\":\"Produtos, mercadorias e opções de preços flexíveis\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionais e detalhamento de descontos\",\"812gwg\":\"Licença de compra\",\"YwNJAq\":\"Leitura de QR code com feedback instantâneo e compartilhamento seguro para acesso da equipe\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Reenviar e-mail do produto\",\"slOprG\":\"Redefina sua senha\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Pesquisar por nome de bilhete...\",\"j9cPeF\":\"Selecionar tipos de eventos\",\"XH5juP\":\"Selecione o nível do ingresso\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Selecione quais eventos acionarão este webhook\",\"VtX8nW\":\"Venda produtos junto com ingressos com suporte integrado para impostos e códigos promocionais\",\"Cye3uV\":\"Venda mais do que ingressos\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Enviar confirmação do pedido e e-mail do produto\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Configuração em minutos\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Mostrar a quantidade de ingressos disponíveis\",\"j3b+OW\":\"Mostrado ao cliente após o checkout, na página de resumo do pedido\",\"v6IwHE\":\"Check-in inteligente\",\"J9xKh8\":\"Painel inteligente\",\"KTxc6k\":\"Algo deu errado, tente novamente ou entre em contato com o suporte se o problema persistir\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Desculpe, seu pedido expirou. Por favor, inicie um novo pedido.\",\"a4SyEE\":\"A classificação é desativada enquanto os filtros e a classificação são aplicados\",\"4nG1lG\":\"Bilhete padrão com preço fixo\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Verificado com sucesso <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Ticket criado com sucesso\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Produto duplicado com sucesso\",\"g2lRrH\":\"Ticket atualizado com sucesso\",\"kj7zYe\":\"Webhook atualizado com sucesso\",\"5gIl+x\":\"Suporte para vendas escalonadas, baseadas em doações e de produtos com preços e capacidades personalizáveis\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"O número máximo de ingressos para \",[\"0\"],\" é \",[\"1\"]],\"FeAfXO\":[\"O número máximo de bilhetes para os Generais é \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Os impostos e as taxas a serem aplicados a esse tíquete. Você pode criar novos impostos e taxas na seção\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Não há ingressos disponíveis para este evento\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Isso substitui todas as configurações de visibilidade e oculta o tíquete de todos os clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Esse tíquete não pode ser excluído porque está\\nassociado a um pedido. Em vez disso, você pode ocultá-lo.\",\"ma6qdu\":\"Esse tíquete está oculto da visualização pública\",\"xJ8nzj\":\"Esse tíquete está oculto, a menos que seja direcionado por um código promocional\",\"KosivG\":\"Ticket excluído com sucesso\",\"HGuXjF\":\"Portadores de ingressos\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venda de ingressos\",\"NirIiz\":\"Nível do ingresso\",\"8jLPgH\":\"Tipo de bilhete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Visualização do widget de ingressos\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Bilhete(s)\",\"6GQNLE\":\"Ingressos\",\"ikA//P\":\"ingressos vendidos\",\"i+idBz\":\"Ingressos vendidos\",\"AGRilS\":\"Ingressos vendidos\",\"56Qw2C\":\"Ingressos classificados com sucesso\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Bilhete em camadas\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Os ingressos em camadas permitem que você ofereça várias opções de preço para o mesmo ingresso.\\nIsso é perfeito para ingressos antecipados ou para oferecer opções de preços diferentes\\npara diferentes grupos de pessoas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis\",\"OpKMSn\":\"Taxa de transação:\",\"mLGbAS\":[\"Não foi possível acessar \",[\"0\"],\" participante\"],\"nNdxt9\":\"Não foi possível criar o tíquete. Por favor, verifique seus detalhes\",\"IrVSu+\":\"Não foi possível duplicar o produto. Por favor, verifique seus dados\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"A URL é obrigatória\",\"fROFIL\":\"Vietnamita\",\"gj5YGm\":\"Visualize e baixe relatórios do seu evento. Observe que apenas pedidos concluídos estão incluídos nesses relatórios.\",\"AM+zF3\":\"Ver participante\",\"e4mhwd\":\"Exibir a página inicial do evento\",\"n6EaWL\":\"Ver logs\",\"AMkkeL\":\"Ver pedido\",\"MXm9nr\":\"Produto VIP\",\"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\",\"jupD+L\":\"Bem-vindo de volta 👋\",\"je8QQT\":\"Bem-vindo ao Hi.Events 👋\",\"wjqPqF\":\"O que são tíquetes escalonados?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"O que é um webhook?\",\"MhhnvW\":\"A quais tickets esse código se aplica? (Aplica-se a todos por padrão)\",\"dCil3h\":\"A quais tíquetes essa pergunta deve ser aplicada?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Você pode criar um código promocional direcionado a esse tíquete no\",\"UqVaVO\":\"Você não pode alterar o tipo de tíquete, pois há participantes associados a esse tíquete.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Você não pode apagar essa camada de preço porque já existem tickets vendidos para essa camada. Em vez disso, você pode ocultá-la.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Você adicionou taxas e impostos a um produto gratuito. Deseja removê-los?\",\"183zcL\":\"Você tem impostos e taxas adicionados a uma passagem gratuita. Gostaria de removê-los ou ocultá-los?\",\"2v5MI1\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de ingressos específicos.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Você precisa verificar o e-mail da sua conta antes de poder enviar mensagens.\",\"8QNzin\":\"Você precisará de um ingresso antes de poder criar uma atribuição de capacidade.\",\"WHXRMI\":\"Você precisará de pelo menos um tíquete para começar. Gratuito, pago ou deixe o usuário decidir quanto pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Seus participantes foram exportados com sucesso.\",\"nBqgQb\":\"Seu e-mail\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Seus pedidos foram exportados com sucesso.\",\"vvO1I2\":\"Sua conta Stripe está conectada e pronta para processar pagamentos.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"Devido ao alto risco de spam, exigimos verificação manual antes de você poder enviar mensagens.\\nEntre em contato conosco para solicitar acesso.\",\"8XAE7n\":\"Se você tem uma conta conosco, receberá um e-mail com instruções sobre como redefinir sua senha.\"}")}; \ 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\":[\"Eventos de \",[\"0\"]],\"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>As listas de registro ajudam a gerenciar a entrada dos participantes no seu evento. Você pode associar vários ingressos a uma lista de registro e garantir que apenas aqueles com ingressos válidos possam entrar.\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"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\":\"✉️ Confirme seu endereço de e-mail\",\"BN0OQd\":\"Parabéns por criar um evento!\",\"4kSf7w\":\"🎟️ Adicionar produtos\",\"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\":\"Sobre o evento\",\"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\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"OveehC\":\"Adicione instruções para pagamentos offline (por exemplo, detalhes de transferência bancária, onde enviar cheques, prazos de pagamento)\",\"LTVoRa\":\"Adicionar mais produtos\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"24l4x6\":\"Adicionar Produto\",\"8q0EdE\":\"Adicionar Produto à Categoria\",\"YvCknQ\":\"Adicionar produtos\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"goOKRY\":\"Adicionar nível\",\"oZW/gT\":\"Adicionar ao calendário\",\"pn5qSs\":\"Informações adicionais\",\"Y8DIQy\":\"Opções adicionais\",\"Du6bPw\":\"Endereço\",\"NY/x1b\":\"Linha de endereço 1\",\"POdIrN\":\"Linha de endereço 1\",\"cormHa\":\"Linha de endereço 2\",\"gwk5gg\":\"Linha de endereço 2\",\"U3pytU\":\"Administrador\",\"HLDaLi\":\"Os usuários administradores têm acesso total a eventos e configurações de conta.\",\"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\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos...\",\"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\":\"Um evento é o evento real que você está organizando. Você pode adicionar mais detalhes posteriormente.\",\"oBkF+i\":\"Um organizador é a empresa ou pessoa que está organizando o evento\",\"W5A0Ly\":\"Ocorreu um erro inesperado.\",\"byKna+\":\"Ocorreu um erro inesperado. Por favor, tente novamente.\",\"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\":\"Eventos arquivados\",\"q7TRd7\":\"Tem certeza de que deseja ativar esse participante?\",\"TvkW9+\":\"Você tem certeza de que deseja arquivar este evento?\",\"/CV2x+\":\"Tem certeza de que deseja cancelar esse participante? Isso anulará seu ingresso\",\"YgRSEE\":\"Tem certeza de que deseja excluir esse código promocional?\",\"iU234U\":\"Tem certeza de que deseja excluir esta pergunta?\",\"CMyVEK\":\"Tem certeza de que deseja tornar este evento um rascunho? Isso tornará o evento invisível para o público\",\"mEHQ8I\":\"Tem certeza de que deseja tornar este evento público? Isso tornará o evento visível para o público\",\"s4JozW\":\"Você tem certeza de que deseja restaurar este evento? Ele será restaurado como um evento rascunho.\",\"vJuISq\":\"Tem certeza de que deseja excluir esta Atribuição de Capacidade?\",\"baHeCz\":\"Tem certeza de que deseja excluir esta lista de registro?\",\"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\":\"Participantes com um produto específico\",\"IMJ6rh\":\"Redimensionamento automático\",\"vZ5qKF\":\"Redimensiona automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner.\",\"4lVaWA\":\"Aguardando pagamento offline\",\"2rHwhl\":\"Aguardando pagamento offline\",\"3wF4Q/\":\"Aguardando pagamento\",\"ioG+xt\":\"Aguardando pagamento\",\"3PmQfI\":\"Evento incrível\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"Voltar para todos os eventos\",\"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\":\"Antes que seu evento possa ir ao ar, há algumas coisas que você precisa fazer.\",\"ze6ETw\":\"Comece a vender produtos em minutos\",\"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\":\"Cancelar irá cancelar todos os produtos associados a este pedido e devolver os produtos ao estoque disponível.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"Não é possível fazer o 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\":\"Mudar a capa\",\"GptGxg\":\"Alterar senha\",\"xMDm+I\":\"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\":\"Desmarcar\",\"5LDT6f\":\"Confira este evento!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Lista de registro criada com sucesso\",\"+CeSxK\":\"Lista de registro excluída com sucesso\",\"+hBhWk\":\"A lista de registro expirou\",\"mBsBHq\":\"A lista de registro não está ativa\",\"vPqpQG\":\"Lista de check-in não encontrada\",\"tejfAy\":\"Listas de Registro\",\"hD1ocH\":\"URL de check-in copiada para a área de transferência\",\"CNafaC\":\"As opções de caixa de seleção permitem várias seleções\",\"SpabVf\":\"Caixas de seleção\",\"CRu4lK\":\"Registro de entrada\",\"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\":\"clique aqui\",\"sby+1/\":\"Clique para copiar\",\"yz7wBu\":\"Fechar\",\"62Ciis\":\"Fechar a barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"O código deve ter entre 3 e 50 caracteres\",\"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\":\"Pagamento completo\",\"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\":\"Cor de fundo do conteúdo\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto do botão Continuar\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continuar a configuração do evento\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continuar a configuração do Stripe Connect\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"copiado para a área de transferência\",\"he3ygx\":\"Cópia\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copie os detalhes para todos os participantes\",\"ENCIQz\":\"Copiar link\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Capa\",\"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\":\"Crie produtos para o seu evento, defina os preços e gerencie a quantidade disponível.\",\"sYpiZP\":\"Criar código promocional\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"d+F6q9\":\"Criado\",\"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\":\"Painel de controle\",\"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\":\"Excluir capa\",\"KWa0gi\":\"Excluir imagem\",\"1l14WA\":\"Excluir produto\",\"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\":\"Dispensar\",\"DZlSLn\":\"Etiqueta do documento\",\"cVq+ga\":\"Não tem uma conta? <0>Assinar\",\"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\":\"Arrastar e soltar ou clicar\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicar Atribuições de Capacidade\",\"ulMxl+\":\"Duplicar Listas de Check-In\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar a Imagem de Capa do Evento\",\"+fA4C7\":\"Duplicar Opções\",\"SoiDyI\":\"Duplicar Produtos\",\"57ALrd\":\"Duplicar códigos promocionais\",\"83Hu4O\":\"Duplicar perguntas\",\"20144c\":\"Duplicar configurações\",\"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 final\",\"237hSL\":\"Final\",\"nt4UkP\":\"Eventos encerrados\",\"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\":\"Evento criado com sucesso 🎉\",\"/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\":\"O evento não é visível para o público\",\"4pKXJS\":\"O evento é visível para o público\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Página do evento\",\"4/If97\":\"Falha na atualização do status do evento. Tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"nMU2d3\":\"URL do evento\",\"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\":\"Falha ao exportar os participantes. Por favor, tente novamente.\",\"2uGNuE\":\"Falha ao exportar pedidos. Tente novamente.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar o e-mail do tíquete\",\"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\":\"Ir para a página inicial do evento\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"vendas brutas\",\"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\":[\"Conferência de eventos da Hi.Events \",[\"0\"]],\"verBst\":\"Centro de Conferências Hi.Events\",\"6eMEQO\":\"logotipo da hi.events\",\"C4qOW8\":\"Escondido da vista do público\",\"gt3Xw9\":\"pergunta oculta\",\"g3rqFe\":\"perguntas ocultas\",\"k3dfFD\":\"As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente.\",\"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\":\"Gostaria de pagar usando um método offline\",\"SdFlIP\":\"Gostaria de pagar usando um método online (cartão de crédito, etc.)\",\"93DUnd\":[\"Se uma nova guia não foi aberta, por favor <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\":\"As dimensões da imagem devem estar entre 4000px por 4000px. Com uma altura máxima de 4000px e uma largura máxima de 4000px\",\"uPEIvq\":\"A imagem deve ter menos de 5 MB\",\"AGZmwV\":\"Imagem carregada com sucesso\",\"VyUuZb\":\"URL da imagem\",\"ibi52/\":\"A largura da imagem deve ser de pelo menos 900px e a altura de pelo menos 50px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"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\":\"Emitir reembolso\",\"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\":\"Saiba mais sobre o Stripe\",\"enV0g0\":\"Deixe em branco para usar a palavra padrão \\\"Fatura\\\"\",\"vR92Yn\":\"Vamos começar criando seu primeiro organizador\",\"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\":\"Gerencie seus detalhes de pagamento do Stripe\",\"BfucwY\":\"Gerencie seus usuários e suas permissões\",\"1m+YT2\":\"As perguntas obrigatórias devem ser respondidas antes que o cliente possa fazer o checkout.\",\"Dim4LO\":\"Adicionar manualmente um participante\",\"e4KdjJ\":\"Adicionar participante manualmente\",\"vFjEnF\":\"Marcar como pago\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"oUCR3c\":\"Enviar mensagem para participantes com produtos específicos\",\"Lvi+gV\":\"Comprador de mensagens\",\"tNZzFb\":\"Conteúdo da mensagem\",\"lYDV/s\":\"Mensagem para participantes individuais\",\"V7DYWd\":\"Mensagem enviada\",\"t7TeQU\":\"Mensagens\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Preço mínimo\",\"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\":\"O nome deve ter menos de 150 caracteres\",\"AIUkyF\":\"Navegar até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova senha\",\"1UzENP\":\"Não\",\"eRblWH\":[\"Nenhum \",[\"0\"],\" disponível.\"],\"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\":\"Nenhum participante poderá se registrar antes desta data usando esta lista\",\"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\":\"Não está à venda\",\"1DBGsz\":\"Anotações\",\"jtrY3S\":\"Nada para mostrar ainda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notificar o comprador sobre o reembolso\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Agora vamos criar seu primeiro evento\",\"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 para pagamento offline\",\"+eZ7dp\":\"Pagamentos offline\",\"ojDQlR\":\"Informações sobre pagamentos offline\",\"u5oO/W\":\"Configurações de pagamentos offline\",\"2NPDz1\":\"À venda\",\"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\":\"Pedido\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Pedido concluído\",\"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\":\"Cor de fundo da página\",\"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\":\"Prévia\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"BI7D9d\":\"Preço não definido\",\"Q8PWaJ\":\"Níveis de preço\",\"q6XHL1\":\"Tipo de Preço\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Cor primária\",\"8cBtvm\":\"Cor primária do texto\",\"BZz12Q\":\"Imprimir\",\"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\":\"produtos vendidos\",\"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\":\"Quantidade Vendida\",\"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\":\"Referência\",\"gxFu7d\":[\"Valor do reembolso (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso falhou\",\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Pedido de reembolso\",\"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\":\"Reenviar e-mail de confirmação\",\"lnrkNz\":\"Reenviar confirmação por e-mail\",\"wIa8Qe\":\"Reenviar convite\",\"VeKsnD\":\"Reenviar e-mail de pedido\",\"dFuEhO\":\"Reenviar o e-mail do tíquete\",\"o6+Y6d\":\"Reenvio...\",\"OfhWJH\":\"Redefinir\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Retornar à página do evento\",\"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\":\"Venda encerrada\",\"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\":\"Escanear código QR\",\"EEU0+z\":\"Escaneie este código QR para acessar a página do evento ou compartilhe-o com outras pessoas\",\"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\":\"Cor secundária\",\"DnXcDK\":\"Cor secundária\",\"cZF6em\":\"Cor do texto secundário\",\"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\":\"Compartilhar no Facebook\",\"x7i6H+\":\"Compartilhar no LinkedIn\",\"zziQd8\":\"Compartilhar no Pinterest\",\"/TgBEk\":\"Compartilhar no Reddit\",\"0Wlk5F\":\"Compartilhar em redes sociais\",\"on+mNS\":\"Compartilhar no Telegram\",\"PcmR+m\":\"Compartilhar no WhatsApp\",\"/5b1iZ\":\"Compartilhar no X\",\"n/T2KI\":\"Compartilhar por e-mail\",\"8vETh9\":\"Mostrar\",\"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\":\"Desculpe, algo deu errado. Reinicie o processo de checkout.\",\"KWgppI\":\"Desculpe, algo deu errado ao carregar esta página.\",\"/TCOIK\":\"Desculpe, este pedido não existe mais.\",\"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\":\"Esta descrição será mostrada à equipe de registro\",\"MLTkH7\":\"Esse e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"Esse evento não está disponível no momento. Por favor, volte mais tarde.\",\"Z6LdQU\":\"Esse evento não está disponível.\",\"MMd2TJ\":\"Estas informações serão exibidas na página de pagamento, na página de 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\":\"Esta lista não estará mais disponível para registros após esta data\",\"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\":\"Este pedido foi cancelado\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"Q0zd4P\":\"Este pedido expirou. Por favor, recomece.\",\"HILpDX\":\"Este pedido está aguardando pagamento\",\"BdYtn9\":\"Este pedido está completo\",\"e3uMJH\":\"Esse pedido está concluído.\",\"YNKXOK\":\"Este pedido está sendo processado.\",\"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\":\"Este produto está oculto da visualização pública\",\"Y/x1MZ\":\"Este produto está oculto a menos que seja direcionado por um Código Promocional\",\"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\":\"Título\",\"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 restante\",\"/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\":\"Carregar capa\",\"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\":\"Exibir detalhes do pedido\",\"QIWCnW\":\"Lista de check-in VIP\",\"tF+VVr\":\"Ingresso VIP\",\"2q/Q7x\":\"Visibilidade\",\"vmOFL/\":\"Não foi possível processar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"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.\",\"VGioT0\":\"Recomendamos dimensões de 2160px por 1080px e um tamanho máximo de arquivo de 5 MB\",\"b9UB/w\":\"Usamos o Stripe para processar pagamentos. Conecte sua conta Stripe para começar a receber pagamentos.\",\"01WH0a\":\"Não foi possível confirmar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"Gspam9\":\"Estamos processando seu pedido. Por favor, aguarde...\",\"LuY52w\":\"Bem-vindo a bordo! Faça login para continuar.\",\"dVxpp5\":[\"Bem-vindo de volta\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bem-vindo à Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"O que são Produtos em Camadas?\",\"f1jUC0\":\"Em que data esta lista de registro deve se tornar ativa?\",\"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\":\"Quando esta lista de registro deve expirar?\",\"FVetkT\":\"Quais ingressos devem ser associados a esta lista de registro?\",\"S+OdxP\":\"Quem está organizando esse evento?\",\"LINr2M\":\"Para quem é essa mensagem?\",\"nWhye/\":\"A quem deve ser feita essa pergunta?\",\"VxFvXQ\":\"Incorporação de widgets\",\"v1P7Gm\":\"Configurações do widget\",\"b4itZn\":\"Trabalho\",\"hqmXmc\":\"Trabalhando...\",\"+G/XiQ\":\"Ano até agora\",\"l75CjT\":\"Sim\",\"QcwyCh\":\"Sim, remova-os\",\"ySeBKv\":\"Você já escaneou este ingresso\",\"P+Sty0\":[\"Você está alterando seu e-mail para <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Você está offline\",\"sdB7+6\":\"Você pode criar um código promocional que direcione este produto no\",\"KRhIxT\":\"Agora você pode começar a receber pagamentos por meio do Stripe.\",\"Gnjf3o\":\"Você não pode mudar o tipo de produto, pois há participantes associados a este produto.\",\"S+on7c\":\"Você não pode registrar participantes com pedidos não pagos.\",\"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\":\"Você não tem permissão para acessar esta página\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha uma para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Faça login para continuar.\",\"rdk1xK\":\"Você conectou sua conta Stripe\",\"ofEncr\":\"Você não tem perguntas para os participantes.\",\"CoZHDB\":\"Você não tem perguntas sobre o pedido.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"Você não concluiu a configuração do Stripe Connect\",\"jxsiqJ\":\"Você não conectou sua conta Stripe\",\"+FWjhR\":\"O tempo para concluir seu pedido acabou.\",\"MycdJN\":\"Você tem impostos e taxas adicionados a um Produto Gratuito. Gostaria de removê-los ou ocultá-los?\",\"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\":\"Você deve confirmar seu endereço de e-mail antes que seu evento possa ser publicado.\",\"H35u3n\":\"Você deve criar um tíquete antes de adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos um nível de preço\",\"8/eLoa\":\"Você precisa verificar sua conta para poder enviar mensagens.\",\"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\":[\"Você vai para \",[\"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\":\"Seu pedido está aguardando pagamento 🏦\",\"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\":\"Seu produto para\",\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" webhooks ativos\"],\"tmew5X\":[[\"0\"],\" registrado\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>O número de ingressos disponíveis para este ingresso<1>Este valor pode ser substituído se houver <2>Limites de Capacidade associados a este ingresso.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Adicionar tíquetes\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 webhook ativo\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Um \",[\"type\"],\" padrão é aplicado automaticamente a todos os novos tíquetes. Você pode substituir isso por ticket.\"],\"Pgaiuj\":\"Um valor fixo por tíquete. Por exemplo, US$ 0,50 por tíquete\",\"ySO/4f\":\"Uma porcentagem do preço do ingresso. Por exemplo, 3,5% do preço do ingresso\",\"WXeXGB\":\"Um código promocional sem desconto pode ser usado para revelar ingressos ocultos.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Uma única pergunta por participante. Por exemplo, qual é a sua refeição preferida?\",\"ap3v36\":\"Uma única pergunta por pedido. Por exemplo, Qual é o nome de sua empresa?\",\"uyJsf6\":\"Sobre\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Sobre o Stripe Connect\",\"VTfZPy\":\"Acesso negado\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Adicionar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"BGD9Yt\":\"Adicionar ingressos\",\"QN2F+7\":\"Adicionar Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Afiliados\",\"gKq1fa\":\"Todos os participantes\",\"QsYjci\":\"Todos os eventos\",\"/twVAS\":\"Todos os ingressos\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"Ocorreu um erro ao verificar o status da exportação.\",\"er3d/4\":\"Ocorreu um erro ao classificar os tíquetes. Tente novamente ou atualize a página\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Um evento é a reunião ou ocasião que você está organizando. Você pode adicionar mais detalhes depois.\",\"QNrkms\":\"Resposta atualizada com sucesso.\",\"j4DliD\":\"Todas as dúvidas dos portadores de ingressos serão enviadas para esse endereço de e-mail. Ele também será usado como o endereço \\\"reply-to\\\" para todos os e-mails enviados deste evento\",\"epTbAK\":[\"Aplica-se a \",[\"0\"],\" ingressos\"],\"6MkQ2P\":\"Aplica-se a 1 ingresso\",\"jcnZEw\":[\"Aplique esse \",[\"tipo\"],\" a todos os novos tíquetes\"],\"Dy+k4r\":\"Tem certeza de que deseja cancelar este participante? Isso invalidará o produto dele\",\"5H3Z78\":\"Tem certeza de que deseja excluir este webhook?\",\"2xEpch\":\"Pergunte uma vez por participante\",\"F2rX0R\":\"Pelo menos um tipo de evento deve ser selecionado\",\"AJ4rvK\":\"Participante cancelado\",\"qvylEK\":\"Participante criado\",\"Xc2I+v\":\"Gestão de participantes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Participante atualizado\",\"k3Tngl\":\"Participantes exportados\",\"5UbY+B\":\"Participantes com um tíquete específico\",\"kShOaz\":\"Fluxo de trabalho automatizado\",\"VPoeAx\":\"Gestão automatizada de entrada com várias listas de check-in e validação em tempo real\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Desconto médio/Pedido\",\"sGUsYa\":\"Valor médio do pedido\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Detalhes básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Comece a vender ingressos em minutos\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Controle de marca\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Cancelado\",\"Ud7zwq\":\"O cancelamento cancelará todos os tickets associados a esse pedido e liberará os tickets de volta para o pool disponível.\",\"QndF4b\":\"fazer o check-in\",\"9FVFym\":\"confira\",\"Y3FYXy\":\"Check-in\",\"udRwQs\":\"Check-in criado\",\"F4SRy3\":\"Check-in excluído\",\"rfeicl\":\"Registrado com sucesso\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinês\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"fechar\",\"msqIjo\":\"Recolher este bilhete ao carregar inicialmente a página do evento\",\"/sZIOR\":\"Loja completa\",\"7D9MJz\":\"Concluir configuração do Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Documentação de conexão\",\"MOUF31\":\"Conecte-se ao CRM e automatize tarefas usando webhooks e integrações\",\"/3017M\":\"Conectado ao Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contactar o suporte\",\"nBGbqc\":\"Entre em contato conosco para ativar a mensagem\",\"RGVUUI\":\"Continuar para o pagamento\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Crie e personalize sua página de evento instantaneamente\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Criar bilhete\",\"agZ87r\":\"Crie ingressos para seu evento, defina preços e gerencie a quantidade disponível.\",\"dkAPxi\":\"Criar Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Personalize sua página do evento e o design do widget para combinar perfeitamente com sua marca\",\"zgCHnE\":\"Relatório de vendas diárias\",\"nHm0AI\":\"Detalhamento das vendas diárias, impostos e taxas\",\"PqrqgF\":\"Lista de Registro do Primeiro Dia\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Excluir tíquete\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Excluir webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Desative esta capacidade para monitorar sem interromper as vendas de produtos\",\"Tgg8XQ\":\"Desative esta capacidade para rastrear a capacidade sem interromper as vendas de ingressos\",\"TvY/XA\":\"Documentação\",\"dYskfr\":\"Não existe\",\"V6Jjbr\":\"Não tem uma conta? <0>Cadastre-se\",\"4+aC/x\":\"Doação / Pague o que quiser\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Arraste para classificar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicar produto\",\"Wt9eV8\":\"Duplicar bilhetes\",\"4xK5y2\":\"Duplicar Webhooks\",\"2iZEz7\":\"Editar resposta\",\"kNGp1D\":\"Editar participante\",\"t2bbp8\":\"Editar Participante\",\"d+nnyk\":\"Editar bilhete\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Ative esta capacidade para interromper as vendas de ingressos quando o limite for atingido\",\"RxzN1M\":\"Ativado\",\"LslKhj\":\"Erro ao carregar os registros\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Evento não disponível\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Tipos de eventos\",\"VlvpJ0\":\"Exportar respostas\",\"JKfSAv\":\"Falha na exportação. Por favor, tente novamente.\",\"SVOEsu\":\"Exportação iniciada. Preparando arquivo...\",\"jtrqH9\":\"Exportando participantes\",\"R4Oqr8\":\"Exportação concluída. Baixando arquivo...\",\"UlAK8E\":\"Exportando pedidos\",\"Jjw03p\":\"Falha ao exportar participantes\",\"ZPwFnN\":\"Falha ao exportar pedidos\",\"X4o0MX\":\"Falha ao carregar o Webhook\",\"10XEC9\":\"Falha ao reenviar o e-mail do produto\",\"lKh069\":\"Falha ao iniciar a exportação\",\"NNc33d\":\"Falha ao atualizar a resposta.\",\"YirHq7\":\"Feedback\",\"T4BMxU\":\"As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Taxa fixa:\",\"KgxI80\":\"Bilhetagem flexível\",\"/4rQr+\":\"Bilhete gratuito\",\"01my8x\":\"Ingresso gratuito, sem necessidade de informações de pagamento\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Comece gratuitamente, sem taxas de assinatura\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Ir para Hi.Events\",\"Lek3cJ\":\"Ir para o painel do Stripe\",\"GNJ1kd\":\"Ajuda e Suporte\",\"spMR9y\":\"Hi.Events cobra taxas de plataforma para manter e melhorar nossos serviços. Essas taxas são automaticamente deduzidas de cada transação.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"Ocultar respostas\",\"fsi6fC\":\"Ocultar esse tíquete dos clientes\",\"Fhzoa8\":\"Ocultar tíquete após a data final da venda\",\"yhm3J/\":\"Ocultar o ingresso antes da data de início da venda\",\"k7/oGT\":\"Oculte o tíquete, a menos que o usuário tenha um código promocional aplicável\",\"L0ZOiu\":\"Ocultar ingresso quando esgotado\",\"uno73L\":\"A ocultação de um tíquete impedirá que os usuários o vejam na página do evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Se estiver em branco, o endereço será usado para gerar um link de mapa do Google\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"As dimensões da imagem devem estar entre 3000px e 2000px. Com uma altura máxima de 2000px e uma largura máxima de 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Inclua detalhes de conexão para o seu evento online. Esses detalhes serão exibidos na página de resumo do pedido e na página do produto do participante\",\"evpD4c\":\"Inclua detalhes de conexão para seu evento on-line. Esses detalhes serão exibidos na página de resumo do pedido e na página do ingresso do participante\",\"AXTNr8\":[\"Inclui \",[\"0\"],\" ingressos\"],\"7/Rzoe\":\"Inclui 1 ingresso\",\"F1Xp97\":\"Participantes individuais\",\"nbfdhU\":\"Integrações\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Última resposta\",\"gw3Ur5\":\"Última ativação\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Carregando webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Gerenciar produtos\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gerenciar impostos e taxas que podem ser aplicados a seus bilhetes\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Gerencie seu processamento de pagamentos e visualize as taxas da plataforma\",\"lzcrX3\":\"A adição manual de um participante ajustará a quantidade de ingressos.\",\"1jRD0v\":\"Enviar mensagens aos participantes com ingressos específicos\",\"97QrnA\":\"Envie mensagens aos participantes, gerencie pedidos e processe reembolsos em um só lugar\",\"0/yJtP\":\"Enviar mensagem para proprietários de pedidos com produtos específicos\",\"tccUcA\":\"Check-in móvel\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Várias opções de preço. Perfeito para ingressos antecipados etc.\",\"m920rF\":\"New York\",\"074+X8\":\"Nenhum webhook ativo\",\"6r9SGl\":\"Nenhum cartão de crédito necessário\",\"Z6ILSe\":\"Não há eventos para este organizador\",\"XZkeaI\":\"Nenhum registro encontrado\",\"zK/+ef\":\"Nenhum produto disponível para seleção\",\"q91DKx\":\"Nenhuma pergunta foi respondida por este participante.\",\"QoAi8D\":\"Sem resposta\",\"EK/G11\":\"Ainda sem respostas\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Sem ingressos para o show\",\"n5vdm2\":\"Nenhum evento de webhook foi registrado para este endpoint ainda. Os eventos aparecerão aqui assim que forem acionados.\",\"4GhX3c\":\"Nenhum Webhook\",\"x5+Lcz\":\"Não registrado\",\"+P/tII\":\"Quando estiver pronto, defina seu evento como ativo e comece a vender ingressos.\",\"bU7oUm\":\"Enviar apenas para pedidos com esses status\",\"ppuQR4\":\"Pedido criado\",\"L4kzeZ\":[\"Detalhes do pedido \",[\"0\"]],\"vu6Arl\":\"Pedido marcado como pago\",\"FaPYw+\":\"Proprietário do pedido\",\"eB5vce\":\"Proprietários de pedidos com um produto específico\",\"CxLoxM\":\"Proprietários de pedidos com produtos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Status dos pedidos\",\"e7eZuA\":\"Pedido atualizado\",\"mz+c33\":\"Ordens criadas\",\"5It1cQ\":\"Pedidos exportados\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Os organizadores só podem gerenciar eventos e ingressos. Eles não podem gerenciar usuários, configurações de conta ou informações de cobrança.\",\"2w/FiJ\":\"Bilhete pago\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Pausado\",\"TskrJ8\":\"Pagamento e plano\",\"EyE8E6\":\"Processamento de pagamento\",\"vcyz2L\":\"Configurações de pagamento\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Fazer pedido\",\"br3Y/y\":\"Taxas da plataforma\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Por favor, insira uma URL válida\",\"MA04r/\":\"Remova os filtros e defina a classificação como \\\"Ordem da página inicial\\\" para ativar a classificação\",\"yygcoG\":\"Selecione pelo menos um ingresso\",\"fuwKpE\":\"Por favor, tente novamente.\",\"o+tJN/\":\"Por favor, aguarde enquanto preparamos seus participantes para exportação...\",\"+5Mlle\":\"Por favor, aguarde enquanto preparamos seus pedidos para exportação...\",\"R7+D0/\":\"Português (Brasil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desenvolvido por Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"produto\",\"EWCLpZ\":\"Produto criado\",\"XkFYVB\":\"Produto excluído\",\"0dzBGg\":\"O e-mail do produto foi reenviado para o participante\",\"YMwcbR\":\"Detalhamento das vendas de produtos, receitas e impostos\",\"ldVIlB\":\"Produto atualizado\",\"mIqT3T\":\"Produtos, mercadorias e opções de preços flexíveis\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionais e detalhamento de descontos\",\"812gwg\":\"Licença de compra\",\"YwNJAq\":\"Leitura de QR code com feedback instantâneo e compartilhamento seguro para acesso da equipe\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Reenviar e-mail do produto\",\"slOprG\":\"Redefina sua senha\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Pesquisar por nome de bilhete...\",\"j9cPeF\":\"Selecionar tipos de eventos\",\"XH5juP\":\"Selecione o nível do ingresso\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Selecione quais eventos acionarão este webhook\",\"VtX8nW\":\"Venda produtos junto com ingressos com suporte integrado para impostos e códigos promocionais\",\"Cye3uV\":\"Venda mais do que ingressos\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Enviar confirmação do pedido e e-mail do produto\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Configuração em minutos\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Mostrar a quantidade de ingressos disponíveis\",\"j3b+OW\":\"Mostrado ao cliente após o checkout, na página de resumo do pedido\",\"v6IwHE\":\"Check-in inteligente\",\"J9xKh8\":\"Painel inteligente\",\"KTxc6k\":\"Algo deu errado, tente novamente ou entre em contato com o suporte se o problema persistir\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Desculpe, seu pedido expirou. Por favor, inicie um novo pedido.\",\"a4SyEE\":\"A classificação é desativada enquanto os filtros e a classificação são aplicados\",\"4nG1lG\":\"Bilhete padrão com preço fixo\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Verificado com sucesso <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Ticket criado com sucesso\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Produto duplicado com sucesso\",\"g2lRrH\":\"Ticket atualizado com sucesso\",\"kj7zYe\":\"Webhook atualizado com sucesso\",\"5gIl+x\":\"Suporte para vendas escalonadas, baseadas em doações e de produtos com preços e capacidades personalizáveis\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"O número máximo de ingressos para \",[\"0\"],\" é \",[\"1\"]],\"FeAfXO\":[\"O número máximo de bilhetes para os Generais é \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Os impostos e as taxas a serem aplicados a esse tíquete. Você pode criar novos impostos e taxas na seção\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Não há ingressos disponíveis para este evento\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Isso substitui todas as configurações de visibilidade e oculta o tíquete de todos os clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Esse tíquete não pode ser excluído porque está\\nassociado a um pedido. Em vez disso, você pode ocultá-lo.\",\"ma6qdu\":\"Esse tíquete está oculto da visualização pública\",\"xJ8nzj\":\"Esse tíquete está oculto, a menos que seja direcionado por um código promocional\",\"KosivG\":\"Ticket excluído com sucesso\",\"HGuXjF\":\"Portadores de ingressos\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venda de ingressos\",\"NirIiz\":\"Nível do ingresso\",\"8jLPgH\":\"Tipo de bilhete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Visualização do widget de ingressos\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Bilhete(s)\",\"6GQNLE\":\"Ingressos\",\"ikA//P\":\"ingressos vendidos\",\"i+idBz\":\"Ingressos vendidos\",\"AGRilS\":\"Ingressos vendidos\",\"56Qw2C\":\"Ingressos classificados com sucesso\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Bilhete em camadas\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Os ingressos em camadas permitem que você ofereça várias opções de preço para o mesmo ingresso.\\nIsso é perfeito para ingressos antecipados ou para oferecer opções de preços diferentes\\npara diferentes grupos de pessoas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis\",\"OpKMSn\":\"Taxa de transação:\",\"mLGbAS\":[\"Não foi possível acessar \",[\"0\"],\" participante\"],\"nNdxt9\":\"Não foi possível criar o tíquete. Por favor, verifique seus detalhes\",\"IrVSu+\":\"Não foi possível duplicar o produto. Por favor, verifique seus dados\",\"ZBAScj\":\"Participante desconhecido\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"A URL é obrigatória\",\"fROFIL\":\"Vietnamita\",\"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\",\"AM+zF3\":\"Ver participante\",\"e4mhwd\":\"Exibir a página inicial do evento\",\"n6EaWL\":\"Ver logs\",\"AMkkeL\":\"Ver pedido\",\"MXm9nr\":\"Produto VIP\",\"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\",\"jupD+L\":\"Bem-vindo de volta 👋\",\"je8QQT\":\"Bem-vindo ao Hi.Events 👋\",\"wjqPqF\":\"O que são tíquetes escalonados?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"O que é um webhook?\",\"MhhnvW\":\"A quais tickets esse código se aplica? (Aplica-se a todos por padrão)\",\"dCil3h\":\"A quais tíquetes essa pergunta deve ser aplicada?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Você pode criar um código promocional direcionado a esse tíquete no\",\"UqVaVO\":\"Você não pode alterar o tipo de tíquete, pois há participantes associados a esse tíquete.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Você não pode apagar essa camada de preço porque já existem tickets vendidos para essa camada. Em vez disso, você pode ocultá-la.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Você adicionou taxas e impostos a um produto gratuito. Deseja removê-los?\",\"183zcL\":\"Você tem impostos e taxas adicionados a uma passagem gratuita. Gostaria de removê-los ou ocultá-los?\",\"2v5MI1\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de ingressos específicos.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Você precisa verificar o e-mail da sua conta antes de poder enviar mensagens.\",\"8QNzin\":\"Você precisará de um ingresso antes de poder criar uma atribuição de capacidade.\",\"WHXRMI\":\"Você precisará de pelo menos um tíquete para começar. Gratuito, pago ou deixe o usuário decidir quanto pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Seus participantes foram exportados com sucesso.\",\"nBqgQb\":\"Seu e-mail\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Seus pedidos foram exportados com sucesso.\",\"vvO1I2\":\"Sua conta Stripe está conectada e pronta para processar pagamentos.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"\\\"\\\"Devido ao alto risco de spam, exigimos uma verificação manual antes que você possa enviar mensagens.\\n\\\"\\\"Por favor, entre em contato conosco para solicitar acesso.\\\"\\\"\",\"8XAE7n\":\"\\\"\\\"Se você tem uma conta conosco, receberá um e-mail com instruções para redefinir sua\\n\\\"\\\"senha.\\\"\\\"\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/pt-br.po b/frontend/src/locales/pt-br.po index bd78eb1b48..08abf6641b 100644 --- a/frontend/src/locales/pt-br.po +++ b/frontend/src/locales/pt-br.po @@ -22,14 +22,16 @@ msgstr "'Ainda não há nada para mostrar'" #~ "\"\"Due to the high risk of spam, we require manual verification before you can send messages.\n" #~ "\"\"Please contact us to request access." #~ msgstr "" -#~ "Devido ao alto risco de spam, exigimos verificação manual antes de você poder enviar mensagens.\n" -#~ "Entre em contato conosco para solicitar acesso." +#~ "\"\"Devido ao alto risco de spam, exigimos uma verificação manual antes que você possa enviar mensagens.\n" +#~ "\"\"Por favor, entre em contato conosco para solicitar acesso.\"\"" #: src/components/routes/auth/ForgotPassword/index.tsx:40 #~ msgid "" #~ "\"\"If you have an account with us, you will receive an email with instructions on how to reset your\n" #~ "\"\"password." -#~ msgstr "Se você tem uma conta conosco, receberá um e-mail com instruções sobre como redefinir sua senha." +#~ msgstr "" +#~ "\"\"Se você tem uma conta conosco, receberá um e-mail com instruções para redefinir sua\n" +#~ "\"\"senha.\"\"" #: src/components/common/ReportTable/index.tsx:303 #: src/locales.ts:56 @@ -268,7 +270,7 @@ msgstr "Uma única pergunta por produto. Ex: Qual é o seu tamanho de camiseta?" msgid "A standard tax, like VAT or GST" msgstr "Um imposto padrão, como IVA ou GST" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "Sobre" @@ -316,7 +318,7 @@ msgstr "Conta atualizada com sucesso" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "Ações" @@ -350,11 +352,11 @@ msgstr "Adicione quaisquer anotações sobre o participante. Estas não serão v msgid "Add any notes about the attendee..." msgstr "Adicione quaisquer anotações sobre o participante..." -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "Adicione quaisquer notas sobre o pedido. Estas não serão visíveis para o cliente." -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "Adicione quaisquer notas sobre o pedido..." @@ -398,7 +400,7 @@ msgstr "Adicionar Produto à Categoria" msgid "Add products" msgstr "Adicionar produtos" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "Adicionar pergunta" @@ -443,8 +445,8 @@ msgid "Address line 1" msgstr "Linha de endereço 1" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "Linha de endereço 1" @@ -453,8 +455,8 @@ msgid "Address line 2" msgstr "Linha de endereço 2" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "Linha de endereço 2" @@ -523,11 +525,15 @@ msgstr "Valor" msgid "Amount paid ({0})" msgstr "Valor pago ({0})" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "Ocorreu um erro ao verificar o status da exportação." + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "Ocorreu um erro ao carregar a página" -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "Ocorreu um erro ao classificar as perguntas. Tente novamente ou atualize a página" @@ -555,6 +561,10 @@ msgstr "Ocorreu um erro inesperado." msgid "An unexpected error occurred. Please try again." msgstr "Ocorreu um erro inesperado. Por favor, tente novamente." +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "Resposta atualizada com sucesso." + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "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" @@ -635,7 +645,7 @@ msgstr "Tem certeza de que deseja cancelar esse participante? Isso anulará seu msgid "Are you sure you want to delete this promo code?" msgstr "Tem certeza de que deseja excluir esse código promocional?" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "Tem certeza de que deseja excluir esta pergunta?" @@ -679,7 +689,7 @@ msgstr "Perguntar uma vez por produto" msgid "At least one event type must be selected" msgstr "Pelo menos um tipo de evento deve ser selecionado" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "Participante" @@ -707,7 +717,7 @@ msgstr "Participante não encontrado" msgid "Attendee Notes" msgstr "Anotações do participante" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "Perguntas dos participantes" @@ -723,7 +733,7 @@ msgstr "Participante atualizado" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "Participantes" @@ -773,7 +783,7 @@ msgstr "Redimensiona automaticamente a altura do widget com base no conteúdo. Q msgid "Awaiting offline payment" msgstr "Aguardando pagamento offline" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -802,8 +812,8 @@ msgid "Back to all events" msgstr "Voltar para todos os eventos" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "Voltar à página do evento" @@ -840,7 +850,7 @@ msgstr "Antes que seu evento possa ir ao ar, há algumas coisas que você precis #~ msgid "Begin selling tickets in minutes" #~ msgstr "Comece a vender ingressos em minutos" -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "Endereço de cobrança" @@ -875,6 +885,7 @@ msgstr "A permissão da câmera foi negada. <0>Solicite a permissão novamen #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -911,7 +922,7 @@ msgstr "Cancelar irá cancelar todos os produtos associados a este pedido e devo #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "Cancelado" @@ -1082,8 +1093,8 @@ msgstr "Escolha uma conta" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "Cidade" @@ -1099,8 +1110,13 @@ msgstr "clique aqui" msgid "Click to copy" msgstr "Clique para copiar" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "fechar" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "Fechar" @@ -1147,11 +1163,11 @@ msgstr "Em breve" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Palavras-chave separadas por vírgulas que descrevem o evento. Elas serão usadas pelos mecanismos de pesquisa para ajudar a categorizar e indexar o evento" -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" msgstr "Pedido completo" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "Pagamento completo" @@ -1169,7 +1185,7 @@ msgstr "Concluir configuração do Stripe" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "Concluído" @@ -1260,7 +1276,7 @@ msgstr "Cor de fundo do conteúdo" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "Continuar" @@ -1309,7 +1325,7 @@ msgstr "Cópia" msgid "Copy Check-In URL" msgstr "Copiar URL de check-in" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "Copie os detalhes para todos os participantes" @@ -1324,7 +1340,7 @@ msgstr "Copiar URL" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "País" @@ -1516,7 +1532,7 @@ msgstr "Detalhamento das vendas diárias, impostos e taxas" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "Zona de perigo" @@ -1535,8 +1551,8 @@ msgid "Date" msgstr "Data" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "Data e hora" +#~ msgid "Date & Time" +#~ msgstr "Data e hora" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1580,7 +1596,7 @@ msgstr "Excluir imagem" msgid "Delete product" msgstr "Excluir produto" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "Excluir pergunta" @@ -1604,7 +1620,7 @@ msgstr "Descrição" msgid "Description for check-in staff" msgstr "Descrição para a equipe de registro" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "Detalhes" @@ -1771,8 +1787,8 @@ msgid "Early bird" msgstr "Pássaro madrugador" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "Editar" @@ -1780,6 +1796,10 @@ msgstr "Editar" msgid "Edit {0}" msgstr "Editar {0}" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "Editar resposta" + #: src/components/common/AttendeeTable/index.tsx:174 #~ msgid "Edit attendee" #~ msgstr "Editar participante" @@ -1834,7 +1854,7 @@ msgstr "Editar Categoria de Produto" msgid "Edit Promo Code" msgstr "Editar código promocional" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "Editar pergunta" @@ -1896,16 +1916,16 @@ msgstr "Configurações de e-mail e notificação" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "Endereço de e-mail" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "Endereço de e-mail" @@ -2096,15 +2116,31 @@ msgid "Expiry Date" msgstr "Data de expiração" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "Exportação" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "Exportar respostas" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "Falha na exportação. Por favor, tente novamente." + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "Exportação iniciada. Preparando arquivo..." + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "Exportando participantes" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "Exportação concluída. Baixando arquivo..." + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "Exportando pedidos" @@ -2116,7 +2152,7 @@ msgstr "Falha ao cancelar o participante" msgid "Failed to cancel order" msgstr "Falha ao cancelar o pedido" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "Falha ao excluir a mensagem. Tente novamente." @@ -2133,7 +2169,7 @@ msgstr "Falha ao exportar participantes" #~ msgid "Failed to export attendees. Please try again." #~ msgstr "Falha ao exportar os participantes. Por favor, tente novamente." -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "Falha ao exportar pedidos" @@ -2161,6 +2197,14 @@ msgstr "Falha ao reenviar o e-mail do tíquete" msgid "Failed to sort products" msgstr "Falha ao ordenar os produtos" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "Falha ao iniciar a exportação" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "Falha ao atualizar a resposta." + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -2183,7 +2227,7 @@ msgstr "Tarifas" 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." -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "Filtrar pedidos" @@ -2200,22 +2244,22 @@ msgstr "Filtros ({activeFilterCount})" msgid "First Invoice Number" msgstr "Primeiro número da fatura" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" msgstr "Primeiro nome" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" msgstr "Primeiro nome" @@ -2224,7 +2268,7 @@ msgstr "Primeiro nome" msgid "First name must be between 1 and 50 characters" msgstr "O primeiro nome deve ter entre 1 e 50 caracteres" -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "Nome, sobrenome e endereço de e-mail são perguntas padrão e sempre são incluídas no processo de checkout." @@ -2307,7 +2351,7 @@ msgstr "Primeiros passos" msgid "Go back to profile" msgstr "Voltar ao perfil" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "Ir para a página inicial do evento" @@ -2385,11 +2429,11 @@ msgstr "logotipo da hi.events" msgid "Hidden from public view" msgstr "Escondido da vista do público" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "pergunta oculta" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "perguntas ocultas" @@ -2402,11 +2446,15 @@ msgstr "As perguntas ocultas são visíveis apenas para o organizador do evento msgid "Hide" msgstr "Esconder" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "Ocultar respostas" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "Ocultar a página de introdução" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "Ocultar perguntas ocultas" @@ -2483,7 +2531,7 @@ msgid "Homepage Preview" msgstr "Visualização da página inicial" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "Homero" @@ -2667,7 +2715,7 @@ msgstr "Configurações da fatura" msgid "Issue refund" msgstr "Emitir reembolso" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "Item" @@ -2727,20 +2775,20 @@ msgstr "Último login" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "Sobrenome" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "Sobrenome" @@ -2777,7 +2825,6 @@ msgstr "Carregando webhooks" msgid "Loading..." msgstr "Carregando..." -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -2990,7 +3037,7 @@ msgstr "Meu incrível título de evento..." msgid "My Profile" msgstr "Meu perfil" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "N/D" @@ -3018,7 +3065,8 @@ msgstr "Nome" msgid "Name should be less than 150 characters" msgstr "O nome deve ter menos de 150 caracteres" -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "Navegar até o participante" @@ -3039,8 +3087,8 @@ msgid "No" msgstr "Não" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "Nenhum {0} disponível." +#~ msgid "No {0} available." +#~ msgstr "Nenhum {0} disponível." #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -3050,11 +3098,11 @@ msgstr "Nenhum webhook ativo" msgid "No archived events to show." msgstr "Não há eventos arquivados para mostrar." -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "Nenhum participante encontrado para este pedido." -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "Nenhum participante foi adicionado a este pedido." @@ -3146,7 +3194,7 @@ msgstr "Nenhum Produto Ainda" msgid "No Promo Codes to show" msgstr "Não há códigos promocionais a serem exibidos" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "Nenhuma pergunta foi respondida por este participante." @@ -3154,7 +3202,7 @@ msgstr "Nenhuma pergunta foi respondida por este participante." #~ msgid "No questions have been answered by this attendee." #~ msgstr "Nenhuma pergunta foi respondida por este participante." -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "Nenhuma pergunta foi feita para este pedido." @@ -3213,7 +3261,7 @@ msgid "Not On Sale" msgstr "Não está à venda" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "Anotações" @@ -3372,7 +3420,7 @@ msgid "Order Date" msgstr "Data do pedido" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "Detalhes do pedido" @@ -3393,7 +3441,7 @@ msgstr "Pedido marcado como pago" msgid "Order Marked as Paid" msgstr "Pedido marcado como pago" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "Notas do pedido" @@ -3409,8 +3457,8 @@ msgstr "Proprietários de pedidos com um produto específico" msgid "Order owners with products" msgstr "Proprietários de pedidos com produtos" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "Perguntas sobre o pedido" @@ -3422,7 +3470,7 @@ msgstr "Referência do pedido" msgid "Order Refunded" msgstr "Pedido reembolsado" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "Status do pedido" @@ -3431,7 +3479,7 @@ msgid "Order statuses" msgstr "Status dos pedidos" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "Resumo do pedido" @@ -3444,7 +3492,7 @@ msgid "Order Updated" msgstr "Pedido atualizado" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "Pedidos" @@ -3453,7 +3501,7 @@ msgstr "Pedidos" #~ msgid "Orders Created" #~ msgstr "Ordens criadas" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "Pedidos exportados" @@ -3526,7 +3574,7 @@ msgstr "Produto Pago" #~ msgid "Paid Ticket" #~ msgstr "Bilhete pago" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "Parcialmente reembolsado" @@ -3727,7 +3775,7 @@ msgstr "Por favor, selecione pelo menos um produto" #~ msgstr "Selecione pelo menos um ingresso" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "Por favor, tente novamente." @@ -3744,7 +3792,7 @@ msgstr "Por favor, aguarde enquanto preparamos seus participantes para exportaç msgid "Please wait while we prepare your invoice..." msgstr "Por favor, aguarde enquanto preparamos a sua fatura..." -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "Por favor, aguarde enquanto preparamos seus pedidos para exportação..." @@ -3772,7 +3820,7 @@ msgstr "Desenvolvido por" msgid "Pre Checkout message" msgstr "Mensagem de pré-checkout" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "Prévia" @@ -3862,7 +3910,7 @@ msgstr "Produto excluído com sucesso" msgid "Product Price Type" msgstr "Tipo de Preço do Produto" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "Perguntas sobre o produto" @@ -3991,7 +4039,7 @@ msgstr "Quantidade disponível" msgid "Quantity Sold" msgstr "Quantidade Vendida" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "Pergunta excluída" @@ -4003,17 +4051,17 @@ msgstr "Descrição da pergunta" msgid "Question Title" msgstr "Título da pergunta" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "Perguntas" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "Perguntas e Respostas" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "Perguntas classificadas com sucesso" @@ -4054,14 +4102,14 @@ msgstr "Pedido de reembolso" msgid "Refund Pending" msgstr "Reembolso pendente" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "Status do reembolso" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "Reembolsado" @@ -4191,6 +4239,7 @@ msgstr "Início das vendas" msgid "San Francisco" msgstr "São Francisco" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -4201,8 +4250,8 @@ msgstr "São Francisco" msgid "Save" msgstr "Salvar" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "Salvar alterações" @@ -4237,7 +4286,7 @@ msgstr "Pesquise por nome do participante, e-mail ou número do pedido..." msgid "Search by event name..." msgstr "Pesquisar por nome de evento..." -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "Pesquise por nome, e-mail ou número do pedido..." @@ -4504,7 +4553,7 @@ msgstr "Mostrar quantidade disponível do produto" #~ msgid "Show available ticket quantity" #~ msgstr "Mostrar a quantidade de ingressos disponíveis" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "Mostrar perguntas ocultas" @@ -4533,7 +4582,7 @@ msgid "Shows common address fields, including country" msgstr "Mostra campos de endereço comuns, incluindo o país" #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "Simpson" @@ -4597,11 +4646,11 @@ msgstr "Algo deu errado. Tente novamente." msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "Desculpe, algo deu errado. Reinicie o processo de checkout." -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "Desculpe, algo deu errado ao carregar esta página." -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "Desculpe, este pedido não existe mais." @@ -4638,8 +4687,8 @@ msgstr "Data de início" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "Estado ou região" @@ -4760,7 +4809,7 @@ msgstr "Localização atualizada com sucesso" msgid "Successfully Updated Misc Settings" msgstr "Configurações diversas atualizadas com sucesso" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "Pedido atualizado com sucesso" @@ -5024,7 +5073,7 @@ msgstr "Esse pedido já foi pago." msgid "This order has already been refunded." msgstr "Esse pedido já foi reembolsado." -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "Este pedido foi cancelado" @@ -5032,15 +5081,15 @@ msgstr "Este pedido foi cancelado" msgid "This order has been cancelled." msgstr "Esse pedido foi cancelado." -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "Este pedido expirou. Por favor, recomece." -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "Este pedido está aguardando pagamento" -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "Este pedido está completo" @@ -5081,7 +5130,7 @@ msgstr "Este produto está oculto da visualização pública" msgid "This product is hidden unless targeted by a Promo Code" msgstr "Este produto está oculto a menos que seja direcionado por um Código Promocional" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "Esta pergunta é visível apenas para o organizador do evento" @@ -5350,6 +5399,10 @@ msgstr "Clientes únicos" msgid "United States" msgstr "Estados Unidos" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "Participante desconhecido" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -5461,8 +5514,8 @@ msgstr "Nome do local" msgid "Vietnamese" msgstr "Vietnamita" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "Visualizar" @@ -5470,11 +5523,15 @@ msgstr "Visualizar" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "Visualize e baixe relatórios do seu evento. Observe que apenas pedidos concluídos estão incluídos nesses relatórios." +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "Ver respostas" + #: src/components/common/AttendeeTable/index.tsx:164 #~ msgid "View attendee" #~ msgstr "Ver participante" -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "Ver Detalhes do Participante" @@ -5494,11 +5551,11 @@ msgstr "Ver mensagem completa" msgid "View logs" msgstr "Ver logs" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "Ver mapa" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "Exibir no Google Maps" @@ -5508,7 +5565,7 @@ msgstr "Exibir no Google Maps" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "Exibir detalhes do pedido" @@ -5764,8 +5821,8 @@ msgstr "Trabalho" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -5846,7 +5903,7 @@ msgstr "Não é possível editar a função ou o status do proprietário da cont msgid "You cannot refund a manually created order." msgstr "Não é possível reembolsar um pedido criado manualmente." -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "Você criou uma pergunta oculta, mas desativou a opção de mostrar perguntas ocultas. Ela foi ativada." @@ -5866,11 +5923,11 @@ msgstr "Você já aceitou este convite. Faça login para continuar." #~ msgid "You have connected your Stripe account" #~ msgstr "Você conectou sua conta Stripe" -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "Você não tem perguntas para os participantes." -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "Você não tem perguntas sobre o pedido." @@ -5982,7 +6039,7 @@ msgstr "Os participantes aparecerão aqui assim que se registrarem no evento. Vo msgid "Your awesome website 🎉" msgstr "Seu site é incrível 🎉" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "Seus detalhes" @@ -6010,7 +6067,7 @@ msgstr "Seu pedido foi cancelado" msgid "Your order is awaiting payment 🏦" msgstr "Seu pedido está aguardando pagamento 🏦" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "Seus pedidos foram exportados com sucesso." @@ -6051,7 +6108,7 @@ msgstr "Sua conta Stripe está conectada e pronta para processar pagamentos." msgid "Your ticket for" msgstr "Seu ingresso para" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "CEP / Código Postal" @@ -6060,6 +6117,6 @@ msgstr "CEP / Código Postal" msgid "Zip or Postal Code" msgstr "CEP ou código postal" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "CEP ou Código Postal" diff --git a/frontend/src/locales/pt.js b/frontend/src/locales/pt.js index 7dd1b97d74..d6b94285ba 100644 --- a/frontend/src/locales/pt.js +++ b/frontend/src/locales/pt.js @@ -1 +1 @@ -/*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\":[\"Eventos de \",[\"0\"]],\"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>As listas de registro ajudam a gerenciar a entrada dos participantes no seu evento. Você pode associar vários ingressos a uma lista de registro e garantir que apenas aqueles com ingressos válidos possam entrar.\",\"OXku3b\":\"<0>https://seu-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"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\":\"✉️ Confirme seu endereço de e-mail\",\"BN0OQd\":\"🎉 Parabéns por criar um evento!\",\"4kSf7w\":\"🎟️ Adicionar produtos\",\"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\":\"10h00\",\"qdfdgM\":\"Rua Principal 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"01-01-2024 10:00\",\"Q/T49U\":\"01/01/2024 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Um campo de data. Perfeito para pedir uma data de nascimento, etc.\",\"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\":\"Sobre o evento\",\"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\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"OveehC\":\"Adicione instruções para pagamentos offline (por exemplo, detalhes de transferência bancária, onde enviar cheques, prazos de pagamento)\",\"LTVoRa\":\"Adicionar mais produtos\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"24l4x6\":\"Adicionar Produto\",\"8q0EdE\":\"Adicionar Produto à Categoria\",\"YvCknQ\":\"Adicionar produtos\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"goOKRY\":\"Adicionar nível\",\"oZW/gT\":\"Adicionar ao calendário\",\"pn5qSs\":\"Informações adicionais\",\"Y8DIQy\":\"Opções adicionais\",\"Du6bPw\":\"Endereço\",\"NY/x1b\":\"Endereço Linha 1\",\"POdIrN\":\"Endereço Linha 1\",\"cormHa\":\"Endereço linha 2\",\"gwk5gg\":\"endereço linha 2\",\"U3pytU\":\"Administrador\",\"HLDaLi\":\"Os usuários administradores têm acesso total aos eventos e configurações da conta.\",\"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\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos.\",\"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\":\"Um evento é o evento real que você está organizando. Você pode adicionar mais detalhes posteriormente.\",\"oBkF+i\":\"Um organizador é a empresa ou pessoa que hospeda o evento\",\"W5A0Ly\":\"Um erro inesperado ocorreu.\",\"byKna+\":\"Um erro inesperado ocorreu. Por favor, tente novamente.\",\"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\":\"Eventos arquivados\",\"q7TRd7\":\"Tem certeza de que deseja ativar este participante?\",\"TvkW9+\":\"Tem certeza de que deseja arquivar este evento?\",\"/CV2x+\":\"Tem certeza de que deseja cancelar este participante? Isso anulará o ingresso\",\"YgRSEE\":\"Tem certeza de que deseja excluir este código promocional?\",\"iU234U\":\"Tem certeza de que deseja excluir esta pergunta?\",\"CMyVEK\":\"Tem certeza de que deseja fazer o rascunho deste evento? Isso tornará o evento invisível para o público\",\"mEHQ8I\":\"Tem certeza de que deseja tornar este evento público? Isso tornará o evento visível ao público\",\"s4JozW\":\"Tem certeza de que deseja restaurar este evento? Ele será restaurado como um evento rascunho.\",\"vJuISq\":\"Tem certeza de que deseja excluir esta Atribuição de Capacidade?\",\"baHeCz\":\"Tem certeza de que deseja excluir esta lista de registro?\",\"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\":\"Participantes com um produto específico\",\"IMJ6rh\":\"Redimensionamento automático\",\"vZ5qKF\":\"Redimensione automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner.\",\"4lVaWA\":\"Aguardando pagamento offline\",\"2rHwhl\":\"Aguardando pagamento offline\",\"3wF4Q/\":\"Aguardando pagamento\",\"ioG+xt\":\"Aguardando Pagamento\",\"3PmQfI\":\"Evento incrível\",\"Yrbm6T\":\"Impressionante Organizador Ltd.\",\"9002sI\":\"Voltar para todos os eventos\",\"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\":\"Antes que seu evento possa ir ao ar, há algumas coisas que você precisa fazer.\",\"ze6ETw\":\"Comece a vender produtos em minutos\",\"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\":\"Cancelar irá cancelar todos os produtos associados a este pedido e devolver os produtos ao estoque disponível.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"Não é possível fazer o 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\":\"Alterar capa\",\"GptGxg\":\"Alterar a senha\",\"xMDm+I\":\"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\":\"Desmarcar\",\"5LDT6f\":\"Confira este evento!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Lista de registro criada com sucesso\",\"+CeSxK\":\"Lista de registro excluída com sucesso\",\"+hBhWk\":\"A lista de registro expirou\",\"mBsBHq\":\"A lista de registro não está ativa\",\"vPqpQG\":\"Lista de check-in não encontrada\",\"tejfAy\":\"Listas de Registro\",\"hD1ocH\":\"URL de check-in copiada para a área de transferência\",\"CNafaC\":\"As opções de caixa de seleção permitem seleções múltiplas\",\"SpabVf\":\"Caixas de seleção\",\"CRu4lK\":\"Check-in\",\"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\":\"Clique aqui\",\"sby+1/\":\"Clique para copiar\",\"yz7wBu\":\"Fechar\",\"62Ciis\":\"Fechar barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"O código deve ter entre 3 e 50 caracteres\",\"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\":\"Concluir pagamento\",\"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\":\"Cor de fundo do conteúdo\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto do botão Continuar\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continuar configuração do evento\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continuar a configuração do Stripe Connect\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"Copiado para a área de transferência\",\"he3ygx\":\"cópia de\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copiar detalhes para todos os participantes\",\"ENCIQz\":\"Link de cópia\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cobrir\",\"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\":\"Crie produtos para o seu evento, defina os preços e gerencie a quantidade disponível.\",\"sYpiZP\":\"Criar código promocional\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"d+F6q9\":\"Criada\",\"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\":\"Painel\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"VskHIx\":\"Excluir categoria\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Excluir capa\",\"KWa0gi\":\"Excluir imagem\",\"1l14WA\":\"Excluir produto\",\"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\":\"Liberar\",\"DZlSLn\":\"Etiqueta do documento\",\"cVq+ga\":\"Não tem uma conta? <0>Inscreva-se\",\"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\":\"Arraste e solte ou clique\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicar Atribuições de Capacidade\",\"ulMxl+\":\"Duplicar Listas de Check-In\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar a Imagem de Capa do Evento\",\"+fA4C7\":\"Duplicar Opções\",\"SoiDyI\":\"Duplicar Produtos\",\"57ALrd\":\"Duplicar códigos promocionais\",\"83Hu4O\":\"Duplicar perguntas\",\"20144c\":\"Duplicar configurações\",\"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 final\",\"237hSL\":\"Terminou\",\"nt4UkP\":\"Eventos encerrados\",\"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\":\"Evento criado com sucesso 🎉\",\"/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\":\"O evento não está visível ao público\",\"4pKXJS\":\"O evento é visível ao público\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Página do evento\",\"4/If97\":\"Falha na atualização do status do evento. Por favor, tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"nMU2d3\":\"URL do evento\",\"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\":\"Falha ao exportar participantes. Por favor, tente novamente.\",\"2uGNuE\":\"Falha ao exportar pedidos. Por favor, tente novamente.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar e-mail do ticket\",\"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\":\"Ir para a página inicial do evento\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"vendas brutas\",\"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\":[\"Conferência Hi.Events \",[\"0\"]],\"verBst\":\"Centro de Conferências Hi.Events\",\"6eMEQO\":\"logotipo hi.events\",\"C4qOW8\":\"Escondido da vista do público\",\"gt3Xw9\":\"pergunta oculta\",\"g3rqFe\":\"perguntas ocultas\",\"k3dfFD\":\"As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente.\",\"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\":\"Gostaria de pagar usando um método offline\",\"SdFlIP\":\"Gostaria de pagar usando um método online (cartão de crédito, etc.)\",\"93DUnd\":[\"Se uma nova guia não for aberta, <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\":\"As dimensões da imagem devem estar entre 4000px por 4000px. Com uma altura máxima de 4000px e uma largura máxima de 4000px\",\"uPEIvq\":\"A imagem deve ter menos de 5 MB\",\"AGZmwV\":\"Imagem enviada com sucesso\",\"VyUuZb\":\"URL da imagem\",\"ibi52/\":\"A largura da imagem deve ser de pelo menos 900 px e a altura de pelo menos 50 px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"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\":\"Emitir reembolso\",\"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\":\"Saiba mais sobre Stripe\",\"enV0g0\":\"Deixe em branco para usar a palavra padrão \\\"Fatura\\\"\",\"vR92Yn\":\"Vamos começar criando seu primeiro organizador\",\"Z3FXyt\":\"Carregando...\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Conecte-se\",\"zUDyah\":\"Fazendo login\",\"z0t9bb\":\"Conecte-se\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nome placerat elementum...\",\"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\":\"Gerencie seus detalhes de pagamento Stripe\",\"BfucwY\":\"Gerencie seus usuários e suas permissões\",\"1m+YT2\":\"Perguntas obrigatórias devem ser respondidas antes que o cliente possa finalizar a compra.\",\"Dim4LO\":\"Adicionar manualmente um participante\",\"e4KdjJ\":\"Adicionar participante manualmente\",\"vFjEnF\":\"Marcar como pago\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"oUCR3c\":\"Enviar mensagem para participantes com produtos específicos\",\"Lvi+gV\":\"Comprador de mensagens\",\"tNZzFb\":\"Conteúdo da mensagem\",\"lYDV/s\":\"Mensagem para participantes individuais\",\"V7DYWd\":\"Mensagem enviada\",\"t7TeQU\":\"Mensagens\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Preço minimo\",\"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\":\"O nome deve ter menos de 150 caracteres\",\"AIUkyF\":\"Navegue até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova Senha\",\"1UzENP\":\"Não\",\"eRblWH\":[\"Nenhum \",[\"0\"],\" disponível.\"],\"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\":\"Nenhum participante poderá se registrar antes desta data usando esta lista\",\"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\":\"Não está à venda\",\"1DBGsz\":\"Notas\",\"jtrY3S\":\"Nada para mostrar ainda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notificar o comprador sobre o reembolso\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Agora vamos criar seu primeiro evento\",\"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 para pagamento offline\",\"+eZ7dp\":\"Pagamentos offline\",\"ojDQlR\":\"Informações sobre pagamentos offline\",\"u5oO/W\":\"Configurações de pagamentos offline\",\"2NPDz1\":\"À venda\",\"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\":\"Ordem #\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Encomenda completa\",\"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\":\"Cor de fundo da página\",\"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\":\"Visualização\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"BI7D9d\":\"Preço não definido\",\"Q8PWaJ\":\"Níveis de preços\",\"q6XHL1\":\"Tipo de Preço\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Cor Primária\",\"8cBtvm\":\"Cor do texto principal\",\"BZz12Q\":\"Imprimir\",\"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\":\"produtos vendidos\",\"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\":\"Quantidade Vendida\",\"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\":\"Referência\",\"gxFu7d\":[\"Valor do reembolso (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso falhou\",\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Pedido de reembolso\",\"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\":\"Reenviar e-mail de confirmação\",\"lnrkNz\":\"Reenviar e-mail de confirmação\",\"wIa8Qe\":\"Reenviar convite\",\"VeKsnD\":\"Reenviar e-mail do pedido\",\"dFuEhO\":\"Reenviar e-mail do ticket\",\"o6+Y6d\":\"Reenviando...\",\"OfhWJH\":\"Redefinir\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Voltar à página do evento\",\"s8v9hq\":\"Voltar para a página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Papel\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"A venda terminou\",\"Qm5XkZ\":\"Data de início da venda\",\"hBsw5C\":\"Vendas encerradas\",\"kpAzPe\":\"Início das vendas\",\"P/wEOX\":\"São Francisco\",\"tfDRzk\":\"Salvar\",\"IUwGEM\":\"Salvar alterações\",\"U65fiW\":\"Salvar organizador\",\"UGT5vp\":\"Salvar configurações\",\"ovB7m2\":\"Digitalize o código QR\",\"EEU0+z\":\"Escaneie este código QR para acessar a página do evento ou compartilhe-o com outras pessoas\",\"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\":\"Cor secundária\",\"DnXcDK\":\"Cor Secundária\",\"cZF6em\":\"Cor do texto secundário\",\"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\":\"Compartilhar no Facebook\",\"x7i6H+\":\"Compartilhar no LinkedIn\",\"zziQd8\":\"Compartilhar no Pinterest\",\"/TgBEk\":\"Compartilhar no Reddit\",\"0Wlk5F\":\"Compartilhar em redes sociais\",\"on+mNS\":\"Compartilhar no Telegram\",\"PcmR+m\":\"Compartilhar no WhatsApp\",\"/5b1iZ\":\"Compartilhar no X\",\"n/T2KI\":\"Compartilhar por e-mail\",\"8vETh9\":\"Mostrar\",\"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 deu errado\",\"GRChTw\":\"Algo deu errado ao excluir o imposto ou taxa\",\"YHFrbe\":\"Algo deu errado! Por favor, tente novamente\",\"kf83Ld\":\"Algo deu errado.\",\"fWsBTs\":\"Algo deu errado. Por favor, tente novamente.\",\"F6YahU\":\"Desculpe, algo deu errado. Por favor, reinicie o processo de checkout.\",\"KWgppI\":\"Desculpe, algo deu errado ao carregar esta página.\",\"/TCOIK\":\"Desculpe, este pedido não existe mais.\",\"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\":\"Esta descrição será mostrada à equipe de registro\",\"MLTkH7\":\"Este e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"Este evento não está disponível no momento. Por favor, volte mais tarde.\",\"Z6LdQU\":\"Este evento não está disponível.\",\"MMd2TJ\":\"Estas informações serão exibidas na página de pagamento, na página de 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\":\"Esta lista não estará mais disponível para registros após esta data\",\"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\":\"Esse pedido foi cancelado\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"Q0zd4P\":\"Este pedido expirou. Por favor, recomece.\",\"HILpDX\":\"Este pedido está aguardando pagamento\",\"BdYtn9\":\"Este pedido está completo\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"Este pedido está sendo processado.\",\"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\":\"Este produto está oculto da visualização pública\",\"Y/x1MZ\":\"Este produto está oculto a menos que seja direcionado por um Código Promocional\",\"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\":\"Título\",\"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 restante\",\"/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\":\"Carregar capa\",\"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\":\"Ver detalhes do pedido\",\"QIWCnW\":\"Lista de check-in VIP\",\"tF+VVr\":\"Bilhete VIP\",\"2q/Q7x\":\"Visibilidade\",\"vmOFL/\":\"Não foi possível processar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"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.\",\"VGioT0\":\"Recomendamos dimensões de 2160px por 1080px e tamanho máximo de arquivo de 5MB\",\"b9UB/w\":\"Usamos Stripe para processar pagamentos. Conecte sua conta Stripe para começar a receber pagamentos.\",\"01WH0a\":\"Não foi possível confirmar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"Gspam9\":\"Estamos processando seu pedido. Por favor, aguarde...\",\"LuY52w\":\"Bem vindo a bordo! Por favor faça o login para continuar.\",\"dVxpp5\":[\"Bem vindo de volta\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bem-vindo ao Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"O que são Produtos em Camadas?\",\"f1jUC0\":\"Em que data esta lista de registro deve se tornar ativa?\",\"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\":\"Quando esta lista de registro deve expirar?\",\"FVetkT\":\"Quais ingressos devem ser associados a esta lista de registro?\",\"S+OdxP\":\"Quem está organizando este evento?\",\"LINr2M\":\"Para quem é esta mensagem?\",\"nWhye/\":\"A quem deve ser feita esta pergunta?\",\"VxFvXQ\":\"Incorporação de widget\",\"v1P7Gm\":\"Configurações de widget\",\"b4itZn\":\"Trabalhando\",\"hqmXmc\":\"Trabalhando...\",\"+G/XiQ\":\"Ano até agora\",\"l75CjT\":\"Sim\",\"QcwyCh\":\"Sim, remova-os\",\"ySeBKv\":\"Você já escaneou este ingresso\",\"P+Sty0\":[\"Você está alterando seu e-mail para <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Você está offline\",\"sdB7+6\":\"Você pode criar um código promocional que direcione este produto no\",\"KRhIxT\":\"Agora você pode começar a receber pagamentos através do Stripe.\",\"Gnjf3o\":\"Você não pode mudar o tipo de produto, pois há participantes associados a este produto.\",\"S+on7c\":\"Você não pode registrar participantes com pedidos não pagos.\",\"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\":\"Você não tem permissão para acessar esta página\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha um para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Por favor faça o login para continuar.\",\"rdk1xK\":\"Você conectou sua conta Stripe\",\"ofEncr\":\"Você não tem perguntas dos participantes.\",\"CoZHDB\":\"Você não tem perguntas sobre pedidos.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"Você não concluiu a configuração do Stripe Connect\",\"jxsiqJ\":\"Você não conectou sua conta Stripe\",\"+FWjhR\":\"O tempo para concluir seu pedido acabou.\",\"MycdJN\":\"Você tem impostos e taxas adicionados a um Produto Gratuito. Gostaria de removê-los ou ocultá-los?\",\"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\":\"Você deve confirmar seu endereço de e-mail antes que seu evento possa ir ao ar.\",\"H35u3n\":\"Você deve criar um ticket antes de poder adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos uma faixa de preço\",\"8/eLoa\":\"Você precisa verificar sua conta antes de enviar mensagens.\",\"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\":[\"Você vai para \",[\"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\":\"Seu pedido está aguardando pagamento 🏦\",\"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\":\"Seu produto para\",\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" webhooks ativos\"],\"tmew5X\":[[\"0\"],\" fez check-in\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>O número de ingressos disponíveis para este ingresso<1>Este valor pode ser substituído se houver <2>Limites de Capacidade associados a este ingresso.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Adicionar ingressos\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 webhook ativo\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Um \",[\"type\"],\" padrão é aplicado automaticamente a todos os novos tickets. Você pode substituir isso por ticket.\"],\"Pgaiuj\":\"Um valor fixo por ingresso. Por exemplo, US$ 0,50 por ingresso\",\"ySO/4f\":\"Uma porcentagem do preço do ingresso. Por exemplo, 3,5% do preço do bilhete\",\"WXeXGB\":\"Um código promocional sem desconto pode ser usado para revelar ingressos ocultos.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Uma única pergunta por participante. Por exemplo, qual é a sua refeição preferida?\",\"ap3v36\":\"Uma única pergunta por pedido. Por exemplo, qual é o nome da sua empresa?\",\"uyJsf6\":\"Sobre\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Sobre o Stripe Connect\",\"VTfZPy\":\"Acesso negado\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Adicionar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"BGD9Yt\":\"Adicionar ingressos\",\"QN2F+7\":\"Adicionar Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Afiliados\",\"gKq1fa\":\"Todos os participantes\",\"QsYjci\":\"Todos os eventos\",\"/twVAS\":\"Todos os Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"Ocorreu um erro ao classificar os tickets. Tente novamente ou atualize a página\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Um evento é a reunião ou ocasião que você está organizando. Você pode adicionar mais detalhes depois.\",\"j4DliD\":\"Quaisquer dúvidas dos titulares de ingressos serão enviadas para este endereço de e-mail. Este também será usado como endereço de \\\"resposta\\\" para todos os e-mails enviados neste evento\",\"epTbAK\":[\"Aplica-se a \",[\"0\"],\" ingressos\"],\"6MkQ2P\":\"Aplica-se a 1 ingresso\",\"jcnZEw\":[\"Aplique este \",[\"type\"],\" a todos os novos tickets\"],\"Dy+k4r\":\"Tem certeza de que deseja cancelar este participante? Isso invalidará o produto dele\",\"5H3Z78\":\"Tem certeza de que deseja excluir este webhook?\",\"2xEpch\":\"Pergunte uma vez por participante\",\"F2rX0R\":\"Pelo menos um tipo de evento deve ser selecionado\",\"AJ4rvK\":\"Participante cancelado\",\"qvylEK\":\"Participante criado\",\"Xc2I+v\":\"Gestão de participantes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Participante atualizado\",\"k3Tngl\":\"Participantes exportados\",\"5UbY+B\":\"Participantes com um ingresso específico\",\"kShOaz\":\"Fluxo de trabalho automatizado\",\"VPoeAx\":\"Gestão automatizada de entrada com várias listas de check-in e validação em tempo real\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Desconto médio/Pedido\",\"sGUsYa\":\"Valor médio do pedido\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Detalhes básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Comece a vender ingressos em minutos\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Controle de marca\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Cancelado\",\"Ud7zwq\":\"O cancelamento cancelará todos os ingressos associados a este pedido e os liberará de volta ao pool disponível.\",\"QndF4b\":\"check-in\",\"9FVFym\":\"Confira\",\"Y3FYXy\":\"Check-in\",\"udRwQs\":\"Check-in criado\",\"F4SRy3\":\"Check-in excluído\",\"rfeicl\":\"Registrado com sucesso\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinês\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"Recolher este bilhete ao carregar inicialmente a página do evento\",\"/sZIOR\":\"Loja completa\",\"7D9MJz\":\"Concluir configuração do Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Documentação de conexão\",\"MOUF31\":\"Conecte-se ao CRM e automatize tarefas usando webhooks e integrações\",\"/3017M\":\"Conectado ao Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contactar o suporte\",\"nBGbqc\":\"Entre em contato conosco para ativar a mensagem\",\"RGVUUI\":\"Continuar para o pagamento\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Crie e personalize sua página de evento instantaneamente\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Criar ingresso\",\"agZ87r\":\"Crie ingressos para o seu evento, defina preços e gerencie a quantidade disponível.\",\"dkAPxi\":\"Criar Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Personalize sua página do evento e o design do widget para combinar perfeitamente com sua marca\",\"zgCHnE\":\"Relatório de vendas diárias\",\"nHm0AI\":\"Detalhamento das vendas diárias, impostos e taxas\",\"PqrqgF\":\"Lista de Registro do Primeiro Dia\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Excluir tíquete\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Excluir webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Desative esta capacidade para monitorar sem interromper as vendas de produtos\",\"Tgg8XQ\":\"Desative esta capacidade para rastrear a capacidade sem interromper as vendas de ingressos\",\"TvY/XA\":\"Documentação\",\"dYskfr\":\"Não existe\",\"V6Jjbr\":\"Não tem uma conta? <0>Cadastre-se\",\"4+aC/x\":\"Doação / Pague o que quiser\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Arraste para classificar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicar produto\",\"Wt9eV8\":\"Duplicar bilhetes\",\"4xK5y2\":\"Duplicar Webhooks\",\"kNGp1D\":\"Editar participante\",\"t2bbp8\":\"Editar participante\",\"d+nnyk\":\"Editar ingresso\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Ative esta capacidade para interromper as vendas de ingressos quando o limite for atingido\",\"RxzN1M\":\"Ativado\",\"LslKhj\":\"Erro ao carregar os registros\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Evento não disponível\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Tipos de eventos\",\"jtrqH9\":\"Exportando participantes\",\"UlAK8E\":\"Exportando pedidos\",\"Jjw03p\":\"Falha ao exportar participantes\",\"ZPwFnN\":\"Falha ao exportar pedidos\",\"X4o0MX\":\"Falha ao carregar o Webhook\",\"10XEC9\":\"Falha ao reenviar o e-mail do produto\",\"YirHq7\":\"Opinião\",\"T4BMxU\":\"As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Taxa fixa:\",\"KgxI80\":\"Bilhetagem flexível\",\"/4rQr+\":\"Bilhete grátis\",\"01my8x\":\"Bilhete grátis, sem necessidade de informações de pagamento\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Comece gratuitamente, sem taxas de assinatura\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Ir para Hi.Events\",\"Lek3cJ\":\"Ir para o painel do Stripe\",\"GNJ1kd\":\"Ajuda e Suporte\",\"spMR9y\":\"Hi.Events cobra taxas de plataforma para manter e melhorar nossos serviços. Essas taxas são automaticamente deduzidas de cada transação.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"Ocultar este ticket dos clientes\",\"Fhzoa8\":\"Ocultar ingresso após a data de término da venda\",\"yhm3J/\":\"Ocultar ingresso antes da data de início da venda\",\"k7/oGT\":\"Ocultar ingresso, a menos que o usuário tenha o código promocional aplicável\",\"L0ZOiu\":\"Ocultar ingresso quando esgotado\",\"uno73L\":\"Ocultar um ingresso impedirá que os usuários o vejam na página do evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Se estiver em branco, o endereço será usado para gerar um link do mapa do Google\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"As dimensões da imagem devem estar entre 3.000 px e 2.000 px. Com altura máxima de 2.000 px e largura máxima de 3.000 px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Inclua detalhes de conexão para o seu evento online. Esses detalhes serão exibidos na página de resumo do pedido e na página do produto do participante\",\"evpD4c\":\"Inclua detalhes de conexão para seu evento online. Esses detalhes serão mostrados na página de resumo do pedido e na página do ingresso do participante\",\"AXTNr8\":[\"Inclui \",[\"0\"],\" ingressos\"],\"7/Rzoe\":\"Inclui 1 ingresso\",\"F1Xp97\":\"Participantes individuais\",\"nbfdhU\":\"Integrações\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Última resposta\",\"gw3Ur5\":\"Última ativação\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Carregando webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Gerenciar produtos\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gerencie impostos e taxas que podem ser aplicadas aos seus ingressos\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Gerencie seu processamento de pagamentos e visualize as taxas da plataforma\",\"lzcrX3\":\"Adicionar manualmente um participante ajustará a quantidade de ingressos.\",\"1jRD0v\":\"Enviar mensagens aos participantes com tickets específicos\",\"97QrnA\":\"Envie mensagens aos participantes, gerencie pedidos e processe reembolsos em um só lugar\",\"0/yJtP\":\"Enviar mensagem para proprietários de pedidos com produtos específicos\",\"tccUcA\":\"Check-in móvel\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Várias opções de preços. Perfeito para ingressos antecipados, etc.\",\"m920rF\":\"New York\",\"074+X8\":\"Nenhum webhook ativo\",\"6r9SGl\":\"Nenhum cartão de crédito necessário\",\"Z6ILSe\":\"Nenhum evento para este organizador\",\"XZkeaI\":\"Nenhum registro encontrado\",\"zK/+ef\":\"Nenhum produto disponível para seleção\",\"q91DKx\":\"Nenhuma pergunta foi respondida por este participante.\",\"QoAi8D\":\"Sem resposta\",\"EK/G11\":\"Ainda sem respostas\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Não há ingressos para mostrar\",\"n5vdm2\":\"Nenhum evento de webhook foi registrado para este endpoint ainda. Os eventos aparecerão aqui assim que forem acionados.\",\"4GhX3c\":\"Nenhum Webhook\",\"x5+Lcz\":\"Não verificado\",\"+P/tII\":\"Quando estiver pronto, programe seu evento ao vivo e comece a vender ingressos.\",\"bU7oUm\":\"Enviar apenas para pedidos com esses status\",\"ppuQR4\":\"Pedido criado\",\"L4kzeZ\":[\"Detalhes do pedido \",[\"0\"]],\"vu6Arl\":\"Pedido marcado como pago\",\"FaPYw+\":\"Proprietário do pedido\",\"eB5vce\":\"Proprietários de pedidos com um produto específico\",\"CxLoxM\":\"Proprietários de pedidos com produtos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Status dos pedidos\",\"e7eZuA\":\"Pedido atualizado\",\"mz+c33\":\"Pedidos criados\",\"5It1cQ\":\"Pedidos exportados\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Os organizadores só podem gerenciar eventos e ingressos. Eles não podem gerenciar usuários, configurações de conta ou informações de cobrança.\",\"2w/FiJ\":\"Bilhete Pago\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Pausado\",\"TskrJ8\":\"Pagamento e plano\",\"EyE8E6\":\"Processamento de pagamento\",\"vcyz2L\":\"Configurações de pagamento\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Fazer pedido\",\"br3Y/y\":\"Taxas da plataforma\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Por favor, insira uma URL válida\",\"MA04r/\":\"Remova os filtros e defina a classificação como \\\"Ordem da página inicial\\\" para ativar a classificação\",\"yygcoG\":\"Selecione pelo menos um ingresso\",\"fuwKpE\":\"Por favor, tente novamente.\",\"o+tJN/\":\"Por favor, aguarde enquanto preparamos seus participantes para exportação...\",\"+5Mlle\":\"Por favor, aguarde enquanto preparamos seus pedidos para exportação...\",\"R7+D0/\":\"Português (Brasil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desenvolvido por Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"produto\",\"EWCLpZ\":\"Produto criado\",\"XkFYVB\":\"Produto excluído\",\"0dzBGg\":\"O e-mail do produto foi reenviado para o participante\",\"YMwcbR\":\"Detalhamento das vendas de produtos, receitas e impostos\",\"ldVIlB\":\"Produto atualizado\",\"mIqT3T\":\"Produtos, mercadorias e opções de preços flexíveis\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionais e detalhamento de descontos\",\"812gwg\":\"Licença de compra\",\"YwNJAq\":\"Leitura de QR code com feedback instantâneo e compartilhamento seguro para acesso da equipe\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Reenviar e-mail do produto\",\"slOprG\":\"Redefina sua senha\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Pesquisar por nome do ticket...\",\"j9cPeF\":\"Selecionar tipos de eventos\",\"XH5juP\":\"Selecione o nível do ingresso\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Selecione quais eventos acionarão este webhook\",\"VtX8nW\":\"Venda produtos junto com ingressos com suporte integrado para impostos e códigos promocionais\",\"Cye3uV\":\"Venda mais do que ingressos\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Enviar confirmação do pedido e e-mail do produto\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Configuração em minutos\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Mostrar quantidade de ingressos disponíveis\",\"j3b+OW\":\"Mostrado ao cliente após a finalização da compra, na página de resumo do pedido\",\"v6IwHE\":\"Check-in inteligente\",\"J9xKh8\":\"Painel inteligente\",\"KTxc6k\":\"Algo deu errado, tente novamente ou entre em contato com o suporte se o problema persistir\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Desculpe, seu pedido expirou. Por favor, inicie um novo pedido.\",\"a4SyEE\":\"A classificação está desativada enquanto os filtros e a classificação são aplicados\",\"4nG1lG\":\"Bilhete padrão com preço fixo\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Verificado com sucesso <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Ticket criado com sucesso\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Produto duplicado com sucesso\",\"g2lRrH\":\"Ticket atualizado com sucesso\",\"kj7zYe\":\"Webhook atualizado com sucesso\",\"5gIl+x\":\"Suporte para vendas escalonadas, baseadas em doações e de produtos com preços e capacidades personalizáveis\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"O número máximo de bilhetes para \",[\"0\"],\" é \",[\"1\"]],\"FeAfXO\":[\"O número máximo de ingressos para generais é \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Os impostos e taxas aplicáveis a este bilhete. Você pode criar novos impostos e taxas sobre o\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Não há ingressos disponíveis para este evento\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Isso substituirá todas as configurações de visibilidade e ocultará o ticket de todos os clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Este ticket não pode ser excluído porque é\\nassociado a um pedido. Você pode ocultá-lo.\",\"ma6qdu\":\"Este ingresso está oculto da visualização pública\",\"xJ8nzj\":\"Este ingresso fica oculto, a menos que seja alvo de um código promocional\",\"KosivG\":\"Ticket excluído com sucesso\",\"HGuXjF\":\"Portadores de ingressos\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venda de ingressos\",\"NirIiz\":\"Nível de ingresso\",\"8jLPgH\":\"Tipo de bilhete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Visualização do widget de ingressos\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ingressos\",\"6GQNLE\":\"Ingressos\",\"ikA//P\":\"bilhetes vendidos\",\"i+idBz\":\"Ingressos vendidos\",\"AGRilS\":\"Ingressos vendidos\",\"56Qw2C\":\"Tickets classificados com sucesso\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Bilhete em camadas\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Os ingressos escalonados permitem que você ofereça várias opções de preços para o mesmo ingresso.\\nIsso é perfeito para ingressos antecipados ou com preços diferentes\\nopções para diferentes grupos de pessoas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis\",\"OpKMSn\":\"Taxa de transação:\",\"mLGbAS\":[\"Não foi possível \",[\"0\"],\" participante\"],\"nNdxt9\":\"Não foi possível criar o ticket. Por favor verifique os seus dados\",\"IrVSu+\":\"Não foi possível duplicar o produto. Por favor, verifique seus dados\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"A URL é obrigatória\",\"fROFIL\":\"Vietnamita\",\"gj5YGm\":\"Visualize e baixe relatórios do seu evento. Observe que apenas pedidos concluídos estão incluídos nesses relatórios.\",\"AM+zF3\":\"Ver participante\",\"e4mhwd\":\"Ver página inicial do evento\",\"n6EaWL\":\"Ver logs\",\"AMkkeL\":\"Ver pedido\",\"MXm9nr\":\"Produto VIP\",\"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\",\"jupD+L\":\"Bem-vindo de volta 👋\",\"je8QQT\":\"Bem-vindo ao Hi.Events 👋\",\"wjqPqF\":\"O que são ingressos diferenciados?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"O que é um webhook?\",\"MhhnvW\":\"A quais ingressos esse código se aplica? (Aplica-se a todos por padrão)\",\"dCil3h\":\"A quais tickets esta pergunta deve ser aplicada?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Você pode criar um código promocional direcionado a este ingresso no\",\"UqVaVO\":\"Você não pode alterar o tipo de ingresso porque há participantes associados a esse ingresso.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Você não pode excluir esse nível de preço porque já existem ingressos vendidos para esse nível. Você pode ocultá-lo.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Você adicionou taxas e impostos a um produto gratuito. Deseja removê-los?\",\"183zcL\":\"Você tem impostos e taxas adicionados a um ingresso grátis. Você gostaria de removê-los ou ocultá-los?\",\"2v5MI1\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de ingressos específicos.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Você precisa verificar o e-mail da sua conta antes de poder enviar mensagens.\",\"8QNzin\":\"Você precisará de um ingresso antes de poder criar uma atribuição de capacidade.\",\"WHXRMI\":\"Você precisará de pelo menos um ticket para começar. Gratuito, pago ou deixa o usuário decidir quanto pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Seus participantes foram exportados com sucesso.\",\"nBqgQb\":\"Seu e-mail\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Seus pedidos foram exportados com sucesso.\",\"vvO1I2\":\"Sua conta Stripe está conectada e pronta para processar pagamentos.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"Devido ao alto risco de spam, exigimos verificação manual antes de você poder enviar mensagens.\\nEntre em contato conosco para solicitar acesso.\",\"8XAE7n\":\"Se você tem uma conta conosco, receberá um e-mail com instruções sobre como redefinir sua senha.\"}")}; \ 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\":[\"Eventos de \",[\"0\"]],\"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>As listas de registro ajudam a gerenciar a entrada dos participantes no seu evento. Você pode associar vários ingressos a uma lista de registro e garantir que apenas aqueles com ingressos válidos possam entrar.\",\"OXku3b\":\"<0>https://seu-website.com\",\"qnSLLW\":\"<0>Por favor, insira o preço sem incluir impostos e taxas.<1>Impostos e taxas podem ser adicionados abaixo.\",\"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\":\"✉️ Confirme seu endereço de e-mail\",\"BN0OQd\":\"🎉 Parabéns por criar um evento!\",\"4kSf7w\":\"🎟️ Adicionar produtos\",\"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\":\"10h00\",\"qdfdgM\":\"Rua Principal 123\",\"IoRZzD\":\"20\",\"+H1RMb\":\"01-01-2024 10:00\",\"Q/T49U\":\"01/01/2024 18:00\",\"hMT8+2\":\"94103\",\"efAM7X\":\"Um campo de data. Perfeito para pedir uma data de nascimento, etc.\",\"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\":\"Sobre o evento\",\"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\":\"Adicione detalhes do evento e gerencie as configurações do evento.\",\"OveehC\":\"Adicione instruções para pagamentos offline (por exemplo, detalhes de transferência bancária, onde enviar cheques, prazos de pagamento)\",\"LTVoRa\":\"Adicionar mais produtos\",\"ApsD9J\":\"Adicionar novo\",\"TZxnm8\":\"Adicionar opção\",\"24l4x6\":\"Adicionar Produto\",\"8q0EdE\":\"Adicionar Produto à Categoria\",\"YvCknQ\":\"Adicionar produtos\",\"Cw27zP\":\"Adicionar pergunta\",\"yWiPh+\":\"Adicionar imposto ou taxa\",\"goOKRY\":\"Adicionar nível\",\"oZW/gT\":\"Adicionar ao calendário\",\"pn5qSs\":\"Informações adicionais\",\"Y8DIQy\":\"Opções adicionais\",\"Du6bPw\":\"Endereço\",\"NY/x1b\":\"Endereço Linha 1\",\"POdIrN\":\"Endereço Linha 1\",\"cormHa\":\"Endereço linha 2\",\"gwk5gg\":\"endereço linha 2\",\"U3pytU\":\"Administrador\",\"HLDaLi\":\"Os usuários administradores têm acesso total aos eventos e configurações da conta.\",\"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\":\"Quase lá! Estamos apenas aguardando o processamento do seu pagamento. Isso deve levar apenas alguns segundos.\",\"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\":\"Um evento é o evento real que você está organizando. Você pode adicionar mais detalhes posteriormente.\",\"oBkF+i\":\"Um organizador é a empresa ou pessoa que hospeda o evento\",\"W5A0Ly\":\"Um erro inesperado ocorreu.\",\"byKna+\":\"Um erro inesperado ocorreu. Por favor, tente novamente.\",\"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\":\"Eventos arquivados\",\"q7TRd7\":\"Tem certeza de que deseja ativar este participante?\",\"TvkW9+\":\"Tem certeza de que deseja arquivar este evento?\",\"/CV2x+\":\"Tem certeza de que deseja cancelar este participante? Isso anulará o ingresso\",\"YgRSEE\":\"Tem certeza de que deseja excluir este código promocional?\",\"iU234U\":\"Tem certeza de que deseja excluir esta pergunta?\",\"CMyVEK\":\"Tem certeza de que deseja fazer o rascunho deste evento? Isso tornará o evento invisível para o público\",\"mEHQ8I\":\"Tem certeza de que deseja tornar este evento público? Isso tornará o evento visível ao público\",\"s4JozW\":\"Tem certeza de que deseja restaurar este evento? Ele será restaurado como um evento rascunho.\",\"vJuISq\":\"Tem certeza de que deseja excluir esta Atribuição de Capacidade?\",\"baHeCz\":\"Tem certeza de que deseja excluir esta lista de registro?\",\"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\":\"Participantes com um produto específico\",\"IMJ6rh\":\"Redimensionamento automático\",\"vZ5qKF\":\"Redimensione automaticamente a altura do widget com base no conteúdo. Quando desativado, o widget preencherá a altura do contêiner.\",\"4lVaWA\":\"Aguardando pagamento offline\",\"2rHwhl\":\"Aguardando pagamento offline\",\"3wF4Q/\":\"Aguardando pagamento\",\"ioG+xt\":\"Aguardando Pagamento\",\"3PmQfI\":\"Evento incrível\",\"Yrbm6T\":\"Impressionante Organizador Ltd.\",\"9002sI\":\"Voltar para todos os eventos\",\"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\":\"Antes que seu evento possa ir ao ar, há algumas coisas que você precisa fazer.\",\"ze6ETw\":\"Comece a vender produtos em minutos\",\"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\":\"Cancelar irá cancelar todos os produtos associados a este pedido e devolver os produtos ao estoque disponível.\",\"vv7kpg\":\"Cancelado\",\"U7nGvl\":\"Não é possível fazer o 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\":\"Alterar capa\",\"GptGxg\":\"Alterar a senha\",\"xMDm+I\":\"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\":\"Desmarcar\",\"5LDT6f\":\"Confira este evento!\",\"gXcPxc\":\"Check-in\",\"fVUbUy\":\"Lista de registro criada com sucesso\",\"+CeSxK\":\"Lista de registro excluída com sucesso\",\"+hBhWk\":\"A lista de registro expirou\",\"mBsBHq\":\"A lista de registro não está ativa\",\"vPqpQG\":\"Lista de check-in não encontrada\",\"tejfAy\":\"Listas de Registro\",\"hD1ocH\":\"URL de check-in copiada para a área de transferência\",\"CNafaC\":\"As opções de caixa de seleção permitem seleções múltiplas\",\"SpabVf\":\"Caixas de seleção\",\"CRu4lK\":\"Check-in\",\"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\":\"Clique aqui\",\"sby+1/\":\"Clique para copiar\",\"yz7wBu\":\"Fechar\",\"62Ciis\":\"Fechar barra lateral\",\"EWPtMO\":\"Código\",\"ercTDX\":\"O código deve ter entre 3 e 50 caracteres\",\"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\":\"Concluir pagamento\",\"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\":\"Cor de fundo do conteúdo\",\"xGVfLh\":\"Continuar\",\"X++RMT\":\"Texto do botão Continuar\",\"AfNRFG\":\"Texto do botão Continuar\",\"lIbwvN\":\"Continuar configuração do evento\",\"HB22j9\":\"Continuar a configuração\",\"bZEa4H\":\"Continuar a configuração do Stripe Connect\",\"6V3Ea3\":\"Copiado\",\"T5rdis\":\"Copiado para a área de transferência\",\"he3ygx\":\"cópia de\",\"r2B2P8\":\"Copiar URL de check-in\",\"8+cOrS\":\"Copiar detalhes para todos os participantes\",\"ENCIQz\":\"Link de cópia\",\"E6nRW7\":\"Copiar URL\",\"JNCzPW\":\"País\",\"IF7RiR\":\"Cobrir\",\"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\":\"Crie produtos para o seu evento, defina os preços e gerencie a quantidade disponível.\",\"sYpiZP\":\"Criar código promocional\",\"B3Mkdt\":\"Criar pergunta\",\"UKfi21\":\"Criar imposto ou taxa\",\"d+F6q9\":\"Criada\",\"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\":\"Painel\",\"mYGY3B\":\"Data\",\"JvUngl\":\"Data hora\",\"JJhRbH\":\"Capacidade do primeiro dia\",\"cnGeoo\":\"Excluir\",\"jRJZxD\":\"Excluir Capacidade\",\"VskHIx\":\"Excluir categoria\",\"Qrc8RZ\":\"Excluir Lista de Registro\",\"WHf154\":\"Excluir código\",\"heJllm\":\"Excluir capa\",\"KWa0gi\":\"Excluir imagem\",\"1l14WA\":\"Excluir produto\",\"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\":\"Liberar\",\"DZlSLn\":\"Etiqueta do documento\",\"cVq+ga\":\"Não tem uma conta? <0>Inscreva-se\",\"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\":\"Arraste e solte ou clique\",\"CfKofC\":\"Seleção suspensa\",\"JzLDvy\":\"Duplicar Atribuições de Capacidade\",\"ulMxl+\":\"Duplicar Listas de Check-In\",\"vi8Q/5\":\"Duplicar evento\",\"3ogkAk\":\"Duplicar evento\",\"Yu6m6X\":\"Duplicar a Imagem de Capa do Evento\",\"+fA4C7\":\"Duplicar Opções\",\"SoiDyI\":\"Duplicar Produtos\",\"57ALrd\":\"Duplicar códigos promocionais\",\"83Hu4O\":\"Duplicar perguntas\",\"20144c\":\"Duplicar configurações\",\"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 final\",\"237hSL\":\"Terminou\",\"nt4UkP\":\"Eventos encerrados\",\"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\":\"Evento criado com sucesso 🎉\",\"/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\":\"O evento não está visível ao público\",\"4pKXJS\":\"O evento é visível ao público\",\"ClwUUD\":\"Local do evento e detalhes do local\",\"OopDbA\":\"Página do evento\",\"4/If97\":\"Falha na atualização do status do evento. Por favor, tente novamente mais tarde\",\"btxLWj\":\"Status do evento atualizado\",\"nMU2d3\":\"URL do evento\",\"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\":\"Falha ao exportar participantes. Por favor, tente novamente.\",\"2uGNuE\":\"Falha ao exportar pedidos. Por favor, tente novamente.\",\"d+KKMz\":\"Falha ao carregar a Lista de Registro\",\"ZQ15eN\":\"Falha ao reenviar e-mail do ticket\",\"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\":\"Ir para a página inicial do evento\",\"ebIDwV\":\"Google Agenda\",\"RUz8o/\":\"vendas brutas\",\"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\":[\"Conferência Hi.Events \",[\"0\"]],\"verBst\":\"Centro de Conferências Hi.Events\",\"6eMEQO\":\"logotipo hi.events\",\"C4qOW8\":\"Escondido da vista do público\",\"gt3Xw9\":\"pergunta oculta\",\"g3rqFe\":\"perguntas ocultas\",\"k3dfFD\":\"As perguntas ocultas são visíveis apenas para o organizador do evento e não para o cliente.\",\"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\":\"Gostaria de pagar usando um método offline\",\"SdFlIP\":\"Gostaria de pagar usando um método online (cartão de crédito, etc.)\",\"93DUnd\":[\"Se uma nova guia não for aberta, <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\":\"As dimensões da imagem devem estar entre 4000px por 4000px. Com uma altura máxima de 4000px e uma largura máxima de 4000px\",\"uPEIvq\":\"A imagem deve ter menos de 5 MB\",\"AGZmwV\":\"Imagem enviada com sucesso\",\"VyUuZb\":\"URL da imagem\",\"ibi52/\":\"A largura da imagem deve ser de pelo menos 900 px e a altura de pelo menos 50 px\",\"NoNwIX\":\"Inativo\",\"T0K0yl\":\"Usuários inativos não podem fazer login.\",\"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\":\"Emitir reembolso\",\"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\":\"Saiba mais sobre Stripe\",\"enV0g0\":\"Deixe em branco para usar a palavra padrão \\\"Fatura\\\"\",\"vR92Yn\":\"Vamos começar criando seu primeiro organizador\",\"Z3FXyt\":\"Carregando...\",\"wJijgU\":\"Localização\",\"sQia9P\":\"Conecte-se\",\"zUDyah\":\"Fazendo login\",\"z0t9bb\":\"Conecte-se\",\"nOhz3x\":\"Sair\",\"F2jAFv\":\"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nome placerat elementum...\",\"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\":\"Gerencie seus detalhes de pagamento Stripe\",\"BfucwY\":\"Gerencie seus usuários e suas permissões\",\"1m+YT2\":\"Perguntas obrigatórias devem ser respondidas antes que o cliente possa finalizar a compra.\",\"Dim4LO\":\"Adicionar manualmente um participante\",\"e4KdjJ\":\"Adicionar participante manualmente\",\"vFjEnF\":\"Marcar como pago\",\"g9dPPQ\":\"Máximo por pedido\",\"l5OcwO\":\"Participante da mensagem\",\"Gv5AMu\":\"Participantes da mensagem\",\"oUCR3c\":\"Enviar mensagem para participantes com produtos específicos\",\"Lvi+gV\":\"Comprador de mensagens\",\"tNZzFb\":\"Conteúdo da mensagem\",\"lYDV/s\":\"Mensagem para participantes individuais\",\"V7DYWd\":\"Mensagem enviada\",\"t7TeQU\":\"Mensagens\",\"xFRMlO\":\"Mínimo por pedido\",\"QYcUEf\":\"Preço minimo\",\"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\":\"O nome deve ter menos de 150 caracteres\",\"AIUkyF\":\"Navegue até o participante\",\"qqeAJM\":\"Nunca\",\"7vhWI8\":\"Nova Senha\",\"1UzENP\":\"Não\",\"eRblWH\":[\"Nenhum \",[\"0\"],\" disponível.\"],\"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\":\"Nenhum participante poderá se registrar antes desta data usando esta lista\",\"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\":\"Não está à venda\",\"1DBGsz\":\"Notas\",\"jtrY3S\":\"Nada para mostrar ainda\",\"hFwWnI\":\"Configurações de notificação\",\"xXqEPO\":\"Notificar o comprador sobre o reembolso\",\"YpN29s\":\"Notificar o organizador sobre novos pedidos\",\"qeQhNj\":\"Agora vamos criar seu primeiro evento\",\"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 para pagamento offline\",\"+eZ7dp\":\"Pagamentos offline\",\"ojDQlR\":\"Informações sobre pagamentos offline\",\"u5oO/W\":\"Configurações de pagamentos offline\",\"2NPDz1\":\"À venda\",\"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\":\"Ordem #\",\"B3gPuX\":\"Pedido cancelado\",\"SIbded\":\"Encomenda completa\",\"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\":\"Cor de fundo da página\",\"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\":\"Visualização\",\"a7u1N9\":\"Preço\",\"CmoB9j\":\"Modo de exibição de preço\",\"BI7D9d\":\"Preço não definido\",\"Q8PWaJ\":\"Níveis de preços\",\"q6XHL1\":\"Tipo de Preço\",\"6RmHKN\":\"Cor primária\",\"G/ZwV1\":\"Cor Primária\",\"8cBtvm\":\"Cor do texto principal\",\"BZz12Q\":\"Imprimir\",\"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\":\"produtos vendidos\",\"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\":\"Quantidade Vendida\",\"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\":\"Referência\",\"gxFu7d\":[\"Valor do reembolso (\",[\"0\"],\")\"],\"WZbCR3\":\"Reembolso falhou\",\"n10yGu\":\"Pedido de reembolso\",\"zPH6gp\":\"Pedido de reembolso\",\"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\":\"Reenviar e-mail de confirmação\",\"lnrkNz\":\"Reenviar e-mail de confirmação\",\"wIa8Qe\":\"Reenviar convite\",\"VeKsnD\":\"Reenviar e-mail do pedido\",\"dFuEhO\":\"Reenviar e-mail do ticket\",\"o6+Y6d\":\"Reenviando...\",\"OfhWJH\":\"Redefinir\",\"RfwZxd\":\"Redefinir senha\",\"KbS2K9\":\"Redefinir senha\",\"e99fHm\":\"Restaurar evento\",\"vtc20Z\":\"Voltar à página do evento\",\"s8v9hq\":\"Voltar para a página do evento\",\"8YBH95\":\"Receita\",\"PO/sOY\":\"Revogar convite\",\"GDvlUT\":\"Papel\",\"ELa4O9\":\"Data de término da venda\",\"5uo5eP\":\"A venda terminou\",\"Qm5XkZ\":\"Data de início da venda\",\"hBsw5C\":\"Vendas encerradas\",\"kpAzPe\":\"Início das vendas\",\"P/wEOX\":\"São Francisco\",\"tfDRzk\":\"Salvar\",\"IUwGEM\":\"Salvar alterações\",\"U65fiW\":\"Salvar organizador\",\"UGT5vp\":\"Salvar configurações\",\"ovB7m2\":\"Digitalize o código QR\",\"EEU0+z\":\"Escaneie este código QR para acessar a página do evento ou compartilhe-o com outras pessoas\",\"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\":\"Cor secundária\",\"DnXcDK\":\"Cor Secundária\",\"cZF6em\":\"Cor do texto secundário\",\"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\":\"Compartilhar no Facebook\",\"x7i6H+\":\"Compartilhar no LinkedIn\",\"zziQd8\":\"Compartilhar no Pinterest\",\"/TgBEk\":\"Compartilhar no Reddit\",\"0Wlk5F\":\"Compartilhar em redes sociais\",\"on+mNS\":\"Compartilhar no Telegram\",\"PcmR+m\":\"Compartilhar no WhatsApp\",\"/5b1iZ\":\"Compartilhar no X\",\"n/T2KI\":\"Compartilhar por e-mail\",\"8vETh9\":\"Mostrar\",\"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 deu errado\",\"GRChTw\":\"Algo deu errado ao excluir o imposto ou taxa\",\"YHFrbe\":\"Algo deu errado! Por favor, tente novamente\",\"kf83Ld\":\"Algo deu errado.\",\"fWsBTs\":\"Algo deu errado. Por favor, tente novamente.\",\"F6YahU\":\"Desculpe, algo deu errado. Por favor, reinicie o processo de checkout.\",\"KWgppI\":\"Desculpe, algo deu errado ao carregar esta página.\",\"/TCOIK\":\"Desculpe, este pedido não existe mais.\",\"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\":\"Esta descrição será mostrada à equipe de registro\",\"MLTkH7\":\"Este e-mail não é promocional e está diretamente relacionado ao evento.\",\"2eIpBM\":\"Este evento não está disponível no momento. Por favor, volte mais tarde.\",\"Z6LdQU\":\"Este evento não está disponível.\",\"MMd2TJ\":\"Estas informações serão exibidas na página de pagamento, na página de 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\":\"Esta lista não estará mais disponível para registros após esta data\",\"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\":\"Esse pedido foi cancelado\",\"YyEJij\":\"Esse pedido foi cancelado.\",\"Q0zd4P\":\"Este pedido expirou. Por favor, recomece.\",\"HILpDX\":\"Este pedido está aguardando pagamento\",\"BdYtn9\":\"Este pedido está completo\",\"e3uMJH\":\"Este pedido está completo.\",\"YNKXOK\":\"Este pedido está sendo processado.\",\"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\":\"Este produto está oculto da visualização pública\",\"Y/x1MZ\":\"Este produto está oculto a menos que seja direcionado por um Código Promocional\",\"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\":\"Título\",\"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 restante\",\"/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\":\"Carregar capa\",\"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\":\"Ver detalhes do pedido\",\"QIWCnW\":\"Lista de check-in VIP\",\"tF+VVr\":\"Bilhete VIP\",\"2q/Q7x\":\"Visibilidade\",\"vmOFL/\":\"Não foi possível processar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"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.\",\"VGioT0\":\"Recomendamos dimensões de 2160px por 1080px e tamanho máximo de arquivo de 5MB\",\"b9UB/w\":\"Usamos Stripe para processar pagamentos. Conecte sua conta Stripe para começar a receber pagamentos.\",\"01WH0a\":\"Não foi possível confirmar seu pagamento. Tente novamente ou entre em contato com o suporte.\",\"Gspam9\":\"Estamos processando seu pedido. Por favor, aguarde...\",\"LuY52w\":\"Bem vindo a bordo! Por favor faça o login para continuar.\",\"dVxpp5\":[\"Bem vindo de volta\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Bem-vindo ao Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"O que são Produtos em Camadas?\",\"f1jUC0\":\"Em que data esta lista de registro deve se tornar ativa?\",\"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\":\"Quando esta lista de registro deve expirar?\",\"FVetkT\":\"Quais ingressos devem ser associados a esta lista de registro?\",\"S+OdxP\":\"Quem está organizando este evento?\",\"LINr2M\":\"Para quem é esta mensagem?\",\"nWhye/\":\"A quem deve ser feita esta pergunta?\",\"VxFvXQ\":\"Incorporação de widget\",\"v1P7Gm\":\"Configurações de widget\",\"b4itZn\":\"Trabalhando\",\"hqmXmc\":\"Trabalhando...\",\"+G/XiQ\":\"Ano até agora\",\"l75CjT\":\"Sim\",\"QcwyCh\":\"Sim, remova-os\",\"ySeBKv\":\"Você já escaneou este ingresso\",\"P+Sty0\":[\"Você está alterando seu e-mail para <0>\",[\"0\"],\".\"],\"gGhBmF\":\"Você está offline\",\"sdB7+6\":\"Você pode criar um código promocional que direcione este produto no\",\"KRhIxT\":\"Agora você pode começar a receber pagamentos através do Stripe.\",\"Gnjf3o\":\"Você não pode mudar o tipo de produto, pois há participantes associados a este produto.\",\"S+on7c\":\"Você não pode registrar participantes com pedidos não pagos.\",\"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\":\"Você não tem permissão para acessar esta página\",\"BRArmD\":\"Você tem acesso a várias contas. Escolha um para continuar.\",\"Z6q0Vl\":\"Você já aceitou este convite. Por favor faça o login para continuar.\",\"rdk1xK\":\"Você conectou sua conta Stripe\",\"ofEncr\":\"Você não tem perguntas dos participantes.\",\"CoZHDB\":\"Você não tem perguntas sobre pedidos.\",\"15qAvl\":\"Você não tem nenhuma alteração de e-mail pendente.\",\"n81Qk8\":\"Você não concluiu a configuração do Stripe Connect\",\"jxsiqJ\":\"Você não conectou sua conta Stripe\",\"+FWjhR\":\"O tempo para concluir seu pedido acabou.\",\"MycdJN\":\"Você tem impostos e taxas adicionados a um Produto Gratuito. Gostaria de removê-los ou ocultá-los?\",\"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\":\"Você deve confirmar seu endereço de e-mail antes que seu evento possa ir ao ar.\",\"H35u3n\":\"Você deve criar um ticket antes de poder adicionar manualmente um participante.\",\"jE4Z8R\":\"Você deve ter pelo menos uma faixa de preço\",\"8/eLoa\":\"Você precisa verificar sua conta antes de enviar mensagens.\",\"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\":[\"Você vai para \",[\"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\":\"Seu pedido está aguardando pagamento 🏦\",\"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\":\"Seu produto para\",\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" webhooks ativos\"],\"tmew5X\":[[\"0\"],\" fez check-in\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" eventos\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>O número de ingressos disponíveis para este ingresso<1>Este valor pode ser substituído se houver <2>Limites de Capacidade associados a este ingresso.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Adicionar ingressos\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 webhook ativo\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"Um \",[\"type\"],\" padrão é aplicado automaticamente a todos os novos tickets. Você pode substituir isso por ticket.\"],\"Pgaiuj\":\"Um valor fixo por ingresso. Por exemplo, US$ 0,50 por ingresso\",\"ySO/4f\":\"Uma porcentagem do preço do ingresso. Por exemplo, 3,5% do preço do bilhete\",\"WXeXGB\":\"Um código promocional sem desconto pode ser usado para revelar ingressos ocultos.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"Uma única pergunta por participante. Por exemplo, qual é a sua refeição preferida?\",\"ap3v36\":\"Uma única pergunta por pedido. Por exemplo, qual é o nome da sua empresa?\",\"uyJsf6\":\"Sobre\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Sobre o Stripe Connect\",\"VTfZPy\":\"Acesso negado\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Adicionar\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Adicionar mais ingressos\",\"BGD9Yt\":\"Adicionar ingressos\",\"QN2F+7\":\"Adicionar Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Afiliados\",\"gKq1fa\":\"Todos os participantes\",\"QsYjci\":\"Todos os eventos\",\"/twVAS\":\"Todos os Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"Ocorreu um erro ao verificar o status da exportação.\",\"er3d/4\":\"Ocorreu um erro ao classificar os tickets. Tente novamente ou atualize a página\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Um evento é a reunião ou ocasião que você está organizando. Você pode adicionar mais detalhes depois.\",\"QNrkms\":\"Resposta atualizada com sucesso.\",\"j4DliD\":\"Quaisquer dúvidas dos titulares de ingressos serão enviadas para este endereço de e-mail. Este também será usado como endereço de \\\"resposta\\\" para todos os e-mails enviados neste evento\",\"epTbAK\":[\"Aplica-se a \",[\"0\"],\" ingressos\"],\"6MkQ2P\":\"Aplica-se a 1 ingresso\",\"jcnZEw\":[\"Aplique este \",[\"type\"],\" a todos os novos tickets\"],\"Dy+k4r\":\"Tem certeza de que deseja cancelar este participante? Isso invalidará o produto dele\",\"5H3Z78\":\"Tem certeza de que deseja excluir este webhook?\",\"2xEpch\":\"Pergunte uma vez por participante\",\"F2rX0R\":\"Pelo menos um tipo de evento deve ser selecionado\",\"AJ4rvK\":\"Participante cancelado\",\"qvylEK\":\"Participante criado\",\"Xc2I+v\":\"Gestão de participantes\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Participante atualizado\",\"k3Tngl\":\"Participantes exportados\",\"5UbY+B\":\"Participantes com um ingresso específico\",\"kShOaz\":\"Fluxo de trabalho automatizado\",\"VPoeAx\":\"Gestão automatizada de entrada com várias listas de check-in e validação em tempo real\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Desconto médio/Pedido\",\"sGUsYa\":\"Valor médio do pedido\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Detalhes básicos\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Comece a vender ingressos em minutos\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Controle de marca\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Cancelado\",\"Ud7zwq\":\"O cancelamento cancelará todos os ingressos associados a este pedido e os liberará de volta ao pool disponível.\",\"QndF4b\":\"check-in\",\"9FVFym\":\"Confira\",\"Y3FYXy\":\"Check-in\",\"udRwQs\":\"Check-in criado\",\"F4SRy3\":\"Check-in excluído\",\"rfeicl\":\"Registrado com sucesso\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinês\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"fechar\",\"msqIjo\":\"Recolher este bilhete ao carregar inicialmente a página do evento\",\"/sZIOR\":\"Loja completa\",\"7D9MJz\":\"Concluir configuração do Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Documentação de conexão\",\"MOUF31\":\"Conecte-se ao CRM e automatize tarefas usando webhooks e integrações\",\"/3017M\":\"Conectado ao Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contactar o suporte\",\"nBGbqc\":\"Entre em contato conosco para ativar a mensagem\",\"RGVUUI\":\"Continuar para o pagamento\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Crie e personalize sua página de evento instantaneamente\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Criar ingresso\",\"agZ87r\":\"Crie ingressos para o seu evento, defina preços e gerencie a quantidade disponível.\",\"dkAPxi\":\"Criar Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Personalize sua página do evento e o design do widget para combinar perfeitamente com sua marca\",\"zgCHnE\":\"Relatório de vendas diárias\",\"nHm0AI\":\"Detalhamento das vendas diárias, impostos e taxas\",\"PqrqgF\":\"Lista de Registro do Primeiro Dia\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Excluir tíquete\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Excluir webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Desative esta capacidade para monitorar sem interromper as vendas de produtos\",\"Tgg8XQ\":\"Desative esta capacidade para rastrear a capacidade sem interromper as vendas de ingressos\",\"TvY/XA\":\"Documentação\",\"dYskfr\":\"Não existe\",\"V6Jjbr\":\"Não tem uma conta? <0>Cadastre-se\",\"4+aC/x\":\"Doação / Pague o que quiser\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Arraste para classificar\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicar produto\",\"Wt9eV8\":\"Duplicar bilhetes\",\"4xK5y2\":\"Duplicar Webhooks\",\"2iZEz7\":\"Editar resposta\",\"kNGp1D\":\"Editar participante\",\"t2bbp8\":\"Editar participante\",\"d+nnyk\":\"Editar ingresso\",\"fW5sSv\":\"Editar webhook\",\"nP7CdQ\":\"Editar Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Ative esta capacidade para interromper as vendas de ingressos quando o limite for atingido\",\"RxzN1M\":\"Ativado\",\"LslKhj\":\"Erro ao carregar os registros\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Evento não disponível\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Tipos de eventos\",\"VlvpJ0\":\"Exportar respostas\",\"JKfSAv\":\"Falha na exportação. Por favor, tente novamente.\",\"SVOEsu\":\"Exportação iniciada. Preparando arquivo...\",\"jtrqH9\":\"Exportando participantes\",\"R4Oqr8\":\"Exportação concluída. Baixando arquivo...\",\"UlAK8E\":\"Exportando pedidos\",\"Jjw03p\":\"Falha ao exportar participantes\",\"ZPwFnN\":\"Falha ao exportar pedidos\",\"X4o0MX\":\"Falha ao carregar o Webhook\",\"10XEC9\":\"Falha ao reenviar o e-mail do produto\",\"lKh069\":\"Falha ao iniciar a exportação\",\"NNc33d\":\"Falha ao atualizar a resposta.\",\"YirHq7\":\"Opinião\",\"T4BMxU\":\"As taxas estão sujeitas a alterações. Você será notificado sobre quaisquer mudanças na estrutura de taxas.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Taxa fixa:\",\"KgxI80\":\"Bilhetagem flexível\",\"/4rQr+\":\"Bilhete grátis\",\"01my8x\":\"Bilhete grátis, sem necessidade de informações de pagamento\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Comece gratuitamente, sem taxas de assinatura\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Ir para Hi.Events\",\"Lek3cJ\":\"Ir para o painel do Stripe\",\"GNJ1kd\":\"Ajuda e Suporte\",\"spMR9y\":\"Hi.Events cobra taxas de plataforma para manter e melhorar nossos serviços. Essas taxas são automaticamente deduzidas de cada transação.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"Ocultar respostas\",\"fsi6fC\":\"Ocultar este ticket dos clientes\",\"Fhzoa8\":\"Ocultar ingresso após a data de término da venda\",\"yhm3J/\":\"Ocultar ingresso antes da data de início da venda\",\"k7/oGT\":\"Ocultar ingresso, a menos que o usuário tenha o código promocional aplicável\",\"L0ZOiu\":\"Ocultar ingresso quando esgotado\",\"uno73L\":\"Ocultar um ingresso impedirá que os usuários o vejam na página do evento.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"Se estiver em branco, o endereço será usado para gerar um link do mapa do Google\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"As dimensões da imagem devem estar entre 3.000 px e 2.000 px. Com altura máxima de 2.000 px e largura máxima de 3.000 px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Inclua detalhes de conexão para o seu evento online. Esses detalhes serão exibidos na página de resumo do pedido e na página do produto do participante\",\"evpD4c\":\"Inclua detalhes de conexão para seu evento online. Esses detalhes serão mostrados na página de resumo do pedido e na página do ingresso do participante\",\"AXTNr8\":[\"Inclui \",[\"0\"],\" ingressos\"],\"7/Rzoe\":\"Inclui 1 ingresso\",\"F1Xp97\":\"Participantes individuais\",\"nbfdhU\":\"Integrações\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Última resposta\",\"gw3Ur5\":\"Última ativação\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Carregando webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Gerenciar produtos\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Gerencie impostos e taxas que podem ser aplicadas aos seus ingressos\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Gerencie seu processamento de pagamentos e visualize as taxas da plataforma\",\"lzcrX3\":\"Adicionar manualmente um participante ajustará a quantidade de ingressos.\",\"1jRD0v\":\"Enviar mensagens aos participantes com tickets específicos\",\"97QrnA\":\"Envie mensagens aos participantes, gerencie pedidos e processe reembolsos em um só lugar\",\"0/yJtP\":\"Enviar mensagem para proprietários de pedidos com produtos específicos\",\"tccUcA\":\"Check-in móvel\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Várias opções de preços. Perfeito para ingressos antecipados, etc.\",\"m920rF\":\"New York\",\"074+X8\":\"Nenhum webhook ativo\",\"6r9SGl\":\"Nenhum cartão de crédito necessário\",\"Z6ILSe\":\"Nenhum evento para este organizador\",\"XZkeaI\":\"Nenhum registro encontrado\",\"zK/+ef\":\"Nenhum produto disponível para seleção\",\"q91DKx\":\"Nenhuma pergunta foi respondida por este participante.\",\"QoAi8D\":\"Sem resposta\",\"EK/G11\":\"Ainda sem respostas\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"Não há ingressos para mostrar\",\"n5vdm2\":\"Nenhum evento de webhook foi registrado para este endpoint ainda. Os eventos aparecerão aqui assim que forem acionados.\",\"4GhX3c\":\"Nenhum Webhook\",\"x5+Lcz\":\"Não verificado\",\"+P/tII\":\"Quando estiver pronto, programe seu evento ao vivo e comece a vender ingressos.\",\"bU7oUm\":\"Enviar apenas para pedidos com esses status\",\"ppuQR4\":\"Pedido criado\",\"L4kzeZ\":[\"Detalhes do pedido \",[\"0\"]],\"vu6Arl\":\"Pedido marcado como pago\",\"FaPYw+\":\"Proprietário do pedido\",\"eB5vce\":\"Proprietários de pedidos com um produto específico\",\"CxLoxM\":\"Proprietários de pedidos com produtos\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Pedido reembolsado\",\"6eSHqs\":\"Status dos pedidos\",\"e7eZuA\":\"Pedido atualizado\",\"mz+c33\":\"Pedidos criados\",\"5It1cQ\":\"Pedidos exportados\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Os organizadores só podem gerenciar eventos e ingressos. Eles não podem gerenciar usuários, configurações de conta ou informações de cobrança.\",\"2w/FiJ\":\"Bilhete Pago\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Pausado\",\"TskrJ8\":\"Pagamento e plano\",\"EyE8E6\":\"Processamento de pagamento\",\"vcyz2L\":\"Configurações de pagamento\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Fazer pedido\",\"br3Y/y\":\"Taxas da plataforma\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Por favor, insira uma URL válida\",\"MA04r/\":\"Remova os filtros e defina a classificação como \\\"Ordem da página inicial\\\" para ativar a classificação\",\"yygcoG\":\"Selecione pelo menos um ingresso\",\"fuwKpE\":\"Por favor, tente novamente.\",\"o+tJN/\":\"Por favor, aguarde enquanto preparamos seus participantes para exportação...\",\"+5Mlle\":\"Por favor, aguarde enquanto preparamos seus pedidos para exportação...\",\"R7+D0/\":\"Português (Brasil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Desenvolvido por Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"produto\",\"EWCLpZ\":\"Produto criado\",\"XkFYVB\":\"Produto excluído\",\"0dzBGg\":\"O e-mail do produto foi reenviado para o participante\",\"YMwcbR\":\"Detalhamento das vendas de produtos, receitas e impostos\",\"ldVIlB\":\"Produto atualizado\",\"mIqT3T\":\"Produtos, mercadorias e opções de preços flexíveis\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Código promocional\",\"k3wH7i\":\"Uso de códigos promocionais e detalhamento de descontos\",\"812gwg\":\"Licença de compra\",\"YwNJAq\":\"Leitura de QR code com feedback instantâneo e compartilhamento seguro para acesso da equipe\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Reenviar e-mail do produto\",\"slOprG\":\"Redefina sua senha\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Pesquise por nome, número do pedido, número do participante ou e-mail...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Pesquisar por nome do ticket...\",\"j9cPeF\":\"Selecionar tipos de eventos\",\"XH5juP\":\"Selecione o nível do ingresso\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Selecione quais eventos acionarão este webhook\",\"VtX8nW\":\"Venda produtos junto com ingressos com suporte integrado para impostos e códigos promocionais\",\"Cye3uV\":\"Venda mais do que ingressos\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Enviar confirmação do pedido e e-mail do produto\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Configuração em minutos\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Mostrar quantidade de ingressos disponíveis\",\"j3b+OW\":\"Mostrado ao cliente após a finalização da compra, na página de resumo do pedido\",\"v6IwHE\":\"Check-in inteligente\",\"J9xKh8\":\"Painel inteligente\",\"KTxc6k\":\"Algo deu errado, tente novamente ou entre em contato com o suporte se o problema persistir\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Desculpe, seu pedido expirou. Por favor, inicie um novo pedido.\",\"a4SyEE\":\"A classificação está desativada enquanto os filtros e a classificação são aplicados\",\"4nG1lG\":\"Bilhete padrão com preço fixo\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Verificado com sucesso <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Ticket criado com sucesso\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Produto duplicado com sucesso\",\"g2lRrH\":\"Ticket atualizado com sucesso\",\"kj7zYe\":\"Webhook atualizado com sucesso\",\"5gIl+x\":\"Suporte para vendas escalonadas, baseadas em doações e de produtos com preços e capacidades personalizáveis\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"O número máximo de bilhetes para \",[\"0\"],\" é \",[\"1\"]],\"FeAfXO\":[\"O número máximo de ingressos para generais é \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"Os impostos e taxas aplicáveis a este bilhete. Você pode criar novos impostos e taxas sobre o\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"Não há ingressos disponíveis para este evento\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"Isso substituirá todas as configurações de visibilidade e ocultará o ticket de todos os clientes.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"Este ticket não pode ser excluído porque é\\nassociado a um pedido. Você pode ocultá-lo.\",\"ma6qdu\":\"Este ingresso está oculto da visualização pública\",\"xJ8nzj\":\"Este ingresso fica oculto, a menos que seja alvo de um código promocional\",\"KosivG\":\"Ticket excluído com sucesso\",\"HGuXjF\":\"Portadores de ingressos\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Venda de ingressos\",\"NirIiz\":\"Nível de ingresso\",\"8jLPgH\":\"Tipo de bilhete\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Visualização do widget de ingressos\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ingressos\",\"6GQNLE\":\"Ingressos\",\"ikA//P\":\"bilhetes vendidos\",\"i+idBz\":\"Ingressos vendidos\",\"AGRilS\":\"Ingressos vendidos\",\"56Qw2C\":\"Tickets classificados com sucesso\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Bilhete em camadas\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Os ingressos escalonados permitem que você ofereça várias opções de preços para o mesmo ingresso.\\nIsso é perfeito para ingressos antecipados ou com preços diferentes\\nopções para diferentes grupos de pessoas.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Acompanhe receitas, visualizações de página e vendas com análises detalhadas e relatórios exportáveis\",\"OpKMSn\":\"Taxa de transação:\",\"mLGbAS\":[\"Não foi possível \",[\"0\"],\" participante\"],\"nNdxt9\":\"Não foi possível criar o ticket. Por favor verifique os seus dados\",\"IrVSu+\":\"Não foi possível duplicar o produto. Por favor, verifique seus dados\",\"ZBAScj\":\"Participante desconhecido\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"A URL é obrigatória\",\"fROFIL\":\"Vietnamita\",\"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\",\"AM+zF3\":\"Ver participante\",\"e4mhwd\":\"Ver página inicial do evento\",\"n6EaWL\":\"Ver logs\",\"AMkkeL\":\"Ver pedido\",\"MXm9nr\":\"Produto VIP\",\"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\",\"jupD+L\":\"Bem-vindo de volta 👋\",\"je8QQT\":\"Bem-vindo ao Hi.Events 👋\",\"wjqPqF\":\"O que são ingressos diferenciados?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"O que é um webhook?\",\"MhhnvW\":\"A quais ingressos esse código se aplica? (Aplica-se a todos por padrão)\",\"dCil3h\":\"A quais tickets esta pergunta deve ser aplicada?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"Você pode criar um código promocional direcionado a este ingresso no\",\"UqVaVO\":\"Você não pode alterar o tipo de ingresso porque há participantes associados a esse ingresso.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"Você não pode excluir esse nível de preço porque já existem ingressos vendidos para esse nível. Você pode ocultá-lo.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"Você adicionou taxas e impostos a um produto gratuito. Deseja removê-los?\",\"183zcL\":\"Você tem impostos e taxas adicionados a um ingresso grátis. Você gostaria de removê-los ou ocultá-los?\",\"2v5MI1\":\"Você ainda não enviou nenhuma mensagem. Você pode enviar mensagens para todos os participantes ou para portadores de ingressos específicos.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Você precisa verificar o e-mail da sua conta antes de poder enviar mensagens.\",\"8QNzin\":\"Você precisará de um ingresso antes de poder criar uma atribuição de capacidade.\",\"WHXRMI\":\"Você precisará de pelo menos um ticket para começar. Gratuito, pago ou deixa o usuário decidir quanto pagar.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Seus participantes foram exportados com sucesso.\",\"nBqgQb\":\"Seu e-mail\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Seus pedidos foram exportados com sucesso.\",\"vvO1I2\":\"Sua conta Stripe está conectada e pronta para processar pagamentos.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"\\\"\\\"Devido ao alto risco de spam, exigimos uma verificação manual antes que você possa enviar mensagens.\\n\\\"\\\"Por favor, entre em contato conosco para solicitar acesso.\\\"\\\"\",\"8XAE7n\":\"\\\"\\\"Se você tem uma conta conosco, receberá um e-mail com instruções para redefinir sua\\n\\\"\\\"senha.\\\"\\\"\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/pt.po b/frontend/src/locales/pt.po index 912b16f5bb..f05fe761b3 100644 --- a/frontend/src/locales/pt.po +++ b/frontend/src/locales/pt.po @@ -22,14 +22,16 @@ msgstr "'Não há nada para mostrar ainda'" #~ "\"\"Due to the high risk of spam, we require manual verification before you can send messages.\n" #~ "\"\"Please contact us to request access." #~ msgstr "" -#~ "Devido ao alto risco de spam, exigimos verificação manual antes de você poder enviar mensagens.\n" -#~ "Entre em contato conosco para solicitar acesso." +#~ "\"\"Devido ao alto risco de spam, exigimos uma verificação manual antes que você possa enviar mensagens.\n" +#~ "\"\"Por favor, entre em contato conosco para solicitar acesso.\"\"" #: src/components/routes/auth/ForgotPassword/index.tsx:40 #~ msgid "" #~ "\"\"If you have an account with us, you will receive an email with instructions on how to reset your\n" #~ "\"\"password." -#~ msgstr "Se você tem uma conta conosco, receberá um e-mail com instruções sobre como redefinir sua senha." +#~ msgstr "" +#~ "\"\"Se você tem uma conta conosco, receberá um e-mail com instruções para redefinir sua\n" +#~ "\"\"senha.\"\"" #: src/components/common/ReportTable/index.tsx:303 #: src/locales.ts:56 @@ -268,7 +270,7 @@ msgstr "Uma única pergunta por produto. Ex: Qual é o seu tamanho de camiseta?" msgid "A standard tax, like VAT or GST" msgstr "Um imposto padrão, como IVA ou GST" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "Sobre" @@ -316,7 +318,7 @@ msgstr "Conta atualizada com sucesso" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "Ações" @@ -350,11 +352,11 @@ msgstr "Adicione quaisquer notas sobre o participante. Estas não serão visíve msgid "Add any notes about the attendee..." msgstr "Adicione quaisquer notas sobre o participante..." -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "Adicione quaisquer notas sobre o pedido. Estas não serão visíveis para o cliente." -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "Adicione quaisquer notas sobre o pedido..." @@ -398,7 +400,7 @@ msgstr "Adicionar Produto à Categoria" msgid "Add products" msgstr "Adicionar produtos" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "Adicionar pergunta" @@ -443,8 +445,8 @@ msgid "Address line 1" msgstr "Endereço Linha 1" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "Endereço Linha 1" @@ -453,8 +455,8 @@ msgid "Address line 2" msgstr "Endereço linha 2" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "endereço linha 2" @@ -523,11 +525,15 @@ msgstr "Quantia" msgid "Amount paid ({0})" msgstr "Valor pago ({0})" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "Ocorreu um erro ao verificar o status da exportação." + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "Ocorreu um erro ao carregar a página" -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "Ocorreu um erro ao classificar as perguntas. Tente novamente ou atualize a página" @@ -555,6 +561,10 @@ msgstr "Um erro inesperado ocorreu." msgid "An unexpected error occurred. Please try again." msgstr "Um erro inesperado ocorreu. Por favor, tente novamente." +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "Resposta atualizada com sucesso." + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "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" @@ -635,7 +645,7 @@ msgstr "Tem certeza de que deseja cancelar este participante? Isso anulará o in msgid "Are you sure you want to delete this promo code?" msgstr "Tem certeza de que deseja excluir este código promocional?" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "Tem certeza de que deseja excluir esta pergunta?" @@ -679,7 +689,7 @@ msgstr "Perguntar uma vez por produto" msgid "At least one event type must be selected" msgstr "Pelo menos um tipo de evento deve ser selecionado" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "Participante" @@ -707,7 +717,7 @@ msgstr "Participante não encontrado" msgid "Attendee Notes" msgstr "Notas do participante" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "Perguntas dos participantes" @@ -723,7 +733,7 @@ msgstr "Participante atualizado" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "Participantes" @@ -773,7 +783,7 @@ msgstr "Redimensione automaticamente a altura do widget com base no conteúdo. Q msgid "Awaiting offline payment" msgstr "Aguardando pagamento offline" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -802,8 +812,8 @@ msgid "Back to all events" msgstr "Voltar para todos os eventos" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "Voltar à página do evento" @@ -840,7 +850,7 @@ msgstr "Antes que seu evento possa ir ao ar, há algumas coisas que você precis #~ msgid "Begin selling tickets in minutes" #~ msgstr "Comece a vender ingressos em minutos" -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "Endereço de cobrança" @@ -875,6 +885,7 @@ msgstr "A permissão da câmera foi negada. <0>Solicite permissão novamente #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -911,7 +922,7 @@ msgstr "Cancelar irá cancelar todos os produtos associados a este pedido e devo #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "Cancelado" @@ -1082,8 +1093,8 @@ msgstr "Escolha uma conta" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "Cidade" @@ -1099,8 +1110,13 @@ msgstr "Clique aqui" msgid "Click to copy" msgstr "Clique para copiar" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "fechar" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "Fechar" @@ -1147,11 +1163,11 @@ msgstr "Em breve" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "Palavras-chave separadas por vírgulas que descrevem o evento. Eles serão usados pelos mecanismos de pesquisa para ajudar a categorizar e indexar o evento" -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" msgstr "Ordem completa" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "Concluir pagamento" @@ -1169,7 +1185,7 @@ msgstr "Concluir configuração do Stripe" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "Concluído" @@ -1260,7 +1276,7 @@ msgstr "Cor de fundo do conteúdo" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "Continuar" @@ -1309,7 +1325,7 @@ msgstr "cópia de" msgid "Copy Check-In URL" msgstr "Copiar URL de check-in" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "Copiar detalhes para todos os participantes" @@ -1324,7 +1340,7 @@ msgstr "Copiar URL" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "País" @@ -1516,7 +1532,7 @@ msgstr "Detalhamento das vendas diárias, impostos e taxas" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "Zona de perigo" @@ -1535,8 +1551,8 @@ msgid "Date" msgstr "Data" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "Data hora" +#~ msgid "Date & Time" +#~ msgstr "Data hora" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1580,7 +1596,7 @@ msgstr "Excluir imagem" msgid "Delete product" msgstr "Excluir produto" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "Excluir pergunta" @@ -1604,7 +1620,7 @@ msgstr "Descrição" msgid "Description for check-in staff" msgstr "Descrição para a equipe de registro" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "Detalhes" @@ -1771,8 +1787,8 @@ msgid "Early bird" msgstr "Madrugador" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "Editar" @@ -1780,6 +1796,10 @@ msgstr "Editar" msgid "Edit {0}" msgstr "Editar {0}" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "Editar resposta" + #: src/components/common/AttendeeTable/index.tsx:174 #~ msgid "Edit attendee" #~ msgstr "Editar participante" @@ -1834,7 +1854,7 @@ msgstr "Editar Categoria de Produto" msgid "Edit Promo Code" msgstr "Editar código promocional" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "Editar pergunta" @@ -1896,16 +1916,16 @@ msgstr "Configurações de e-mail e notificação" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "Endereço de email" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "Endereço de email" @@ -2096,15 +2116,31 @@ msgid "Expiry Date" msgstr "Data de validade" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "Exportar" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "Exportar respostas" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "Falha na exportação. Por favor, tente novamente." + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "Exportação iniciada. Preparando arquivo..." + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "Exportando participantes" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "Exportação concluída. Baixando arquivo..." + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "Exportando pedidos" @@ -2116,7 +2152,7 @@ msgstr "Falha ao cancelar participante" msgid "Failed to cancel order" msgstr "Falha ao cancelar pedido" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "Falha ao excluir a mensagem. Por favor, tente novamente." @@ -2133,7 +2169,7 @@ msgstr "Falha ao exportar participantes" #~ msgid "Failed to export attendees. Please try again." #~ msgstr "Falha ao exportar participantes. Por favor, tente novamente." -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "Falha ao exportar pedidos" @@ -2161,6 +2197,14 @@ msgstr "Falha ao reenviar e-mail do ticket" msgid "Failed to sort products" msgstr "Falha ao ordenar os produtos" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "Falha ao iniciar a exportação" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "Falha ao atualizar a resposta." + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -2183,7 +2227,7 @@ msgstr "Tarifas" 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." -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "Filtrar pedidos" @@ -2200,22 +2244,22 @@ msgstr "Filtros ({activeFilterCount})" msgid "First Invoice Number" msgstr "Primeiro número da fatura" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" msgstr "Primeiro nome" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" msgstr "Primeiro nome" @@ -2224,7 +2268,7 @@ msgstr "Primeiro nome" msgid "First name must be between 1 and 50 characters" msgstr "O nome deve ter entre 1 e 50 caracteres" -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "Nome, Sobrenome e Endereço de E-mail são perguntas padrão e estão sempre incluídas no processo de checkout." @@ -2307,7 +2351,7 @@ msgstr "Começando" msgid "Go back to profile" msgstr "Voltar ao perfil" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "Ir para a página inicial do evento" @@ -2385,11 +2429,11 @@ msgstr "logotipo hi.events" msgid "Hidden from public view" msgstr "Escondido da vista do público" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "pergunta oculta" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "perguntas ocultas" @@ -2402,11 +2446,15 @@ msgstr "As perguntas ocultas são visíveis apenas para o organizador do evento msgid "Hide" msgstr "Esconder" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "Ocultar respostas" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "Ocultar página de primeiros passos" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "Ocultar perguntas ocultas" @@ -2483,7 +2531,7 @@ msgid "Homepage Preview" msgstr "Visualização da página inicial" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "Homero" @@ -2667,7 +2715,7 @@ msgstr "Configurações da fatura" msgid "Issue refund" msgstr "Emitir reembolso" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "Item" @@ -2727,20 +2775,20 @@ msgstr "Último Login" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "Sobrenome" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "Sobrenome" @@ -2777,7 +2825,6 @@ msgstr "Carregando webhooks" msgid "Loading..." msgstr "Carregando..." -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -2990,7 +3037,7 @@ msgstr "Meu incrível título de evento..." msgid "My Profile" msgstr "Meu perfil" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "N/D" @@ -3018,7 +3065,8 @@ msgstr "Nome" msgid "Name should be less than 150 characters" msgstr "O nome deve ter menos de 150 caracteres" -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "Navegue até o participante" @@ -3039,8 +3087,8 @@ msgid "No" msgstr "Não" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "Nenhum {0} disponível." +#~ msgid "No {0} available." +#~ msgstr "Nenhum {0} disponível." #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -3050,11 +3098,11 @@ msgstr "Nenhum webhook ativo" msgid "No archived events to show." msgstr "Não há eventos arquivados para mostrar." -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "Nenhum participante encontrado para este pedido." -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "Nenhum participante foi adicionado a este pedido." @@ -3146,7 +3194,7 @@ msgstr "Nenhum Produto Ainda" msgid "No Promo Codes to show" msgstr "Nenhum código promocional para mostrar" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "Nenhuma pergunta foi respondida por este participante." @@ -3154,7 +3202,7 @@ msgstr "Nenhuma pergunta foi respondida por este participante." #~ msgid "No questions have been answered by this attendee." #~ msgstr "Nenhuma pergunta foi respondida por este participante." -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "Nenhuma pergunta foi feita para este pedido." @@ -3213,7 +3261,7 @@ msgid "Not On Sale" msgstr "Não está à venda" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "Notas" @@ -3372,7 +3420,7 @@ msgid "Order Date" msgstr "Data do pedido" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "detalhes do pedido" @@ -3393,7 +3441,7 @@ msgstr "Pedido marcado como pago" msgid "Order Marked as Paid" msgstr "Pedido marcado como pago" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "Notas do pedido" @@ -3409,8 +3457,8 @@ msgstr "Proprietários de pedidos com um produto específico" msgid "Order owners with products" msgstr "Proprietários de pedidos com produtos" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "Perguntas sobre pedidos" @@ -3422,7 +3470,7 @@ msgstr "Referência do pedido" msgid "Order Refunded" msgstr "Pedido reembolsado" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "Status do pedido" @@ -3431,7 +3479,7 @@ msgid "Order statuses" msgstr "Status dos pedidos" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "resumo do pedido" @@ -3444,7 +3492,7 @@ msgid "Order Updated" msgstr "Pedido atualizado" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "Pedidos" @@ -3453,7 +3501,7 @@ msgstr "Pedidos" #~ msgid "Orders Created" #~ msgstr "Pedidos criados" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "Pedidos exportados" @@ -3526,7 +3574,7 @@ msgstr "Produto Pago" #~ msgid "Paid Ticket" #~ msgstr "Bilhete Pago" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "Parcialmente reembolsado" @@ -3727,7 +3775,7 @@ msgstr "Por favor, selecione pelo menos um produto" #~ msgstr "Selecione pelo menos um ingresso" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "Por favor, tente novamente." @@ -3744,7 +3792,7 @@ msgstr "Por favor, aguarde enquanto preparamos seus participantes para exportaç msgid "Please wait while we prepare your invoice..." msgstr "Por favor, aguarde enquanto preparamos a sua fatura..." -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "Por favor, aguarde enquanto preparamos seus pedidos para exportação..." @@ -3772,7 +3820,7 @@ msgstr "Distribuído por" msgid "Pre Checkout message" msgstr "Mensagem pré-checkout" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "Visualização" @@ -3862,7 +3910,7 @@ msgstr "Produto excluído com sucesso" msgid "Product Price Type" msgstr "Tipo de Preço do Produto" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "Perguntas sobre o produto" @@ -3991,7 +4039,7 @@ msgstr "Quantidade Disponível" msgid "Quantity Sold" msgstr "Quantidade Vendida" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "Pergunta excluída" @@ -4003,17 +4051,17 @@ msgstr "Descrição da pergunta" msgid "Question Title" msgstr "título da questão" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "Questões" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "Perguntas e Respostas" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "Perguntas classificadas com sucesso" @@ -4054,14 +4102,14 @@ msgstr "Pedido de reembolso" msgid "Refund Pending" msgstr "Reembolso pendente" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "Status do reembolso" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "Devolveu" @@ -4191,6 +4239,7 @@ msgstr "Início das vendas" msgid "San Francisco" msgstr "São Francisco" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -4201,8 +4250,8 @@ msgstr "São Francisco" msgid "Save" msgstr "Salvar" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "Salvar alterações" @@ -4237,7 +4286,7 @@ msgstr "Pesquise por nome do participante, e-mail ou número do pedido..." msgid "Search by event name..." msgstr "Pesquisar por nome do evento..." -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "Pesquise por nome, e-mail ou número do pedido..." @@ -4504,7 +4553,7 @@ msgstr "Mostrar quantidade disponível do produto" #~ msgid "Show available ticket quantity" #~ msgstr "Mostrar quantidade de ingressos disponíveis" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "Mostrar perguntas ocultas" @@ -4533,7 +4582,7 @@ msgid "Shows common address fields, including country" msgstr "Mostra campos de endereço comuns, incluindo país" #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "Simpson" @@ -4597,11 +4646,11 @@ msgstr "Algo deu errado. Por favor, tente novamente." msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "Desculpe, algo deu errado. Por favor, reinicie o processo de checkout." -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "Desculpe, algo deu errado ao carregar esta página." -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "Desculpe, este pedido não existe mais." @@ -4638,8 +4687,8 @@ msgstr "Data de início" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "Estado ou Região" @@ -4760,7 +4809,7 @@ msgstr "Local atualizado com sucesso" msgid "Successfully Updated Misc Settings" msgstr "Configurações diversas atualizadas com sucesso" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "Pedido atualizado com sucesso" @@ -5024,7 +5073,7 @@ msgstr "Este pedido já foi pago." msgid "This order has already been refunded." msgstr "Este pedido já foi reembolsado." -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "Esse pedido foi cancelado" @@ -5032,15 +5081,15 @@ msgstr "Esse pedido foi cancelado" msgid "This order has been cancelled." msgstr "Esse pedido foi cancelado." -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "Este pedido expirou. Por favor, recomece." -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "Este pedido está aguardando pagamento" -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "Este pedido está completo" @@ -5081,7 +5130,7 @@ msgstr "Este produto está oculto da visualização pública" msgid "This product is hidden unless targeted by a Promo Code" msgstr "Este produto está oculto a menos que seja direcionado por um Código Promocional" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "Esta pergunta só é visível para o organizador do evento" @@ -5350,6 +5399,10 @@ msgstr "Clientes únicos" msgid "United States" msgstr "Estados Unidos" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "Participante desconhecido" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -5461,8 +5514,8 @@ msgstr "Nome do local" msgid "Vietnamese" msgstr "Vietnamita" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "Visualizar" @@ -5470,11 +5523,15 @@ msgstr "Visualizar" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "Visualize e baixe relatórios do seu evento. Observe que apenas pedidos concluídos estão incluídos nesses relatórios." +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "Ver respostas" + #: src/components/common/AttendeeTable/index.tsx:164 #~ msgid "View attendee" #~ msgstr "Ver participante" -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "Ver Detalhes do Participante" @@ -5494,11 +5551,11 @@ msgstr "Ver mensagem completa" msgid "View logs" msgstr "Ver logs" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "Ver mapa" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "Ver no Google Maps" @@ -5508,7 +5565,7 @@ msgstr "Ver no Google Maps" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "Ver detalhes do pedido" @@ -5764,8 +5821,8 @@ msgstr "Trabalhando" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -5846,7 +5903,7 @@ msgstr "Você não pode editar a função ou o status do proprietário da conta. msgid "You cannot refund a manually created order." msgstr "Você não pode reembolsar um pedido criado manualmente." -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "Você criou uma pergunta oculta, mas desativou a opção de mostrar perguntas ocultas. Foi habilitado." @@ -5866,11 +5923,11 @@ msgstr "Você já aceitou este convite. Por favor faça o login para continuar." #~ msgid "You have connected your Stripe account" #~ msgstr "Você conectou sua conta Stripe" -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "Você não tem perguntas dos participantes." -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "Você não tem perguntas sobre pedidos." @@ -5982,7 +6039,7 @@ msgstr "Seus participantes aparecerão aqui assim que se inscreverem em seu even msgid "Your awesome website 🎉" msgstr "Seu site incrível 🎉" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "Seus detalhes" @@ -6010,7 +6067,7 @@ msgstr "Seu pedido foi cancelado" msgid "Your order is awaiting payment 🏦" msgstr "Seu pedido está aguardando pagamento 🏦" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "Seus pedidos foram exportados com sucesso." @@ -6051,7 +6108,7 @@ msgstr "Sua conta Stripe está conectada e pronta para processar pagamentos." msgid "Your ticket for" msgstr "Seu ingresso para" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "CEP / Código Postal" @@ -6060,6 +6117,6 @@ msgstr "CEP / Código Postal" msgid "Zip or Postal Code" msgstr "CEP ou Código postal" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "CEP ou Código Postal" diff --git a/frontend/src/locales/ru.js b/frontend/src/locales/ru.js index 756cdce0c6..8ba0e7ff98 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\":\"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.\",\"VGioT0\":\"We recommend dimensions of 2160px by 1080px, and a maximum file size of 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We were unable to confirm your payment. Please try again or contact support.\",\"Gspam9\":\"We're processing your order. Please wait...\",\"LuY52w\":\"Welcome aboard! Please login to continue.\",\"dVxpp5\":[\"Welcome back\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 Active Webhook\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"uyJsf6\":\"About\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"About Stripe Connect\",\"VTfZPy\":\"Access Denied\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Add More tickets\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Affiliates\",\"gKq1fa\":\"All attendees\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"An event is the gathering or occasion you’re organizing. You can add more details later.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"Dy+k4r\":\"Are you sure you want to cancel this attendee? This will void their product\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"2xEpch\":\"Ask once per attendee\",\"F2rX0R\":\"At least one event type must be selected\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"Xc2I+v\":\"Attendee Management\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Attendee Updated\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"kShOaz\":\"Auto Workflow\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Avg Discount/Order\",\"sGUsYa\":\"Avg Order Value\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Brand Control\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Canceled\",\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"QndF4b\":\"check in\",\"9FVFym\":\"check out\",\"Y3FYXy\":\"Check-In\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinese\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"Свернуть этот билет при первоначальной загрузке страницы события\",\"/sZIOR\":\"Complete Store\",\"7D9MJz\":\"Complete Stripe Setup\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Connect Documentation\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"/3017M\":\"Connected to Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contact Support\",\"nBGbqc\":\"Contact us to enable messaging\",\"RGVUUI\":\"Continue To Payment\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Create and customize your event page instantly\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Delete webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Disable this capacity track capacity without stopping product sales\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"TvY/XA\":\"Documentation\",\"dYskfr\":\"Does not exist\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicate Product\",\"Wt9eV8\":\"Duplicate Tickets\",\"4xK5y2\":\"Duplicate Webhooks\",\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"d+nnyk\":\"Edit Ticket\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"RxzN1M\":\"Enabled\",\"LslKhj\":\"Error loading logs\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Event Not Available\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Event Types\",\"jtrqH9\":\"Exporting Attendees\",\"UlAK8E\":\"Exporting Orders\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"10XEC9\":\"Failed to resend product email\",\"YirHq7\":\"Feedback\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Go to Hi.Events\",\"Lek3cJ\":\"Go to Stripe Dashboard\",\"GNJ1kd\":\"Help & Support\",\"spMR9y\":\"Hi.Events charges platform fees to maintain and improve our services. These fees are automatically deducted from each transaction.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"Hide this ticket from customers\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee product page\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"F1Xp97\":\"Individual attendees\",\"nbfdhU\":\"Integrations\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Loading Webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Manage products\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"m920rF\":\"New York\",\"074+X8\":\"No Active Webhooks\",\"6r9SGl\":\"No Credit Card Required\",\"Z6ILSe\":\"No events for this organizer\",\"XZkeaI\":\"No logs found\",\"zK/+ef\":\"No products available for selection\",\"q91DKx\":\"No questions have been answered by this attendee.\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"x5+Lcz\":\"Not Checked In\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"bU7oUm\":\"Only send to orders with these statuses\",\"ppuQR4\":\"Order Created\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"vu6Arl\":\"Order Marked as Paid\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"e7eZuA\":\"Order Updated\",\"mz+c33\":\"Orders Created\",\"5It1cQ\":\"Orders Exported\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"2w/FiJ\":\"Paid Ticket\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Paused\",\"TskrJ8\":\"Payment & Plan\",\"EyE8E6\":\"Payment Processing\",\"vcyz2L\":\"Payment Settings\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Place Order\",\"br3Y/y\":\"Platform Fees\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Please enter a valid URL\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"yygcoG\":\"Please select at least one ticket\",\"fuwKpE\":\"Please try again.\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"R7+D0/\":\"Portuguese (Brazil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"product\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"0dzBGg\":\"Product email has been resent to attendee\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"812gwg\":\"Purchase License\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Resend product email\",\"slOprG\":\"Reset your password\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Search by ticket name...\",\"j9cPeF\":\"Select event types\",\"XH5juP\":\"Select Ticket Tier\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Send order confirmation and product email\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Setup in Minutes\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Show available ticket quantity\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"v6IwHE\":\"Smart Check-in\",\"J9xKh8\":\"Smart Dashboard\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Successfully Duplicated Product\",\"g2lRrH\":\"Successfully updated ticket\",\"kj7zYe\":\"Successfully updated Webhook\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"KosivG\":\"Ticket deleted successfully\",\"HGuXjF\":\"Ticket holders\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL is required\",\"fROFIL\":\"Vietnamese\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"n6EaWL\":\"View logs\",\"AMkkeL\":\"View order\",\"MXm9nr\":\"VIP Product\",\"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\",\"jupD+L\":\"Welcome back 👋\",\"je8QQT\":\"Welcome to Hi.Events 👋\",\"wjqPqF\":\"What are Tiered Tickets?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"What is a webhook?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"nBqgQb\":\"Your Email\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Your orders have been exported successfully.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"ySU+JY\":\"your@email.com\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"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.\",\"VGioT0\":\"We recommend dimensions of 2160px by 1080px, and a maximum file size of 5MB\",\"b9UB/w\":\"We use Stripe to process payments. Connect your Stripe account to start receiving payments.\",\"01WH0a\":\"We were unable to confirm your payment. Please try again or contact support.\",\"Gspam9\":\"We're processing your order. Please wait...\",\"LuY52w\":\"Welcome aboard! Please login to continue.\",\"dVxpp5\":[\"Welcome back\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"Welcome to Hi.Events, \",[\"0\"],\" 👋\"],\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" Active Webhooks\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" events\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 Active Webhook\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"uyJsf6\":\"About\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"About Stripe Connect\",\"VTfZPy\":\"Access Denied\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Add More tickets\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Add Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Affiliates\",\"gKq1fa\":\"All attendees\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"An error occurred while checking export status.\",\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"An event is the gathering or occasion you’re organizing. You can add more details later.\",\"QNrkms\":\"Answer updated successfully.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"Dy+k4r\":\"Are you sure you want to cancel this attendee? This will void their product\",\"5H3Z78\":\"Are you sure you want to delete this webhook?\",\"2xEpch\":\"Ask once per attendee\",\"F2rX0R\":\"At least one event type must be selected\",\"AJ4rvK\":\"Attendee Cancelled\",\"qvylEK\":\"Attendee Created\",\"Xc2I+v\":\"Attendee Management\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Attendee Updated\",\"k3Tngl\":\"Attendees Exported\",\"5UbY+B\":\"Attendees with a specific ticket\",\"kShOaz\":\"Auto Workflow\",\"VPoeAx\":\"Automated entry management with multiple check-in lists and real-time validation\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Avg Discount/Order\",\"sGUsYa\":\"Avg Order Value\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Brand Control\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Canceled\",\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"QndF4b\":\"check in\",\"9FVFym\":\"check out\",\"Y3FYXy\":\"Check-In\",\"udRwQs\":\"Check-in Created\",\"F4SRy3\":\"Check-in Deleted\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinese\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"close\",\"msqIjo\":\"Свернуть этот билет при первоначальной загрузке страницы события\",\"/sZIOR\":\"Complete Store\",\"7D9MJz\":\"Complete Stripe Setup\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Connect Documentation\",\"MOUF31\":\"Connect with CRM and automate tasks using webhooks and integrations\",\"/3017M\":\"Connected to Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Contact Support\",\"nBGbqc\":\"Contact us to enable messaging\",\"RGVUUI\":\"Continue To Payment\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Create and customize your event page instantly\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Create Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"Customize your event page and widget design to match your brand perfectly\",\"zgCHnE\":\"Daily Sales Report\",\"nHm0AI\":\"Daily sales, tax, and fee breakdown\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Delete webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Disable this capacity track capacity without stopping product sales\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"TvY/XA\":\"Documentation\",\"dYskfr\":\"Does not exist\",\"V6Jjbr\":\"Don't have an account? <0>Sign up\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Duplicate Product\",\"Wt9eV8\":\"Duplicate Tickets\",\"4xK5y2\":\"Duplicate Webhooks\",\"2iZEz7\":\"Edit Answer\",\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"d+nnyk\":\"Edit Ticket\",\"fW5sSv\":\"Edit webhook\",\"nP7CdQ\":\"Edit Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"RxzN1M\":\"Enabled\",\"LslKhj\":\"Error loading logs\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Event Not Available\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Event Types\",\"VlvpJ0\":\"Export answers\",\"JKfSAv\":\"Export failed. Please try again.\",\"SVOEsu\":\"Export started. Preparing file...\",\"jtrqH9\":\"Exporting Attendees\",\"R4Oqr8\":\"Exporting complete. Downloading file...\",\"UlAK8E\":\"Exporting Orders\",\"Jjw03p\":\"Failed to export attendees\",\"ZPwFnN\":\"Failed to export orders\",\"X4o0MX\":\"Failed to load Webhook\",\"10XEC9\":\"Failed to resend product email\",\"lKh069\":\"Failed to start export job\",\"NNc33d\":\"Failed to update answer.\",\"YirHq7\":\"Feedback\",\"T4BMxU\":\"Fees are subject to change. You will be notified of any changes to your fee structure.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Fixed Fee:\",\"KgxI80\":\"Flexible Ticketing\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Get started for free, no subscription fees\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Go to Hi.Events\",\"Lek3cJ\":\"Go to Stripe Dashboard\",\"GNJ1kd\":\"Help & Support\",\"spMR9y\":\"Hi.Events charges platform fees to maintain and improve our services. These fees are automatically deducted from each transaction.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"Hide Answers\",\"fsi6fC\":\"Hide this ticket from customers\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee product page\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"F1Xp97\":\"Individual attendees\",\"nbfdhU\":\"Integrations\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Last Response\",\"gw3Ur5\":\"Last Triggered\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Loading Webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Manage products\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Manage your payment processing and view platform fees\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"1jRD0v\":\"Message attendees with specific tickets\",\"97QrnA\":\"Message attendees, manage orders, and handle refunds all in one place\",\"0/yJtP\":\"Message order owners with specific products\",\"tccUcA\":\"Mobile Check-in\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"m920rF\":\"New York\",\"074+X8\":\"No Active Webhooks\",\"6r9SGl\":\"No Credit Card Required\",\"Z6ILSe\":\"No events for this organizer\",\"XZkeaI\":\"No logs found\",\"zK/+ef\":\"No products available for selection\",\"q91DKx\":\"No questions have been answered by this attendee.\",\"QoAi8D\":\"No response\",\"EK/G11\":\"No responses yet\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"n5vdm2\":\"No webhook events have been recorded for this endpoint yet. Events will appear here once they are triggered.\",\"4GhX3c\":\"No Webhooks\",\"x5+Lcz\":\"Not Checked In\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"bU7oUm\":\"Only send to orders with these statuses\",\"ppuQR4\":\"Order Created\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"vu6Arl\":\"Order Marked as Paid\",\"FaPYw+\":\"Order owner\",\"eB5vce\":\"Order owners with a specific product\",\"CxLoxM\":\"Order owners with products\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Order Refunded\",\"6eSHqs\":\"Order statuses\",\"e7eZuA\":\"Order Updated\",\"mz+c33\":\"Orders Created\",\"5It1cQ\":\"Orders Exported\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"2w/FiJ\":\"Paid Ticket\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Paused\",\"TskrJ8\":\"Payment & Plan\",\"EyE8E6\":\"Payment Processing\",\"vcyz2L\":\"Payment Settings\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Place Order\",\"br3Y/y\":\"Platform Fees\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Please enter a valid URL\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"yygcoG\":\"Please select at least one ticket\",\"fuwKpE\":\"Please try again.\",\"o+tJN/\":\"Please wait while we prepare your attendees for export...\",\"+5Mlle\":\"Please wait while we prepare your orders for export...\",\"R7+D0/\":\"Portuguese (Brazil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"product\",\"EWCLpZ\":\"Product Created\",\"XkFYVB\":\"Product Deleted\",\"0dzBGg\":\"Product email has been resent to attendee\",\"YMwcbR\":\"Product sales, revenue, and tax breakdown\",\"ldVIlB\":\"Product Updated\",\"mIqT3T\":\"Products, merchandise, and flexible pricing options\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Promo code\",\"k3wH7i\":\"Promo code usage and discount breakdown\",\"812gwg\":\"Purchase License\",\"YwNJAq\":\"QR code scanning with instant feedback and secure sharing for staff access\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Resend product email\",\"slOprG\":\"Reset your password\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Search by ticket name...\",\"j9cPeF\":\"Select event types\",\"XH5juP\":\"Select Ticket Tier\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Select which events will trigger this webhook\",\"VtX8nW\":\"Sell merchandise alongside tickets with integrated tax and promo code support\",\"Cye3uV\":\"Sell More Than Tickets\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Send order confirmation and product email\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Setup in Minutes\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Show available ticket quantity\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"v6IwHE\":\"Smart Check-in\",\"J9xKh8\":\"Smart Dashboard\",\"KTxc6k\":\"Something went wrong, please try again, or contact support if the problem persists\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Successfully Duplicated Product\",\"g2lRrH\":\"Successfully updated ticket\",\"kj7zYe\":\"Successfully updated Webhook\",\"5gIl+x\":\"Support for tiered, donation-based, and product sales with customizable pricing and capacity\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"KosivG\":\"Ticket deleted successfully\",\"HGuXjF\":\"Ticket holders\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/b6Z1R\":\"Track revenue, page views, and sales with detailed analytics and exportable reports\",\"OpKMSn\":\"Transaction Fee:\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"IrVSu+\":\"Unable to duplicate product. Please check the your details\",\"ZBAScj\":\"Unknown Attendee\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL is required\",\"fROFIL\":\"Vietnamese\",\"gj5YGm\":\"View and download reports for your event. Please note, only completed orders are included in these reports.\",\"c7VN/A\":\"View Answers\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"n6EaWL\":\"View logs\",\"AMkkeL\":\"View order\",\"MXm9nr\":\"VIP Product\",\"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\",\"jupD+L\":\"Welcome back 👋\",\"je8QQT\":\"Welcome to Hi.Events 👋\",\"wjqPqF\":\"What are Tiered Tickets?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"What is a webhook?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"You have taxes and fees added to a Free Product. Would you like to remove them?\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"You need to verify your account email before you can send messages.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Your attendees have been exported successfully.\",\"nBqgQb\":\"Your Email\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Your orders have been exported successfully.\",\"vvO1I2\":\"Your Stripe account is connected and ready to process payments.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"ySU+JY\":\"your@email.com\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/ru.po b/frontend/src/locales/ru.po index 629a09b8ff..c9d983c8ec 100644 --- a/frontend/src/locales/ru.po +++ b/frontend/src/locales/ru.po @@ -306,7 +306,7 @@ msgstr "" msgid "A standard tax, like VAT or GST" msgstr "" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "" @@ -366,7 +366,7 @@ msgstr "" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "" @@ -404,11 +404,11 @@ msgstr "" msgid "Add any notes about the attendee..." msgstr "" -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "" -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "" @@ -452,7 +452,7 @@ msgstr "" msgid "Add products" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "" @@ -501,8 +501,8 @@ msgid "Address line 1" msgstr "" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "" @@ -511,8 +511,8 @@ msgid "Address line 2" msgstr "" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "" @@ -593,11 +593,15 @@ msgstr "" #~ msgid "Amount paid ${0}" #~ msgstr "" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "" + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "" @@ -629,6 +633,10 @@ msgstr "" msgid "An unexpected error occurred. Please try again." msgstr "" +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "" + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "" @@ -709,7 +717,7 @@ msgstr "" msgid "Are you sure you want to delete this promo code?" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "" @@ -753,7 +761,7 @@ msgstr "" msgid "At least one event type must be selected" msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "" @@ -781,7 +789,7 @@ msgstr "" msgid "Attendee Notes" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "" @@ -805,7 +813,7 @@ msgstr "" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "" @@ -859,7 +867,7 @@ msgstr "" msgid "Awaiting offline payment" msgstr "" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -896,8 +904,8 @@ msgstr "" #~ msgstr "" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "" @@ -952,7 +960,7 @@ msgstr "" #~ msgid "Billing" #~ msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "" @@ -995,6 +1003,7 @@ msgstr "" #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -1031,7 +1040,7 @@ msgstr "" #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "" @@ -1211,8 +1220,8 @@ msgstr "" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "" @@ -1228,8 +1237,13 @@ msgstr "" msgid "Click to copy" msgstr "" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "" @@ -1276,11 +1290,11 @@ msgstr "" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "" @@ -1298,7 +1312,7 @@ msgstr "" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "" @@ -1397,7 +1411,7 @@ msgstr "" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "" @@ -1446,7 +1460,7 @@ msgstr "" msgid "Copy Check-In URL" msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "" @@ -1461,7 +1475,7 @@ msgstr "" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "" @@ -1673,7 +1687,7 @@ msgstr "" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "" @@ -1692,8 +1706,8 @@ msgid "Date" msgstr "" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "" +#~ msgid "Date & Time" +#~ msgstr "" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1741,7 +1755,7 @@ msgstr "" msgid "Delete product" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "" @@ -1773,7 +1787,7 @@ msgstr "" #~ msgid "Description should be less than 50,000 characters" #~ msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "" @@ -1964,8 +1978,8 @@ msgid "Early bird" msgstr "" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "" @@ -1973,6 +1987,10 @@ msgstr "" msgid "Edit {0}" msgstr "" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "" + #: src/components/common/AttendeeTable/index.tsx:174 #~ msgid "Edit attendee" #~ msgstr "" @@ -2027,7 +2045,7 @@ msgstr "" msgid "Edit Promo Code" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "" @@ -2089,16 +2107,16 @@ msgstr "" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "" @@ -2305,15 +2323,31 @@ msgid "Expiry Date" msgstr "" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "" + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "" + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "" + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "" @@ -2325,7 +2359,7 @@ msgstr "" msgid "Failed to cancel order" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "" @@ -2342,7 +2376,7 @@ msgstr "" #~ msgid "Failed to export attendees. Please try again." #~ msgstr "" -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "" @@ -2370,6 +2404,14 @@ msgstr "" msgid "Failed to sort products" msgstr "" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "" + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -2392,7 +2434,7 @@ msgstr "" msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "" -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "" @@ -2409,22 +2451,22 @@ msgstr "" msgid "First Invoice Number" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" msgstr "" @@ -2433,7 +2475,7 @@ msgstr "" msgid "First name must be between 1 and 50 characters" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "" @@ -2532,7 +2574,7 @@ msgstr "" #~ msgid "Go to Dashboard" #~ msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "" @@ -2610,11 +2652,11 @@ msgstr "" msgid "Hidden from public view" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "" @@ -2631,11 +2673,15 @@ msgstr "" msgid "Hide" msgstr "" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "" @@ -2720,7 +2766,7 @@ msgid "Homepage Preview" msgstr "" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "" @@ -2936,7 +2982,7 @@ msgstr "" msgid "Issue refund" msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "" @@ -3004,20 +3050,20 @@ msgstr "" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "" @@ -3066,7 +3112,6 @@ msgstr "" msgid "Loading..." msgstr "" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -3311,7 +3356,7 @@ msgstr "" msgid "My Profile" msgstr "" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "" @@ -3339,7 +3384,8 @@ msgstr "" msgid "Name should be less than 150 characters" msgstr "" -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "" @@ -3365,8 +3411,8 @@ msgid "No" msgstr "" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "" +#~ msgid "No {0} available." +#~ msgstr "" #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -3376,11 +3422,11 @@ msgstr "" msgid "No archived events to show." msgstr "" -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "" -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "" @@ -3472,7 +3518,7 @@ msgstr "" msgid "No Promo Codes to show" msgstr "" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "" @@ -3480,7 +3526,7 @@ msgstr "" #~ msgid "No questions have been answered by this attendee." #~ msgstr "" -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "" @@ -3547,7 +3593,7 @@ msgid "Not On Sale" msgstr "" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "" @@ -3704,7 +3750,7 @@ msgid "Order Date" msgstr "" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "" @@ -3725,7 +3771,7 @@ msgstr "" msgid "Order Marked as Paid" msgstr "" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "" @@ -3741,8 +3787,8 @@ msgstr "" msgid "Order owners with products" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "" @@ -3762,7 +3808,7 @@ msgstr "" msgid "Order Refunded" msgstr "" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "" @@ -3771,7 +3817,7 @@ msgid "Order statuses" msgstr "" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "" @@ -3784,7 +3830,7 @@ msgid "Order Updated" msgstr "" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "" @@ -3793,7 +3839,7 @@ msgstr "" #~ msgid "Orders Created" #~ msgstr "" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "" @@ -3870,7 +3916,7 @@ msgstr "" #~ msgid "Paid Ticket" #~ msgstr "" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "" @@ -4097,7 +4143,7 @@ msgstr "" #~ msgstr "" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "" @@ -4114,7 +4160,7 @@ msgstr "" msgid "Please wait while we prepare your invoice..." msgstr "" -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "" @@ -4154,7 +4200,7 @@ msgstr "" msgid "Pre Checkout message" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "" @@ -4248,7 +4294,7 @@ msgstr "" msgid "Product Price Type" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "" @@ -4381,7 +4427,7 @@ msgstr "" msgid "Quantity Sold" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "" @@ -4393,17 +4439,17 @@ msgstr "" msgid "Question Title" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "" @@ -4444,14 +4490,14 @@ msgstr "" msgid "Refund Pending" msgstr "" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "" @@ -4590,6 +4636,7 @@ msgstr "" msgid "San Francisco" msgstr "" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -4600,8 +4647,8 @@ msgstr "" msgid "Save" msgstr "" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "" @@ -4644,7 +4691,7 @@ msgstr "" #~ msgid "Search by name or description..." #~ msgstr "" -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "" @@ -4935,7 +4982,7 @@ msgstr "" #~ msgid "Show available ticket quantity" #~ msgstr "" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "" @@ -4964,7 +5011,7 @@ msgid "Shows common address fields, including country" msgstr "" #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "" @@ -5028,11 +5075,11 @@ msgstr "" msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "" @@ -5077,8 +5124,8 @@ msgstr "" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "" @@ -5207,7 +5254,7 @@ msgstr "" msgid "Successfully Updated Misc Settings" msgstr "" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "" @@ -5568,7 +5615,7 @@ msgstr "" msgid "This order has already been refunded." msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "" @@ -5580,11 +5627,11 @@ msgstr "" #~ msgid "This order has been completed." #~ msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "" @@ -5592,7 +5639,7 @@ msgstr "" #~ msgid "This order is awaiting payment." #~ msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "" @@ -5642,7 +5689,7 @@ msgstr "" msgid "This product is hidden unless targeted by a Promo Code" msgstr "" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "" @@ -5930,6 +5977,10 @@ msgstr "" msgid "United States" msgstr "" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -6049,8 +6100,8 @@ msgstr "" msgid "Vietnamese" msgstr "" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "" @@ -6058,11 +6109,15 @@ msgstr "" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "" + #: src/components/common/AttendeeTable/index.tsx:164 #~ msgid "View attendee" #~ msgstr "" -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "" @@ -6082,11 +6137,11 @@ msgstr "" msgid "View logs" msgstr "" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "" @@ -6096,7 +6151,7 @@ msgstr "" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "" @@ -6372,8 +6427,8 @@ msgstr "" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -6466,7 +6521,7 @@ msgstr "" msgid "You cannot refund a manually created order." msgstr "" -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "" @@ -6486,7 +6541,7 @@ msgstr "" #~ msgid "You have connected your Stripe account" #~ msgstr "" -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "" @@ -6494,7 +6549,7 @@ msgstr "" #~ msgid "You have no attendee questions. Attendee questions are asked once per attendee." #~ msgstr "" -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "" @@ -6618,7 +6673,7 @@ msgstr "" msgid "Your awesome website 🎉" msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "" @@ -6650,7 +6705,7 @@ msgstr "" #~ msgid "Your order is in progress" #~ msgstr "" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "" @@ -6699,7 +6754,7 @@ msgstr "" #~ msgid "Zip" #~ msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "" @@ -6708,7 +6763,7 @@ msgstr "" msgid "Zip or Postal Code" msgstr "" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "" diff --git a/frontend/src/locales/vi.js b/frontend/src/locales/vi.js index a7fd2733ed..761b128dd2 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ự kiện của\"],\"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>Danh sách check-in giúp quản lý việc vào cửa của người tham dự sự kiện của bạn. Bạn có thể liên kết nhiều vé với danh sách check-in và đảm bảo chỉ những người có vé hợp lệ mới được vào.\",\"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\":\"Xác nhận địa chỉ email của bạn\",\"BN0OQd\":\"🎉 Xin chúc mừng đã tạo ra một sự kiện!\",\"4kSf7w\":\"🎟️Thêm sản phẩm\",\"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\":\"Thêm chi tiết sự kiện và quản lý cài đặt sự kiện.\",\"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\":\"Thêm nhiều sản phẩm\",\"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\":\"Thêm sản phẩm\",\"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\":\"Tùy chọn bổ sung\",\"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\":\"Sắp xong rồi! Chúng tôi chỉ đang đợi xử lý thanh toán của bạn. Điều này chỉ tốn vài giây.. \",\"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\":\"Một sự kiện là sự kiện thực tế bạn đang tổ chức. \",\"oBkF+i\":\"Một người tổ chức là công ty hoặc người đang tổ chức sự kiện\",\"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\":\"Các sự kiện lưu trữ\",\"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\":\"Người tham dự với một sản phẩm cụ thể\",\"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\":\"Sự kiện tuyệt vời\",\"Yrbm6T\":\"Nhà tổ chức tuyệt vời Ltd.\",\"9002sI\":\"Quay lại tất cả các sự kiện\",\"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\":\"Trước khi sự kiện của bạn có thể phát hành, có một vài điều bạn cần làm.\",\"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\":\"Hủy đơn hàng sẽ hủy tất cả các sản phẩm liên quan và đưa chúng trở lại kho hàng có sẵn.\",\"vv7kpg\":\"Hủy bỏ\",\"U7nGvl\":\"Không thể xác nhận tham dự\",\"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\":\"Thay đổi bìa\",\"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\":\"Danh sách check-in được tạo thành công\",\"+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\":\"Đã xác nhận tham dự\",\"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\":\"Bấm vào đây\",\"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\":\"Hoàn tất thanh toán\",\"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\":\"Connect 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\":\"Màu nền nội dung\",\"xGVfLh\":\"Tiếp tục\",\"X++RMT\":\"Văn bản nút tiếp tục\",\"AfNRFG\":\"Văn bản nút tiếp tục\",\"lIbwvN\":\"Tiếp tục thiết lập sự kiện\",\"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\":\"Sử dụng thông tin này cho tất cả người tham dự\",\"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\":\"Tạo sản phẩm cho sự kiện của bạn, đặt giá và quản lý số lượng có sẵn.\",\"sYpiZP\":\"Tạo mã khuyến mãi\",\"B3Mkdt\":\"Tạo câu hỏi\",\"UKfi21\":\"Tạo thuế hoặc phí\",\"d+F6q9\":\"Được tạo\",\"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\":\"Bảng điều khiển\",\"mYGY3B\":\"Ngày\",\"JvUngl\":\"Ngày và Thời gian\",\"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\":\"Xóa bìa\",\"KWa0gi\":\"Xóa hình ảnh\",\"1l14WA\":\"Xóa sản phẩm\",\"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\":\"Bỏ qua\",\"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\":\"kéo và thả hoặc nhấp vào\",\"CfKofC\":\"Lựa chọn thả xuống\",\"JzLDvy\":\"Nhân bản phân bổ sức chứa\",\"ulMxl+\":\"Nhân bản danh sách check-in\",\"vi8Q/5\":\"Nhân bản sự kiện\",\"3ogkAk\":\"Nhân bản sự kiện\",\"Yu6m6X\":\"Nhân bản ảnh bìa sự kiện\",\"+fA4C7\":\"Tùy chọn nhân bản\",\"SoiDyI\":\"Nhân bản sản phẩm\",\"57ALrd\":\"Nhân bản mã khuyến mãi\",\"83Hu4O\":\"Nhân bản câu hỏi\",\"20144c\":\"Nhân bản cài đặt\",\"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\":\"Sự kiện kết thúc\",\"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\":\"Sự kiện được tạo thành công 🎉\",\"/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\":\"Sự kiện không thể nhìn thấy đối với công chúng\",\"4pKXJS\":\"Sự kiện có thể nhìn thấy cho công chúng\",\"ClwUUD\":\"Vị trí sự kiện & địa điểm tổ chức\",\"OopDbA\":\"Trang sự kiện\",\"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\":\"URL sự kiện\",\"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\":\"Đi đến trang chủ sự kiện\",\"ebIDwV\":\"Lịch Google\",\"RUz8o/\":\"Tổng doanh số\",\"IgcAGN\":\"Tổng doanh số\",\"yRg26W\":\"Tổng doanh số\",\"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\":[\"Hội nghị Hi.events \",[\"0\"]],\"verBst\":\"Trung tâm hội nghị HI.Events\",\"6eMEQO\":\"Logo hi.events\",\"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\":\"Tôi muốn thanh toán bằng phương thức ngoại tuyến\",\"SdFlIP\":\"Tôi muốn thanh toán bằng phương thức trực tuyến (thẻ tín dụng, v.v.)\",\"93DUnd\":[\"Nếu một tab mới không mở, vui lòng <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\":\"Kích thước hình ảnh phải trong khoảng từ 4000px x 4000px. Chiều cao tối đa 4000px và chiều rộng tối đa 4000px\",\"uPEIvq\":\"Hình ảnh phải nhỏ hơn 5MB\",\"AGZmwV\":\"Hình ảnh được tải lên thành công\",\"VyUuZb\":\"URL hình ảnh\",\"ibi52/\":\"Chiều rộng hình ảnh phải ít nhất 900px và chiều cao ít nhất là 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\":\"Thực hiện hoàn tiền\",\"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\":\"Hãy bắt đầu bằng cách tạo người tổ chức đầu tiên của bạn\",\"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\":\"Tin nhắn cho người tham dự với các sản phẩm cụ thể\",\"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\":\"Tên phải nhỏ hơn 150 ký tự\",\"AIUkyF\":\"Đi tới người tham dự\",\"qqeAJM\":\"Không bao giờ\",\"7vhWI8\":\"Mật khẩu mới\",\"1UzENP\":\"Không\",\"eRblWH\":[\"Không \",[\"0\"],\" Có sẵn.\"],\"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\":\"Không người tham dự nào có thể check-in trước ngày này bằng danh sách này\",\"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 có\",\"OJx3wK\":\"Không có sẵn\",\"Scbrsn\":\"Không được bán\",\"1DBGsz\":\"Ghi chú\",\"jtrY3S\":\"Chưa có gì để hiển thị\",\"hFwWnI\":\"Cài đặt thông báo\",\"xXqEPO\":\"Thông báo cho người mua về hoàn tiền\",\"YpN29s\":\"Thông báo cho ban tổ chức các đơn hàng mới\",\"qeQhNj\":\"Bây giờ hãy tạo sự kiện đầu tiên của bạn\",\"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\":\"Đang Bán\",\"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ỉ các email quan trọng, liên quan trực tiếp đến sự kiện này, nên được gửi bằng biểu mẫu này.\\nBất kì hành vi sử dụng sai, bao gồm gửi email quảng cáo, sẽ dẫn đến lệnh cấm tài khoản ngay lập tức.\",\"Qqqrwa\":\"Mở trang Xác nhận tham dự (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\":\"Đơn hàng đã hoàn thành\",\"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\":\"Ban 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\":\"Màu nền trang\",\"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\":\"Hạng giá\",\"q6XHL1\":\"Loại giá\",\"6RmHKN\":\"Màu sắc chính\",\"G/ZwV1\":\"Màu sắc chính\",\"8cBtvm\":\"Màu văn bản chính\",\"BZz12Q\":\"In\",\"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\":\"Sản phẩm đã bán\",\"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\":\"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\":\"Mã QR\",\"LkMOWF\":\"Số lượng có sẵn\",\"oCLG0M\":\"Số lượng bán\",\"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\":\"Mã tham chiếu\",\"gxFu7d\":[\"Số tiền hoàn lại (\",[\"0\"],\")\"],\"WZbCR3\":\"Hoàn tiền không thành công\",\"n10yGu\":\"Lệnh hoàn trả\",\"zPH6gp\":\"Lệnh hoàn trả\",\"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\":\"Gửi lại email xác nhận\",\"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\":\"Trở lại trang sự kiện\",\"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\":\"Kết thúc bán hàng\",\"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\":\"Quét mã QR\",\"EEU0+z\":\"Quét mã QR này để truy cập trang sự kiện hoặc chia sẻ nó với những người khác\",\"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\":\"Màu phụ\",\"DnXcDK\":\"Màu phụ\",\"cZF6em\":\"Màu chữ phụ\",\"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\":\"Chia sẻ lên Facebook\",\"x7i6H+\":\"Chia sẻ với LinkedIn\",\"zziQd8\":\"Chia sẻ với Pinterest\",\"/TgBEk\":\"Chia sẻ với Reddit\",\"0Wlk5F\":\"Chia sẻ với xã hội\",\"on+mNS\":\"Chia sẻ với Telegram\",\"PcmR+m\":\"Chia sẻ với WhatsApp\",\"/5b1iZ\":\"Chia sẻ với X.com\",\"n/T2KI\":\"Chia sẻ qua email\",\"8vETh9\":\"Hiển thị\",\"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\":\"Có gì đó không ổn\",\"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\":\"Xin lỗi, có gì đó không ổn. Vui lòng thử thanh toán lại\",\"KWgppI\":\"Xin lỗi, có điều gì đó không ổn khi tải trang này.\",\"/TCOIK\":\"Xin lỗi, đơn hàng này không còn tồn tại.\",\"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ó một đơn hàng không được 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\":\"Mô tả này sẽ được hiển thị cho nhân viên kiểm tra vé\",\"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\":\"Sự kiện này không có sẵn tại thời điểm này. Vui lòng quay lại sau.\",\"Z6LdQU\":\"Sự kiện này không có sẵn.\",\"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\":\"Danh sách này sẽ không còn có sẵn để kiểm tra sau ngày này\",\"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\":\"Đơn hàng này đã bị hủy\",\"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\":\"Đơn hàng này đang chờ thanh toán\",\"BdYtn9\":\"Đơn hàng này đã hoàn tất\",\"e3uMJH\":\"Đơn hàng này đã hoàn tất.\",\"YNKXOK\":\"Đơn hàng này đang xử lý.\",\"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\":\"Sản phẩm này được ẩn khỏi chế độ xem công khai\",\"Y/x1MZ\":\"Sản phẩm này bị ẩn trừ khi được nhắm mục tiêu bởi mã khuyến mãi\",\"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\":\"Tiêu đề\",\"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+\":\"Tổng còn lại\",\"/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\":\"Tải lên bìa\",\"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\":\"Xem chi tiết đơn hàng\",\"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.\",\"VGioT0\":\"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\":[\"Chào mừng bạn đến với hi.events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Sản phẩm cấp bậc là gì?\",\"f1jUC0\":\"Danh sách người tham dự này nên hoạt động vào ngày nào?\",\"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\":\"Danh sách người tham dự này nên hết hạn khi nào?\",\"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\":\"Có\",\"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\":\"Bạn phải xác nhận địa chỉ email của bạn trước khi sự kiện của bạn có thể phát hành.\",\"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\":\"Bạn cần xác minh tài khoản của mình trước khi bạn có thể gửi tin nhắn.\",\"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\":[\"Bạn sẽ đến \",[\"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\":\"Đơn hàng của bạn đang chờ thanh toán 🏦\",\"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\":\"Sản phẩm cho\",\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" Webhook đang hoạt động\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"EventCount\"],\" Sự kiện\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 Webhook đang hoạt động\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"uyJsf6\":\"Thông tin sự kiện\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Giới thiệu về Stripe Connect\",\"VTfZPy\":\"Truy cập bị từ chối\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Add More tickets\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Thêm Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Affiliates\",\"gKq1fa\":\"Tất cả người tham dự\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Sự kiện là buổi tụ họp hoặc dịp mà bạn đang tổ chức. Bạn có thể thêm thông tin chi tiết sau.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"Dy+k4r\":\"Are you sure you want to cancel this attendee? This will void their product\",\"5H3Z78\":\"Bạn có chắc là bạn muốn xóa webhook này không?\",\"2xEpch\":\"Ask once per attendee\",\"F2rX0R\":\"Ít nhất một loại sự kiện phải được chọn\",\"AJ4rvK\":\"Người tham dự đã hủy bỏ\",\"qvylEK\":\"Người tham dự đã tạo ra\",\"Xc2I+v\":\"Quản lý người tham dự\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Người tham dự cập nhật\",\"k3Tngl\":\"Danh sách người tham dự đã được xuất\",\"5UbY+B\":\"Người tham dự có vé cụ thể\",\"kShOaz\":\"Quy trình tự động\",\"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\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Avg Discount/Order\",\"sGUsYa\":\"Avg Order Value\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Kiểm soát thương hiệu\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Canceled\",\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"QndF4b\":\"check in\",\"9FVFym\":\"check out\",\"Y3FYXy\":\"Check-In\",\"udRwQs\":\"Check-in đã được tạo\",\"F4SRy3\":\"Check-in đã bị xóa\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinese\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"Collapse this ticket when the event page is initially loaded\",\"/sZIOR\":\"Cửa hàng hoàn chỉnh\",\"7D9MJz\":\"Hoàn tất thiết lập Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Tài liệu kết nối\",\"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\",\"/3017M\":\"Đã kết nối với Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Liên hệ hỗ trợ\",\"nBGbqc\":\"Liên hệ với chúng tôi để bật tính năng nhắn tin\",\"RGVUUI\":\"Continue To Payment\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Tạo và tùy chỉnh trang sự kiện của bạn ngay lập tức\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Tạo webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"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\",\"zgCHnE\":\"Báo cáo doanh số hàng ngày\",\"nHm0AI\":\"Chi tiết doanh số hàng ngày, thuế và phí\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Xóa webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Disable this capacity track capacity without stopping product sales\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"TvY/XA\":\"Tài liệu\",\"dYskfr\":\"Does not exist\",\"V6Jjbr\":\"Chưa có tài khoản? <0>Đăng ký\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Nhân bản sản phẩm\",\"Wt9eV8\":\"Duplicate Tickets\",\"4xK5y2\":\"Sao chép webhooks\",\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"d+nnyk\":\"Edit Ticket\",\"fW5sSv\":\"Chỉnh sửa webhook\",\"nP7CdQ\":\"Chỉnh sửa webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"RxzN1M\":\"Đã bật\",\"LslKhj\":\"Lỗi khi tải nhật ký\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Sự kiện không có sẵn\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Loại sự kiện\",\"jtrqH9\":\"Đang xuất danh sách người tham dự\",\"UlAK8E\":\"Đang xuất đơn hàng\",\"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\",\"10XEC9\":\"Failed to resend product email\",\"YirHq7\":\"Feedback\",\"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.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Phí cố định:\",\"KgxI80\":\"Vé linh hoạt\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Bắt đầu miễn phí, không có phí đăng ký\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Truy cập Hi.Events\",\"Lek3cJ\":\"Đi đến Bảng điều khiển Stripe\",\"GNJ1kd\":\"Help & Support\",\"spMR9y\":\"Hi.Events tính phí nền tảng để duy trì và cải thiện dịch vụ của chúng tôi. Các khoản phí này sẽ được khấu trừ tự động từ mỗi giao dịch.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"Hide this ticket from customers\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"wOU3Tr\":\"Nếu bạn có tài khoản với chúng tôi, bạn sẽ nhận được một email có hướng dẫn về cách đặt lại password của bạn.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee product page\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"F1Xp97\":\"Người tham dự riêng lẻ\",\"nbfdhU\":\"Integrations\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Phản hồi cuối cùng\",\"gw3Ur5\":\"Trình kích hoạt cuối cùng\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Đang tải Webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Manage products\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Quản lý xử lý thanh toán và xem phí nền tảng của bạn\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"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\",\"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\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"m920rF\":\"New York\",\"074+X8\":\"Không có Webhook hoạt động\",\"6r9SGl\":\"Không yêu cầu thẻ tín dụng\",\"Z6ILSe\":\"No events for this organizer\",\"XZkeaI\":\"Không tìm thấy nhật ký\",\"zK/+ef\":\"Không có sản phẩm nào có sẵn để lựa chọn\",\"q91DKx\":\"No questions have been answered by this attendee.\",\"QoAi8D\":\"Không có phản hồi\",\"EK/G11\":\"Chưa có phản hồi\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"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\",\"x5+Lcz\":\"Not Checked In\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"bU7oUm\":\"Chỉ gửi đến các đơn hàng có trạng thái này\",\"ppuQR4\":\"Đơn hàng được tạo\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"vu6Arl\":\"Đơn hàng được đánh dấu là đã trả\",\"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\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Đơn hàng đã hoàn lại\",\"6eSHqs\":\"Trạng thái đơn hàng\",\"e7eZuA\":\"Đơn hàng cập nhật\",\"mz+c33\":\"Orders Created\",\"5It1cQ\":\"Đơn hàng đã được xuất\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"2w/FiJ\":\"Paid Ticket\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Tạm dừng\",\"TskrJ8\":\"Thanh toán & Gói\",\"EyE8E6\":\"Thanh toán đang xử lý\",\"vcyz2L\":\"Cài đặt thanh toán\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Đặt hàng\",\"br3Y/y\":\"Phí nền tảng\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Vui lòng nhập URL hợp lệ\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"yygcoG\":\"Please select at least one ticket\",\"fuwKpE\":\"Vui lòng thử lại.\",\"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...\",\"R7+D0/\":\"Portuguese (Brazil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"product\",\"EWCLpZ\":\"Sản phẩm được tạo ra\",\"XkFYVB\":\"Xóa sản phẩm\",\"0dzBGg\":\"Product email has been resent to attendee\",\"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\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Mã khuyến mãi\",\"k3wH7i\":\"Chi tiết sử dụng mã khuyến mãi và giảm giá\",\"812gwg\":\"Purchase License\",\"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\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Resend product email\",\"slOprG\":\"Đặt lại mật khẩu của bạn\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Search by ticket name...\",\"j9cPeF\":\"Chọn loại sự kiện\",\"XH5juP\":\"Select Ticket Tier\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Chọn những sự kiện nào sẽ kích hoạt webhook này\",\"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é\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Send order confirmation and product email\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Thiết lập trong vài phút\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Show available ticket quantity\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"v6IwHE\":\"Check-in thông minh\",\"J9xKh8\":\"Bảng điều khiển thông minh\",\"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\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Sản phẩm nhân đôi thành công\",\"g2lRrH\":\"Successfully updated ticket\",\"kj7zYe\":\"Cập nhật Webhook thành công\",\"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\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"KosivG\":\"Ticket deleted successfully\",\"HGuXjF\":\"Người sở hữu vé\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/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:\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"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\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL là bắt buộc\",\"fROFIL\":\"Tiếng Việt\",\"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.\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"n6EaWL\":\"Xem nhật ký\",\"AMkkeL\":\"View order\",\"MXm9nr\":\"VIP Product\",\"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\",\"jupD+L\":\"Chào mừng trở lại 👋\",\"je8QQT\":\"Chào mừng bạn đến với Hi.Events 👋\",\"wjqPqF\":\"What are Tiered Tickets?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"Webhook là gì?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"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?\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Bạn cần xác minh email tài khoản trước khi có thể gửi tin nhắn.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Những người tham dự của bạn đã được xuất thành công.\",\"nBqgQb\":\"Email của bạn\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Đơn hàng của bạn đã được xuất thành công.\",\"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.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"Do nguy cơ spam cao, chúng tôi yêu cầu xác minh thủ công trước khi bạn có thể gửi tin nhắn.\\nVui lòng liên hệ với chúng tôi để yêu cầu quyền truy cập.\",\"8XAE7n\":\"Nếu bạn có tài khoản với chúng tôi, bạn sẽ nhận được email hướng dẫn cách đặt lại mật khẩu.\",\"GNKnb/\":\"Cung cấp ngữ cảnh hoặc hướng dẫn bổ sung cho câu hỏi này. Sử dụng trường này để thêm đ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.\",\"LYLrI5\":\"Các từ khóa mô tả sự kiện, cách nhau 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\",\"6yO66n\":\"Tổng phụ\"}")}; \ 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ự kiện của\"],\"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>Danh sách check-in giúp quản lý việc vào cửa của người tham dự sự kiện của bạn. Bạn có thể liên kết nhiều vé với danh sách check-in và đảm bảo chỉ những người có vé hợp lệ mới được vào.\",\"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\":\"Xác nhận địa chỉ email của bạn\",\"BN0OQd\":\"🎉 Xin chúc mừng đã tạo ra một sự kiện!\",\"4kSf7w\":\"🎟️Thêm sản phẩm\",\"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\":\"Thêm chi tiết sự kiện và quản lý cài đặt sự kiện.\",\"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\":\"Thêm nhiều sản phẩm\",\"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\":\"Thêm sản phẩm\",\"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\":\"Tùy chọn bổ sung\",\"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\":\"Sắp xong rồi! Chúng tôi chỉ đang đợi xử lý thanh toán của bạn. Điều này chỉ tốn vài giây.. \",\"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\":\"Một sự kiện là sự kiện thực tế bạn đang tổ chức. \",\"oBkF+i\":\"Một người tổ chức là công ty hoặc người đang tổ chức sự kiện\",\"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\":\"Các sự kiện lưu trữ\",\"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\":\"Người tham dự với một sản phẩm cụ thể\",\"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\":\"Sự kiện tuyệt vời\",\"Yrbm6T\":\"Nhà tổ chức tuyệt vời Ltd.\",\"9002sI\":\"Quay lại tất cả các sự kiện\",\"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\":\"Trước khi sự kiện của bạn có thể phát hành, có một vài điều bạn cần làm.\",\"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\":\"Hủy đơn hàng sẽ hủy tất cả các sản phẩm liên quan và đưa chúng trở lại kho hàng có sẵn.\",\"vv7kpg\":\"Hủy bỏ\",\"U7nGvl\":\"Không thể xác nhận tham dự\",\"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\":\"Thay đổi bìa\",\"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\":\"Danh sách check-in được tạo thành công\",\"+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\":\"Đã xác nhận tham dự\",\"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\":\"Bấm vào đây\",\"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\":\"Hoàn tất thanh toán\",\"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\":\"Connect 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\":\"Màu nền nội dung\",\"xGVfLh\":\"Tiếp tục\",\"X++RMT\":\"Văn bản nút tiếp tục\",\"AfNRFG\":\"Văn bản nút tiếp tục\",\"lIbwvN\":\"Tiếp tục thiết lập sự kiện\",\"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\":\"Sử dụng thông tin này cho tất cả người tham dự\",\"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\":\"Tạo sản phẩm cho sự kiện của bạn, đặt giá và quản lý số lượng có sẵn.\",\"sYpiZP\":\"Tạo mã khuyến mãi\",\"B3Mkdt\":\"Tạo câu hỏi\",\"UKfi21\":\"Tạo thuế hoặc phí\",\"d+F6q9\":\"Được tạo\",\"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\":\"Bảng điều khiển\",\"mYGY3B\":\"Ngày\",\"JvUngl\":\"Ngày và Thời gian\",\"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\":\"Xóa bìa\",\"KWa0gi\":\"Xóa hình ảnh\",\"1l14WA\":\"Xóa sản phẩm\",\"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\":\"Bỏ qua\",\"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\":\"kéo và thả hoặc nhấp vào\",\"CfKofC\":\"Lựa chọn thả xuống\",\"JzLDvy\":\"Nhân bản phân bổ sức chứa\",\"ulMxl+\":\"Nhân bản danh sách check-in\",\"vi8Q/5\":\"Nhân bản sự kiện\",\"3ogkAk\":\"Nhân bản sự kiện\",\"Yu6m6X\":\"Nhân bản ảnh bìa sự kiện\",\"+fA4C7\":\"Tùy chọn nhân bản\",\"SoiDyI\":\"Nhân bản sản phẩm\",\"57ALrd\":\"Nhân bản mã khuyến mãi\",\"83Hu4O\":\"Nhân bản câu hỏi\",\"20144c\":\"Nhân bản cài đặt\",\"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\":\"Sự kiện kết thúc\",\"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\":\"Sự kiện được tạo thành công 🎉\",\"/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\":\"Sự kiện không thể nhìn thấy đối với công chúng\",\"4pKXJS\":\"Sự kiện có thể nhìn thấy cho công chúng\",\"ClwUUD\":\"Vị trí sự kiện & địa điểm tổ chức\",\"OopDbA\":\"Trang sự kiện\",\"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\":\"URL sự kiện\",\"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\":\"Đi đến trang chủ sự kiện\",\"ebIDwV\":\"Lịch Google\",\"RUz8o/\":\"Tổng doanh số\",\"IgcAGN\":\"Tổng doanh số\",\"yRg26W\":\"Tổng doanh số\",\"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\":[\"Hội nghị Hi.events \",[\"0\"]],\"verBst\":\"Trung tâm hội nghị HI.Events\",\"6eMEQO\":\"Logo hi.events\",\"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\":\"Tôi muốn thanh toán bằng phương thức ngoại tuyến\",\"SdFlIP\":\"Tôi muốn thanh toán bằng phương thức trực tuyến (thẻ tín dụng, v.v.)\",\"93DUnd\":[\"Nếu một tab mới không mở, vui lòng <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\":\"Kích thước hình ảnh phải trong khoảng từ 4000px x 4000px. Chiều cao tối đa 4000px và chiều rộng tối đa 4000px\",\"uPEIvq\":\"Hình ảnh phải nhỏ hơn 5MB\",\"AGZmwV\":\"Hình ảnh được tải lên thành công\",\"VyUuZb\":\"URL hình ảnh\",\"ibi52/\":\"Chiều rộng hình ảnh phải ít nhất 900px và chiều cao ít nhất là 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\":\"Thực hiện hoàn tiền\",\"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\":\"Hãy bắt đầu bằng cách tạo người tổ chức đầu tiên của bạn\",\"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\":\"Tin nhắn cho người tham dự với các sản phẩm cụ thể\",\"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\":\"Tên phải nhỏ hơn 150 ký tự\",\"AIUkyF\":\"Đi tới người tham dự\",\"qqeAJM\":\"Không bao giờ\",\"7vhWI8\":\"Mật khẩu mới\",\"1UzENP\":\"Không\",\"eRblWH\":[\"Không \",[\"0\"],\" Có sẵn.\"],\"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\":\"Không người tham dự nào có thể check-in trước ngày này bằng danh sách này\",\"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 có\",\"OJx3wK\":\"Không có sẵn\",\"Scbrsn\":\"Không được bán\",\"1DBGsz\":\"Ghi chú\",\"jtrY3S\":\"Chưa có gì để hiển thị\",\"hFwWnI\":\"Cài đặt thông báo\",\"xXqEPO\":\"Thông báo cho người mua về hoàn tiền\",\"YpN29s\":\"Thông báo cho ban tổ chức các đơn hàng mới\",\"qeQhNj\":\"Bây giờ hãy tạo sự kiện đầu tiên của bạn\",\"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\":\"Đang Bán\",\"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ỉ các email quan trọng, liên quan trực tiếp đến sự kiện này, nên được gửi bằng biểu mẫu này.\\nBất kì hành vi sử dụng sai, bao gồm gửi email quảng cáo, sẽ dẫn đến lệnh cấm tài khoản ngay lập tức.\",\"Qqqrwa\":\"Mở trang Xác nhận tham dự (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\":\"Đơn hàng đã hoàn thành\",\"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\":\"Ban 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\":\"Màu nền trang\",\"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\":\"Hạng giá\",\"q6XHL1\":\"Loại giá\",\"6RmHKN\":\"Màu sắc chính\",\"G/ZwV1\":\"Màu sắc chính\",\"8cBtvm\":\"Màu văn bản chính\",\"BZz12Q\":\"In\",\"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\":\"Sản phẩm đã bán\",\"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\":\"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\":\"Mã QR\",\"LkMOWF\":\"Số lượng có sẵn\",\"oCLG0M\":\"Số lượng bán\",\"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\":\"Mã tham chiếu\",\"gxFu7d\":[\"Số tiền hoàn lại (\",[\"0\"],\")\"],\"WZbCR3\":\"Hoàn tiền không thành công\",\"n10yGu\":\"Lệnh hoàn trả\",\"zPH6gp\":\"Lệnh hoàn trả\",\"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\":\"Gửi lại email xác nhận\",\"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\":\"Trở lại trang sự kiện\",\"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\":\"Kết thúc bán hàng\",\"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\":\"Quét mã QR\",\"EEU0+z\":\"Quét mã QR này để truy cập trang sự kiện hoặc chia sẻ nó với những người khác\",\"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\":\"Màu phụ\",\"DnXcDK\":\"Màu phụ\",\"cZF6em\":\"Màu chữ phụ\",\"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\":\"Chia sẻ lên Facebook\",\"x7i6H+\":\"Chia sẻ với LinkedIn\",\"zziQd8\":\"Chia sẻ với Pinterest\",\"/TgBEk\":\"Chia sẻ với Reddit\",\"0Wlk5F\":\"Chia sẻ với xã hội\",\"on+mNS\":\"Chia sẻ với Telegram\",\"PcmR+m\":\"Chia sẻ với WhatsApp\",\"/5b1iZ\":\"Chia sẻ với X.com\",\"n/T2KI\":\"Chia sẻ qua email\",\"8vETh9\":\"Hiển thị\",\"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\":\"Có gì đó không ổn\",\"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\":\"Xin lỗi, có gì đó không ổn. Vui lòng thử thanh toán lại\",\"KWgppI\":\"Xin lỗi, có điều gì đó không ổn khi tải trang này.\",\"/TCOIK\":\"Xin lỗi, đơn hàng này không còn tồn tại.\",\"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ó một đơn hàng không được 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\":\"Mô tả này sẽ được hiển thị cho nhân viên kiểm tra vé\",\"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\":\"Sự kiện này không có sẵn tại thời điểm này. Vui lòng quay lại sau.\",\"Z6LdQU\":\"Sự kiện này không có sẵn.\",\"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\":\"Danh sách này sẽ không còn có sẵn để kiểm tra sau ngày này\",\"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\":\"Đơn hàng này đã bị hủy\",\"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\":\"Đơn hàng này đang chờ thanh toán\",\"BdYtn9\":\"Đơn hàng này đã hoàn tất\",\"e3uMJH\":\"Đơn hàng này đã hoàn tất.\",\"YNKXOK\":\"Đơn hàng này đang xử lý.\",\"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\":\"Sản phẩm này được ẩn khỏi chế độ xem công khai\",\"Y/x1MZ\":\"Sản phẩm này bị ẩn trừ khi được nhắm mục tiêu bởi mã khuyến mãi\",\"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\":\"Tiêu đề\",\"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+\":\"Tổng còn lại\",\"/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\":\"Tải lên bìa\",\"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\":\"Xem chi tiết đơn hàng\",\"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.\",\"VGioT0\":\"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\":[\"Chào mừng bạn đến với hi.events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"Sản phẩm cấp bậc là gì?\",\"f1jUC0\":\"Danh sách người tham dự này nên hoạt động vào ngày nào?\",\"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\":\"Danh sách người tham dự này nên hết hạn khi nào?\",\"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\":\"Có\",\"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\":\"Bạn phải xác nhận địa chỉ email của bạn trước khi sự kiện của bạn có thể phát hành.\",\"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\":\"Bạn cần xác minh tài khoản của mình trước khi bạn có thể gửi tin nhắn.\",\"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\":[\"Bạn sẽ đến \",[\"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\":\"Đơn hàng của bạn đang chờ thanh toán 🏦\",\"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\":\"Sản phẩm cho\",\"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\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" Webhook đang hoạt động\"],\"tmew5X\":[[\"0\"],\" checked in\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"EventCount\"],\" Sự kiện\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>The number of tickets available for this ticket<1>This value can be overridden if there are <2>Capacity Limits associated with this ticket.\",\"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.\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ Add tickets\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 Webhook đang hoạt động\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"A default \",[\"type\"],\" is automaticaly applied to all new tickets. You can override this on a per ticket basis.\"],\"Pgaiuj\":\"A fixed amount per ticket. E.g, $0.50 per ticket\",\"ySO/4f\":\"A percentage of the ticket price. E.g., 3.5% of the ticket price\",\"WXeXGB\":\"A promo code with no discount can be used to reveal hidden tickets.\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"A single question per attendee. E.g, What is your preferred meal?\",\"ap3v36\":\"A single question per order. E.g, What is your company name?\",\"uyJsf6\":\"Thông tin sự kiện\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"Giới thiệu về Stripe Connect\",\"VTfZPy\":\"Truy cập bị từ chối\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"Add\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"Add More tickets\",\"BGD9Yt\":\"Add tickets\",\"QN2F+7\":\"Thêm Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"Affiliates\",\"gKq1fa\":\"Tất cả người tham dự\",\"QsYjci\":\"All Events\",\"/twVAS\":\"All Tickets\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"Đã xảy ra lỗi khi kiểm tra trạng thái xuất.\",\"er3d/4\":\"An error occurred while sorting the tickets. Please try again or refresh the page\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"Sự kiện là buổi tụ họp hoặc dịp mà bạn đang tổ chức. Bạn có thể thêm thông tin chi tiết sau.\",\"QNrkms\":\"Câu trả lời đã được cập nhật thành công.\",\"j4DliD\":\"Any queries from ticket holders will be sent to this email address. This will also be used as the \\\"reply-to\\\" address for all emails sent from this event\",\"epTbAK\":[\"Applies to \",[\"0\"],\" tickets\"],\"6MkQ2P\":\"Applies to 1 ticket\",\"jcnZEw\":[\"Apply this \",[\"type\"],\" to all new tickets\"],\"Dy+k4r\":\"Are you sure you want to cancel this attendee? This will void their product\",\"5H3Z78\":\"Bạn có chắc là bạn muốn xóa webhook này không?\",\"2xEpch\":\"Ask once per attendee\",\"F2rX0R\":\"Ít nhất một loại sự kiện phải được chọn\",\"AJ4rvK\":\"Người tham dự đã hủy bỏ\",\"qvylEK\":\"Người tham dự đã tạo ra\",\"Xc2I+v\":\"Quản lý người tham dự\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"Người tham dự cập nhật\",\"k3Tngl\":\"Danh sách người tham dự đã được xuất\",\"5UbY+B\":\"Người tham dự có vé cụ thể\",\"kShOaz\":\"Quy trình tự động\",\"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\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"Avg Discount/Order\",\"sGUsYa\":\"Avg Order Value\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"Basic Details\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"Begin selling tickets in minutes\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"Kiểm soát thương hiệu\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"Canceled\",\"Ud7zwq\":\"Canceling will cancel all tickets associated with this order, and release the tickets back into the available pool.\",\"QndF4b\":\"check in\",\"9FVFym\":\"check out\",\"Y3FYXy\":\"Check-In\",\"udRwQs\":\"Check-in đã được tạo\",\"F4SRy3\":\"Check-in đã bị xóa\",\"rfeicl\":\"Checked in successfully\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"Chinese\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"đóng\",\"msqIjo\":\"Collapse this ticket when the event page is initially loaded\",\"/sZIOR\":\"Cửa hàng hoàn chỉnh\",\"7D9MJz\":\"Hoàn tất thiết lập Stripe\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"Tài liệu kết nối\",\"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\",\"/3017M\":\"Đã kết nối với Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"Liên hệ hỗ trợ\",\"nBGbqc\":\"Liên hệ với chúng tôi để bật tính năng nhắn tin\",\"RGVUUI\":\"Continue To Payment\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"Tạo và tùy chỉnh trang sự kiện của bạn ngay lập tức\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"Create Ticket\",\"agZ87r\":\"Create tickets for your event, set prices, and manage available quantity.\",\"dkAPxi\":\"Tạo webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"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\",\"zgCHnE\":\"Báo cáo doanh số hàng ngày\",\"nHm0AI\":\"Chi tiết doanh số hàng ngày, thuế và phí\",\"PqrqgF\":\"Day one check-in list\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"Delete ticket\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"Xóa webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"Disable this capacity track capacity without stopping product sales\",\"Tgg8XQ\":\"Disable this capacity track capacity without stopping ticket sales\",\"TvY/XA\":\"Tài liệu\",\"dYskfr\":\"Does not exist\",\"V6Jjbr\":\"Chưa có tài khoản? <0>Đăng ký\",\"4+aC/x\":\"Donation / Pay what you'd like ticket\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"Drag to sort\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"Nhân bản sản phẩm\",\"Wt9eV8\":\"Duplicate Tickets\",\"4xK5y2\":\"Sao chép webhooks\",\"2iZEz7\":\"Chỉnh sửa câu trả lời\",\"kNGp1D\":\"Edit attendee\",\"t2bbp8\":\"Edit Attendee\",\"d+nnyk\":\"Edit Ticket\",\"fW5sSv\":\"Chỉnh sửa webhook\",\"nP7CdQ\":\"Chỉnh sửa webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"Enable this capacity to stop ticket sales when the limit is reached\",\"RxzN1M\":\"Đã bật\",\"LslKhj\":\"Lỗi khi tải nhật ký\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"Sự kiện không có sẵn\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"Loại sự kiện\",\"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...\",\"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\",\"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\",\"10XEC9\":\"Failed to resend product email\",\"lKh069\":\"Không thể bắt đầu quá trình xuất\",\"NNc33d\":\"Không thể cập nhật câu trả lời.\",\"YirHq7\":\"Feedback\",\"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.\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"Phí cố định:\",\"KgxI80\":\"Vé linh hoạt\",\"/4rQr+\":\"Free Ticket\",\"01my8x\":\"Free ticket, no payment information required\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"Bắt đầu miễn phí, không có phí đăng ký\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"Truy cập Hi.Events\",\"Lek3cJ\":\"Đi đến Bảng điều khiển Stripe\",\"GNJ1kd\":\"Help & Support\",\"spMR9y\":\"Hi.Events tính phí nền tảng để duy trì và cải thiện dịch vụ của chúng tôi. Các khoản phí này sẽ được khấu trừ tự động từ mỗi giao dịch.\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"Ẩn câu trả lời\",\"fsi6fC\":\"Hide this ticket from customers\",\"Fhzoa8\":\"Hide ticket after sale end date\",\"yhm3J/\":\"Hide ticket before sale start date\",\"k7/oGT\":\"Hide ticket unless user has applicable promo code\",\"L0ZOiu\":\"Hide ticket when sold out\",\"uno73L\":\"Hiding a ticket will prevent users from seeing it on the event page.\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"If blank, the address will be used to generate a Google map link\",\"wOU3Tr\":\"Nếu bạn có tài khoản với chúng tôi, bạn sẽ nhận được một email có hướng dẫn về cách đặt lại password của bạn.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"Image dimensions must be between 3000px by 2000px. With a max height of 2000px and max width of 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee product page\",\"evpD4c\":\"Include connection details for your online event. These details will be shown on the order summary page and attendee ticket page\",\"AXTNr8\":[\"Includes \",[\"0\"],\" tickets\"],\"7/Rzoe\":\"Includes 1 ticket\",\"F1Xp97\":\"Người tham dự riêng lẻ\",\"nbfdhU\":\"Integrations\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"Phản hồi cuối cùng\",\"gw3Ur5\":\"Trình kích hoạt cuối cùng\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"Đang tải Webhooks\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"Manage products\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"Manage taxes and fees which can be applied to your tickets\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"Quản lý xử lý thanh toán và xem phí nền tảng của bạn\",\"lzcrX3\":\"Manually adding an attendee will adjust ticket quantity.\",\"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\",\"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\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"Multiple price options. Perfect for early bird tickets etc.\",\"m920rF\":\"New York\",\"074+X8\":\"Không có Webhook hoạt động\",\"6r9SGl\":\"Không yêu cầu thẻ tín dụng\",\"Z6ILSe\":\"No events for this organizer\",\"XZkeaI\":\"Không tìm thấy nhật ký\",\"zK/+ef\":\"Không có sản phẩm nào có sẵn để lựa chọn\",\"q91DKx\":\"No questions have been answered by this attendee.\",\"QoAi8D\":\"Không có phản hồi\",\"EK/G11\":\"Chưa có phản hồi\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"No tickets to show\",\"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\",\"x5+Lcz\":\"Not Checked In\",\"+P/tII\":\"Once you're ready, set your event live and start selling tickets.\",\"bU7oUm\":\"Chỉ gửi đến các đơn hàng có trạng thái này\",\"ppuQR4\":\"Đơn hàng được tạo\",\"L4kzeZ\":[\"Order Details \",[\"0\"]],\"vu6Arl\":\"Đơn hàng được đánh dấu là đã trả\",\"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\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"Đơn hàng đã hoàn lại\",\"6eSHqs\":\"Trạng thái đơn hàng\",\"e7eZuA\":\"Đơn hàng cập nhật\",\"mz+c33\":\"Orders Created\",\"5It1cQ\":\"Đơn hàng đã được xuất\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"Organizers can only manage events and tickets. They cannot manage users, account settings or billing information.\",\"2w/FiJ\":\"Paid Ticket\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"Tạm dừng\",\"TskrJ8\":\"Thanh toán & Gói\",\"EyE8E6\":\"Thanh toán đang xử lý\",\"vcyz2L\":\"Cài đặt thanh toán\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"Đặt hàng\",\"br3Y/y\":\"Phí nền tảng\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"Vui lòng nhập URL hợp lệ\",\"MA04r/\":\"Please remove filters and set sorting to \\\"Homepage order\\\" to enable sorting\",\"yygcoG\":\"Please select at least one ticket\",\"fuwKpE\":\"Vui lòng thử lại.\",\"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...\",\"R7+D0/\":\"Portuguese (Brazil)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"Powered by Stripe\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"product\",\"EWCLpZ\":\"Sản phẩm được tạo ra\",\"XkFYVB\":\"Xóa sản phẩm\",\"0dzBGg\":\"Product email has been resent to attendee\",\"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\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"Mã khuyến mãi\",\"k3wH7i\":\"Chi tiết sử dụng mã khuyến mãi và giảm giá\",\"812gwg\":\"Purchase License\",\"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\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"Resend product email\",\"slOprG\":\"Đặt lại mật khẩu của bạn\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"Seach by name, order #, attendee # or email...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"Search by ticket name...\",\"j9cPeF\":\"Chọn loại sự kiện\",\"XH5juP\":\"Select Ticket Tier\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"Chọn những sự kiện nào sẽ kích hoạt webhook này\",\"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é\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"Send order confirmation and product email\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"Thiết lập trong vài phút\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"Show available ticket quantity\",\"j3b+OW\":\"Shown to the customer after they checkout, on the order summary page\",\"v6IwHE\":\"Check-in thông minh\",\"J9xKh8\":\"Bảng điều khiển thông minh\",\"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\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"Sorry, your order has expired. Please start a new order.\",\"a4SyEE\":\"Sorting is disabled while filters and sorting are applied\",\"4nG1lG\":\"Standard ticket with a fixed price\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"Successfully checked <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"Successfully Created Ticket\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"Sản phẩm nhân đôi thành công\",\"g2lRrH\":\"Successfully updated ticket\",\"kj7zYe\":\"Cập nhật Webhook thành công\",\"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\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"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.\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[\"The maximum numbers number of tickets for \",[\"0\"],\"is \",[\"1\"]],\"FeAfXO\":[\"The maximum numbers number of tickets for Generals is \",[\"0\"]],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"The taxes and fees to apply to this ticket. You can create new taxes and fees on the\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"There are no tickets available for this event\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"This overrides all visibility settings and will hide the ticket from all customers.\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"This ticket cannot be deleted because it is\\nassociated with an order. You can hide it instead.\",\"ma6qdu\":\"This ticket is hidden from public view\",\"xJ8nzj\":\"This ticket is hidden unless targeted by a Promo Code\",\"KosivG\":\"Ticket deleted successfully\",\"HGuXjF\":\"Người sở hữu vé\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"Ticket Sales\",\"NirIiz\":\"Ticket Tier\",\"8jLPgH\":\"Ticket Type\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"Ticket Widget Preview\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"Ticket(s)\",\"6GQNLE\":\"Tickets\",\"ikA//P\":\"tickets sold\",\"i+idBz\":\"Tickets sold\",\"AGRilS\":\"Tickets Sold\",\"56Qw2C\":\"Tickets sorted successfully\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"Tiered Ticket\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"Tiered tickets allow you to offer multiple price options for the same ticket.\\nThis is perfect for early bird tickets, or offering different price\\noptions for different groups of people.\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"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.\",\"/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:\",\"mLGbAS\":[\"Unable to \",[\"0\"],\" attendee\"],\"nNdxt9\":\"Unable to create ticket. Please check the your details\",\"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\",\"ZBAScj\":\"Người tham dự không xác định\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL là bắt buộc\",\"fROFIL\":\"Tiếng Việt\",\"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\",\"AM+zF3\":\"View attendee\",\"e4mhwd\":\"View event homepage\",\"n6EaWL\":\"Xem nhật ký\",\"AMkkeL\":\"View order\",\"MXm9nr\":\"VIP Product\",\"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\",\"jupD+L\":\"Chào mừng trở lại 👋\",\"je8QQT\":\"Chào mừng bạn đến với Hi.Events 👋\",\"wjqPqF\":\"What are Tiered Tickets?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"Webhook là gì?\",\"MhhnvW\":\"What tickets does this code apply to? (Applies to all by default)\",\"dCil3h\":\"What tickets should this question be apply to?\",\"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\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"You can create a promo code which targets this ticket on the\",\"UqVaVO\":\"You cannot change the ticket type as there are attendees associated with this ticket.\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"You cannot delete this price tier because there are already tickets sold for this tier. You can hide it instead.\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"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?\",\"183zcL\":\"You have taxes and fees added to a Free Ticket. Would you like to remove or obscure them?\",\"2v5MI1\":\"You haven't sent any messages yet. You can send messages to all attendees, or to specific ticket holders.\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"Bạn cần xác minh email tài khoản trước khi có thể gửi tin nhắn.\",\"8QNzin\":\"You'll need at a ticket before you can create a capacity assignment.\",\"WHXRMI\":\"You'll need at least one ticket to get started. Free, paid or let the user decide what to pay.\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"Những người tham dự của bạn đã được xuất thành công.\",\"nBqgQb\":\"Email của bạn\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"Đơn hàng của bạn đã được xuất thành công.\",\"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.\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"\\\"\\\"Do rủi ro cao về spam, chúng tôi yêu cầu xác minh thủ công trước khi bạn có thể gửi tin nhắn.\\n\\\"\\\"Vui lòng liên hệ với chúng tôi để yêu cầu quyền truy cập.\\\"\\\"\",\"8XAE7n\":\"\\\"\\\"Nếu bạn có tài khoản với chúng tôi, bạn sẽ nhận được email hướng dẫn cách đặt lại\\n\\\"\\\"mật khẩu.\\\"\\\"\",\"GNKnb/\":\"Cung cấp ngữ cảnh hoặc hướng dẫn bổ sung cho câu hỏi này. Sử dụng trường này để thêm đ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.\",\"LYLrI5\":\"Các từ khóa mô tả sự kiện, cách nhau 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\",\"6yO66n\":\"Tổng phụ\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/vi.po b/frontend/src/locales/vi.po index c7e000395c..f5b26558b0 100644 --- a/frontend/src/locales/vi.po +++ b/frontend/src/locales/vi.po @@ -22,14 +22,16 @@ msgstr "'không có gì để hiển thị'" #~ "\"\"Due to the high risk of spam, we require manual verification before you can send messages.\n" #~ "\"\"Please contact us to request access." #~ msgstr "" -#~ "Do nguy cơ spam cao, chúng tôi yêu cầu xác minh thủ công trước khi bạn có thể gửi tin nhắn.\n" -#~ "Vui lòng liên hệ với chúng tôi để yêu cầu quyền truy cập." +#~ "\"\"Do rủi ro cao về spam, chúng tôi yêu cầu xác minh thủ công trước khi bạn có thể gửi tin nhắn.\n" +#~ "\"\"Vui lòng liên hệ với chúng tôi để yêu cầu quyền truy cập.\"\"" #: src/components/routes/auth/ForgotPassword/index.tsx:40 #~ msgid "" #~ "\"\"If you have an account with us, you will receive an email with instructions on how to reset your\n" #~ "\"\"password." -#~ msgstr "Nếu bạn có tài khoản với chúng tôi, bạn sẽ nhận được email hướng dẫn cách đặt lại mật khẩu." +#~ msgstr "" +#~ "\"\"Nếu bạn có tài khoản với chúng tôi, bạn sẽ nhận được email hướng dẫn cách đặt lại\n" +#~ "\"\"mật khẩu.\"\"" #: src/components/forms/QuestionForm/index.tsx:189 #~ msgid "" @@ -236,7 +238,7 @@ msgstr "Một câu hỏi duy nhất cho mỗi sản phẩm. Ví dụ: Kích thư msgid "A standard tax, like VAT or GST" msgstr "Thuế tiêu chuẩn, như VAT hoặc GST" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "Thông tin sự kiện" @@ -280,7 +282,7 @@ msgstr "Tài khoản được cập nhật thành công" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "Hành động" @@ -310,11 +312,11 @@ msgstr "Thêm bất kỳ ghi chú nào về người tham dự. Những ghi chú msgid "Add any notes about the attendee..." msgstr "Thêm bất kỳ ghi chú nào về người tham dự ..." -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "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." -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "Thêm bất kỳ ghi chú nào về đơn hàng ..." @@ -354,7 +356,7 @@ msgstr "Thêm sản phẩm vào danh mục" msgid "Add products" msgstr "Thêm sản phẩm" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "Thêm câu hỏi" @@ -395,8 +397,8 @@ msgid "Address line 1" msgstr "Dòng địa chỉ 1" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "Dòng địa chỉ 1" @@ -405,8 +407,8 @@ msgid "Address line 2" msgstr "Dòng địa chỉ 2" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "Dòng địa chỉ 2" @@ -462,11 +464,15 @@ msgstr "Số tiền" msgid "Amount paid ({0})" msgstr "Số tiền đã trả ({0})" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "Đã xảy ra lỗi khi kiểm tra trạng thái xuất." + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "Đã xảy ra lỗi trong khi tải trang" -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "Vui lòng thử lại hoặc tải lại trang này" @@ -490,6 +496,10 @@ msgstr "Đã xảy ra lỗi không mong muốn." msgid "An unexpected error occurred. Please try again." msgstr "Đã xảy ra lỗi không mong muốn. Vui lòng thử lại." +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "Câu trả lời đã được cập nhật thành công." + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "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." @@ -550,7 +560,7 @@ msgstr "Bạn có chắc mình muốn hủy người tham dự này không? Đi msgid "Are you sure you want to delete this promo code?" msgstr "Bạn có chắc là bạn muốn xóa mã khuyến mãi này không?" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "Bạn có chắc là bạn muốn xóa câu hỏi này không?" @@ -590,7 +600,7 @@ msgstr "Hỏi một lần cho mỗi sản phẩm" msgid "At least one event type must be selected" msgstr "Ít nhất một loại sự kiện phải được chọn" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "Người tham dự" @@ -618,7 +628,7 @@ msgstr "Không tìm thấy người tham dự" msgid "Attendee Notes" msgstr "Ghi chú của người tham dự" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "Câu hỏi của người tham dự" @@ -634,7 +644,7 @@ msgstr "Người tham dự cập nhật" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "Người tham dự" @@ -676,7 +686,7 @@ msgstr "Tự động điều chỉnh chiều cao của widget dựa trên nội msgid "Awaiting offline payment" msgstr "Đang chờ thanh toán offline" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -705,8 +715,8 @@ msgid "Back to all events" msgstr "Quay lại tất cả các sự kiện" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "Trở lại trang sự kiện" @@ -731,7 +741,7 @@ msgstr "Trước khi bạn gửi!" msgid "Before your event can go live, there are a few things you need to do." msgstr "Trước khi sự kiện của bạn có thể phát hành, có một vài điều bạn cần làm." -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "Địa chỉ thanh toán" @@ -766,6 +776,7 @@ msgstr "Quyền sử dụng máy ảnh đã bị từ chối. Hãy <0>Yêu cầu #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -794,7 +805,7 @@ msgstr "Hủy đơn hàng sẽ hủy tất cả các sản phẩm liên quan và #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "Hủy bỏ" @@ -943,8 +954,8 @@ msgstr "Chọn một tài khoản" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "Thành phố" @@ -960,8 +971,13 @@ msgstr "Bấm vào đây" msgid "Click to copy" msgstr "Bấm để sao chép" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "đóng" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "Đóng" @@ -1008,11 +1024,11 @@ msgstr "Sắp ra mắt" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "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." -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" msgstr "Hoàn tất đơn hàng" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "Hoàn tất thanh toán" @@ -1030,7 +1046,7 @@ msgstr "Hoàn tất thiết lập Stripe" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "Hoàn thành" @@ -1117,7 +1133,7 @@ msgstr "Màu nền nội dung" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "Tiếp tục" @@ -1158,7 +1174,7 @@ msgstr "Sao chép" msgid "Copy Check-In URL" msgstr "Sao chép URL check-in" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "Sử dụng thông tin này cho tất cả người tham dự" @@ -1173,7 +1189,7 @@ msgstr "Sao chép URL" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "Quốc gia" @@ -1355,7 +1371,7 @@ msgstr "Chi tiết doanh số hàng ngày, thuế và phí" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "Vùng nguy hiểm" @@ -1374,8 +1390,8 @@ msgid "Date" msgstr "Ngày" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "Ngày và Thời gian" +#~ msgid "Date & Time" +#~ msgstr "Ngày và Thời gian" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1415,7 +1431,7 @@ msgstr "Xóa hình ảnh" msgid "Delete product" msgstr "Xóa sản phẩm" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "Xóa câu hỏi" @@ -1435,7 +1451,7 @@ msgstr "Mô tả" msgid "Description for check-in staff" msgstr "Mô tả cho nhân viên làm thủ tục check-in" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "Chi tiết" @@ -1574,8 +1590,8 @@ msgid "Early bird" msgstr "Ưu đãi sớm" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "Chỉnh sửa" @@ -1583,6 +1599,10 @@ msgstr "Chỉnh sửa" msgid "Edit {0}" msgstr "chỉnh sửa {0}" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "Chỉnh sửa câu trả lời" + #: src/components/common/CapacityAssignmentList/index.tsx:146 msgid "Edit Capacity" msgstr "Chỉnh sửa công suất" @@ -1628,7 +1648,7 @@ msgstr "Chỉnh sửa danh mục sản phẩm" msgid "Edit Promo Code" msgstr "Chỉnh sửa mã khuyến mãi" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "Chỉnh sửa câu hỏi" @@ -1684,16 +1704,16 @@ msgstr "Cài đặt email & thông báo" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "Địa chỉ email" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "Địa chỉ Email" @@ -1880,15 +1900,31 @@ msgid "Expiry Date" msgstr "Ngày hết hạn" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "Xuất" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "Xuất câu trả lời" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "Xuất thất bại. Vui lòng thử lại." + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "Đã bắt đầu xuất. Đang chuẩn bị tệp..." + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "Đang xuất danh sách người tham dự" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "Xuất hoàn tất. Đang tải xuống tệp..." + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "Đang xuất đơn hàng" @@ -1900,7 +1936,7 @@ msgstr "Không thể hủy người tham dự" msgid "Failed to cancel order" msgstr "Không thể hủy đơn hàng" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "Không thể xóa tin nhắn. Vui lòng thử lại." @@ -1913,7 +1949,7 @@ msgstr "Không thể tải hóa đơn. Vui lòng thử lại." msgid "Failed to export attendees" msgstr "Không thể xuất danh sách người tham dự" -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "Không thể xuất đơn hàng" @@ -1933,6 +1969,14 @@ msgstr "Không thể gửi lại email vé" msgid "Failed to sort products" msgstr "Không thể sắp xếp sản phẩm" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "Không thể bắt đầu quá trình xuất" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "Không thể cập nhật câu trả lời." + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -1951,7 +1995,7 @@ msgstr "Các khoản phí" 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." -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "Lọc đơn hàng" @@ -1968,22 +2012,22 @@ msgstr "Bộ lọc ({activeFilterCount})" msgid "First Invoice Number" msgstr "Số hóa đơn đầu tiên" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" msgstr "Tên" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" msgstr "Tên" @@ -1992,7 +2036,7 @@ msgstr "Tên" msgid "First name must be between 1 and 50 characters" msgstr "Tên của bạn phải nằm trong khoảng từ 1 đến 50 ký tự" -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "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." @@ -2067,7 +2111,7 @@ msgstr "Bắt đầu" msgid "Go back to profile" msgstr "Quay trở lại hồ sơ" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "Đi đến trang chủ sự kiện" @@ -2141,11 +2185,11 @@ msgstr "Logo hi.events" msgid "Hidden from public view" msgstr "Ẩn khỏi chế độ xem công khai" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "Câu hỏi ẩn" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "Câu hỏi ẩn" @@ -2158,11 +2202,15 @@ msgstr "Các câu hỏi ẩn chỉ hiển thị cho người tổ chức sự ki msgid "Hide" msgstr "Ẩn" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "Ẩn câu trả lời" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "ẩn trang bắt đầu" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "ẩn các câu hỏi ẩn" @@ -2215,7 +2263,7 @@ msgid "Homepage Preview" msgstr "Xem trước trang chủ" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "Homer" @@ -2371,7 +2419,7 @@ msgstr "Cài đặt hóa đơn" msgid "Issue refund" msgstr "Thực hiện hoàn tiền" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "Mục" @@ -2431,20 +2479,20 @@ msgstr "Đăng nhập cuối cùng" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "Họ" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "Họ" @@ -2477,7 +2525,6 @@ msgstr "Đang tải Webhooks" msgid "Loading..." msgstr "Đang tải ..." -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -2666,7 +2713,7 @@ msgstr "Tiêu đề sự kiện tuyệt vời của tôi ..." msgid "My Profile" msgstr "Hồ sơ của tôi" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "Không áp dụng" @@ -2694,7 +2741,8 @@ msgstr "Tên" msgid "Name should be less than 150 characters" msgstr "Tên phải nhỏ hơn 150 ký tự" -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "Đi tới người tham dự" @@ -2715,8 +2763,8 @@ msgid "No" msgstr "Không" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "Không {0} Có sẵn." +#~ msgid "No {0} available." +#~ msgstr "Không {0} Có sẵn." #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -2726,11 +2774,11 @@ msgstr "Không có Webhook hoạt động" msgid "No archived events to show." msgstr "Không có sự kiện lưu trữ để hiển thị." -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "Không có người tham dự tìm thấy cho đơn hàng này." -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "Không có người tham dự đã được thêm vào đơn hàng này." @@ -2818,11 +2866,11 @@ msgstr "Chưa có sản phẩm" msgid "No Promo Codes to show" msgstr "Không có mã khuyến mãi để hiển thị" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "Không có câu hỏi nào được trả lời bởi người tham dự này." -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "Không có câu hỏi nào được hỏi cho đơn hàng này." @@ -2873,7 +2921,7 @@ msgid "Not On Sale" msgstr "Không được bán" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "Ghi chú" @@ -3024,7 +3072,7 @@ msgid "Order Date" msgstr "Ngày đơn hàng" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "Chi tiết đơn hàng" @@ -3041,7 +3089,7 @@ msgstr "Đơn hàng được đánh dấu là đã thanh toán" msgid "Order Marked as Paid" msgstr "Đơn hàng được đánh dấu là đã trả" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "Ghi chú đơn hàng" @@ -3057,8 +3105,8 @@ msgstr "Chủ đơn hàng có sản phẩm cụ thể" msgid "Order owners with products" msgstr "Chủ đơn hàng có sản phẩm" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "Câu hỏi đơn hàng" @@ -3070,7 +3118,7 @@ msgstr "Mã đơn hàng" msgid "Order Refunded" msgstr "Đơn hàng đã hoàn lại" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "Trạng thái đơn hàng" @@ -3079,7 +3127,7 @@ msgid "Order statuses" msgstr "Trạng thái đơn hàng" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "Tóm tắt đơn hàng" @@ -3092,11 +3140,11 @@ msgid "Order Updated" msgstr "Đơn hàng cập nhật" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "Đơn hàng" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "Đơn hàng đã được xuất" @@ -3160,7 +3208,7 @@ msgstr "đã trả tiền" msgid "Paid Product" msgstr "Sản phẩm trả phí" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "Hoàn lại tiền một phần" @@ -3353,7 +3401,7 @@ msgid "Please select at least one product" msgstr "Vui lòng chọn ít nhất một sản phẩm" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "Vui lòng thử lại." @@ -3370,7 +3418,7 @@ msgstr "Vui lòng đợi trong khi chúng tôi chuẩn bị cho người tham d msgid "Please wait while we prepare your invoice..." msgstr "Vui lòng đợi trong khi chúng tôi chuẩn bị hóa đơn của bạn ..." -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "Vui lòng đợi trong khi chúng tôi chuẩn bị đơn hàng của bạn để xuất ra..." @@ -3390,7 +3438,7 @@ msgstr "Được cung cấp bởi" msgid "Pre Checkout message" msgstr "Thông báo trước khi thanh toán" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "Xem trước" @@ -3472,7 +3520,7 @@ msgstr "Sản phẩm đã xóa thành công" msgid "Product Price Type" msgstr "Loại giá sản phẩm" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "Câu hỏi sản phẩm" @@ -3597,7 +3645,7 @@ msgstr "Số lượng có sẵn" msgid "Quantity Sold" msgstr "Số lượng bán" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "Câu hỏi bị xóa" @@ -3609,17 +3657,17 @@ msgstr "Mô tả câu hỏi" msgid "Question Title" msgstr "Tiêu đề câu hỏi" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "Câu hỏi" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "Câu hỏi" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "Câu hỏi được sắp xếp thành công" @@ -3660,14 +3708,14 @@ msgstr "Lệnh hoàn trả" msgid "Refund Pending" msgstr "Hoàn tiền chờ xử lý" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "Trạng thái hoàn trả" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "Đã hoàn lại" @@ -3793,6 +3841,7 @@ msgstr "Bán hàng bắt đầu" msgid "San Francisco" msgstr "San Francisco" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -3803,8 +3852,8 @@ msgstr "San Francisco" msgid "Save" msgstr "Lưu" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "Lưu thay đổi" @@ -3835,7 +3884,7 @@ msgstr "Tìm kiếm theo tên người tham dự, email hoặc đơn hàng" msgid "Search by event name..." msgstr "Tìm kiếm theo tên sự kiện" -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "Tìm kiếm theo tên, email, hoặc mã đơn hàng #" @@ -4081,7 +4130,7 @@ msgstr "Hiển thị" msgid "Show available product quantity" msgstr "Hiển thị số lượng sản phẩm có sẵn" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "Hiển thị câu hỏi ẩn" @@ -4106,7 +4155,7 @@ msgid "Shows common address fields, including country" msgstr "Hiển thị các trường địa chỉ chung, bao gồm quốc gia" #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "Simpson" @@ -4170,11 +4219,11 @@ msgstr "Có gì đó không ổn. Vui lòng thử lại" msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "Xin lỗi, có gì đó không ổn. Vui lòng thử thanh toán lại" -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "Xin lỗi, có điều gì đó không ổn khi tải trang này." -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "Xin lỗi, đơn hàng này không còn tồn tại." @@ -4199,8 +4248,8 @@ msgstr "Ngày bắt đầu" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "Nhà nước hoặc khu vực" @@ -4312,7 +4361,7 @@ msgstr "Vị trí cập nhật thành công" msgid "Successfully Updated Misc Settings" msgstr "Cài đặt linh tinh được cập nhật thành công" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "Đơn hàng cập nhật thành công" @@ -4556,7 +4605,7 @@ msgstr "Đơn hàng này đã được thanh toán." msgid "This order has already been refunded." msgstr "Đơn hàng này đã được hoàn trả." -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "Đơn hàng này đã bị hủy" @@ -4564,15 +4613,15 @@ msgstr "Đơn hàng này đã bị hủy" msgid "This order has been cancelled." msgstr "Đơn hàng này đã bị hủy bỏ." -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "Đơn hàng này đã hết hạn. Vui lòng bắt đầu lại." -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "Đơn hàng này đang chờ thanh toán" -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "Đơn hàng này đã hoàn tất" @@ -4609,7 +4658,7 @@ msgstr "Sản phẩm này được ẩn khỏi chế độ xem công khai" msgid "This product is hidden unless targeted by a Promo Code" msgstr "Sản phẩm này bị ẩn trừ khi được nhắm mục tiêu bởi mã khuyến mãi" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "Câu hỏi này chỉ hiển thị cho người tổ chức sự kiện" @@ -4786,6 +4835,10 @@ msgstr "Khách hàng duy nhất" msgid "United States" msgstr "Hoa Kỳ" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "Người tham dự không xác định" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -4897,8 +4950,8 @@ msgstr "Tên địa điểm" msgid "Vietnamese" msgstr "Tiếng Việt" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "Xem" @@ -4906,7 +4959,11 @@ msgstr "Xem" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "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." -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "Xem câu trả lời" + +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "Xem chi tiết người tham dự" @@ -4922,17 +4979,17 @@ msgstr "Xem tin nhắn đầy đủ" msgid "View logs" msgstr "Xem nhật ký" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "Xem bản đồ" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "Xem trên Google Maps" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "Xem chi tiết đơn hàng" @@ -5167,8 +5224,8 @@ msgstr "Làm việc" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -5229,7 +5286,7 @@ msgstr "Bạn không thể chỉnh sửa vai trò hoặc trạng thái của ch msgid "You cannot refund a manually created order." msgstr "Bạn không thể hoàn trả một Đơn hàng được tạo thủ công." -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "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." @@ -5241,11 +5298,11 @@ msgstr "Bạn có quyền truy cập vào nhiều tài khoản. Vui lòng chọn msgid "You have already accepted this invitation. Please login to continue." msgstr "Bạn đã chấp nhận lời mời này. Vui lòng đăng nhập để tiếp tục." -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "Bạn không có câu hỏi cho người tham dự." -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "Bạn không có câu hỏi nào về đơn hàng." @@ -5329,7 +5386,7 @@ msgstr "Người tham dự của bạn sẽ xuất hiện ở đây sau khi họ msgid "Your awesome website 🎉" msgstr "Trang web tuyệt vời của bạn 🎉" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "Thông tin của bạn" @@ -5357,7 +5414,7 @@ msgstr "Đơn hàng của bạn đã bị hủy" msgid "Your order is awaiting payment 🏦" msgstr "Đơn hàng của bạn đang chờ thanh toán 🏦" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "Đơn hàng của bạn đã được xuất thành công." @@ -5398,7 +5455,7 @@ msgstr "Tài khoản Stripe của bạn được kết nối và sẵn sàng x msgid "Your ticket for" msgstr "Vé của bạn cho" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "mã zip / bưu điện" @@ -5407,6 +5464,6 @@ msgstr "mã zip / bưu điện" msgid "Zip or Postal Code" msgstr "mã zip hoặc bưu điện" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "mã zip hoặc bưu điện" diff --git a/frontend/src/locales/zh-cn.js b/frontend/src/locales/zh-cn.js index 9aeb2f4309..d49da5dbb7 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\"],\"的活动\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" 已签到\"],\"Vjij1k\":[[\"days\"],\" 天, \",[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"f3RdEk\":[[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"fyE7Au\":[[\"分\"],\"分钟和\",[\"秒\"],\"秒钟\"],\"NlQ0cx\":[[\"组织者名称\"],\"的首次活动\"],\"Ul6IgC\":\"<0>容量分配让你可以管理票务或整个活动的容量。非常适合多日活动、研讨会等,需要控制出席人数的场合。<1>例如,你可以将容量分配与<2>第一天和<3>所有天数的票关联起来。一旦达到容量,这两种票将自动停止销售。\",\"Exjbj7\":\"<0>签到列表帮助管理活动的参与者入场。您可以将多个票与一个签到列表关联,并确保只有持有效票的人员才能入场。\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>请输入不含税费的价格。<1>税费可以在下方添加。\",\"ZjMs6e\":\"<0>该产品的可用数量<1>如果该产品有相关的<2>容量限制,此值可以被覆盖。\",\"E15xs8\":\"⚡️ 设置您的活动\",\"FL6OwU\":\"✉️ 确认您的电子邮件地址\",\"BN0OQd\":\"恭喜您创建了一个活动!\",\"4kSf7w\":\"🎟️ 添加产品\",\"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\":\"关于活动\",\"3pykXZ\":\"接受银行转账、支票或其他线下支付方式\",\"hrvLf4\":\"通过 Stripe 接受信用卡支付\",\"bfXQ+N\":\"接受邀请\",\"AeXO77\":\"账户\",\"lkNdiH\":\"账户名称\",\"Puv7+X\":\"账户设置\",\"OmylXO\":\"账户更新成功\",\"7L01XJ\":\"行动\",\"FQBaXG\":\"激活\",\"5T2HxQ\":\"激活日期\",\"F6pfE9\":\"活跃\",\"/PN1DA\":\"为此签到列表添加描述\",\"0/vPdA\":\"添加有关与会者的任何备注。这些将不会对与会者可见。\",\"Or1CPR\":\"添加有关与会者的任何备注...\",\"l3sZO1\":\"添加关于订单的备注。这些信息不会对客户可见。\",\"xMekgu\":\"添加关于订单的备注...\",\"PGPGsL\":\"添加描述\",\"gMK0ps\":\"添加活动详情并管理活动设置。\",\"OveehC\":\"添加线下支付的说明(例如,银行转账详情、支票寄送地址、付款截止日期)\",\"LTVoRa\":\"添加更多产品\",\"ApsD9J\":\"添加新内容\",\"TZxnm8\":\"添加选项\",\"24l4x6\":\"添加产品\",\"8q0EdE\":\"将产品添加到类别\",\"YvCknQ\":\"添加产品\",\"Cw27zP\":\"添加问题\",\"yWiPh+\":\"加税或费用\",\"goOKRY\":\"增加层级\",\"oZW/gT\":\"添加到日历\",\"pn5qSs\":\"附加信息\",\"Y8DIQy\":\"附加选项\",\"Du6bPw\":\"地址\",\"NY/x1b\":\"地址第 1 行\",\"POdIrN\":\"地址 1\",\"cormHa\":\"地址第 2 行\",\"gwk5gg\":\"地址第 2 行\",\"U3pytU\":\"管理员\",\"HLDaLi\":\"管理员用户可以完全访问事件和账户设置。\",\"W7AfhC\":\"本次活动的所有与会者\",\"cde2hc\":\"所有产品\",\"5CQ+r0\":\"允许与未支付订单关联的参与者签到\",\"ipYKgM\":\"允许搜索引擎索引\",\"LRbt6D\":\"允许搜索引擎索引此事件\",\"+MHcJD\":\"快到了!我们正在等待处理您的付款。只需几秒钟。\",\"ApOYO8\":\"令人惊叹, 活动, 关键词...\",\"hehnjM\":\"金额\",\"R2O9Rg\":[\"支付金额 (\",[\"0\"],\")\"],\"V7MwOy\":\"加载页面时出现错误\",\"Q7UCEH\":\"问题排序时发生错误。请重试或刷新页面\",\"jD/OCQ\":\"事件是您要举办的实际活动。您可以稍后添加更多细节。\",\"oBkF+i\":\"主办方是指举办活动的公司或个人\",\"W5A0Ly\":\"出现意外错误。\",\"byKna+\":\"出现意外错误。请重试。\",\"ubdMGz\":\"产品持有者的任何查询都将发送到此电子邮件地址。此地址还将用作从此活动发送的所有电子邮件的“回复至”地址\",\"aAIQg2\":\"外观\",\"Ym1gnK\":\"应用\",\"sy6fss\":[\"适用于\",[\"0\"],\"个产品\"],\"kadJKg\":\"适用于1个产品\",\"DB8zMK\":\"应用\",\"GctSSm\":\"应用促销代码\",\"ARBThj\":[\"将此\",[\"type\"],\"应用于所有新产品\"],\"S0ctOE\":\"归档活动\",\"TdfEV7\":\"已归档\",\"A6AtLP\":\"已归档的活动\",\"q7TRd7\":\"您确定要激活该与会者吗?\",\"TvkW9+\":\"您确定要归档此活动吗?\",\"/CV2x+\":\"您确定要取消该与会者吗?这将使其门票作废\",\"YgRSEE\":\"您确定要删除此促销代码吗?\",\"iU234U\":\"您确定要删除这个问题吗?\",\"CMyVEK\":\"您确定要将此活动设为草稿吗?这将使公众无法看到该活动\",\"mEHQ8I\":\"您确定要将此事件公开吗?这将使事件对公众可见\",\"s4JozW\":\"您确定要恢复此活动吗?它将作为草稿恢复。\",\"vJuISq\":\"您确定要删除此容量分配吗?\",\"baHeCz\":\"您确定要删除此签到列表吗?\",\"LBLOqH\":\"每份订单询问一次\",\"wu98dY\":\"每个产品询问一次\",\"ss9PbX\":\"与会者\",\"m0CFV2\":\"与会者详情\",\"QKim6l\":\"未找到参与者\",\"R5IT/I\":\"与会者备注\",\"lXcSD2\":\"与会者提问\",\"HT/08n\":\"参会者票\",\"9SZT4E\":\"与会者\",\"iPBfZP\":\"注册的参会者\",\"7KxcHR\":\"具有特定产品的参会者\",\"IMJ6rh\":\"自动调整大小\",\"vZ5qKF\":\"根据内容自动调整 widget 高度。禁用时,窗口小部件将填充容器的高度。\",\"4lVaWA\":\"等待线下付款\",\"2rHwhl\":\"等待线下付款\",\"3wF4Q/\":\"等待付款\",\"ioG+xt\":\"等待付款\",\"3PmQfI\":\"精彩活动\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"返回所有活动\",\"A302fe\":\"返回活动页面\",\"VCoEm+\":\"返回登录\",\"k1bLf+\":\"背景颜色\",\"I7xjqg\":\"背景类型\",\"1mwMl+\":\"发送之前\",\"/yeZ20\":\"在活动上线之前,您需要做几件事。\",\"ze6ETw\":\"几分钟内开始销售产品\",\"8rE61T\":\"账单地址\",\"/xC/im\":\"账单设置\",\"rp/zaT\":\"巴西葡萄牙语\",\"whqocw\":\"注册即表示您同意我们的<0>服务条款和<1>隐私政策。\",\"bcCn6r\":\"计算类型\",\"+8bmSu\":\"加利福尼亚州\",\"iStTQt\":\"相机权限被拒绝。<0>再次请求权限,如果还不行,则需要在浏览器设置中<1>授予此页面访问相机的权限。\",\"dEgA5A\":\"取消\",\"Gjt/py\":\"取消更改电子邮件\",\"tVJk4q\":\"取消订单\",\"Os6n2a\":\"取消订单\",\"Mz7Ygx\":[\"取消订单 \",[\"0\"]],\"3tTjpi\":\"取消将会取消与此订单关联的所有产品,并将产品释放回可用库存。\",\"vv7kpg\":\"已取消\",\"U7nGvl\":\"无法签到\",\"QyjCeq\":\"容量\",\"V6Q5RZ\":\"容量分配创建成功\",\"k5p8dz\":\"容量分配删除成功\",\"nDBs04\":\"容量管理\",\"ddha3c\":\"类别允许您将产品分组。例如,您可以有一个“门票”类别和另一个“商品”类别。\",\"iS0wAT\":\"类别帮助您组织产品。此标题将在公共活动页面上显示。\",\"eorM7z\":\"类别重新排序成功。\",\"3EXqwa\":\"类别创建成功\",\"77/YgG\":\"更改封面\",\"GptGxg\":\"更改密码\",\"xMDm+I\":\"报到\",\"p2WLr3\":[\"签到 \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"签到并将订单标记为已支付\",\"QYLpB4\":\"仅签到\",\"/Ta1d4\":\"签退\",\"5LDT6f\":\"看看这个活动吧!\",\"gXcPxc\":\"办理登机手续\",\"fVUbUy\":\"签到列表创建成功\",\"+CeSxK\":\"签到列表删除成功\",\"+hBhWk\":\"签到列表已过期\",\"mBsBHq\":\"签到列表未激活\",\"vPqpQG\":\"未找到签到列表\",\"tejfAy\":\"签到列表\",\"hD1ocH\":\"签到链接已复制到剪贴板\",\"CNafaC\":\"复选框选项允许多重选择\",\"SpabVf\":\"复选框\",\"CRu4lK\":\"登记入住\",\"znIg+z\":\"结账\",\"1WnhCL\":\"结账设置\",\"6imsQS\":\"简体中文\",\"JjkX4+\":\"选择背景颜色\",\"/Jizh9\":\"选择账户\",\"3wV73y\":\"城市\",\"FG98gC\":\"清除搜索文本\",\"EYeuMv\":\"点击此处\",\"sby+1/\":\"点击复制\",\"yz7wBu\":\"关闭\",\"62Ciis\":\"关闭侧边栏\",\"EWPtMO\":\"代码\",\"ercTDX\":\"代码长度必须在 3 至 50 个字符之间\",\"oqr9HB\":\"当活动页面初始加载时折叠此产品\",\"jZlrte\":\"颜色\",\"Vd+LC3\":\"颜色必须是有效的十六进制颜色代码。例如#ffffff\",\"1HfW/F\":\"颜色\",\"VZeG/A\":\"即将推出\",\"yPI7n9\":\"以逗号分隔的描述活动的关键字。搜索引擎将使用这些关键字来帮助对活动进行分类和索引\",\"NPZqBL\":\"完整订单\",\"guBeyC\":\"完成付款\",\"C8HNV2\":\"完成付款\",\"qqWcBV\":\"已完成\",\"6HK5Ct\":\"已完成订单\",\"NWVRtl\":\"已完成订单\",\"DwF9eH\":\"组件代码\",\"Tf55h7\":\"已配置折扣\",\"7VpPHA\":\"确认\",\"ZaEJZM\":\"确认电子邮件更改\",\"yjkELF\":\"确认新密码\",\"xnWESi\":\"确认密码\",\"p2/GCq\":\"确认密码\",\"wnDgGj\":\"确认电子邮件地址...\",\"pbAk7a\":\"连接条纹\",\"UMGQOh\":\"与 Stripe 连接\",\"QKLP1W\":\"连接 Stripe 账户,开始接收付款。\",\"5lcVkL\":\"连接详情\",\"yAej59\":\"内容背景颜色\",\"xGVfLh\":\"继续\",\"X++RMT\":\"继续按钮文本\",\"AfNRFG\":\"继续按钮文本\",\"lIbwvN\":\"继续活动设置\",\"HB22j9\":\"继续设置\",\"bZEa4H\":\"继续 Stripe 连接设置\",\"6V3Ea3\":\"复制的\",\"T5rdis\":\"复制到剪贴板\",\"he3ygx\":\"复制\",\"r2B2P8\":\"复制签到链接\",\"8+cOrS\":\"将详细信息抄送给所有与会者\",\"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\":\"为您的活动创建产品,设置价格,并管理可用数量。\",\"sYpiZP\":\"创建促销代码\",\"B3Mkdt\":\"创建问题\",\"UKfi21\":\"创建税费\",\"d+F6q9\":\"创建\",\"Q2lUR2\":\"货币\",\"DCKkhU\":\"当前密码\",\"uIElGP\":\"自定义地图 URL\",\"UEqXyt\":\"自定义范围\",\"876pfE\":\"客户\",\"QOg2Sf\":\"自定义此事件的电子邮件和通知设置\",\"Y9Z/vP\":\"定制活动主页和结账信息\",\"2E2O5H\":\"自定义此事件的其他设置\",\"iJhSxe\":\"自定义此事件的搜索引擎优化设置\",\"KIhhpi\":\"定制您的活动页面\",\"nrGWUv\":\"定制您的活动页面,以符合您的品牌和风格。\",\"Zz6Cxn\":\"危险区\",\"ZQKLI1\":\"危险区\",\"7p5kLi\":\"仪表板\",\"mYGY3B\":\"日期\",\"JvUngl\":\"日期和时间\",\"JJhRbH\":\"第一天容量\",\"cnGeoo\":\"删除\",\"jRJZxD\":\"删除容量\",\"VskHIx\":\"删除类别\",\"Qrc8RZ\":\"删除签到列表\",\"WHf154\":\"删除代码\",\"heJllm\":\"删除封面\",\"KWa0gi\":\"删除图像\",\"1l14WA\":\"删除产品\",\"IatsLx\":\"删除问题\",\"Nu4oKW\":\"说明\",\"YC3oXa\":\"签到工作人员的描述\",\"URmyfc\":\"详细信息\",\"1lRT3t\":\"禁用此容量将跟踪销售情况,但不会在达到限制时停止销售\",\"H6Ma8Z\":\"折扣\",\"ypJ62C\":\"折扣率\",\"3LtiBI\":[[\"0\"],\"中的折扣\"],\"C8JLas\":\"折扣类型\",\"1QfxQT\":\"解散\",\"DZlSLn\":\"文档标签\",\"cVq+ga\":\"没有帐户? <0>注册\",\"3F1nBX\":\"捐赠 / 自由定价产品\",\"OvNbls\":\"下载 .ics\",\"kodV18\":\"下载 CSV\",\"CELKku\":\"下载发票\",\"LQrXcu\":\"下载发票\",\"QIodqd\":\"下载二维码\",\"yhjU+j\":\"正在下载发票\",\"uABpqP\":\"拖放或点击\",\"CfKofC\":\"下拉选择\",\"JzLDvy\":\"复制容量分配\",\"ulMxl+\":\"复制签到列表\",\"vi8Q/5\":\"复制活动\",\"3ogkAk\":\"复制活动\",\"Yu6m6X\":\"复制事件封面图像\",\"+fA4C7\":\"复制选项\",\"SoiDyI\":\"复制产品\",\"57ALrd\":\"复制促销代码\",\"83Hu4O\":\"复制问题\",\"20144c\":\"复制设置\",\"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\":\"已结束的活动\",\"lYGfRP\":\"英语\",\"MhVoma\":\"输入不含税费的金额。\",\"SlfejT\":\"错误\",\"3Z223G\":\"确认电子邮件地址出错\",\"a6gga1\":\"确认更改电子邮件时出错\",\"5/63nR\":\"欧元\",\"0pC/y6\":\"活动\",\"CFLUfD\":\"成功创建事件 🎉\",\"/dgc8E\":\"活动日期\",\"0Zptey\":\"事件默认值\",\"QcCPs8\":\"活动详情\",\"6fuA9p\":\"事件成功复制\",\"AEuj2m\":\"活动主页\",\"Xe3XMd\":\"公众无法看到活动\",\"4pKXJS\":\"活动对公众可见\",\"ClwUUD\":\"活动地点和场地详情\",\"OopDbA\":\"活动页面\",\"4/If97\":\"活动状态更新失败。请稍后再试\",\"btxLWj\":\"事件状态已更新\",\"nMU2d3\":\"活动链接\",\"tst44n\":\"活动\",\"sZg7s1\":\"过期日期\",\"KnN1Tu\":\"到期\",\"uaSvqt\":\"有效期\",\"GS+Mus\":\"出口\",\"9xAp/j\":\"取消与会者失败\",\"ZpieFv\":\"取消订单失败\",\"z6tdjE\":\"删除信息失败。请重试。\",\"xDzTh7\":\"下载发票失败。请重试。\",\"9zSt4h\":\"导出与会者失败。请重试。\",\"2uGNuE\":\"导出订单失败。请重试。\",\"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\":\"前往活动主页\",\"ebIDwV\":\"谷歌日历\",\"RUz8o/\":\"总销售额\",\"IgcAGN\":\"销售总额\",\"yRg26W\":\"销售总额\",\"R4r4XO\":\"宾客\",\"26pGvx\":\"有促销代码吗?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"下面举例说明如何在应用程序中使用该组件。\",\"Y1SSqh\":\"下面是 React 组件,您可以用它在应用程序中嵌入 widget。\",\"QuhVpV\":[\"你好 \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events 会议中心\",\"6eMEQO\":\"hi.events 徽标\",\"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\":\"我想使用线下支付方式付款\",\"SdFlIP\":\"我想使用在线支付方式(如信用卡)付款\",\"93DUnd\":[\"如果新标签页没有打开,请<0><1>\",[\"0\"],\".。\"],\"yKdof1\":\"如果为空,将使用地址生成 Google 地图链接\",\"UYT+c8\":\"如果启用,登记工作人员可以将与会者标记为已登记或将订单标记为已支付并登记与会者。如果禁用,关联未支付订单的与会者无法登记。\",\"muXhGi\":\"如果启用,当有新订单时,组织者将收到电子邮件通知\",\"6fLyj/\":\"如果您没有要求更改密码,请立即更改密码。\",\"n/ZDCz\":\"图像已成功删除\",\"Mfbc2v\":\"图像尺寸必须在4000px和4000px之间。最大高度为4000px,最大宽度为4000px\",\"uPEIvq\":\"图片必须小于 5MB\",\"AGZmwV\":\"图片上传成功\",\"VyUuZb\":\"图片网址\",\"ibi52/\":\"图片宽度必须至少为 900px,高度必须至少为 50px\",\"NoNwIX\":\"不活动\",\"T0K0yl\":\"非活动用户无法登录。\",\"kO44sp\":\"包含您的在线活动的连接详细信息。这些信息将在订单摘要页面和参会者门票页面显示。\",\"FlQKnG\":\"价格中包含税费\",\"Vi+BiW\":[\"包括\",[\"0\"],\"个产品\"],\"lpm0+y\":\"包括1个产品\",\"UiAk5P\":\"插入图片\",\"OyLdaz\":\"再次发出邀请!\",\"HE6KcK\":\"撤销邀请!\",\"SQKPvQ\":\"邀请用户\",\"bKOYkd\":\"发票下载成功\",\"alD1+n\":\"发票备注\",\"kOtCs2\":\"发票编号\",\"UZ2GSZ\":\"发票设置\",\"PgdQrx\":\"退款问题\",\"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\":\"进一步了解 Stripe\",\"enV0g0\":\"留空以使用默认词“发票”\",\"vR92Yn\":\"让我们从创建第一个组织者开始吧\",\"Z3FXyt\":\"加载中...\",\"wJijgU\":\"地点\",\"sQia9P\":\"登录\",\"zUDyah\":\"登录\",\"z0t9bb\":\"登录\",\"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\":\"管理 Stripe 付款详情\",\"BfucwY\":\"管理用户及其权限\",\"1m+YT2\":\"在顾客结账前,必须回答必填问题。\",\"Dim4LO\":\"手动添加与会者\",\"e4KdjJ\":\"手动添加与会者\",\"vFjEnF\":\"标记为已支付\",\"g9dPPQ\":\"每份订单的最高限额\",\"l5OcwO\":\"与会者留言\",\"Gv5AMu\":\"留言参与者\",\"oUCR3c\":\"向有特定产品的参会者发送消息\",\"Lvi+gV\":\"留言买家\",\"tNZzFb\":\"留言内容\",\"lYDV/s\":\"给个别与会者留言\",\"V7DYWd\":\"发送的信息\",\"t7TeQU\":\"信息\",\"xFRMlO\":\"每次订购的最低数量\",\"QYcUEf\":\"最低价格\",\"RDie0n\":\"其他\",\"mYLhkl\":\"杂项设置\",\"KYveV8\":\"多行文本框\",\"VD0iA7\":\"多种价格选项。非常适合早鸟产品等。\",\"/bhMdO\":\"我的精彩活动描述\",\"vX8/tc\":\"我的精彩活动标题...\",\"hKtWk2\":\"我的简介\",\"fj5byd\":\"不适用\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"名称\",\"hVuv90\":\"名称应少于 150 个字符\",\"AIUkyF\":\"导航至与会者\",\"qqeAJM\":\"从不\",\"7vhWI8\":\"新密码\",\"1UzENP\":\"没有\",\"eRblWH\":[\"没有可用的\",[\"0\"],\"。\"],\"LNWHXb\":\"没有可显示的已归档活动。\",\"q2LEDV\":\"未找到此订单的参会者。\",\"zlHa5R\":\"尚未向此订单添加参会者。\",\"Wjz5KP\":\"无与会者\",\"Razen5\":\"在此日期前,使用此列表的参与者将无法签到\",\"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\":\"非卖品\",\"1DBGsz\":\"备注\",\"jtrY3S\":\"暂无显示内容\",\"hFwWnI\":\"通知设置\",\"xXqEPO\":\"通知买方退款\",\"YpN29s\":\"将新订单通知组织者\",\"qeQhNj\":\"现在,让我们创建第一个事件\",\"omyBS0\":\"允许支付的天数(留空以从发票中省略付款条款)\",\"n86jmj\":\"号码前缀\",\"mwe+2z\":\"线下订单在标记为已支付之前不会反映在活动统计中。\",\"dWBrJX\":\"线下支付失败。请重试或联系活动组织者。\",\"fcnqjw\":\"线下支付说明\",\"+eZ7dp\":\"线下支付\",\"ojDQlR\":\"线下支付信息\",\"u5oO/W\":\"线下支付设置\",\"2NPDz1\":\"销售中\",\"Ldu/RI\":\"销售中\",\"Ug4SfW\":\"创建事件后,您就可以在这里看到它。\",\"ZxnK5C\":\"一旦开始收集数据,您将在这里看到。\",\"PnSzEc\":\"一旦准备就绪,将您的活动上线并开始销售产品。\",\"J6n7sl\":\"持续进行\",\"z+nuVJ\":\"在线活动\",\"WKHW0N\":\"在线活动详情\",\"/xkmKX\":\"只有与本次活动直接相关的重要邮件才能使用此表单发送。\\n任何滥用行为,包括发送促销邮件,都将导致账户立即被封禁。\",\"Qqqrwa\":\"打开签到页面\",\"OdnLE4\":\"打开侧边栏\",\"ZZEYpT\":[\"方案 \",[\"i\"]],\"oPknTP\":\"所有发票上显示的可选附加信息(例如,付款条款、逾期付款费用、退货政策)\",\"OrXJBY\":\"发票编号的可选前缀(例如,INV-)\",\"0zpgxV\":\"选项\",\"BzEFor\":\"或\",\"UYUgdb\":\"订购\",\"mm+eaX\":\"订单号\",\"B3gPuX\":\"取消订单\",\"SIbded\":\"订单已完成\",\"q/CcwE\":\"订购日期\",\"Tol4BF\":\"订购详情\",\"WbImlQ\":\"订单已取消,并已通知订单所有者。\",\"nAn4Oe\":\"订单已标记为已支付\",\"uzEfRz\":\"订单备注\",\"VCOi7U\":\"订购问题\",\"TPoYsF\":\"订购参考\",\"acIJ41\":\"订单状态\",\"GX6dZv\":\"订单摘要\",\"tDTq0D\":\"订单超时\",\"1h+RBg\":\"订单\",\"3y+V4p\":\"组织地址\",\"GVcaW6\":\"组织详细信息\",\"nfnm9D\":\"组织名称\",\"G5RhpL\":\"组织者\",\"mYygCM\":\"需要组织者\",\"Pa6G7v\":\"组织者姓名\",\"l894xP\":\"组织者只能管理活动和产品。他们无法管理用户、账户设置或账单信息。\",\"fdjq4c\":\"衬垫\",\"ErggF8\":\"页面背景颜色\",\"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\":\"价格等级\",\"q6XHL1\":\"价格类型\",\"6RmHKN\":\"原色\",\"G/ZwV1\":\"原色\",\"8cBtvm\":\"主要文字颜色\",\"BZz12Q\":\"打印\",\"MT7dxz\":\"打印所有门票\",\"DKwDdj\":\"打印票\",\"K47k8R\":\"产品\",\"1JwlHk\":\"产品类别\",\"U61sAj\":\"产品类别更新成功。\",\"1USFWA\":\"产品删除成功\",\"4Y2FZT\":\"产品价格类型\",\"mFwX0d\":\"产品问题\",\"Lu+kBU\":\"产品销售\",\"U/R4Ng\":\"产品等级\",\"sJsr1h\":\"产品类型\",\"o1zPwM\":\"产品小部件预览\",\"ktyvbu\":\"产品\",\"N0qXpE\":\"产品\",\"ggqAiw\":\"已售产品\",\"Vla0Bo\":\"已售产品\",\"/u4DIx\":\"已售产品\",\"DJQEZc\":\"产品排序成功\",\"vERlcd\":\"简介\",\"kUlL8W\":\"成功更新个人资料\",\"cl5WYc\":[\"已使用促销 \",[\"promo_code\"],\" 代码\"],\"P5sgAk\":\"促销代码\",\"yKWfjC\":\"促销代码页面\",\"RVb8Fo\":\"促销代码\",\"BZ9GWa\":\"促销代码可用于提供折扣、预售权限或为您的活动提供特殊权限。\",\"OP094m\":\"促销代码报告\",\"4kyDD5\":\"提供此问题的附加背景或说明。使用此字段添加条款和条件、指南或参与者在回答前需要知道的任何重要信息。\",\"toutGW\":\"二维码\",\"LkMOWF\":\"可用数量\",\"oCLG0M\":\"销售数量\",\"XKJuAX\":\"问题已删除\",\"avf0gk\":\"问题描述\",\"oQvMPn\":\"问题标题\",\"enzGAL\":\"问题\",\"ROv2ZT\":\"问与答\",\"K885Eq\":\"问题已成功分类\",\"OMJ035\":\"无线电选项\",\"C4TjpG\":\"更多信息\",\"I3QpvQ\":\"受援国\",\"N2C89m\":\"参考资料\",\"gxFu7d\":[\"退款金额 (\",[\"0\"],\")\"],\"WZbCR3\":\"退款失败\",\"n10yGu\":\"退款订单\",\"zPH6gp\":\"退款订单\",\"RpwiYC\":\"退款处理中\",\"xHpVRl\":\"退款状态\",\"/BI0y9\":\"退款\",\"fgLNSM\":\"注册\",\"9+8Vez\":\"剩余使用次数\",\"tasfos\":\"去除\",\"t/YqKh\":\"移除\",\"t9yxlZ\":\"报告\",\"prZGMe\":\"要求账单地址\",\"EGm34e\":\"重新发送确认电子邮件\",\"lnrkNz\":\"重新发送电子邮件确认\",\"wIa8Qe\":\"重新发送邀请\",\"VeKsnD\":\"重新发送订单电子邮件\",\"dFuEhO\":\"重新发送票务电子邮件\",\"o6+Y6d\":\"重新发送...\",\"OfhWJH\":\"重置\",\"RfwZxd\":\"重置密码\",\"KbS2K9\":\"重置密码\",\"e99fHm\":\"恢复活动\",\"vtc20Z\":\"返回活动页面\",\"s8v9hq\":\"返回活动页面\",\"8YBH95\":\"收入\",\"PO/sOY\":\"撤销邀请\",\"GDvlUT\":\"角色\",\"ELa4O9\":\"销售结束日期\",\"5uo5eP\":\"销售结束\",\"Qm5XkZ\":\"销售开始日期\",\"hBsw5C\":\"销售结束\",\"kpAzPe\":\"销售开始\",\"P/wEOX\":\"旧金山\",\"tfDRzk\":\"节省\",\"IUwGEM\":\"保存更改\",\"U65fiW\":\"保存组织器\",\"UGT5vp\":\"保存设置\",\"ovB7m2\":\"扫描 QR 码\",\"EEU0+z\":\"扫描此二维码以访问活动页面或与他人分享\",\"W4kWXJ\":\"按与会者姓名、电子邮件或订单号搜索...\",\"+pr/FY\":\"按活动名称搜索...\",\"3zRbWw\":\"按姓名、电子邮件或订单号搜索...\",\"L22Tdf\":\"按姓名、订单号、参与者号或电子邮件搜索...\",\"BiYOdA\":\"按名称搜索...\",\"YEjitp\":\"按主题或内容搜索...\",\"Pjsch9\":\"搜索容量分配...\",\"r9M1hc\":\"搜索签到列表...\",\"+0Yy2U\":\"搜索产品\",\"YIix5Y\":\"搜索...\",\"OeW+DS\":\"辅助色\",\"DnXcDK\":\"辅助色\",\"cZF6em\":\"辅助文字颜色\",\"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\":\"分享到 Facebook\",\"x7i6H+\":\"分享到 LinkedIn\",\"zziQd8\":\"分享到 Pinterest\",\"/TgBEk\":\"分享到 Reddit\",\"0Wlk5F\":\"分享到社交网络\",\"on+mNS\":\"分享到 Telegram\",\"PcmR+m\":\"分享到 WhatsApp\",\"/5b1iZ\":\"分享到 X\",\"n/T2KI\":\"通过电子邮件分享\",\"8vETh9\":\"显示\",\"V0SbFp\":\"显示可用产品数量\",\"qDsmzu\":\"显示隐藏问题\",\"fMPkxb\":\"显示更多\",\"izwOOD\":\"单独显示税费\",\"1SbbH8\":\"结账后显示给客户,在订单摘要页面。\",\"YfHZv0\":\"在顾客结账前向他们展示\",\"CBBcly\":\"显示常用地址字段,包括国家\",\"yTnnYg\":\"辛普森\",\"TNaCfq\":\"单行文本框\",\"+P0Cn2\":\"跳过此步骤\",\"YSEnLE\":\"史密斯\",\"lgFfeO\":\"售罄\",\"Mi1rVn\":\"售罄\",\"nwtY4N\":\"出了问题\",\"GRChTw\":\"删除税费时出了问题\",\"YHFrbe\":\"出错了!请重试\",\"kf83Ld\":\"出问题了\",\"fWsBTs\":\"出错了。请重试。\",\"F6YahU\":\"对不起,出了点问题。请重新开始结账。\",\"KWgppI\":\"抱歉,在加载此页面时出了点问题。\",\"/TCOIK\":\"抱歉,此订单不再存在。\",\"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\":\"此描述将显示给签到工作人员\",\"MLTkH7\":\"此电子邮件并非促销邮件,与活动直接相关。\",\"2eIpBM\":\"此活动暂时不可用。请稍后再查看。\",\"Z6LdQU\":\"此活动不可用。\",\"MMd2TJ\":\"此信息将显示在支付页面、订单摘要页面和订单确认电子邮件中。\",\"XAHqAg\":\"这是一种常规产品,例如T恤或杯子。不发行门票\",\"CNk/ro\":\"这是一项在线活动\",\"FwXnJd\":\"此日期后此列表将不再可用于签到\",\"cHO4ec\":\"此信息将包含在本次活动发送的所有电子邮件的页脚中\",\"55i7Fa\":\"此消息仅在订单成功完成后显示。等待付款的订单不会显示此消息。\",\"RjwlZt\":\"此订单已付款。\",\"5K8REg\":\"此订单已退款。\",\"OiQMhP\":\"此订单已取消\",\"YyEJij\":\"此订单已取消。\",\"Q0zd4P\":\"此订单已过期。请重新开始。\",\"HILpDX\":\"此订单正在等待付款\",\"BdYtn9\":\"此订单已完成\",\"e3uMJH\":\"此订单已完成。\",\"YNKXOK\":\"此订单正在处理中。\",\"yPZN4i\":\"此订购页面已不可用。\",\"i0TtkR\":\"这将覆盖所有可见性设置,并将该产品对所有客户隐藏。\",\"cRRc+F\":\"此产品无法删除,因为它与订单关联。您可以将其隐藏。\",\"3Kzsk7\":\"此产品为门票。购买后买家将收到门票\",\"0fT4x3\":\"此产品对公众隐藏\",\"Y/x1MZ\":\"除非由促销代码指定,否则此产品是隐藏的\",\"Qt7RBu\":\"此问题只有活动组织者可见\",\"os29v1\":\"此重置密码链接无效或已过期。\",\"IV9xTT\":\"该用户未激活,因为他们没有接受邀请。\",\"5AnPaO\":\"入场券\",\"kjAL4v\":\"门票\",\"dtGC3q\":\"门票电子邮件已重新发送给与会者\",\"54q0zp\":\"门票\",\"xN9AhL\":[[\"0\"],\"级\"],\"jZj9y9\":\"分层产品\",\"8wITQA\":\"分层产品允许您为同一产品提供多种价格选项。这非常适合早鸟产品,或为不同人群提供不同的价格选项。\\\" # zh-cn\",\"nn3mSR\":\"剩余时间:\",\"s/0RpH\":\"使用次数\",\"y55eMd\":\"使用次数\",\"40Gx0U\":\"时区\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"标题\",\"xdA/+p\":\"工具\",\"72c5Qo\":\"总计\",\"YXx+fG\":\"折扣前总计\",\"NRWNfv\":\"折扣总金额\",\"BxsfMK\":\"总费用\",\"2bR+8v\":\"总销售额\",\"mpB/d9\":\"订单总额\",\"m3FM1g\":\"退款总额\",\"jEbkcB\":\"退款总额\",\"GBBIy+\":\"剩余总数\",\"/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\":\"上传封面\",\"IagCbF\":\"链接\",\"UtDm3q\":\"复制到剪贴板的 URL\",\"e5lF64\":\"使用示例\",\"fiV0xj\":\"使用限制\",\"sGEOe4\":\"使用封面图片的模糊版本作为背景\",\"OadMRm\":\"使用封面图片\",\"7PzzBU\":\"用户\",\"yDOdwQ\":\"用户管理\",\"Sxm8rQ\":\"用户\",\"VEsDvU\":\"用户可在 <0>\\\"配置文件设置\\\" 中更改自己的电子邮件\",\"vgwVkd\":\"世界协调时\",\"khBZkl\":\"增值税\",\"E/9LUk\":\"地点名称\",\"jpctdh\":\"查看\",\"Pte1Hv\":\"查看参会者详情\",\"/5PEQz\":\"查看活动页面\",\"fFornT\":\"查看完整信息\",\"YIsEhQ\":\"查看地图\",\"Ep3VfY\":\"在谷歌地图上查看\",\"Y8s4f6\":\"查看订单详情\",\"QIWCnW\":\"VIP签到列表\",\"tF+VVr\":\"贵宾票\",\"2q/Q7x\":\"可见性\",\"vmOFL/\":\"我们无法处理您的付款。请重试或联系技术支持。\",\"45Srzt\":\"我们无法删除该类别。请再试一次。\",\"/DNy62\":[\"我们找不到与\",[\"0\"],\"匹配的任何门票\"],\"1E0vyy\":\"我们无法加载数据。请重试。\",\"NmpGKr\":\"我们无法重新排序类别。请再试一次。\",\"VGioT0\":\"我们建议尺寸为 2160px x 1080px,文件大小不超过 5MB\",\"b9UB/w\":\"我们使用 Stripe 处理付款。连接您的 Stripe 账户即可开始接收付款。\",\"01WH0a\":\"我们无法确认您的付款。请重试或联系技术支持。\",\"Gspam9\":\"我们正在处理您的订单。请稍候...\",\"LuY52w\":\"欢迎加入!请登录以继续。\",\"dVxpp5\":[\"欢迎回来\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"欢迎来到 Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"什么是分层产品?\",\"f1jUC0\":\"此签到列表应在何时激活?\",\"4ueloy\":\"什么是类别?\",\"gxeWAU\":\"此代码适用于哪些产品?\",\"hFHnxR\":\"此代码适用于哪些产品?(默认适用于所有产品)\",\"AeejQi\":\"此容量应适用于哪些产品?\",\"Rb0XUE\":\"您什么时候抵达?\",\"5N4wLD\":\"这是什么类型的问题?\",\"gyLUYU\":\"启用后,将为票务订单生成发票。发票将随订单确认邮件一起发送。参与\",\"D3opg4\":\"启用线下支付后,用户可以完成订单并收到门票。他们的门票将清楚地显示订单未支付,签到工具会通知签到工作人员订单是否需要支付。\",\"D7C6XV\":\"此签到列表应在何时过期?\",\"FVetkT\":\"哪些票应与此签到列表关联?\",\"S+OdxP\":\"这项活动由谁组织?\",\"LINr2M\":\"这条信息是发给谁的?\",\"nWhye/\":\"这个问题应该问谁?\",\"VxFvXQ\":\"嵌入小部件\",\"v1P7Gm\":\"小部件设置\",\"b4itZn\":\"工作\",\"hqmXmc\":\"工作...\",\"+G/XiQ\":\"年度至今\",\"l75CjT\":\"是\",\"QcwyCh\":\"是的,移除它们\",\"ySeBKv\":\"您已经扫描过此票\",\"P+Sty0\":[\"您正在将电子邮件更改为 <0>\",[\"0\"],\"。\"],\"gGhBmF\":\"您处于离线状态\",\"sdB7+6\":\"您可以创建一个促销代码,针对该产品\",\"KRhIxT\":\"现在您可以开始通过 Stripe 接收付款。\",\"Gnjf3o\":\"您无法更改产品类型,因为有与该产品关联的参会者。\",\"S+on7c\":\"您无法为未支付订单的与会者签到。\",\"yNi4PV\":\"您无法为未支付订单的与会者签到。此设置可在活动设置中更改。\",\"c9Evkd\":\"您不能删除最后一个类别。\",\"6uwAvx\":\"您无法删除此价格层,因为此层已有售出的产品。您可以将其隐藏。\",\"tFbRKJ\":\"不能编辑账户所有者的角色或状态。\",\"fHfiEo\":\"您不能退还手动创建的订单。\",\"hK9c7R\":\"您创建了一个隐藏问题,但禁用了显示隐藏问题的选项。该选项已启用。\",\"NOaWRX\":\"您没有访问该页面的权限\",\"BRArmD\":\"您可以访问多个账户。请选择一个继续。\",\"Z6q0Vl\":\"您已接受此邀请。请登录以继续。\",\"rdk1xK\":\"您已连接 Stripe 账户\",\"ofEncr\":\"没有与会者提问。\",\"CoZHDB\":\"您没有订单问题。\",\"15qAvl\":\"您没有待处理的电子邮件更改。\",\"n81Qk8\":\"您尚未完成 Stripe Connect 设置\",\"jxsiqJ\":\"您尚未连接 Stripe 账户\",\"+FWjhR\":\"您已超时,未能完成订单。\",\"MycdJN\":\"您已为免费产品添加了税费。您想删除或隐藏它们吗?\",\"YzEk2o\":\"您尚未发送任何消息。您可以向所有参会者发送消息,或向特定产品持有者发送消息。\",\"R6i9o9\":\"您必须确认此电子邮件并非促销邮件\",\"3ZI8IL\":\"您必须同意条款和条件\",\"dMd3Uf\":\"您必须在活动上线前确认您的电子邮件地址。\",\"H35u3n\":\"必须先创建机票,然后才能手动添加与会者。\",\"jE4Z8R\":\"您必须至少有一个价格等级\",\"8/eLoa\":\"发送信息前,您需要验证您的账户。\",\"Egnj9d\":\"您必须手动将订单标记为已支付。这可以在订单管理页面上完成。\",\"L/+xOk\":\"在创建签到列表之前,您需要先获得票。\",\"Djl45M\":\"在您创建容量分配之前,您需要一个产品。\",\"y3qNri\":\"您需要至少一个产品才能开始。免费、付费或让用户决定支付金额。\",\"9HcibB\":[\"你要去 \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"您的账户名称会在活动页面和电子邮件中使用。\",\"veessc\":\"与会者注册参加活动后,就会出现在这里。您也可以手动添加与会者。\",\"Eh5Wrd\":\"您的网站真棒 🎉\",\"lkMK2r\":\"您的详细信息\",\"3ENYTQ\":[\"您要求将电子邮件更改为<0>\",[\"0\"],\"的申请正在处理中。请检查您的电子邮件以确认\"],\"yZfBoy\":\"您的信息已发送\",\"KSQ8An\":\"您的订单\",\"Jwiilf\":\"您的订单已被取消\",\"6UxSgB\":\"您的订单正在等待支付 🏦\",\"7YJdgG\":\"您的订单一旦开始滚动,就会出现在这里。\",\"9TO8nT\":\"您的密码\",\"P8hBau\":\"您的付款正在处理中。\",\"UdY1lL\":\"您的付款未成功,请重试。\",\"fzuM26\":\"您的付款未成功。请重试。\",\"cEli2o\":\"您的产品为\",\"cJ4Y4R\":\"您的退款正在处理中。\",\"IFHV2p\":\"您的入场券\",\"x1PPdr\":\"邮政编码\",\"BM/KQm\":\"邮政编码\",\"+LtVBt\":\"邮政编码\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" 个活动的 Webhook\"],\"tmew5X\":[[\"0\"],\"签到\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" 个事件\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>此票的可用票数<1>如果此票有<2>容量限制,此值可以被覆盖。\",\"ZnVt5v\":\"<0>Webhooks 可在事件发生时立即通知外部服务,例如,在注册时将新与会者添加到您的 CRM 或邮件列表,确保无缝自动化。<1>使用第三方服务,如 <2>Zapier、<3>IFTTT 或 <4>Make 来创建自定义工作流并自动化任务。\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ 添加门票\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 个活动的 Webhook\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"默认 \",[\"type\"],\" 会自动应用于所有新票单。您可以根据每张票单的具体情况覆盖该默认值。\"],\"Pgaiuj\":\"每张票的固定金额。例如,每张票 0.50 美元\",\"ySO/4f\":\"票价的百分比。例如,票价的 3.5%\",\"WXeXGB\":\"使用无折扣的促销代码可显示隐藏的门票。\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"每位与会者只需回答一个问题。例如:您喜欢吃什么?\",\"ap3v36\":\"每份订单只有一个问题。例如:贵公司的名称是什么?\",\"uyJsf6\":\"关于\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"关于 Stripe Connect\",\"VTfZPy\":\"访问被拒绝\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"添加\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"添加更多门票\",\"BGD9Yt\":\"添加机票\",\"QN2F+7\":\"添加 Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"附属机构\",\"gKq1fa\":\"所有与会者\",\"QsYjci\":\"所有活动\",\"/twVAS\":\"所有门票\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"er3d/4\":\"在整理门票时发生错误。请重试或刷新页面\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"活动是您正在组织的聚会或场合。您可以稍后添加更多详细信息。\",\"j4DliD\":\"持票人的任何询问都将发送到此电子邮件地址。该地址也将作为本次活动发送的所有电子邮件的 \\\"回复地址\\\"。\",\"epTbAK\":[\"适用于\",[\"0\"],\"张票\"],\"6MkQ2P\":\"适用于1张票\",\"jcnZEw\":[\"将此 \",[\"类型\"],\"应用于所有新票\"],\"Dy+k4r\":\"您确定要取消该参会者吗?这将使他们的产品无效\",\"5H3Z78\":\"您确定要删除此 Webhook 吗?\",\"2xEpch\":\"每位与会者提问一次\",\"F2rX0R\":\"必须选择至少一种事件类型\",\"AJ4rvK\":\"与会者已取消\",\"qvylEK\":\"与会者已创建\",\"Xc2I+v\":\"与会者管理\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"与会者已更新\",\"k3Tngl\":\"与会者已导出\",\"5UbY+B\":\"持有特定门票的与会者\",\"kShOaz\":\"自动化工作流\",\"VPoeAx\":\"使用多个签到列表和实时验证的自动化入场管理\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"平均折扣/订单\",\"sGUsYa\":\"平均订单价值\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"基本详情\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"几分钟内开始售票\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"品牌控制\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"已取消\",\"Ud7zwq\":\"取消将取消与此订单相关的所有机票,并将机票放回可用票池。\",\"QndF4b\":\"报到\",\"9FVFym\":\"查看\",\"Y3FYXy\":\"办理登机手续\",\"udRwQs\":\"签到已创建\",\"F4SRy3\":\"签到已删除\",\"rfeicl\":\"签到成功\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"中文\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"msqIjo\":\"加载活动页面时折叠此票\",\"/sZIOR\":\"完整商店\",\"7D9MJz\":\"完成 Stripe 设置\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"连接文档\",\"MOUF31\":\"连接 CRM 并使用 Webhook 和集成自动化任务\",\"/3017M\":\"已连接到 Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"联系支持\",\"nBGbqc\":\"联系我们以启用消息功能\",\"RGVUUI\":\"继续付款\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"立即创建和自定义您的活动页面\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"创建机票\",\"agZ87r\":\"为您的活动创建门票、设定价格并管理可用数量。\",\"dkAPxi\":\"创建 Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"自定义您的活动页面和小部件设计,以完美匹配您的品牌\",\"zgCHnE\":\"每日销售报告\",\"nHm0AI\":\"每日销售、税费和费用明细\",\"PqrqgF\":\"第一天签到列表\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"删除机票\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"删除 Webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"禁用此容量以跟踪容量,而不停止产品销售\",\"Tgg8XQ\":\"禁用此容量以追踪容量而不停止售票\",\"TvY/XA\":\"文档\",\"dYskfr\":\"不存在\",\"V6Jjbr\":\"还没有账户? <0>注册\",\"4+aC/x\":\"捐款/自费门票\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"拖动排序\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"复制产品\",\"Wt9eV8\":\"复制票\",\"4xK5y2\":\"复制 Webhooks\",\"kNGp1D\":\"编辑与会者\",\"t2bbp8\":\"编辑参会者\",\"d+nnyk\":\"编辑机票\",\"fW5sSv\":\"编辑 Webhook\",\"nP7CdQ\":\"编辑 Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"启用此容量以在达到限制时停止售票\",\"RxzN1M\":\"已启用\",\"LslKhj\":\"加载日志时出错\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"活动不可用\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"事件类型\",\"jtrqH9\":\"正在导出与会者\",\"UlAK8E\":\"正在导出订单\",\"Jjw03p\":\"导出与会者失败\",\"ZPwFnN\":\"导出订单失败\",\"X4o0MX\":\"加载 Webhook 失败\",\"10XEC9\":\"重新发送产品电子邮件失败\",\"YirHq7\":\"反馈意见\",\"T4BMxU\":\"费用可能会变更。如有变更,您将收到通知。\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"固定费用:\",\"KgxI80\":\"灵活的票务系统\",\"/4rQr+\":\"免费门票\",\"01my8x\":\"免费门票,无需支付信息\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"免费开始,无订阅费用\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"前往 Hi.Events\",\"Lek3cJ\":\"前往 Stripe 仪表板\",\"GNJ1kd\":\"帮助与支持\",\"spMR9y\":\"Hi.Events 收取平台费用以维护和改进我们的服务。这些费用会自动从每笔交易中扣除。\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"fsi6fC\":\"向客户隐藏此票据\",\"Fhzoa8\":\"隐藏销售截止日期后的机票\",\"yhm3J/\":\"在开售日期前隐藏机票\",\"k7/oGT\":\"隐藏机票,除非用户有适用的促销代码\",\"L0ZOiu\":\"售罄后隐藏门票\",\"uno73L\":\"隐藏票单将阻止用户在活动页面上看到该票单。\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"如果为空,该地址将用于生成 Google 地图链接\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"图片尺寸必须在 3000px x 2000px 之间。最大高度为 2000px,最大宽度为 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"包括您的在线活动的连接详细信息。这些详细信息将显示在订单摘要页面和参会者产品页面上\",\"evpD4c\":\"包括在线活动的连接详情。这些详细信息将显示在订单摘要页面和与会者门票页面上\",\"AXTNr8\":[\"包括 \",[\"0\"],\" 张票\"],\"7/Rzoe\":\"包括 1 张票\",\"F1Xp97\":\"个人与会者\",\"nbfdhU\":\"集成\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"最新响应\",\"gw3Ur5\":\"最近触发\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"正在加载 Webhook\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"管理产品\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"管理适用于机票的税费\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"管理您的支付处理并查看平台费用\",\"lzcrX3\":\"手动添加与会者将调整门票数量。\",\"1jRD0v\":\"向与会者发送特定门票的信息\",\"97QrnA\":\"在一个地方向与会者发送消息、管理订单并处理退款\",\"0/yJtP\":\"向具有特定产品的订单所有者发送消息\",\"tccUcA\":\"移动签到\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"多种价格选择。非常适合早鸟票等。\",\"m920rF\":\"New York\",\"074+X8\":\"没有活动的 Webhook\",\"6r9SGl\":\"无需信用卡\",\"Z6ILSe\":\"没有该组织者的活动\",\"XZkeaI\":\"未找到日志\",\"zK/+ef\":\"没有可供选择的产品\",\"q91DKx\":\"此参会者尚未回答任何问题。\",\"QoAi8D\":\"无响应\",\"EK/G11\":\"尚无响应\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"没有演出门票\",\"n5vdm2\":\"此端点尚未记录任何 Webhook 事件。事件触发后将显示在此处。\",\"4GhX3c\":\"没有 Webhooks\",\"x5+Lcz\":\"未办理登机手续\",\"+P/tII\":\"准备就绪后,设置您的活动并开始售票。\",\"bU7oUm\":\"仅发送给具有这些状态的订单\",\"ppuQR4\":\"订单已创建\",\"L4kzeZ\":[\"订单详情 \",[\"0\"]],\"vu6Arl\":\"订单标记为已支付\",\"FaPYw+\":\"订单所有者\",\"eB5vce\":\"具有特定产品的订单所有者\",\"CxLoxM\":\"具有产品的订单所有者\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"订单已退款\",\"6eSHqs\":\"订单状态\",\"e7eZuA\":\"订单已更新\",\"mz+c33\":\"创建的订单\",\"5It1cQ\":\"订单已导出\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"组织者只能管理活动和门票。他们不能管理用户、账户设置或账单信息。\",\"2w/FiJ\":\"付费机票\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"已暂停\",\"TskrJ8\":\"付款与计划\",\"EyE8E6\":\"支付处理\",\"vcyz2L\":\"支付设置\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"下单\",\"br3Y/y\":\"平台费用\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"请输入有效的 URL\",\"MA04r/\":\"请移除筛选器,并将排序设置为 \\\"主页顺序\\\",以启用排序功能\",\"yygcoG\":\"请至少选择一张票\",\"fuwKpE\":\"请再试一次。\",\"o+tJN/\":\"请稍候,我们正在准备导出您的与会者...\",\"+5Mlle\":\"请稍候,我们正在准备导出您的订单...\",\"R7+D0/\":\"葡萄牙语(巴西)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"由 Stripe 提供支持\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"产品\",\"EWCLpZ\":\"产品已创建\",\"XkFYVB\":\"产品已删除\",\"0dzBGg\":\"产品电子邮件已重新发送给参会者\",\"YMwcbR\":\"产品销售、收入和税费明细\",\"ldVIlB\":\"产品已更新\",\"mIqT3T\":\"产品、商品和灵活的定价选项\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"优惠码\",\"k3wH7i\":\"促销码使用情况及折扣明细\",\"812gwg\":\"购买许可证\",\"YwNJAq\":\"二维码扫描,提供即时反馈和安全共享,供工作人员使用\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"重新发送产品电子邮件\",\"slOprG\":\"重置您的密码\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"按姓名、订单号、参会者编号或电子邮件搜索...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"按票务名称搜索...\",\"j9cPeF\":\"选择事件类型\",\"XH5juP\":\"选择票价等级\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"选择哪些事件将触发此 Webhook\",\"VtX8nW\":\"在销售门票的同时销售商品,并支持集成税务和促销代码\",\"Cye3uV\":\"销售不仅仅是门票\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"发送订单确认和产品电子邮件\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"几分钟内完成设置\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"显示可用门票数量\",\"j3b+OW\":\"在客户结账后,在订单摘要页面上显示给客户\",\"v6IwHE\":\"智能签到\",\"J9xKh8\":\"智能仪表板\",\"KTxc6k\":\"出现问题,请重试,或在问题持续时联系客服\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"抱歉,您的订单已过期。请重新订购。\",\"a4SyEE\":\"应用筛选器和排序时禁用排序\",\"4nG1lG\":\"固定价格标准票\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"成功检查 <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"成功创建票单\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"产品复制成功\",\"g2lRrH\":\"成功更新票单\",\"kj7zYe\":\"Webhook 更新成功\",\"5gIl+x\":\"支持分级、基于捐赠和产品销售,并提供可自定义的定价和容量\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"tXadb0\":\"您查找的活动目前不可用。它可能已被删除、过期或 URL 不正确。\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[[\"0\"],\"的最大票数是\",[\"1\"]],\"FeAfXO\":[\"将军票的最大票数为\",[\"0\"],\"。\"],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"适用于该票据的税费。您可以在\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"本次活动没有门票\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"这会覆盖所有可见性设置,并对所有客户隐藏票单。\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"不能删除此票单,因为它\\n与订单相关联。您可以将其隐藏。\",\"ma6qdu\":\"此票不对外开放\",\"xJ8nzj\":\"除非使用促销代码,否则此票为隐藏票\",\"KosivG\":\"成功删除票单\",\"HGuXjF\":\"票务持有人\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"门票销售\",\"NirIiz\":\"门票等级\",\"8jLPgH\":\"机票类型\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"票务小工具预览\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"机票\",\"6GQNLE\":\"门票\",\"ikA//P\":\"已售票\",\"i+idBz\":\"已售出的门票\",\"AGRilS\":\"已售出的门票\",\"56Qw2C\":\"成功分类的门票\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"分层票\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"分层门票允许您为同一张门票提供多种价格选择。\\n这非常适合早鸟票,或为不同人群提供不同价\\n选择。\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"BZBYf3\":\"要接受信用卡付款,您需要连接您的 Stripe 账户。Stripe 是我们的支付处理合作伙伴,确保安全交易和及时付款。\",\"/b6Z1R\":\"通过详细的分析和可导出的报告跟踪收入、页面浏览量和销售情况\",\"OpKMSn\":\"交易手续费:\",\"mLGbAS\":[\"无法\",[\"0\"],\"与会者\"],\"nNdxt9\":\"无法创建票单。请检查您的详细信息\",\"IrVSu+\":\"无法复制产品。请检查您的详细信息\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL 是必填项\",\"fROFIL\":\"越南语\",\"gj5YGm\":\"查看并下载您的活动报告。请注意,报告中仅包含已完成的订单。\",\"AM+zF3\":\"查看与会者\",\"e4mhwd\":\"查看活动主页\",\"n6EaWL\":\"查看日志\",\"AMkkeL\":\"查看订单\",\"MXm9nr\":\"VIP产品\",\"GdWB+V\":\"Webhook 创建成功\",\"2X4ecw\":\"Webhook 删除成功\",\"CThMKa\":\"Webhook 日志\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook 不会发送通知\",\"FSaY52\":\"Webhook 将发送通知\",\"v1kQyJ\":\"Webhooks\",\"jupD+L\":\"欢迎回来 👋\",\"je8QQT\":\"欢迎来到 Hi.Events 👋\",\"wjqPqF\":\"什么是分层门票?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"什么是 Webhook?\",\"MhhnvW\":\"此代码适用于哪些机票?(默认适用于所有)\",\"dCil3h\":\"该问题应适用于哪些机票?\",\"cxsKvw\":\"当签到被删除时\",\"Gmd0hv\":\"当新与会者被创建时\",\"Lc18qn\":\"当新订单被创建时\",\"dfkQIO\":\"当新产品被创建时\",\"8OhzyY\":\"当产品被删除时\",\"tRXdQ9\":\"当产品被更新时\",\"Q7CWxp\":\"当与会者被取消时\",\"IuUoyV\":\"当与会者签到时\",\"nBVOd7\":\"当与会者被更新时\",\"ny2r8d\":\"当订单被取消时\",\"c9RYbv\":\"当订单被标记为已支付时\",\"ejMDw1\":\"当订单被退款时\",\"fVPt0F\":\"当订单被更新时\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"您可以在\",\"UqVaVO\":\"您不能更改票务类型,因为该票务已关联了与会者。\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"您不能删除此价格等级,因为此等级已售出门票。您可以将其隐藏。\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"您已向免费产品添加了税费。您想要删除它们吗?\",\"183zcL\":\"您在免费机票上添加了税费。您想删除或隐藏它们吗?\",\"2v5MI1\":\"您尚未发送任何信息。您可以向所有与会者或特定持票人发送信息。\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"您需要验证您的帐户电子邮件才能发送消息。\",\"8QNzin\":\"在创建容量分配之前,您需要一张票。\",\"WHXRMI\":\"您至少需要一张票才能开始。免费、付费或让用户决定支付方式。\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"您的与会者已成功导出。\",\"nBqgQb\":\"您的电子邮件\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"您的订单已成功导出。\",\"vvO1I2\":\"您的 Stripe 账户已连接并准备好处理支付。\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"由于垃圾邮件风险较高,我们需要手动验证后才能发送消息。\\n请联系我们申请访问权限。\",\"8XAE7n\":\"如果您已有账户,我们将向您的电子邮件发送密码重置说明。\"}")}; \ 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\"],\"的活动\"],\"cU8MWb\":[[\"0\"],\"/\",[\"1\"],\" 已签到\"],\"Vjij1k\":[[\"days\"],\" 天, \",[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"f3RdEk\":[[\"hours\"],\" 小时, \",[\"minutes\"],\" 分钟, 和 \",[\"seconds\"],\" 秒\"],\"fyE7Au\":[[\"分\"],\"分钟和\",[\"秒\"],\"秒钟\"],\"NlQ0cx\":[[\"组织者名称\"],\"的首次活动\"],\"Ul6IgC\":\"<0>容量分配让你可以管理票务或整个活动的容量。非常适合多日活动、研讨会等,需要控制出席人数的场合。<1>例如,你可以将容量分配与<2>第一天和<3>所有天数的票关联起来。一旦达到容量,这两种票将自动停止销售。\",\"Exjbj7\":\"<0>签到列表帮助管理活动的参与者入场。您可以将多个票与一个签到列表关联,并确保只有持有效票的人员才能入场。\",\"OXku3b\":\"<0>https://your-website.com\",\"qnSLLW\":\"<0>请输入不含税费的价格。<1>税费可以在下方添加。\",\"ZjMs6e\":\"<0>该产品的可用数量<1>如果该产品有相关的<2>容量限制,此值可以被覆盖。\",\"E15xs8\":\"⚡️ 设置您的活动\",\"FL6OwU\":\"✉️ 确认您的电子邮件地址\",\"BN0OQd\":\"恭喜您创建了一个活动!\",\"4kSf7w\":\"🎟️ 添加产品\",\"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\":\"关于活动\",\"3pykXZ\":\"接受银行转账、支票或其他线下支付方式\",\"hrvLf4\":\"通过 Stripe 接受信用卡支付\",\"bfXQ+N\":\"接受邀请\",\"AeXO77\":\"账户\",\"lkNdiH\":\"账户名称\",\"Puv7+X\":\"账户设置\",\"OmylXO\":\"账户更新成功\",\"7L01XJ\":\"行动\",\"FQBaXG\":\"激活\",\"5T2HxQ\":\"激活日期\",\"F6pfE9\":\"活跃\",\"/PN1DA\":\"为此签到列表添加描述\",\"0/vPdA\":\"添加有关与会者的任何备注。这些将不会对与会者可见。\",\"Or1CPR\":\"添加有关与会者的任何备注...\",\"l3sZO1\":\"添加关于订单的备注。这些信息不会对客户可见。\",\"xMekgu\":\"添加关于订单的备注...\",\"PGPGsL\":\"添加描述\",\"gMK0ps\":\"添加活动详情并管理活动设置。\",\"OveehC\":\"添加线下支付的说明(例如,银行转账详情、支票寄送地址、付款截止日期)\",\"LTVoRa\":\"添加更多产品\",\"ApsD9J\":\"添加新内容\",\"TZxnm8\":\"添加选项\",\"24l4x6\":\"添加产品\",\"8q0EdE\":\"将产品添加到类别\",\"YvCknQ\":\"添加产品\",\"Cw27zP\":\"添加问题\",\"yWiPh+\":\"加税或费用\",\"goOKRY\":\"增加层级\",\"oZW/gT\":\"添加到日历\",\"pn5qSs\":\"附加信息\",\"Y8DIQy\":\"附加选项\",\"Du6bPw\":\"地址\",\"NY/x1b\":\"地址第 1 行\",\"POdIrN\":\"地址 1\",\"cormHa\":\"地址第 2 行\",\"gwk5gg\":\"地址第 2 行\",\"U3pytU\":\"管理员\",\"HLDaLi\":\"管理员用户可以完全访问事件和账户设置。\",\"W7AfhC\":\"本次活动的所有与会者\",\"cde2hc\":\"所有产品\",\"5CQ+r0\":\"允许与未支付订单关联的参与者签到\",\"ipYKgM\":\"允许搜索引擎索引\",\"LRbt6D\":\"允许搜索引擎索引此事件\",\"+MHcJD\":\"快到了!我们正在等待处理您的付款。只需几秒钟。\",\"ApOYO8\":\"令人惊叹, 活动, 关键词...\",\"hehnjM\":\"金额\",\"R2O9Rg\":[\"支付金额 (\",[\"0\"],\")\"],\"V7MwOy\":\"加载页面时出现错误\",\"Q7UCEH\":\"问题排序时发生错误。请重试或刷新页面\",\"jD/OCQ\":\"事件是您要举办的实际活动。您可以稍后添加更多细节。\",\"oBkF+i\":\"主办方是指举办活动的公司或个人\",\"W5A0Ly\":\"出现意外错误。\",\"byKna+\":\"出现意外错误。请重试。\",\"ubdMGz\":\"产品持有者的任何查询都将发送到此电子邮件地址。此地址还将用作从此活动发送的所有电子邮件的“回复至”地址\",\"aAIQg2\":\"外观\",\"Ym1gnK\":\"应用\",\"sy6fss\":[\"适用于\",[\"0\"],\"个产品\"],\"kadJKg\":\"适用于1个产品\",\"DB8zMK\":\"应用\",\"GctSSm\":\"应用促销代码\",\"ARBThj\":[\"将此\",[\"type\"],\"应用于所有新产品\"],\"S0ctOE\":\"归档活动\",\"TdfEV7\":\"已归档\",\"A6AtLP\":\"已归档的活动\",\"q7TRd7\":\"您确定要激活该与会者吗?\",\"TvkW9+\":\"您确定要归档此活动吗?\",\"/CV2x+\":\"您确定要取消该与会者吗?这将使其门票作废\",\"YgRSEE\":\"您确定要删除此促销代码吗?\",\"iU234U\":\"您确定要删除这个问题吗?\",\"CMyVEK\":\"您确定要将此活动设为草稿吗?这将使公众无法看到该活动\",\"mEHQ8I\":\"您确定要将此事件公开吗?这将使事件对公众可见\",\"s4JozW\":\"您确定要恢复此活动吗?它将作为草稿恢复。\",\"vJuISq\":\"您确定要删除此容量分配吗?\",\"baHeCz\":\"您确定要删除此签到列表吗?\",\"LBLOqH\":\"每份订单询问一次\",\"wu98dY\":\"每个产品询问一次\",\"ss9PbX\":\"与会者\",\"m0CFV2\":\"与会者详情\",\"QKim6l\":\"未找到参与者\",\"R5IT/I\":\"与会者备注\",\"lXcSD2\":\"与会者提问\",\"HT/08n\":\"参会者票\",\"9SZT4E\":\"与会者\",\"iPBfZP\":\"注册的参会者\",\"7KxcHR\":\"具有特定产品的参会者\",\"IMJ6rh\":\"自动调整大小\",\"vZ5qKF\":\"根据内容自动调整 widget 高度。禁用时,窗口小部件将填充容器的高度。\",\"4lVaWA\":\"等待线下付款\",\"2rHwhl\":\"等待线下付款\",\"3wF4Q/\":\"等待付款\",\"ioG+xt\":\"等待付款\",\"3PmQfI\":\"精彩活动\",\"Yrbm6T\":\"Awesome Organizer Ltd.\",\"9002sI\":\"返回所有活动\",\"A302fe\":\"返回活动页面\",\"VCoEm+\":\"返回登录\",\"k1bLf+\":\"背景颜色\",\"I7xjqg\":\"背景类型\",\"1mwMl+\":\"发送之前\",\"/yeZ20\":\"在活动上线之前,您需要做几件事。\",\"ze6ETw\":\"几分钟内开始销售产品\",\"8rE61T\":\"账单地址\",\"/xC/im\":\"账单设置\",\"rp/zaT\":\"巴西葡萄牙语\",\"whqocw\":\"注册即表示您同意我们的<0>服务条款和<1>隐私政策。\",\"bcCn6r\":\"计算类型\",\"+8bmSu\":\"加利福尼亚州\",\"iStTQt\":\"相机权限被拒绝。<0>再次请求权限,如果还不行,则需要在浏览器设置中<1>授予此页面访问相机的权限。\",\"dEgA5A\":\"取消\",\"Gjt/py\":\"取消更改电子邮件\",\"tVJk4q\":\"取消订单\",\"Os6n2a\":\"取消订单\",\"Mz7Ygx\":[\"取消订单 \",[\"0\"]],\"3tTjpi\":\"取消将会取消与此订单关联的所有产品,并将产品释放回可用库存。\",\"vv7kpg\":\"已取消\",\"U7nGvl\":\"无法签到\",\"QyjCeq\":\"容量\",\"V6Q5RZ\":\"容量分配创建成功\",\"k5p8dz\":\"容量分配删除成功\",\"nDBs04\":\"容量管理\",\"ddha3c\":\"类别允许您将产品分组。例如,您可以有一个“门票”类别和另一个“商品”类别。\",\"iS0wAT\":\"类别帮助您组织产品。此标题将在公共活动页面上显示。\",\"eorM7z\":\"类别重新排序成功。\",\"3EXqwa\":\"类别创建成功\",\"77/YgG\":\"更改封面\",\"GptGxg\":\"更改密码\",\"xMDm+I\":\"报到\",\"p2WLr3\":[\"签到 \",[\"0\"],\" \",[\"1\"]],\"D6+U20\":\"签到并将订单标记为已支付\",\"QYLpB4\":\"仅签到\",\"/Ta1d4\":\"签退\",\"5LDT6f\":\"看看这个活动吧!\",\"gXcPxc\":\"办理登机手续\",\"fVUbUy\":\"签到列表创建成功\",\"+CeSxK\":\"签到列表删除成功\",\"+hBhWk\":\"签到列表已过期\",\"mBsBHq\":\"签到列表未激活\",\"vPqpQG\":\"未找到签到列表\",\"tejfAy\":\"签到列表\",\"hD1ocH\":\"签到链接已复制到剪贴板\",\"CNafaC\":\"复选框选项允许多重选择\",\"SpabVf\":\"复选框\",\"CRu4lK\":\"登记入住\",\"znIg+z\":\"结账\",\"1WnhCL\":\"结账设置\",\"6imsQS\":\"简体中文\",\"JjkX4+\":\"选择背景颜色\",\"/Jizh9\":\"选择账户\",\"3wV73y\":\"城市\",\"FG98gC\":\"清除搜索文本\",\"EYeuMv\":\"点击此处\",\"sby+1/\":\"点击复制\",\"yz7wBu\":\"关闭\",\"62Ciis\":\"关闭侧边栏\",\"EWPtMO\":\"代码\",\"ercTDX\":\"代码长度必须在 3 至 50 个字符之间\",\"oqr9HB\":\"当活动页面初始加载时折叠此产品\",\"jZlrte\":\"颜色\",\"Vd+LC3\":\"颜色必须是有效的十六进制颜色代码。例如#ffffff\",\"1HfW/F\":\"颜色\",\"VZeG/A\":\"即将推出\",\"yPI7n9\":\"以逗号分隔的描述活动的关键字。搜索引擎将使用这些关键字来帮助对活动进行分类和索引\",\"NPZqBL\":\"完整订单\",\"guBeyC\":\"完成付款\",\"C8HNV2\":\"完成付款\",\"qqWcBV\":\"已完成\",\"6HK5Ct\":\"已完成订单\",\"NWVRtl\":\"已完成订单\",\"DwF9eH\":\"组件代码\",\"Tf55h7\":\"已配置折扣\",\"7VpPHA\":\"确认\",\"ZaEJZM\":\"确认电子邮件更改\",\"yjkELF\":\"确认新密码\",\"xnWESi\":\"确认密码\",\"p2/GCq\":\"确认密码\",\"wnDgGj\":\"确认电子邮件地址...\",\"pbAk7a\":\"连接条纹\",\"UMGQOh\":\"与 Stripe 连接\",\"QKLP1W\":\"连接 Stripe 账户,开始接收付款。\",\"5lcVkL\":\"连接详情\",\"yAej59\":\"内容背景颜色\",\"xGVfLh\":\"继续\",\"X++RMT\":\"继续按钮文本\",\"AfNRFG\":\"继续按钮文本\",\"lIbwvN\":\"继续活动设置\",\"HB22j9\":\"继续设置\",\"bZEa4H\":\"继续 Stripe 连接设置\",\"6V3Ea3\":\"复制的\",\"T5rdis\":\"复制到剪贴板\",\"he3ygx\":\"复制\",\"r2B2P8\":\"复制签到链接\",\"8+cOrS\":\"将详细信息抄送给所有与会者\",\"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\":\"为您的活动创建产品,设置价格,并管理可用数量。\",\"sYpiZP\":\"创建促销代码\",\"B3Mkdt\":\"创建问题\",\"UKfi21\":\"创建税费\",\"d+F6q9\":\"创建\",\"Q2lUR2\":\"货币\",\"DCKkhU\":\"当前密码\",\"uIElGP\":\"自定义地图 URL\",\"UEqXyt\":\"自定义范围\",\"876pfE\":\"客户\",\"QOg2Sf\":\"自定义此事件的电子邮件和通知设置\",\"Y9Z/vP\":\"定制活动主页和结账信息\",\"2E2O5H\":\"自定义此事件的其他设置\",\"iJhSxe\":\"自定义此事件的搜索引擎优化设置\",\"KIhhpi\":\"定制您的活动页面\",\"nrGWUv\":\"定制您的活动页面,以符合您的品牌和风格。\",\"Zz6Cxn\":\"危险区\",\"ZQKLI1\":\"危险区\",\"7p5kLi\":\"仪表板\",\"mYGY3B\":\"日期\",\"JvUngl\":\"日期和时间\",\"JJhRbH\":\"第一天容量\",\"cnGeoo\":\"删除\",\"jRJZxD\":\"删除容量\",\"VskHIx\":\"删除类别\",\"Qrc8RZ\":\"删除签到列表\",\"WHf154\":\"删除代码\",\"heJllm\":\"删除封面\",\"KWa0gi\":\"删除图像\",\"1l14WA\":\"删除产品\",\"IatsLx\":\"删除问题\",\"Nu4oKW\":\"说明\",\"YC3oXa\":\"签到工作人员的描述\",\"URmyfc\":\"详细信息\",\"1lRT3t\":\"禁用此容量将跟踪销售情况,但不会在达到限制时停止销售\",\"H6Ma8Z\":\"折扣\",\"ypJ62C\":\"折扣率\",\"3LtiBI\":[[\"0\"],\"中的折扣\"],\"C8JLas\":\"折扣类型\",\"1QfxQT\":\"解散\",\"DZlSLn\":\"文档标签\",\"cVq+ga\":\"没有帐户? <0>注册\",\"3F1nBX\":\"捐赠 / 自由定价产品\",\"OvNbls\":\"下载 .ics\",\"kodV18\":\"下载 CSV\",\"CELKku\":\"下载发票\",\"LQrXcu\":\"下载发票\",\"QIodqd\":\"下载二维码\",\"yhjU+j\":\"正在下载发票\",\"uABpqP\":\"拖放或点击\",\"CfKofC\":\"下拉选择\",\"JzLDvy\":\"复制容量分配\",\"ulMxl+\":\"复制签到列表\",\"vi8Q/5\":\"复制活动\",\"3ogkAk\":\"复制活动\",\"Yu6m6X\":\"复制事件封面图像\",\"+fA4C7\":\"复制选项\",\"SoiDyI\":\"复制产品\",\"57ALrd\":\"复制促销代码\",\"83Hu4O\":\"复制问题\",\"20144c\":\"复制设置\",\"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\":\"已结束的活动\",\"lYGfRP\":\"英语\",\"MhVoma\":\"输入不含税费的金额。\",\"SlfejT\":\"错误\",\"3Z223G\":\"确认电子邮件地址出错\",\"a6gga1\":\"确认更改电子邮件时出错\",\"5/63nR\":\"欧元\",\"0pC/y6\":\"活动\",\"CFLUfD\":\"成功创建事件 🎉\",\"/dgc8E\":\"活动日期\",\"0Zptey\":\"事件默认值\",\"QcCPs8\":\"活动详情\",\"6fuA9p\":\"事件成功复制\",\"AEuj2m\":\"活动主页\",\"Xe3XMd\":\"公众无法看到活动\",\"4pKXJS\":\"活动对公众可见\",\"ClwUUD\":\"活动地点和场地详情\",\"OopDbA\":\"活动页面\",\"4/If97\":\"活动状态更新失败。请稍后再试\",\"btxLWj\":\"事件状态已更新\",\"nMU2d3\":\"活动链接\",\"tst44n\":\"活动\",\"sZg7s1\":\"过期日期\",\"KnN1Tu\":\"到期\",\"uaSvqt\":\"有效期\",\"GS+Mus\":\"出口\",\"9xAp/j\":\"取消与会者失败\",\"ZpieFv\":\"取消订单失败\",\"z6tdjE\":\"删除信息失败。请重试。\",\"xDzTh7\":\"下载发票失败。请重试。\",\"9zSt4h\":\"导出与会者失败。请重试。\",\"2uGNuE\":\"导出订单失败。请重试。\",\"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\":\"前往活动主页\",\"ebIDwV\":\"谷歌日历\",\"RUz8o/\":\"总销售额\",\"IgcAGN\":\"销售总额\",\"yRg26W\":\"销售总额\",\"R4r4XO\":\"宾客\",\"26pGvx\":\"有促销代码吗?\",\"V7yhws\":\"hello@awesome-events.com\",\"6K/IHl\":\"下面举例说明如何在应用程序中使用该组件。\",\"Y1SSqh\":\"下面是 React 组件,您可以用它在应用程序中嵌入 widget。\",\"QuhVpV\":[\"你好 \",[\"0\"],\" 👋\"],\"Ow9Hz5\":[\"Hi.Events Conference \",[\"0\"]],\"verBst\":\"Hi.Events 会议中心\",\"6eMEQO\":\"hi.events 徽标\",\"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\":\"我想使用线下支付方式付款\",\"SdFlIP\":\"我想使用在线支付方式(如信用卡)付款\",\"93DUnd\":[\"如果新标签页没有打开,请<0><1>\",[\"0\"],\".。\"],\"yKdof1\":\"如果为空,将使用地址生成 Google 地图链接\",\"UYT+c8\":\"如果启用,登记工作人员可以将与会者标记为已登记或将订单标记为已支付并登记与会者。如果禁用,关联未支付订单的与会者无法登记。\",\"muXhGi\":\"如果启用,当有新订单时,组织者将收到电子邮件通知\",\"6fLyj/\":\"如果您没有要求更改密码,请立即更改密码。\",\"n/ZDCz\":\"图像已成功删除\",\"Mfbc2v\":\"图像尺寸必须在4000px和4000px之间。最大高度为4000px,最大宽度为4000px\",\"uPEIvq\":\"图片必须小于 5MB\",\"AGZmwV\":\"图片上传成功\",\"VyUuZb\":\"图片网址\",\"ibi52/\":\"图片宽度必须至少为 900px,高度必须至少为 50px\",\"NoNwIX\":\"不活动\",\"T0K0yl\":\"非活动用户无法登录。\",\"kO44sp\":\"包含您的在线活动的连接详细信息。这些信息将在订单摘要页面和参会者门票页面显示。\",\"FlQKnG\":\"价格中包含税费\",\"Vi+BiW\":[\"包括\",[\"0\"],\"个产品\"],\"lpm0+y\":\"包括1个产品\",\"UiAk5P\":\"插入图片\",\"OyLdaz\":\"再次发出邀请!\",\"HE6KcK\":\"撤销邀请!\",\"SQKPvQ\":\"邀请用户\",\"bKOYkd\":\"发票下载成功\",\"alD1+n\":\"发票备注\",\"kOtCs2\":\"发票编号\",\"UZ2GSZ\":\"发票设置\",\"PgdQrx\":\"退款问题\",\"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\":\"进一步了解 Stripe\",\"enV0g0\":\"留空以使用默认词“发票”\",\"vR92Yn\":\"让我们从创建第一个组织者开始吧\",\"Z3FXyt\":\"加载中...\",\"wJijgU\":\"地点\",\"sQia9P\":\"登录\",\"zUDyah\":\"登录\",\"z0t9bb\":\"登录\",\"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\":\"管理 Stripe 付款详情\",\"BfucwY\":\"管理用户及其权限\",\"1m+YT2\":\"在顾客结账前,必须回答必填问题。\",\"Dim4LO\":\"手动添加与会者\",\"e4KdjJ\":\"手动添加与会者\",\"vFjEnF\":\"标记为已支付\",\"g9dPPQ\":\"每份订单的最高限额\",\"l5OcwO\":\"与会者留言\",\"Gv5AMu\":\"留言参与者\",\"oUCR3c\":\"向有特定产品的参会者发送消息\",\"Lvi+gV\":\"留言买家\",\"tNZzFb\":\"留言内容\",\"lYDV/s\":\"给个别与会者留言\",\"V7DYWd\":\"发送的信息\",\"t7TeQU\":\"信息\",\"xFRMlO\":\"每次订购的最低数量\",\"QYcUEf\":\"最低价格\",\"RDie0n\":\"其他\",\"mYLhkl\":\"杂项设置\",\"KYveV8\":\"多行文本框\",\"VD0iA7\":\"多种价格选项。非常适合早鸟产品等。\",\"/bhMdO\":\"我的精彩活动描述\",\"vX8/tc\":\"我的精彩活动标题...\",\"hKtWk2\":\"我的简介\",\"fj5byd\":\"不适用\",\"pRjx4L\":\"Nam placerat elementum...\",\"6YtxFj\":\"名称\",\"hVuv90\":\"名称应少于 150 个字符\",\"AIUkyF\":\"导航至与会者\",\"qqeAJM\":\"从不\",\"7vhWI8\":\"新密码\",\"1UzENP\":\"没有\",\"eRblWH\":[\"没有可用的\",[\"0\"],\"。\"],\"LNWHXb\":\"没有可显示的已归档活动。\",\"q2LEDV\":\"未找到此订单的参会者。\",\"zlHa5R\":\"尚未向此订单添加参会者。\",\"Wjz5KP\":\"无与会者\",\"Razen5\":\"在此日期前,使用此列表的参与者将无法签到\",\"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\":\"非卖品\",\"1DBGsz\":\"备注\",\"jtrY3S\":\"暂无显示内容\",\"hFwWnI\":\"通知设置\",\"xXqEPO\":\"通知买方退款\",\"YpN29s\":\"将新订单通知组织者\",\"qeQhNj\":\"现在,让我们创建第一个事件\",\"omyBS0\":\"允许支付的天数(留空以从发票中省略付款条款)\",\"n86jmj\":\"号码前缀\",\"mwe+2z\":\"线下订单在标记为已支付之前不会反映在活动统计中。\",\"dWBrJX\":\"线下支付失败。请重试或联系活动组织者。\",\"fcnqjw\":\"线下支付说明\",\"+eZ7dp\":\"线下支付\",\"ojDQlR\":\"线下支付信息\",\"u5oO/W\":\"线下支付设置\",\"2NPDz1\":\"销售中\",\"Ldu/RI\":\"销售中\",\"Ug4SfW\":\"创建事件后,您就可以在这里看到它。\",\"ZxnK5C\":\"一旦开始收集数据,您将在这里看到。\",\"PnSzEc\":\"一旦准备就绪,将您的活动上线并开始销售产品。\",\"J6n7sl\":\"持续进行\",\"z+nuVJ\":\"在线活动\",\"WKHW0N\":\"在线活动详情\",\"/xkmKX\":\"只有与本次活动直接相关的重要邮件才能使用此表单发送。\\n任何滥用行为,包括发送促销邮件,都将导致账户立即被封禁。\",\"Qqqrwa\":\"打开签到页面\",\"OdnLE4\":\"打开侧边栏\",\"ZZEYpT\":[\"方案 \",[\"i\"]],\"oPknTP\":\"所有发票上显示的可选附加信息(例如,付款条款、逾期付款费用、退货政策)\",\"OrXJBY\":\"发票编号的可选前缀(例如,INV-)\",\"0zpgxV\":\"选项\",\"BzEFor\":\"或\",\"UYUgdb\":\"订购\",\"mm+eaX\":\"订单号\",\"B3gPuX\":\"取消订单\",\"SIbded\":\"订单已完成\",\"q/CcwE\":\"订购日期\",\"Tol4BF\":\"订购详情\",\"WbImlQ\":\"订单已取消,并已通知订单所有者。\",\"nAn4Oe\":\"订单已标记为已支付\",\"uzEfRz\":\"订单备注\",\"VCOi7U\":\"订购问题\",\"TPoYsF\":\"订购参考\",\"acIJ41\":\"订单状态\",\"GX6dZv\":\"订单摘要\",\"tDTq0D\":\"订单超时\",\"1h+RBg\":\"订单\",\"3y+V4p\":\"组织地址\",\"GVcaW6\":\"组织详细信息\",\"nfnm9D\":\"组织名称\",\"G5RhpL\":\"组织者\",\"mYygCM\":\"需要组织者\",\"Pa6G7v\":\"组织者姓名\",\"l894xP\":\"组织者只能管理活动和产品。他们无法管理用户、账户设置或账单信息。\",\"fdjq4c\":\"衬垫\",\"ErggF8\":\"页面背景颜色\",\"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\":\"价格等级\",\"q6XHL1\":\"价格类型\",\"6RmHKN\":\"原色\",\"G/ZwV1\":\"原色\",\"8cBtvm\":\"主要文字颜色\",\"BZz12Q\":\"打印\",\"MT7dxz\":\"打印所有门票\",\"DKwDdj\":\"打印票\",\"K47k8R\":\"产品\",\"1JwlHk\":\"产品类别\",\"U61sAj\":\"产品类别更新成功。\",\"1USFWA\":\"产品删除成功\",\"4Y2FZT\":\"产品价格类型\",\"mFwX0d\":\"产品问题\",\"Lu+kBU\":\"产品销售\",\"U/R4Ng\":\"产品等级\",\"sJsr1h\":\"产品类型\",\"o1zPwM\":\"产品小部件预览\",\"ktyvbu\":\"产品\",\"N0qXpE\":\"产品\",\"ggqAiw\":\"已售产品\",\"Vla0Bo\":\"已售产品\",\"/u4DIx\":\"已售产品\",\"DJQEZc\":\"产品排序成功\",\"vERlcd\":\"简介\",\"kUlL8W\":\"成功更新个人资料\",\"cl5WYc\":[\"已使用促销 \",[\"promo_code\"],\" 代码\"],\"P5sgAk\":\"促销代码\",\"yKWfjC\":\"促销代码页面\",\"RVb8Fo\":\"促销代码\",\"BZ9GWa\":\"促销代码可用于提供折扣、预售权限或为您的活动提供特殊权限。\",\"OP094m\":\"促销代码报告\",\"4kyDD5\":\"提供此问题的附加背景或说明。使用此字段添加条款和条件、指南或参与者在回答前需要知道的任何重要信息。\",\"toutGW\":\"二维码\",\"LkMOWF\":\"可用数量\",\"oCLG0M\":\"销售数量\",\"XKJuAX\":\"问题已删除\",\"avf0gk\":\"问题描述\",\"oQvMPn\":\"问题标题\",\"enzGAL\":\"问题\",\"ROv2ZT\":\"问与答\",\"K885Eq\":\"问题已成功分类\",\"OMJ035\":\"无线电选项\",\"C4TjpG\":\"更多信息\",\"I3QpvQ\":\"受援国\",\"N2C89m\":\"参考资料\",\"gxFu7d\":[\"退款金额 (\",[\"0\"],\")\"],\"WZbCR3\":\"退款失败\",\"n10yGu\":\"退款订单\",\"zPH6gp\":\"退款订单\",\"RpwiYC\":\"退款处理中\",\"xHpVRl\":\"退款状态\",\"/BI0y9\":\"退款\",\"fgLNSM\":\"注册\",\"9+8Vez\":\"剩余使用次数\",\"tasfos\":\"去除\",\"t/YqKh\":\"移除\",\"t9yxlZ\":\"报告\",\"prZGMe\":\"要求账单地址\",\"EGm34e\":\"重新发送确认电子邮件\",\"lnrkNz\":\"重新发送电子邮件确认\",\"wIa8Qe\":\"重新发送邀请\",\"VeKsnD\":\"重新发送订单电子邮件\",\"dFuEhO\":\"重新发送票务电子邮件\",\"o6+Y6d\":\"重新发送...\",\"OfhWJH\":\"重置\",\"RfwZxd\":\"重置密码\",\"KbS2K9\":\"重置密码\",\"e99fHm\":\"恢复活动\",\"vtc20Z\":\"返回活动页面\",\"s8v9hq\":\"返回活动页面\",\"8YBH95\":\"收入\",\"PO/sOY\":\"撤销邀请\",\"GDvlUT\":\"角色\",\"ELa4O9\":\"销售结束日期\",\"5uo5eP\":\"销售结束\",\"Qm5XkZ\":\"销售开始日期\",\"hBsw5C\":\"销售结束\",\"kpAzPe\":\"销售开始\",\"P/wEOX\":\"旧金山\",\"tfDRzk\":\"节省\",\"IUwGEM\":\"保存更改\",\"U65fiW\":\"保存组织器\",\"UGT5vp\":\"保存设置\",\"ovB7m2\":\"扫描 QR 码\",\"EEU0+z\":\"扫描此二维码以访问活动页面或与他人分享\",\"W4kWXJ\":\"按与会者姓名、电子邮件或订单号搜索...\",\"+pr/FY\":\"按活动名称搜索...\",\"3zRbWw\":\"按姓名、电子邮件或订单号搜索...\",\"L22Tdf\":\"按姓名、订单号、参与者号或电子邮件搜索...\",\"BiYOdA\":\"按名称搜索...\",\"YEjitp\":\"按主题或内容搜索...\",\"Pjsch9\":\"搜索容量分配...\",\"r9M1hc\":\"搜索签到列表...\",\"+0Yy2U\":\"搜索产品\",\"YIix5Y\":\"搜索...\",\"OeW+DS\":\"辅助色\",\"DnXcDK\":\"辅助色\",\"cZF6em\":\"辅助文字颜色\",\"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\":\"分享到 Facebook\",\"x7i6H+\":\"分享到 LinkedIn\",\"zziQd8\":\"分享到 Pinterest\",\"/TgBEk\":\"分享到 Reddit\",\"0Wlk5F\":\"分享到社交网络\",\"on+mNS\":\"分享到 Telegram\",\"PcmR+m\":\"分享到 WhatsApp\",\"/5b1iZ\":\"分享到 X\",\"n/T2KI\":\"通过电子邮件分享\",\"8vETh9\":\"显示\",\"V0SbFp\":\"显示可用产品数量\",\"qDsmzu\":\"显示隐藏问题\",\"fMPkxb\":\"显示更多\",\"izwOOD\":\"单独显示税费\",\"1SbbH8\":\"结账后显示给客户,在订单摘要页面。\",\"YfHZv0\":\"在顾客结账前向他们展示\",\"CBBcly\":\"显示常用地址字段,包括国家\",\"yTnnYg\":\"辛普森\",\"TNaCfq\":\"单行文本框\",\"+P0Cn2\":\"跳过此步骤\",\"YSEnLE\":\"史密斯\",\"lgFfeO\":\"售罄\",\"Mi1rVn\":\"售罄\",\"nwtY4N\":\"出了问题\",\"GRChTw\":\"删除税费时出了问题\",\"YHFrbe\":\"出错了!请重试\",\"kf83Ld\":\"出问题了\",\"fWsBTs\":\"出错了。请重试。\",\"F6YahU\":\"对不起,出了点问题。请重新开始结账。\",\"KWgppI\":\"抱歉,在加载此页面时出了点问题。\",\"/TCOIK\":\"抱歉,此订单不再存在。\",\"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\":\"此描述将显示给签到工作人员\",\"MLTkH7\":\"此电子邮件并非促销邮件,与活动直接相关。\",\"2eIpBM\":\"此活动暂时不可用。请稍后再查看。\",\"Z6LdQU\":\"此活动不可用。\",\"MMd2TJ\":\"此信息将显示在支付页面、订单摘要页面和订单确认电子邮件中。\",\"XAHqAg\":\"这是一种常规产品,例如T恤或杯子。不发行门票\",\"CNk/ro\":\"这是一项在线活动\",\"FwXnJd\":\"此日期后此列表将不再可用于签到\",\"cHO4ec\":\"此信息将包含在本次活动发送的所有电子邮件的页脚中\",\"55i7Fa\":\"此消息仅在订单成功完成后显示。等待付款的订单不会显示此消息。\",\"RjwlZt\":\"此订单已付款。\",\"5K8REg\":\"此订单已退款。\",\"OiQMhP\":\"此订单已取消\",\"YyEJij\":\"此订单已取消。\",\"Q0zd4P\":\"此订单已过期。请重新开始。\",\"HILpDX\":\"此订单正在等待付款\",\"BdYtn9\":\"此订单已完成\",\"e3uMJH\":\"此订单已完成。\",\"YNKXOK\":\"此订单正在处理中。\",\"yPZN4i\":\"此订购页面已不可用。\",\"i0TtkR\":\"这将覆盖所有可见性设置,并将该产品对所有客户隐藏。\",\"cRRc+F\":\"此产品无法删除,因为它与订单关联。您可以将其隐藏。\",\"3Kzsk7\":\"此产品为门票。购买后买家将收到门票\",\"0fT4x3\":\"此产品对公众隐藏\",\"Y/x1MZ\":\"除非由促销代码指定,否则此产品是隐藏的\",\"Qt7RBu\":\"此问题只有活动组织者可见\",\"os29v1\":\"此重置密码链接无效或已过期。\",\"IV9xTT\":\"该用户未激活,因为他们没有接受邀请。\",\"5AnPaO\":\"入场券\",\"kjAL4v\":\"门票\",\"dtGC3q\":\"门票电子邮件已重新发送给与会者\",\"54q0zp\":\"门票\",\"xN9AhL\":[[\"0\"],\"级\"],\"jZj9y9\":\"分层产品\",\"8wITQA\":\"分层产品允许您为同一产品提供多种价格选项。这非常适合早鸟产品,或为不同人群提供不同的价格选项。\\\" # zh-cn\",\"nn3mSR\":\"剩余时间:\",\"s/0RpH\":\"使用次数\",\"y55eMd\":\"使用次数\",\"40Gx0U\":\"时区\",\"oDGm7V\":\"TIP\",\"MHrjPM\":\"标题\",\"xdA/+p\":\"工具\",\"72c5Qo\":\"总计\",\"YXx+fG\":\"折扣前总计\",\"NRWNfv\":\"折扣总金额\",\"BxsfMK\":\"总费用\",\"2bR+8v\":\"总销售额\",\"mpB/d9\":\"订单总额\",\"m3FM1g\":\"退款总额\",\"jEbkcB\":\"退款总额\",\"GBBIy+\":\"剩余总数\",\"/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\":\"上传封面\",\"IagCbF\":\"链接\",\"UtDm3q\":\"复制到剪贴板的 URL\",\"e5lF64\":\"使用示例\",\"fiV0xj\":\"使用限制\",\"sGEOe4\":\"使用封面图片的模糊版本作为背景\",\"OadMRm\":\"使用封面图片\",\"7PzzBU\":\"用户\",\"yDOdwQ\":\"用户管理\",\"Sxm8rQ\":\"用户\",\"VEsDvU\":\"用户可在 <0>\\\"配置文件设置\\\" 中更改自己的电子邮件\",\"vgwVkd\":\"世界协调时\",\"khBZkl\":\"增值税\",\"E/9LUk\":\"地点名称\",\"jpctdh\":\"查看\",\"Pte1Hv\":\"查看参会者详情\",\"/5PEQz\":\"查看活动页面\",\"fFornT\":\"查看完整信息\",\"YIsEhQ\":\"查看地图\",\"Ep3VfY\":\"在谷歌地图上查看\",\"Y8s4f6\":\"查看订单详情\",\"QIWCnW\":\"VIP签到列表\",\"tF+VVr\":\"贵宾票\",\"2q/Q7x\":\"可见性\",\"vmOFL/\":\"我们无法处理您的付款。请重试或联系技术支持。\",\"45Srzt\":\"我们无法删除该类别。请再试一次。\",\"/DNy62\":[\"我们找不到与\",[\"0\"],\"匹配的任何门票\"],\"1E0vyy\":\"我们无法加载数据。请重试。\",\"NmpGKr\":\"我们无法重新排序类别。请再试一次。\",\"VGioT0\":\"我们建议尺寸为 2160px x 1080px,文件大小不超过 5MB\",\"b9UB/w\":\"我们使用 Stripe 处理付款。连接您的 Stripe 账户即可开始接收付款。\",\"01WH0a\":\"我们无法确认您的付款。请重试或联系技术支持。\",\"Gspam9\":\"我们正在处理您的订单。请稍候...\",\"LuY52w\":\"欢迎加入!请登录以继续。\",\"dVxpp5\":[\"欢迎回来\",[\"0\"],\" 👋\"],\"NxOVCl\":[\"欢迎来到 Hi.Events, \",[\"0\"],\" 👋\"],\"xgL50q\":\"什么是分层产品?\",\"f1jUC0\":\"此签到列表应在何时激活?\",\"4ueloy\":\"什么是类别?\",\"gxeWAU\":\"此代码适用于哪些产品?\",\"hFHnxR\":\"此代码适用于哪些产品?(默认适用于所有产品)\",\"AeejQi\":\"此容量应适用于哪些产品?\",\"Rb0XUE\":\"您什么时候抵达?\",\"5N4wLD\":\"这是什么类型的问题?\",\"gyLUYU\":\"启用后,将为票务订单生成发票。发票将随订单确认邮件一起发送。参与\",\"D3opg4\":\"启用线下支付后,用户可以完成订单并收到门票。他们的门票将清楚地显示订单未支付,签到工具会通知签到工作人员订单是否需要支付。\",\"D7C6XV\":\"此签到列表应在何时过期?\",\"FVetkT\":\"哪些票应与此签到列表关联?\",\"S+OdxP\":\"这项活动由谁组织?\",\"LINr2M\":\"这条信息是发给谁的?\",\"nWhye/\":\"这个问题应该问谁?\",\"VxFvXQ\":\"嵌入小部件\",\"v1P7Gm\":\"小部件设置\",\"b4itZn\":\"工作\",\"hqmXmc\":\"工作...\",\"+G/XiQ\":\"年度至今\",\"l75CjT\":\"是\",\"QcwyCh\":\"是的,移除它们\",\"ySeBKv\":\"您已经扫描过此票\",\"P+Sty0\":[\"您正在将电子邮件更改为 <0>\",[\"0\"],\"。\"],\"gGhBmF\":\"您处于离线状态\",\"sdB7+6\":\"您可以创建一个促销代码,针对该产品\",\"KRhIxT\":\"现在您可以开始通过 Stripe 接收付款。\",\"Gnjf3o\":\"您无法更改产品类型,因为有与该产品关联的参会者。\",\"S+on7c\":\"您无法为未支付订单的与会者签到。\",\"yNi4PV\":\"您无法为未支付订单的与会者签到。此设置可在活动设置中更改。\",\"c9Evkd\":\"您不能删除最后一个类别。\",\"6uwAvx\":\"您无法删除此价格层,因为此层已有售出的产品。您可以将其隐藏。\",\"tFbRKJ\":\"不能编辑账户所有者的角色或状态。\",\"fHfiEo\":\"您不能退还手动创建的订单。\",\"hK9c7R\":\"您创建了一个隐藏问题,但禁用了显示隐藏问题的选项。该选项已启用。\",\"NOaWRX\":\"您没有访问该页面的权限\",\"BRArmD\":\"您可以访问多个账户。请选择一个继续。\",\"Z6q0Vl\":\"您已接受此邀请。请登录以继续。\",\"rdk1xK\":\"您已连接 Stripe 账户\",\"ofEncr\":\"没有与会者提问。\",\"CoZHDB\":\"您没有订单问题。\",\"15qAvl\":\"您没有待处理的电子邮件更改。\",\"n81Qk8\":\"您尚未完成 Stripe Connect 设置\",\"jxsiqJ\":\"您尚未连接 Stripe 账户\",\"+FWjhR\":\"您已超时,未能完成订单。\",\"MycdJN\":\"您已为免费产品添加了税费。您想删除或隐藏它们吗?\",\"YzEk2o\":\"您尚未发送任何消息。您可以向所有参会者发送消息,或向特定产品持有者发送消息。\",\"R6i9o9\":\"您必须确认此电子邮件并非促销邮件\",\"3ZI8IL\":\"您必须同意条款和条件\",\"dMd3Uf\":\"您必须在活动上线前确认您的电子邮件地址。\",\"H35u3n\":\"必须先创建机票,然后才能手动添加与会者。\",\"jE4Z8R\":\"您必须至少有一个价格等级\",\"8/eLoa\":\"发送信息前,您需要验证您的账户。\",\"Egnj9d\":\"您必须手动将订单标记为已支付。这可以在订单管理页面上完成。\",\"L/+xOk\":\"在创建签到列表之前,您需要先获得票。\",\"Djl45M\":\"在您创建容量分配之前,您需要一个产品。\",\"y3qNri\":\"您需要至少一个产品才能开始。免费、付费或让用户决定支付金额。\",\"9HcibB\":[\"你要去 \",[\"0\"],\"! 🎉\"],\"ROR8QD\":\"您的账户名称会在活动页面和电子邮件中使用。\",\"veessc\":\"与会者注册参加活动后,就会出现在这里。您也可以手动添加与会者。\",\"Eh5Wrd\":\"您的网站真棒 🎉\",\"lkMK2r\":\"您的详细信息\",\"3ENYTQ\":[\"您要求将电子邮件更改为<0>\",[\"0\"],\"的申请正在处理中。请检查您的电子邮件以确认\"],\"yZfBoy\":\"您的信息已发送\",\"KSQ8An\":\"您的订单\",\"Jwiilf\":\"您的订单已被取消\",\"6UxSgB\":\"您的订单正在等待支付 🏦\",\"7YJdgG\":\"您的订单一旦开始滚动,就会出现在这里。\",\"9TO8nT\":\"您的密码\",\"P8hBau\":\"您的付款正在处理中。\",\"UdY1lL\":\"您的付款未成功,请重试。\",\"fzuM26\":\"您的付款未成功。请重试。\",\"cEli2o\":\"您的产品为\",\"cJ4Y4R\":\"您的退款正在处理中。\",\"IFHV2p\":\"您的入场券\",\"x1PPdr\":\"邮政编码\",\"BM/KQm\":\"邮政编码\",\"+LtVBt\":\"邮政编码\",\"1bpx9A\":\"...\",\"4zldrf\":[[\"0\",\"plural\",{\"one\":[\"#\",\" hidden question\"],\"other\":[\"#\",\" hidden questions\"]}]],\"xYxQCZ\":[[\"0\"],\" \",[\"1\"]],\"S4PqS9\":[[\"0\"],\" 个活动的 Webhook\"],\"tmew5X\":[[\"0\"],\"签到\"],\"qSiUsc\":[[\"0\"],[\"1\"]],\"OJnhhX\":[[\"eventCount\"],\" 个事件\"],\"wapGcj\":[[\"message\"]],\"pDgeaz\":[[\"title\"]],\"0940VN\":\"<0>此票的可用票数<1>如果此票有<2>容量限制,此值可以被覆盖。\",\"ZnVt5v\":\"<0>Webhooks 可在事件发生时立即通知外部服务,例如,在注册时将新与会者添加到您的 CRM 或邮件列表,确保无缝自动化。<1>使用第三方服务,如 <2>Zapier、<3>IFTTT 或 <4>Make 来创建自定义工作流并自动化任务。\",\"y1NShf\":\"🎉 Congratulation on creating an event!\",\"fAv9QG\":\"🎟️ 添加门票\",\"s4Tgn6\":\"📢 Promote your event\",\"UQ7pBY\":\"0.50 for $0.50\",\"M2DyLc\":\"1 个活动的 Webhook\",\"i1+xzD\":\"1.75 for 1.75%\",\"W9+fkZ\":\"10001\",\"d9El7Q\":[\"默认 \",[\"type\"],\" 会自动应用于所有新票单。您可以根据每张票单的具体情况覆盖该默认值。\"],\"Pgaiuj\":\"每张票的固定金额。例如,每张票 0.50 美元\",\"ySO/4f\":\"票价的百分比。例如,票价的 3.5%\",\"WXeXGB\":\"使用无折扣的促销代码可显示隐藏的门票。\",\"GMhWB5\":\"A Radio option allows has multiple options but only one can be selected.\",\"CBt3s7\":\"A Radio Option allows only one selection\",\"7g61G9\":\"A short description of Awesome Events Ltd.\",\"zCk10D\":\"每位与会者只需回答一个问题。例如:您喜欢吃什么?\",\"ap3v36\":\"每份订单只有一个问题。例如:贵公司的名称是什么?\",\"uyJsf6\":\"关于\",\"pDwHGk\":\"About hi.events\",\"WTk/ke\":\"关于 Stripe Connect\",\"VTfZPy\":\"访问被拒绝\",\"iwyhk4\":\"Access to the VIP area...\",\"0b79Xf\":\"Account Email\",\"m16xKo\":\"添加\",\"LKNynS\":\"Add a cover image, description, and more to make your event stand out.\",\"Fb+SDI\":\"添加更多门票\",\"BGD9Yt\":\"添加机票\",\"QN2F+7\":\"添加 Webhook\",\"p59pEv\":\"Additional Details\",\"CPXP5Z\":\"附属机构\",\"gKq1fa\":\"所有与会者\",\"QsYjci\":\"所有活动\",\"/twVAS\":\"所有门票\",\"8wYDMp\":\"Already have an account?\",\"TRYjHa\":[\"amount in \",[\"0\"]],\"tLjOgo\":[\"Amount paid $\",[\"0\"]],\"vRznIT\":\"检查导出状态时发生错误。\",\"er3d/4\":\"在整理门票时发生错误。请重试或刷新页面\",\"hhvESd\":\"An event is the actual event you are hosting\",\"3ZpITr\":\"活动是您正在组织的聚会或场合。您可以稍后添加更多详细信息。\",\"QNrkms\":\"答案更新成功。\",\"j4DliD\":\"持票人的任何询问都将发送到此电子邮件地址。该地址也将作为本次活动发送的所有电子邮件的 \\\"回复地址\\\"。\",\"epTbAK\":[\"适用于\",[\"0\"],\"张票\"],\"6MkQ2P\":\"适用于1张票\",\"jcnZEw\":[\"将此 \",[\"类型\"],\"应用于所有新票\"],\"Dy+k4r\":\"您确定要取消该参会者吗?这将使他们的产品无效\",\"5H3Z78\":\"您确定要删除此 Webhook 吗?\",\"2xEpch\":\"每位与会者提问一次\",\"F2rX0R\":\"必须选择至少一种事件类型\",\"AJ4rvK\":\"与会者已取消\",\"qvylEK\":\"与会者已创建\",\"Xc2I+v\":\"与会者管理\",\"VvYqMB\":\"Attendee questions are asked once per attendee. By default, people are asked for their first name, last name, and email address.\",\"spxPEv\":\"Attendee questions are asked once per attendee. By default, we ask for the attendee's first name, last name, and email address.\",\"D2qlBU\":\"与会者已更新\",\"k3Tngl\":\"与会者已导出\",\"5UbY+B\":\"持有特定门票的与会者\",\"kShOaz\":\"自动化工作流\",\"VPoeAx\":\"使用多个签到列表和实时验证的自动化入场管理\",\"lXkUEV\":\"Availability\",\"Vm0RKe\":\"平均折扣/订单\",\"sGUsYa\":\"平均订单价值\",\"kNmmvE\":\"Awesome Events Ltd.\",\"0TGkYM\":\"Back to event homepage\",\"MLZyiY\":\"Background color\",\"EOUool\":\"基本详情\",\"7EGQKA\":\"Because you are the account owner, you cannot change your role or status.\",\"wVfiR2\":\"Before you're event can go live, there's a few thing to do.\",\"1xAcxY\":\"几分钟内开始售票\",\"R+w/Va\":\"Billing\",\"Ayxd+S\":\"品牌控制\",\"Ptp9MF\":\"Button color\",\"Jzn1qy\":\"Can't load events\",\"GGWsTU\":\"已取消\",\"Ud7zwq\":\"取消将取消与此订单相关的所有机票,并将机票放回可用票池。\",\"QndF4b\":\"报到\",\"9FVFym\":\"查看\",\"Y3FYXy\":\"办理登机手续\",\"udRwQs\":\"签到已创建\",\"F4SRy3\":\"签到已删除\",\"rfeicl\":\"签到成功\",\"/ydvvl\":\"Checkout Messaging\",\"h1IXFK\":\"中文\",\"jJGoVv\":\"Choose what notifications you want to receive\",\"RG3szS\":\"关闭\",\"msqIjo\":\"加载活动页面时折叠此票\",\"/sZIOR\":\"完整商店\",\"7D9MJz\":\"完成 Stripe 设置\",\"DnLC08\":\"Congratulation on creating an event!\",\"Xe2tSS\":\"连接文档\",\"MOUF31\":\"连接 CRM 并使用 Webhook 和集成自动化任务\",\"/3017M\":\"已连接到 Stripe\",\"i3p844\":\"Contact email\",\"02S6xJ\":\"联系支持\",\"nBGbqc\":\"联系我们以启用消息功能\",\"RGVUUI\":\"继续付款\",\"P0rbCt\":\"Cover Image\",\"dyrgS4\":\"立即创建和自定义您的活动页面\",\"a6YrKg\":\"Create promo codes\",\"n6H6AO\":\"Create promo codes to offer discounts to your attendees.\",\"Tg323g\":\"创建机票\",\"agZ87r\":\"为您的活动创建门票、设定价格并管理可用数量。\",\"dkAPxi\":\"创建 Webhook\",\"Lu75d1\":\"Customize the email settings for this event\",\"RaxMyF\":\"Customize the event homepage and checkout experience\",\"q9Jg0H\":\"自定义您的活动页面和小部件设计,以完美匹配您的品牌\",\"zgCHnE\":\"每日销售报告\",\"nHm0AI\":\"每日销售、税费和费用明细\",\"PqrqgF\":\"第一天签到列表\",\"RiXc4g\":\"Deactivate user\",\"GnyEfA\":\"删除机票\",\"E33LRn\":\"Delete user\",\"snMaH4\":\"删除 Webhook\",\"s9iD5d\":\"Description should be less than 50,000 characters\",\"x8uDKb\":\"Disable code\",\"b5SKxQ\":\"禁用此容量以跟踪容量,而不停止产品销售\",\"Tgg8XQ\":\"禁用此容量以追踪容量而不停止售票\",\"TvY/XA\":\"文档\",\"dYskfr\":\"不存在\",\"V6Jjbr\":\"还没有账户? <0>注册\",\"4+aC/x\":\"捐款/自费门票\",\"++S5i/\":\"Donation amount\",\"OO7MG7\":\"Donation Ticket\",\"0pEVi2\":\"Download Tickets PDF\",\"3z2ium\":\"拖动排序\",\"6skwyH\":\"Drop an image, or click here to replace the Cover Image\",\"S37RRV\":\"Drop an image, or click here to upload the Cover Image\",\"X7F5EC\":\"Due to the high risk of spam, we require manual verification before you can send messages.\\nPlease contact us to request access.\",\"KRmTkx\":\"复制产品\",\"Wt9eV8\":\"复制票\",\"4xK5y2\":\"复制 Webhooks\",\"2iZEz7\":\"编辑答案\",\"kNGp1D\":\"编辑与会者\",\"t2bbp8\":\"编辑参会者\",\"d+nnyk\":\"编辑机票\",\"fW5sSv\":\"编辑 Webhook\",\"nP7CdQ\":\"编辑 Webhook\",\"WiKda6\":\"Email Configuration\",\"G5zNMX\":\"Email Settings\",\"nA31FG\":\"启用此容量以在达到限制时停止售票\",\"RxzN1M\":\"已启用\",\"LslKhj\":\"加载日志时出错\",\"nuoP/j\":\"Event created successfully\",\"4JzCvP\":\"活动不可用\",\"JyD0LH\":\"Event Settings\",\"YDVUVl\":\"事件类型\",\"VlvpJ0\":\"导出答案\",\"JKfSAv\":\"导出失败。请重试。\",\"SVOEsu\":\"导出已开始。正在准备文件...\",\"jtrqH9\":\"正在导出与会者\",\"R4Oqr8\":\"导出完成。正在下载文件...\",\"UlAK8E\":\"正在导出订单\",\"Jjw03p\":\"导出与会者失败\",\"ZPwFnN\":\"导出订单失败\",\"X4o0MX\":\"加载 Webhook 失败\",\"10XEC9\":\"重新发送产品电子邮件失败\",\"lKh069\":\"无法启动导出任务\",\"NNc33d\":\"更新答案失败。\",\"YirHq7\":\"反馈意见\",\"T4BMxU\":\"费用可能会变更。如有变更,您将收到通知。\",\"QWa3Sk\":\"First Name, Last Name, and Email Address are default questions that are always included in the checkout process.\",\"YXhom6\":\"固定费用:\",\"KgxI80\":\"灵活的票务系统\",\"/4rQr+\":\"免费门票\",\"01my8x\":\"免费门票,无需支付信息\",\"ejVYRQ\":\"From\",\"kfVY6V\":\"免费开始,无订阅费用\",\"u6FPxT\":\"Get Tickets\",\"cQPKZt\":\"Go to Dashboard\",\"yPvkqO\":\"前往 Hi.Events\",\"Lek3cJ\":\"前往 Stripe 仪表板\",\"GNJ1kd\":\"帮助与支持\",\"spMR9y\":\"Hi.Events 收取平台费用以维护和改进我们的服务。这些费用会自动从每笔交易中扣除。\",\"EeNE0j\":\"Hidden will not be shown to customers.\",\"P+5Pbo\":\"隐藏答案\",\"fsi6fC\":\"向客户隐藏此票据\",\"Fhzoa8\":\"隐藏销售截止日期后的机票\",\"yhm3J/\":\"在开售日期前隐藏机票\",\"k7/oGT\":\"隐藏机票,除非用户有适用的促销代码\",\"L0ZOiu\":\"售罄后隐藏门票\",\"uno73L\":\"隐藏票单将阻止用户在活动页面上看到该票单。\",\"tj6Gob\":\"Homepage & Checkout\",\"m07jN3\":\"Homepage & Checkout Settings\",\"id+NIk\":\"How many minutes the customer has to complete their order\",\"htoh8N\":\"https://webhook-domain.com/webhook\",\"sIxFk5\":\"I agree to the terms and conditions\",\"Crwwhn\":[\"If a new tab did not open, please <0>\",[\"0\"],\".\"],\"9gtsTP\":\"如果为空,该地址将用于生成 Google 地图链接\",\"wOU3Tr\":\"If you have an account with us, you will receive an email with instructions on how to reset your\\npassword.\",\"Gyl1h8\":\"Image dimensions must be at least 600px by 300px\",\"TiGacZ\":\"Image dimensions must be at least 900px by 450px\",\"UnTvkH\":\"图片尺寸必须在 3000px x 2000px 之间。最大高度为 2000px,最大宽度为 3000px\",\"OFAmKP\":\"Include connection details for your online event\",\"BfPBBG\":\"Include connection details for your online event. These details will be after successful registration.\",\"6+pAOx\":\"Include connection details for your online event. These details will be shown after successful registration.\",\"SYmeUu\":\"包括您的在线活动的连接详细信息。这些详细信息将显示在订单摘要页面和参会者产品页面上\",\"evpD4c\":\"包括在线活动的连接详情。这些详细信息将显示在订单摘要页面和与会者门票页面上\",\"AXTNr8\":[\"包括 \",[\"0\"],\" 张票\"],\"7/Rzoe\":\"包括 1 张票\",\"F1Xp97\":\"个人与会者\",\"nbfdhU\":\"集成\",\"1IWWYX\":[\"KittenTech Conference \",[\"0\"]],\"ZgJEMX\":\"KittenTech Conference Center\",\"h0Q9Iw\":\"最新响应\",\"gw3Ur5\":\"最近触发\",\"CKcupn\":\"Latest Orders\",\"c+gAXc\":\"Let's get started by creating your first event\",\"QfrKvi\":\"Link color\",\"NFxlHW\":\"正在加载 Webhook\",\"XkhEf9\":\"Lorem ipsum...\",\"8mmINh\":\"Manage billing information and view invoices\",\"jWIznR\":\"Manage default settings for new events\",\"wqyqaF\":\"Manage general account settings\",\"5Llat8\":\"管理产品\",\"f92Qak\":\"Manage taxes and fees which can be applied to tickets\",\"PlTcVr\":\"管理适用于机票的税费\",\"Wsx7Iu\":\"Manage users and their permissions\",\"QHcjP+\":\"Manage your billing and payment details\",\"2FzaR1\":\"管理您的支付处理并查看平台费用\",\"lzcrX3\":\"手动添加与会者将调整门票数量。\",\"1jRD0v\":\"向与会者发送特定门票的信息\",\"97QrnA\":\"在一个地方向与会者发送消息、管理订单并处理退款\",\"0/yJtP\":\"向具有特定产品的订单所有者发送消息\",\"tccUcA\":\"移动签到\",\"SVuGaP\":\"Multiple price options, users can choose which to pay\",\"6wbTro\":\"多种价格选择。非常适合早鸟票等。\",\"m920rF\":\"New York\",\"074+X8\":\"没有活动的 Webhook\",\"6r9SGl\":\"无需信用卡\",\"Z6ILSe\":\"没有该组织者的活动\",\"XZkeaI\":\"未找到日志\",\"zK/+ef\":\"没有可供选择的产品\",\"q91DKx\":\"此参会者尚未回答任何问题。\",\"QoAi8D\":\"无响应\",\"EK/G11\":\"尚无响应\",\"cU1op4\":\"No Taxes or Fees have been added yet.\",\"uR2eFu\":\"No tickets available\",\"b7JZFg\":\"没有演出门票\",\"n5vdm2\":\"此端点尚未记录任何 Webhook 事件。事件触发后将显示在此处。\",\"4GhX3c\":\"没有 Webhooks\",\"x5+Lcz\":\"未办理登机手续\",\"+P/tII\":\"准备就绪后,设置您的活动并开始售票。\",\"bU7oUm\":\"仅发送给具有这些状态的订单\",\"ppuQR4\":\"订单已创建\",\"L4kzeZ\":[\"订单详情 \",[\"0\"]],\"vu6Arl\":\"订单标记为已支付\",\"FaPYw+\":\"订单所有者\",\"eB5vce\":\"具有特定产品的订单所有者\",\"CxLoxM\":\"具有产品的订单所有者\",\"wg9MPp\":\"Order questions are asked once per order. By default, people are asked for their first name, last name, and email address.\",\"+KNVxX\":\"Order questions are asked once per order. By default, we ask for the first name, last name, and email address.\",\"EZy55F\":\"订单已退款\",\"6eSHqs\":\"订单状态\",\"e7eZuA\":\"订单已更新\",\"mz+c33\":\"创建的订单\",\"5It1cQ\":\"订单已导出\",\"m/ebSk\":\"Organizer Details\",\"J2cXxX\":\"组织者只能管理活动和门票。他们不能管理用户、账户设置或账单信息。\",\"2w/FiJ\":\"付费机票\",\"iq5IUr\":\"Pause Ticket\",\"URAE3q\":\"已暂停\",\"TskrJ8\":\"付款与计划\",\"EyE8E6\":\"支付处理\",\"vcyz2L\":\"支付设置\",\"CcK+Ft\":\"PDF\",\"att1Hj\":\"percent\",\"dfVao3\":\"下单\",\"br3Y/y\":\"平台费用\",\"q40YFl\":\"Please continue your order in the new tab\",\"ZJG4Di\":\"Please ensure you only send emails directly related to the order. Promotional emails\\nshould not be sent using this form.\",\"o+HaYe\":\"Please enter a valid promo code\",\"jEw0Mr\":\"请输入有效的 URL\",\"MA04r/\":\"请移除筛选器,并将排序设置为 \\\"主页顺序\\\",以启用排序功能\",\"yygcoG\":\"请至少选择一张票\",\"fuwKpE\":\"请再试一次。\",\"o+tJN/\":\"请稍候,我们正在准备导出您的与会者...\",\"+5Mlle\":\"请稍候,我们正在准备导出您的订单...\",\"R7+D0/\":\"葡萄牙语(巴西)\",\"Qs7yI0\":\"Powered By\",\"lqAWKB\":\"Powered by <0>Hi.Events 👋\",\"3n47kV\":\"Powered By Hi.Events\",\"ddi4j4\":\"由 Stripe 提供支持\",\"a5jvSX\":\"Price Tiers\",\"p/JDmw\":\"产品\",\"EWCLpZ\":\"产品已创建\",\"XkFYVB\":\"产品已删除\",\"0dzBGg\":\"产品电子邮件已重新发送给参会者\",\"YMwcbR\":\"产品销售、收入和税费明细\",\"ldVIlB\":\"产品已更新\",\"mIqT3T\":\"产品、商品和灵活的定价选项\",\"ZXpm3a\":[\"Promo \",[\"promoCode\"],\" code applied\"],\"JoKGiJ\":\"优惠码\",\"k3wH7i\":\"促销码使用情况及折扣明细\",\"812gwg\":\"购买许可证\",\"YwNJAq\":\"二维码扫描,提供即时反馈和安全共享,供工作人员使用\",\"RloWNu\":\"Reply to email\",\"Gkz9Vm\":\"重新发送产品电子邮件\",\"slOprG\":\"重置您的密码\",\"hVF4dJ\":\"Sale starts\",\"lBAlVv\":\"按姓名、订单号、参会者编号或电子邮件搜索...\",\"ulAuWO\":\"Search by event name or description...\",\"NQSiYb\":\"Search by name or description...\",\"B1bB1j\":\"Search by order #, name or email...\",\"KZpERn\":\"Search by product name...\",\"jA4hXE\":\"Search by subject or body...\",\"HYnGee\":\"按票务名称搜索...\",\"j9cPeF\":\"选择事件类型\",\"XH5juP\":\"选择票价等级\",\"nuWxSr\":\"Select Tickets\",\"Ropvj0\":\"选择哪些事件将触发此 Webhook\",\"VtX8nW\":\"在销售门票的同时销售商品,并支持集成税务和促销代码\",\"Cye3uV\":\"销售不仅仅是门票\",\"471O/e\":\"Send confirmation email\",\"nwVSiv\":\"发送订单确认和产品电子邮件\",\"vu4F0h\":\"Set a minimum price and let users donate more\",\"HbUQWA\":\"几分钟内完成设置\",\"FFbYHm\":[\"Should this \",[\"type\"],\" be applied to all new tickets?\"],\"smd87r\":\"显示可用门票数量\",\"j3b+OW\":\"在客户结账后,在订单摘要页面上显示给客户\",\"v6IwHE\":\"智能签到\",\"J9xKh8\":\"智能仪表板\",\"KTxc6k\":\"出现问题,请重试,或在问题持续时联系客服\",\"DvCwYF\":\"Sorry, this promo code is invalid'\",\"9rRZZ+\":\"抱歉,您的订单已过期。请重新订购。\",\"a4SyEE\":\"应用筛选器和排序时禁用排序\",\"4nG1lG\":\"固定价格标准票\",\"RS0o7b\":\"State\",\"Ih8kN0\":[\"Successfully $\",[\"0\"],\" attendee\"],\"xHl17l\":[\"成功检查 <0>\",[\"0\"],\" \",[\"1\"],\" \",[\"2\"]],\"onFQYs\":\"成功创建票单\",\"Hgj/mB\":\"Successfully deleted ticket\",\"JwTmB6\":\"产品复制成功\",\"g2lRrH\":\"成功更新票单\",\"kj7zYe\":\"Webhook 更新成功\",\"5gIl+x\":\"支持分级、基于捐赠和产品销售,并提供可自定义的定价和容量\",\"EEZnW+\":\"Taxes & Fees\",\"gVjSFp\":\"Taxes and Fees can be associated with tickets and will be added to the ticket price.\",\"e0ZSh4\":\"Text Colour\",\"0ozSQu\":\"The background color for the event homepage\",\"LbHWgW\":\"The background color for the ticket widget on the event homepage\",\"75Xclv\":\"The basic details of your event\",\"UNqHnV\":\"The color of the buttons on the event homepage\",\"0amhbL\":\"The color of the links on the event homepage\",\"tXadb0\":\"您查找的活动目前不可用。它可能已被删除、过期或 URL 不正确。\",\"FqjKfd\":\"The location of your event\",\"kIXEVN\":[[\"0\"],\"的最大票数是\",[\"1\"]],\"FeAfXO\":[\"将军票的最大票数为\",[\"0\"],\"。\"],\"POEqXB\":\"The organizer details of your event\",\"TJZByZ\":\"The tax and fee to apply to this ticket. You can create new taxes and fees on the\",\"OJYwh9\":\"适用于该票据的税费。您可以在\",\"6BpBfZ\":\"The text color for the event homepage\",\"rljHp7\":\"The text color for the ticket widget on the event homepage\",\"s4di40\":\"The text to display in the 'Continue' button. Defaults to 'Continue'\",\"wgAiDb\":\"The user must login to change their email.\",\"jvxN9/\":\"本次活动没有门票\",\"hjLUr+\":\"There was an error loading this content. Please refresh the page and try again.\",\"Um/adz\":\"These allow multiple selections\",\"vWeHWp\":\"These colors are not saved in our system.\",\"7qzHGS\":\"These colors are not saved in our system. They are only used to generate the widget.\",\"GabtCa\":\"This is the email address that will be used as the reply-to address for all emails sent from this event\",\"CKkb5E\":\"This message is how below the\",\"axERYu\":\"This order has already been paid. <0>View order details\",\"wY+HO9\":\"This order has already been processed.\",\"D44cEI\":\"This order has been completed.\",\"0vRWbB\":\"This order is awaiting payment.\",\"LIjb4v\":\"This order is processing. TODO - a nice image and poll the API\",\"5189cf\":\"这会覆盖所有可见性设置,并对所有客户隐藏票单。\",\"4vwjho\":\"This page has expired. <0>View order details\",\"WJqBqd\":\"不能删除此票单,因为它\\n与订单相关联。您可以将其隐藏。\",\"ma6qdu\":\"此票不对外开放\",\"xJ8nzj\":\"除非使用促销代码,否则此票为隐藏票\",\"KosivG\":\"成功删除票单\",\"HGuXjF\":\"票务持有人\",\"USk+Mn\":\"Ticket page message\",\"mRM6XH\":\"门票销售\",\"NirIiz\":\"门票等级\",\"8jLPgH\":\"机票类型\",\"jqWDf9\":\"Ticket widget background color\",\"UrMVAz\":\"票务小工具预览\",\"ngtDy7\":\"Ticket widget text color\",\"N+YYpo\":\"机票\",\"6GQNLE\":\"门票\",\"ikA//P\":\"已售票\",\"i+idBz\":\"已售出的门票\",\"AGRilS\":\"已售出的门票\",\"56Qw2C\":\"成功分类的门票\",\"4f8A8M\":\"Tickets to which the promo code applies (Applies to all by default)\",\"Aiggp0\":\"Tiered products allow you to offer multiple price options for the same product.\\nThis is perfect for early bird products, or offering different price\\noptions for different groups of people.\",\"oYaHuq\":\"分层票\",\"XZrhpz\":\"Tiered Ticket - Coming Soon\",\"4M150e\":\"分层门票允许您为同一张门票提供多种价格选择。\\n这非常适合早鸟票,或为不同人群提供不同价\\n选择。\",\"jQoYTX\":\"Tiered tickets allow you to offer multiple price options for the same ticket. This is perfect for early bird tickets or offering different price options for different groups of people.\",\"BZBYf3\":\"要接受信用卡付款,您需要连接您的 Stripe 账户。Stripe 是我们的支付处理合作伙伴,确保安全交易和及时付款。\",\"/b6Z1R\":\"通过详细的分析和可导出的报告跟踪收入、页面浏览量和销售情况\",\"OpKMSn\":\"交易手续费:\",\"mLGbAS\":[\"无法\",[\"0\"],\"与会者\"],\"nNdxt9\":\"无法创建票单。请检查您的详细信息\",\"IrVSu+\":\"无法复制产品。请检查您的详细信息\",\"ZBAScj\":\"未知参会者\",\"oMcLhS\":\"Unlimited ticket quantity available\",\"gsehpV\":\"Upload an image to be displayed on the event page\",\"HtrFfw\":\"URL 是必填项\",\"fROFIL\":\"越南语\",\"gj5YGm\":\"查看并下载您的活动报告。请注意,报告中仅包含已完成的订单。\",\"c7VN/A\":\"查看答案\",\"AM+zF3\":\"查看与会者\",\"e4mhwd\":\"查看活动主页\",\"n6EaWL\":\"查看日志\",\"AMkkeL\":\"查看订单\",\"MXm9nr\":\"VIP产品\",\"GdWB+V\":\"Webhook 创建成功\",\"2X4ecw\":\"Webhook 删除成功\",\"CThMKa\":\"Webhook 日志\",\"nuh/Wq\":\"Webhook URL\",\"8BMPMe\":\"Webhook 不会发送通知\",\"FSaY52\":\"Webhook 将发送通知\",\"v1kQyJ\":\"Webhooks\",\"jupD+L\":\"欢迎回来 👋\",\"je8QQT\":\"欢迎来到 Hi.Events 👋\",\"wjqPqF\":\"什么是分层门票?\",\"5iXvHA\":\"What is a Tiered Ticketing?\",\"46L1AK\":\"什么是 Webhook?\",\"MhhnvW\":\"此代码适用于哪些机票?(默认适用于所有)\",\"dCil3h\":\"该问题应适用于哪些机票?\",\"cxsKvw\":\"当签到被删除时\",\"Gmd0hv\":\"当新与会者被创建时\",\"Lc18qn\":\"当新订单被创建时\",\"dfkQIO\":\"当新产品被创建时\",\"8OhzyY\":\"当产品被删除时\",\"tRXdQ9\":\"当产品被更新时\",\"Q7CWxp\":\"当与会者被取消时\",\"IuUoyV\":\"当与会者签到时\",\"nBVOd7\":\"当与会者被更新时\",\"ny2r8d\":\"当订单被取消时\",\"c9RYbv\":\"当订单被标记为已支付时\",\"ejMDw1\":\"当订单被退款时\",\"fVPt0F\":\"当订单被更新时\",\"vVGiM4\":\"Who type of question is this?\",\"onLsWS\":\"Whoops! something went wrong. Please try again or contact support if the problem persists.\",\"AHXN2z\":\"Widget\",\"AU/8QR\":\"Widget Configuration\",\"4ysd6z\":\"You can connecting using this Zoom link...\",\"9HGdDw\":\"您可以在\",\"UqVaVO\":\"您不能更改票务类型,因为该票务已关联了与会者。\",\"zQ8idk\":\"You cannot change the ticket type because there are already tickets sold for this ticket.\",\"3vRX5A\":\"您不能删除此价格等级,因为此等级已售出门票。您可以将其隐藏。\",\"RCC09s\":\"You cannot edit a default question\",\"XoeazJ\":\"You have no attendee questions. Attendee questions are asked once per attendee.\",\"FZKDIe\":\"You have no order questions. Order questions are asked once per order.\",\"casL1O\":\"您已向免费产品添加了税费。您想要删除它们吗?\",\"183zcL\":\"您在免费机票上添加了税费。您想删除或隐藏它们吗?\",\"2v5MI1\":\"您尚未发送任何信息。您可以向所有与会者或特定持票人发送信息。\",\"LRguuL\":\"You must have at least one tier\",\"FRl8Jv\":\"您需要验证您的帐户电子邮件才能发送消息。\",\"8QNzin\":\"在创建容量分配之前,您需要一张票。\",\"WHXRMI\":\"您至少需要一张票才能开始。免费、付费或让用户决定支付方式。\",\"bdg03s\":\"Your account email in outgoing emails.\",\"TF37u6\":\"您的与会者已成功导出。\",\"nBqgQb\":\"您的电子邮件\",\"la26JS\":\"Your order is in progress\",\"XeNum6\":\"您的订单已成功导出。\",\"vvO1I2\":\"您的 Stripe 账户已连接并准备好处理支付。\",\"3k7HDY\":\"Zip\",\"VftCuk\":\"Zoom link, Google Meet link, etc.\",\"YtqjMA\":\"\\\"\\\"由于垃圾邮件风险较高,我们要求进行人工验证后才能发送消息。\\n\\\"\\\"请联系我们以申请访问权限。\\\"\\\"\",\"8XAE7n\":\"\\\"\\\"如果您拥有我们的账户,您将收到一封电子邮件,其中包含重置\\n\\\"\\\"密码的说明。\\\"\\\"\"}")}; \ No newline at end of file diff --git a/frontend/src/locales/zh-cn.po b/frontend/src/locales/zh-cn.po index 03b5cc4c7c..6c30070a1c 100644 --- a/frontend/src/locales/zh-cn.po +++ b/frontend/src/locales/zh-cn.po @@ -22,14 +22,16 @@ msgstr "There's nothing to show yet" #~ "\"\"Due to the high risk of spam, we require manual verification before you can send messages.\n" #~ "\"\"Please contact us to request access." #~ msgstr "" -#~ "由于垃圾邮件风险较高,我们需要手动验证后才能发送消息。\n" -#~ "请联系我们申请访问权限。" +#~ "\"\"由于垃圾邮件风险较高,我们要求进行人工验证后才能发送消息。\n" +#~ "\"\"请联系我们以申请访问权限。\"\"" #: src/components/routes/auth/ForgotPassword/index.tsx:40 #~ msgid "" #~ "\"\"If you have an account with us, you will receive an email with instructions on how to reset your\n" #~ "\"\"password." -#~ msgstr "如果您已有账户,我们将向您的电子邮件发送密码重置说明。" +#~ msgstr "" +#~ "\"\"如果您拥有我们的账户,您将收到一封电子邮件,其中包含重置\n" +#~ "\"\"密码的说明。\"\"" #: src/components/common/ReportTable/index.tsx:303 #: src/locales.ts:56 @@ -268,7 +270,7 @@ msgstr "每个产品一个问题。例如,您的T恤尺码是多少?" msgid "A standard tax, like VAT or GST" msgstr "标准税,如增值税或消费税" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:79 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:76 msgid "About" msgstr "关于" @@ -316,7 +318,7 @@ msgstr "账户更新成功" #: src/components/common/AttendeeTable/index.tsx:158 #: src/components/common/ProductsTable/SortableProduct/index.tsx:267 -#: src/components/common/QuestionsTable/index.tsx:106 +#: src/components/common/QuestionsTable/index.tsx:108 msgid "Actions" msgstr "行动" @@ -350,11 +352,11 @@ msgstr "添加有关与会者的任何备注。这些将不会对与会者可见 msgid "Add any notes about the attendee..." msgstr "添加有关与会者的任何备注..." -#: src/components/modals/ManageOrderModal/index.tsx:164 +#: src/components/modals/ManageOrderModal/index.tsx:165 msgid "Add any notes about the order. These will not be visible to the customer." msgstr "添加关于订单的备注。这些信息不会对客户可见。" -#: src/components/modals/ManageOrderModal/index.tsx:168 +#: src/components/modals/ManageOrderModal/index.tsx:169 msgid "Add any notes about the order..." msgstr "添加关于订单的备注..." @@ -398,7 +400,7 @@ msgstr "将产品添加到类别" msgid "Add products" msgstr "添加产品" -#: src/components/common/QuestionsTable/index.tsx:262 +#: src/components/common/QuestionsTable/index.tsx:281 msgid "Add question" msgstr "添加问题" @@ -443,8 +445,8 @@ msgid "Address line 1" msgstr "地址第 1 行" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:122 -#: src/components/routes/product-widget/CollectInformation/index.tsx:306 -#: src/components/routes/product-widget/CollectInformation/index.tsx:307 +#: src/components/routes/product-widget/CollectInformation/index.tsx:319 +#: src/components/routes/product-widget/CollectInformation/index.tsx:320 msgid "Address Line 1" msgstr "地址 1" @@ -453,8 +455,8 @@ msgid "Address line 2" msgstr "地址第 2 行" #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:127 -#: src/components/routes/product-widget/CollectInformation/index.tsx:311 -#: src/components/routes/product-widget/CollectInformation/index.tsx:312 +#: src/components/routes/product-widget/CollectInformation/index.tsx:324 +#: src/components/routes/product-widget/CollectInformation/index.tsx:325 msgid "Address Line 2" msgstr "地址第 2 行" @@ -523,11 +525,15 @@ msgstr "金额" msgid "Amount paid ({0})" msgstr "支付金额 ({0})" +#: src/mutations/useExportAnswers.ts:43 +msgid "An error occurred while checking export status." +msgstr "检查导出状态时发生错误。" + #: src/components/common/ErrorDisplay/index.tsx:15 msgid "An error occurred while loading the page" msgstr "加载页面时出现错误" -#: src/components/common/QuestionsTable/index.tsx:146 +#: src/components/common/QuestionsTable/index.tsx:148 msgid "An error occurred while sorting the questions. Please try again or refresh the page" msgstr "问题排序时发生错误。请重试或刷新页面" @@ -555,6 +561,10 @@ msgstr "出现意外错误。" msgid "An unexpected error occurred. Please try again." msgstr "出现意外错误。请重试。" +#: src/components/common/QuestionAndAnswerList/index.tsx:97 +msgid "Answer updated successfully." +msgstr "答案更新成功。" + #: src/components/routes/event/Settings/Sections/EmailSettings/index.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" msgstr "产品持有者的任何查询都将发送到此电子邮件地址。此地址还将用作从此活动发送的所有电子邮件的“回复至”地址" @@ -635,7 +645,7 @@ msgstr "您确定要取消该与会者吗?这将使其门票作废" msgid "Are you sure you want to delete this promo code?" msgstr "您确定要删除此促销代码吗?" -#: src/components/common/QuestionsTable/index.tsx:162 +#: src/components/common/QuestionsTable/index.tsx:164 msgid "Are you sure you want to delete this question?" msgstr "您确定要删除这个问题吗?" @@ -679,7 +689,7 @@ msgstr "每个产品询问一次" msgid "At least one event type must be selected" msgstr "必须选择至少一种事件类型" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Attendee" msgstr "与会者" @@ -707,7 +717,7 @@ msgstr "未找到参与者" msgid "Attendee Notes" msgstr "与会者备注" -#: src/components/common/QuestionsTable/index.tsx:348 +#: src/components/common/QuestionsTable/index.tsx:369 msgid "Attendee questions" msgstr "与会者提问" @@ -723,7 +733,7 @@ msgstr "与会者已更新" #: src/components/common/ProductsTable/SortableProduct/index.tsx:243 #: src/components/common/StatBoxes/index.tsx:27 #: src/components/layouts/Event/index.tsx:59 -#: src/components/modals/ManageOrderModal/index.tsx:125 +#: src/components/modals/ManageOrderModal/index.tsx:126 #: src/components/routes/event/attendees.tsx:59 msgid "Attendees" msgstr "与会者" @@ -773,7 +783,7 @@ msgstr "根据内容自动调整 widget 高度。禁用时,窗口小部件将 msgid "Awaiting offline payment" msgstr "等待线下付款" -#: src/components/routes/event/orders.tsx:26 +#: src/components/routes/event/orders.tsx:25 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:43 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:66 msgid "Awaiting Offline Payment" @@ -802,8 +812,8 @@ msgid "Back to all events" msgstr "返回所有活动" #: src/components/layouts/Checkout/index.tsx:73 -#: src/components/routes/product-widget/CollectInformation/index.tsx:236 -#: src/components/routes/product-widget/CollectInformation/index.tsx:248 +#: src/components/routes/product-widget/CollectInformation/index.tsx:249 +#: src/components/routes/product-widget/CollectInformation/index.tsx:261 msgid "Back to event page" msgstr "返回活动页面" @@ -840,7 +850,7 @@ msgstr "在活动上线之前,您需要做几件事。" #~ msgid "Begin selling tickets in minutes" #~ msgstr "几分钟内开始售票" -#: src/components/routes/product-widget/CollectInformation/index.tsx:300 +#: src/components/routes/product-widget/CollectInformation/index.tsx:313 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:142 msgid "Billing Address" msgstr "账单地址" @@ -875,6 +885,7 @@ msgstr "相机权限被拒绝。<0>再次请求权限,如果还不行, #: src/components/common/AttendeeTable/index.tsx:182 #: src/components/common/PromoCodeTable/index.tsx:40 +#: src/components/common/QuestionAndAnswerList/index.tsx:149 #: src/components/layouts/CheckIn/index.tsx:214 #: src/utilites/confirmationDialog.tsx:11 msgid "Cancel" @@ -911,7 +922,7 @@ msgstr "取消将会取消与此订单关联的所有产品,并将产品释放 #: src/components/common/AttendeeTicket/index.tsx:61 #: src/components/common/OrderStatusBadge/index.tsx:12 -#: src/components/routes/event/orders.tsx:25 +#: src/components/routes/event/orders.tsx:24 msgid "Cancelled" msgstr "已取消" @@ -1082,8 +1093,8 @@ msgstr "选择账户" #: src/components/common/CheckoutQuestion/index.tsx:162 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:134 -#: src/components/routes/product-widget/CollectInformation/index.tsx:320 -#: src/components/routes/product-widget/CollectInformation/index.tsx:321 +#: src/components/routes/product-widget/CollectInformation/index.tsx:333 +#: src/components/routes/product-widget/CollectInformation/index.tsx:334 msgid "City" msgstr "城市" @@ -1099,8 +1110,13 @@ msgstr "点击此处" msgid "Click to copy" msgstr "点击复制" +#: src/components/routes/product-widget/SelectProducts/index.tsx:473 +msgid "close" +msgstr "关闭" + #: src/components/common/AttendeeCheckInTable/QrScanner.tsx:186 #: src/components/modals/RefundOrderModal/index.tsx:125 +#: src/components/routes/product-widget/SelectProducts/index.tsx:474 msgid "Close" msgstr "关闭" @@ -1147,11 +1163,11 @@ msgstr "即将推出" msgid "Comma seperated keywords that describe the event. These will be used by search engines to help categorize and index the event" msgstr "以逗号分隔的描述活动的关键字。搜索引擎将使用这些关键字来帮助对活动进行分类和索引" -#: src/components/routes/product-widget/CollectInformation/index.tsx:440 +#: src/components/routes/product-widget/CollectInformation/index.tsx:453 msgid "Complete Order" msgstr "完整订单" -#: src/components/routes/product-widget/CollectInformation/index.tsx:210 +#: src/components/routes/product-widget/CollectInformation/index.tsx:223 msgid "Complete payment" msgstr "完成付款" @@ -1169,7 +1185,7 @@ msgstr "完成 Stripe 设置" #: src/components/modals/SendMessageModal/index.tsx:230 #: src/components/routes/event/GettingStarted/index.tsx:43 -#: src/components/routes/event/orders.tsx:24 +#: src/components/routes/event/orders.tsx:23 msgid "Completed" msgstr "已完成" @@ -1260,7 +1276,7 @@ msgstr "内容背景颜色" #: src/components/common/WidgetEditor/index.tsx:31 #: src/components/common/WidgetEditor/index.tsx:217 #: src/components/layouts/Checkout/CheckoutFooter/index.tsx:38 -#: src/components/routes/product-widget/CollectInformation/index.tsx:431 +#: src/components/routes/product-widget/CollectInformation/index.tsx:444 #: src/components/routes/product-widget/SelectProducts/index.tsx:426 msgid "Continue" msgstr "继续" @@ -1309,7 +1325,7 @@ msgstr "复制" msgid "Copy Check-In URL" msgstr "复制签到链接" -#: src/components/routes/product-widget/CollectInformation/index.tsx:293 +#: src/components/routes/product-widget/CollectInformation/index.tsx:306 msgid "Copy details to all attendees" msgstr "将详细信息抄送给所有与会者" @@ -1324,7 +1340,7 @@ msgstr "复制 URL" #: src/components/common/CheckoutQuestion/index.tsx:174 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:152 -#: src/components/routes/product-widget/CollectInformation/index.tsx:341 +#: src/components/routes/product-widget/CollectInformation/index.tsx:354 msgid "Country" msgstr "国家" @@ -1516,7 +1532,7 @@ msgstr "每日销售、税费和费用明细" #: src/components/common/OrdersTable/index.tsx:186 #: src/components/common/ProductsTable/SortableProduct/index.tsx:287 #: src/components/common/PromoCodeTable/index.tsx:181 -#: src/components/common/QuestionsTable/index.tsx:113 +#: src/components/common/QuestionsTable/index.tsx:115 #: src/components/common/WebhookTable/index.tsx:116 msgid "Danger zone" msgstr "危险区" @@ -1535,8 +1551,8 @@ msgid "Date" msgstr "日期" #: src/components/layouts/EventHomepage/EventInformation/index.tsx:40 -msgid "Date & Time" -msgstr "日期和时间" +#~ msgid "Date & Time" +#~ msgstr "日期和时间" #: src/components/forms/CapaciyAssigmentForm/index.tsx:38 msgid "Day one capacity" @@ -1580,7 +1596,7 @@ msgstr "删除图像" msgid "Delete product" msgstr "删除产品" -#: src/components/common/QuestionsTable/index.tsx:118 +#: src/components/common/QuestionsTable/index.tsx:120 msgid "Delete question" msgstr "删除问题" @@ -1604,7 +1620,7 @@ msgstr "说明" msgid "Description for check-in staff" msgstr "签到工作人员的描述" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Details" msgstr "详细信息" @@ -1771,8 +1787,8 @@ msgid "Early bird" msgstr "早起的鸟儿" #: src/components/common/TaxAndFeeList/index.tsx:65 -#: src/components/modals/ManageAttendeeModal/index.tsx:218 -#: src/components/modals/ManageOrderModal/index.tsx:202 +#: src/components/modals/ManageAttendeeModal/index.tsx:221 +#: src/components/modals/ManageOrderModal/index.tsx:203 msgid "Edit" msgstr "编辑" @@ -1780,6 +1796,10 @@ msgstr "编辑" msgid "Edit {0}" msgstr "编辑 {0}" +#: src/components/common/QuestionAndAnswerList/index.tsx:159 +msgid "Edit Answer" +msgstr "编辑答案" + #: src/components/common/AttendeeTable/index.tsx:174 #~ msgid "Edit attendee" #~ msgstr "编辑与会者" @@ -1834,7 +1854,7 @@ msgstr "编辑产品类别" msgid "Edit Promo Code" msgstr "编辑促销代码" -#: src/components/common/QuestionsTable/index.tsx:110 +#: src/components/common/QuestionsTable/index.tsx:112 msgid "Edit question" msgstr "编辑问题" @@ -1896,16 +1916,16 @@ msgstr "电子邮件和通知设置" #: src/components/modals/CreateAttendeeModal/index.tsx:132 #: src/components/modals/ManageAttendeeModal/index.tsx:114 -#: src/components/modals/ManageOrderModal/index.tsx:156 +#: src/components/modals/ManageOrderModal/index.tsx:157 msgid "Email address" msgstr "电子邮件地址" -#: src/components/common/QuestionsTable/index.tsx:218 -#: src/components/common/QuestionsTable/index.tsx:219 -#: src/components/routes/product-widget/CollectInformation/index.tsx:285 -#: src/components/routes/product-widget/CollectInformation/index.tsx:286 -#: src/components/routes/product-widget/CollectInformation/index.tsx:395 -#: src/components/routes/product-widget/CollectInformation/index.tsx:396 +#: src/components/common/QuestionsTable/index.tsx:220 +#: src/components/common/QuestionsTable/index.tsx:221 +#: src/components/routes/product-widget/CollectInformation/index.tsx:298 +#: src/components/routes/product-widget/CollectInformation/index.tsx:299 +#: src/components/routes/product-widget/CollectInformation/index.tsx:408 +#: src/components/routes/product-widget/CollectInformation/index.tsx:409 msgid "Email Address" msgstr "电子邮件地址" @@ -2096,15 +2116,31 @@ msgid "Expiry Date" msgstr "有效期" #: src/components/routes/event/attendees.tsx:80 -#: src/components/routes/event/orders.tsx:141 +#: src/components/routes/event/orders.tsx:140 msgid "Export" msgstr "出口" +#: src/components/common/QuestionsTable/index.tsx:267 +msgid "Export answers" +msgstr "导出答案" + +#: src/mutations/useExportAnswers.ts:37 +msgid "Export failed. Please try again." +msgstr "导出失败。请重试。" + +#: src/mutations/useExportAnswers.ts:17 +msgid "Export started. Preparing file..." +msgstr "导出已开始。正在准备文件..." + #: src/components/routes/event/attendees.tsx:39 msgid "Exporting Attendees" msgstr "正在导出与会者" -#: src/components/routes/event/orders.tsx:91 +#: src/mutations/useExportAnswers.ts:31 +msgid "Exporting complete. Downloading file..." +msgstr "导出完成。正在下载文件..." + +#: src/components/routes/event/orders.tsx:90 msgid "Exporting Orders" msgstr "正在导出订单" @@ -2116,7 +2152,7 @@ msgstr "取消与会者失败" msgid "Failed to cancel order" msgstr "取消订单失败" -#: src/components/common/QuestionsTable/index.tsx:173 +#: src/components/common/QuestionsTable/index.tsx:175 msgid "Failed to delete message. Please try again." msgstr "删除信息失败。请重试。" @@ -2133,7 +2169,7 @@ msgstr "导出与会者失败" #~ msgid "Failed to export attendees. Please try again." #~ msgstr "导出与会者失败。请重试。" -#: src/components/routes/event/orders.tsx:100 +#: src/components/routes/event/orders.tsx:99 msgid "Failed to export orders" msgstr "导出订单失败" @@ -2161,6 +2197,14 @@ msgstr "重新发送票据电子邮件失败" msgid "Failed to sort products" msgstr "产品排序失败" +#: src/mutations/useExportAnswers.ts:15 +msgid "Failed to start export job" +msgstr "无法启动导出任务" + +#: src/components/common/QuestionAndAnswerList/index.tsx:102 +msgid "Failed to update answer." +msgstr "更新答案失败。" + #: src/components/forms/TaxAndFeeForm/index.tsx:18 #: src/components/forms/TaxAndFeeForm/index.tsx:39 #: src/components/modals/CreateTaxOrFeeModal/index.tsx:32 @@ -2183,7 +2227,7 @@ msgstr "费用" msgid "Fees are subject to change. You will be notified of any changes to your fee structure." msgstr "费用可能会变更。如有变更,您将收到通知。" -#: src/components/routes/event/orders.tsx:122 +#: src/components/routes/event/orders.tsx:121 msgid "Filter Orders" msgstr "筛选订单" @@ -2200,22 +2244,22 @@ msgstr "筛选器 ({activeFilterCount})" msgid "First Invoice Number" msgstr "第一张发票号码" -#: src/components/common/QuestionsTable/index.tsx:206 +#: src/components/common/QuestionsTable/index.tsx:208 #: src/components/modals/CreateAttendeeModal/index.tsx:118 #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:143 -#: src/components/routes/product-widget/CollectInformation/index.tsx:271 -#: src/components/routes/product-widget/CollectInformation/index.tsx:382 +#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/routes/product-widget/CollectInformation/index.tsx:284 +#: src/components/routes/product-widget/CollectInformation/index.tsx:395 msgid "First name" msgstr "姓名" -#: src/components/common/QuestionsTable/index.tsx:205 +#: src/components/common/QuestionsTable/index.tsx:207 #: src/components/modals/EditUserModal/index.tsx:71 #: src/components/modals/InviteUserModal/index.tsx:57 #: src/components/routes/auth/AcceptInvitation/index.tsx:90 #: src/components/routes/auth/Register/index.tsx:83 -#: src/components/routes/product-widget/CollectInformation/index.tsx:270 -#: src/components/routes/product-widget/CollectInformation/index.tsx:381 +#: src/components/routes/product-widget/CollectInformation/index.tsx:283 +#: src/components/routes/product-widget/CollectInformation/index.tsx:394 #: src/components/routes/profile/ManageProfile/index.tsx:135 msgid "First Name" msgstr "姓名" @@ -2224,7 +2268,7 @@ msgstr "姓名" msgid "First name must be between 1 and 50 characters" msgstr "名字必须在 1 至 50 个字符之间" -#: src/components/common/QuestionsTable/index.tsx:328 +#: src/components/common/QuestionsTable/index.tsx:349 msgid "First Name, Last Name, and Email Address are default questions and are always included in the checkout process." msgstr "名字、姓氏和电子邮件地址为默认问题,在结账过程中始终包含。" @@ -2307,7 +2351,7 @@ msgstr "入门" msgid "Go back to profile" msgstr "返回个人资料" -#: src/components/routes/product-widget/CollectInformation/index.tsx:226 +#: src/components/routes/product-widget/CollectInformation/index.tsx:239 msgid "Go to event homepage" msgstr "前往活动主页" @@ -2385,11 +2429,11 @@ msgstr "hi.events 徽标" msgid "Hidden from public view" msgstr "隐藏于公众视线之外" -#: src/components/common/QuestionsTable/index.tsx:269 +#: src/components/common/QuestionsTable/index.tsx:290 msgid "hidden question" msgstr "隐藏问题" -#: src/components/common/QuestionsTable/index.tsx:270 +#: src/components/common/QuestionsTable/index.tsx:291 msgid "hidden questions" msgstr "隐藏问题" @@ -2402,11 +2446,15 @@ msgstr "隐藏问题只有活动组织者可以看到,客户看不到。" msgid "Hide" msgstr "隐藏" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "Hide Answers" +msgstr "隐藏答案" + #: src/components/routes/event/Settings/Sections/MiscSettings/index.tsx:89 msgid "Hide getting started page" msgstr "隐藏入门页面" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Hide hidden questions" msgstr "隐藏隐藏问题" @@ -2483,7 +2531,7 @@ msgid "Homepage Preview" msgstr "主页预览" #: src/components/modals/ManageAttendeeModal/index.tsx:110 -#: src/components/modals/ManageOrderModal/index.tsx:144 +#: src/components/modals/ManageOrderModal/index.tsx:145 msgid "Homer" msgstr "荷马" @@ -2667,7 +2715,7 @@ msgstr "发票设置" msgid "Issue refund" msgstr "退款问题" -#: src/components/routes/product-widget/CollectInformation/index.tsx:373 +#: src/components/routes/product-widget/CollectInformation/index.tsx:386 msgid "Item" msgstr "项目" @@ -2727,20 +2775,20 @@ msgstr "最后登录" #: src/components/modals/CreateAttendeeModal/index.tsx:125 #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:149 +#: src/components/modals/ManageOrderModal/index.tsx:150 msgid "Last name" msgstr "姓氏" -#: src/components/common/QuestionsTable/index.tsx:210 -#: src/components/common/QuestionsTable/index.tsx:211 +#: src/components/common/QuestionsTable/index.tsx:212 +#: src/components/common/QuestionsTable/index.tsx:213 #: src/components/modals/EditUserModal/index.tsx:72 #: src/components/modals/InviteUserModal/index.tsx:58 #: src/components/routes/auth/AcceptInvitation/index.tsx:92 #: src/components/routes/auth/Register/index.tsx:89 -#: src/components/routes/product-widget/CollectInformation/index.tsx:276 -#: src/components/routes/product-widget/CollectInformation/index.tsx:277 -#: src/components/routes/product-widget/CollectInformation/index.tsx:387 -#: src/components/routes/product-widget/CollectInformation/index.tsx:388 +#: src/components/routes/product-widget/CollectInformation/index.tsx:289 +#: src/components/routes/product-widget/CollectInformation/index.tsx:290 +#: src/components/routes/product-widget/CollectInformation/index.tsx:400 +#: src/components/routes/product-widget/CollectInformation/index.tsx:401 #: src/components/routes/profile/ManageProfile/index.tsx:137 msgid "Last Name" msgstr "姓氏" @@ -2777,7 +2825,6 @@ msgstr "正在加载 Webhook" msgid "Loading..." msgstr "加载中..." -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:51 #: src/components/routes/event/Settings/index.tsx:33 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:84 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:167 @@ -2990,7 +3037,7 @@ msgstr "我的精彩活动标题..." msgid "My Profile" msgstr "我的简介" -#: src/components/common/QuestionAndAnswerList/index.tsx:79 +#: src/components/common/QuestionAndAnswerList/index.tsx:178 msgid "N/A" msgstr "不适用" @@ -3018,7 +3065,8 @@ msgstr "名称" msgid "Name should be less than 150 characters" msgstr "名称应少于 150 个字符" -#: src/components/common/QuestionAndAnswerList/index.tsx:82 +#: src/components/common/QuestionAndAnswerList/index.tsx:181 +#: src/components/common/QuestionAndAnswerList/index.tsx:289 msgid "Navigate to Attendee" msgstr "导航至与会者" @@ -3039,8 +3087,8 @@ msgid "No" msgstr "没有" #: src/components/common/QuestionAndAnswerList/index.tsx:104 -msgid "No {0} available." -msgstr "没有可用的{0}。" +#~ msgid "No {0} available." +#~ msgstr "没有可用的{0}。" #: src/components/routes/event/Webhooks/index.tsx:22 msgid "No Active Webhooks" @@ -3050,11 +3098,11 @@ msgstr "没有活动的 Webhook" msgid "No archived events to show." msgstr "没有可显示的已归档活动。" -#: src/components/common/AttendeeList/index.tsx:21 +#: src/components/common/AttendeeList/index.tsx:23 msgid "No attendees found for this order." msgstr "未找到此订单的参会者。" -#: src/components/modals/ManageOrderModal/index.tsx:131 +#: src/components/modals/ManageOrderModal/index.tsx:132 msgid "No attendees have been added to this order." msgstr "尚未向此订单添加参会者。" @@ -3146,7 +3194,7 @@ msgstr "尚无产品" msgid "No Promo Codes to show" msgstr "无促销代码显示" -#: src/components/modals/ManageAttendeeModal/index.tsx:190 +#: src/components/modals/ManageAttendeeModal/index.tsx:193 msgid "No questions answered by this attendee." msgstr "此与会者未回答任何问题。" @@ -3154,7 +3202,7 @@ msgstr "此与会者未回答任何问题。" #~ msgid "No questions have been answered by this attendee." #~ msgstr "此参会者尚未回答任何问题。" -#: src/components/modals/ManageOrderModal/index.tsx:118 +#: src/components/modals/ManageOrderModal/index.tsx:119 msgid "No questions have been asked for this order." msgstr "此订单尚未提出任何问题。" @@ -3213,7 +3261,7 @@ msgid "Not On Sale" msgstr "非卖品" #: src/components/modals/ManageAttendeeModal/index.tsx:130 -#: src/components/modals/ManageOrderModal/index.tsx:163 +#: src/components/modals/ManageOrderModal/index.tsx:164 msgid "Notes" msgstr "备注" @@ -3372,7 +3420,7 @@ msgid "Order Date" msgstr "订购日期" #: src/components/modals/ManageAttendeeModal/index.tsx:166 -#: src/components/modals/ManageOrderModal/index.tsx:87 +#: src/components/modals/ManageOrderModal/index.tsx:86 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:266 msgid "Order Details" msgstr "订购详情" @@ -3393,7 +3441,7 @@ msgstr "订单已标记为已支付" msgid "Order Marked as Paid" msgstr "订单标记为已支付" -#: src/components/modals/ManageOrderModal/index.tsx:93 +#: src/components/modals/ManageOrderModal/index.tsx:92 msgid "Order Notes" msgstr "订单备注" @@ -3409,8 +3457,8 @@ msgstr "具有特定产品的订单所有者" msgid "Order owners with products" msgstr "具有产品的订单所有者" -#: src/components/common/QuestionsTable/index.tsx:292 -#: src/components/common/QuestionsTable/index.tsx:334 +#: src/components/common/QuestionsTable/index.tsx:313 +#: src/components/common/QuestionsTable/index.tsx:355 msgid "Order questions" msgstr "订购问题" @@ -3422,7 +3470,7 @@ msgstr "订购参考" msgid "Order Refunded" msgstr "订单已退款" -#: src/components/routes/event/orders.tsx:46 +#: src/components/routes/event/orders.tsx:45 msgid "Order Status" msgstr "订单状态" @@ -3431,7 +3479,7 @@ msgid "Order statuses" msgstr "订单状态" #: src/components/layouts/Checkout/CheckoutSidebar/index.tsx:28 -#: src/components/modals/ManageOrderModal/index.tsx:106 +#: src/components/modals/ManageOrderModal/index.tsx:105 msgid "Order Summary" msgstr "订单摘要" @@ -3444,7 +3492,7 @@ msgid "Order Updated" msgstr "订单已更新" #: src/components/layouts/Event/index.tsx:60 -#: src/components/routes/event/orders.tsx:114 +#: src/components/routes/event/orders.tsx:113 msgid "Orders" msgstr "订单" @@ -3453,7 +3501,7 @@ msgstr "订单" #~ msgid "Orders Created" #~ msgstr "创建的订单" -#: src/components/routes/event/orders.tsx:95 +#: src/components/routes/event/orders.tsx:94 msgid "Orders Exported" msgstr "订单已导出" @@ -3526,7 +3574,7 @@ msgstr "付费产品" #~ msgid "Paid Ticket" #~ msgstr "付费机票" -#: src/components/routes/event/orders.tsx:31 +#: src/components/routes/event/orders.tsx:30 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:54 msgid "Partially Refunded" msgstr "部分退款" @@ -3727,7 +3775,7 @@ msgstr "请选择至少一个产品" #~ msgstr "请至少选择一张票" #: src/components/routes/event/attendees.tsx:49 -#: src/components/routes/event/orders.tsx:101 +#: src/components/routes/event/orders.tsx:100 msgid "Please try again." msgstr "请再试一次。" @@ -3744,7 +3792,7 @@ msgstr "请稍候,我们正在准备导出您的与会者..." msgid "Please wait while we prepare your invoice..." msgstr "请稍候,我们正在准备您的发票..." -#: src/components/routes/event/orders.tsx:92 +#: src/components/routes/event/orders.tsx:91 msgid "Please wait while we prepare your orders for export..." msgstr "请稍候,我们正在准备导出您的订单..." @@ -3772,7 +3820,7 @@ msgstr "技术支持" msgid "Pre Checkout message" msgstr "结账前信息" -#: src/components/common/QuestionsTable/index.tsx:326 +#: src/components/common/QuestionsTable/index.tsx:347 msgid "Preview" msgstr "预览" @@ -3862,7 +3910,7 @@ msgstr "产品删除成功" msgid "Product Price Type" msgstr "产品价格类型" -#: src/components/common/QuestionsTable/index.tsx:307 +#: src/components/common/QuestionsTable/index.tsx:328 msgid "Product questions" msgstr "产品问题" @@ -3991,7 +4039,7 @@ msgstr "可用数量" msgid "Quantity Sold" msgstr "销售数量" -#: src/components/common/QuestionsTable/index.tsx:168 +#: src/components/common/QuestionsTable/index.tsx:170 msgid "Question deleted" msgstr "问题已删除" @@ -4003,17 +4051,17 @@ msgstr "问题描述" msgid "Question Title" msgstr "问题标题" -#: src/components/common/QuestionsTable/index.tsx:257 +#: src/components/common/QuestionsTable/index.tsx:275 #: src/components/layouts/Event/index.tsx:61 msgid "Questions" msgstr "问题" #: src/components/modals/ManageAttendeeModal/index.tsx:184 -#: src/components/modals/ManageOrderModal/index.tsx:112 +#: src/components/modals/ManageOrderModal/index.tsx:111 msgid "Questions & Answers" msgstr "问与答" -#: src/components/common/QuestionsTable/index.tsx:143 +#: src/components/common/QuestionsTable/index.tsx:145 msgid "Questions sorted successfully" msgstr "问题已成功分类" @@ -4054,14 +4102,14 @@ msgstr "退款订单" msgid "Refund Pending" msgstr "退款处理中" -#: src/components/routes/event/orders.tsx:52 +#: src/components/routes/event/orders.tsx:51 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:128 msgid "Refund Status" msgstr "退款状态" #: src/components/common/OrderSummary/index.tsx:80 #: src/components/common/StatBoxes/index.tsx:33 -#: src/components/routes/event/orders.tsx:30 +#: src/components/routes/event/orders.tsx:29 #: src/components/routes/product-widget/OrderSummaryAndProducts/index.tsx:53 msgid "Refunded" msgstr "退款" @@ -4191,6 +4239,7 @@ msgstr "销售开始" msgid "San Francisco" msgstr "旧金山" +#: src/components/common/QuestionAndAnswerList/index.tsx:142 #: src/components/routes/event/Settings/Sections/EmailSettings/index.tsx:80 #: src/components/routes/event/Settings/Sections/EventDetailsForm/index.tsx:114 #: src/components/routes/event/Settings/Sections/HomepageAndCheckoutSettings/index.tsx:96 @@ -4201,8 +4250,8 @@ msgstr "旧金山" msgid "Save" msgstr "节省" -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/event/HomepageDesigner/index.tsx:166 msgid "Save Changes" msgstr "保存更改" @@ -4237,7 +4286,7 @@ msgstr "按与会者姓名、电子邮件或订单号搜索..." msgid "Search by event name..." msgstr "按活动名称搜索..." -#: src/components/routes/event/orders.tsx:127 +#: src/components/routes/event/orders.tsx:126 msgid "Search by name, email, or order #..." msgstr "按姓名、电子邮件或订单号搜索..." @@ -4504,7 +4553,7 @@ msgstr "显示可用产品数量" #~ msgid "Show available ticket quantity" #~ msgstr "显示可用门票数量" -#: src/components/common/QuestionsTable/index.tsx:274 +#: src/components/common/QuestionsTable/index.tsx:295 msgid "Show hidden questions" msgstr "显示隐藏问题" @@ -4533,7 +4582,7 @@ msgid "Shows common address fields, including country" msgstr "显示常用地址字段,包括国家" #: src/components/modals/ManageAttendeeModal/index.tsx:111 -#: src/components/modals/ManageOrderModal/index.tsx:150 +#: src/components/modals/ManageOrderModal/index.tsx:151 msgid "Simpson" msgstr "辛普森" @@ -4597,11 +4646,11 @@ msgstr "出错了。请重试。" msgid "Sorry, something has gone wrong. Please restart the checkout process." msgstr "对不起,出了点问题。请重新开始结账。" -#: src/components/routes/product-widget/CollectInformation/index.tsx:246 +#: src/components/routes/product-widget/CollectInformation/index.tsx:259 msgid "Sorry, something went wrong loading this page." msgstr "抱歉,在加载此页面时出了点问题。" -#: src/components/routes/product-widget/CollectInformation/index.tsx:234 +#: src/components/routes/product-widget/CollectInformation/index.tsx:247 msgid "Sorry, this order no longer exists." msgstr "抱歉,此订单不再存在。" @@ -4638,8 +4687,8 @@ msgstr "开始日期" #: src/components/common/CheckoutQuestion/index.tsx:165 #: src/components/routes/event/Settings/Sections/LocationSettings/index.tsx:139 -#: src/components/routes/product-widget/CollectInformation/index.tsx:326 -#: src/components/routes/product-widget/CollectInformation/index.tsx:327 +#: src/components/routes/product-widget/CollectInformation/index.tsx:339 +#: src/components/routes/product-widget/CollectInformation/index.tsx:340 msgid "State or Region" msgstr "州或地区" @@ -4760,7 +4809,7 @@ msgstr "成功更新位置" msgid "Successfully Updated Misc Settings" msgstr "成功更新杂项设置" -#: src/components/modals/ManageOrderModal/index.tsx:75 +#: src/components/modals/ManageOrderModal/index.tsx:74 msgid "Successfully updated order" msgstr "订单更新成功" @@ -5024,7 +5073,7 @@ msgstr "此订单已付款。" msgid "This order has already been refunded." msgstr "此订单已退款。" -#: src/components/routes/product-widget/CollectInformation/index.tsx:224 +#: src/components/routes/product-widget/CollectInformation/index.tsx:237 msgid "This order has been cancelled" msgstr "此订单已取消" @@ -5032,15 +5081,15 @@ msgstr "此订单已取消" msgid "This order has been cancelled." msgstr "此订单已取消。" -#: src/components/routes/product-widget/CollectInformation/index.tsx:197 +#: src/components/routes/product-widget/CollectInformation/index.tsx:210 msgid "This order has expired. Please start again." msgstr "此订单已过期。请重新开始。" -#: src/components/routes/product-widget/CollectInformation/index.tsx:208 +#: src/components/routes/product-widget/CollectInformation/index.tsx:221 msgid "This order is awaiting payment" msgstr "此订单正在等待付款" -#: src/components/routes/product-widget/CollectInformation/index.tsx:216 +#: src/components/routes/product-widget/CollectInformation/index.tsx:229 msgid "This order is complete" msgstr "此订单已完成" @@ -5081,7 +5130,7 @@ msgstr "此产品对公众隐藏" msgid "This product is hidden unless targeted by a Promo Code" msgstr "除非由促销代码指定,否则此产品是隐藏的" -#: src/components/common/QuestionsTable/index.tsx:88 +#: src/components/common/QuestionsTable/index.tsx:90 msgid "This question is only visible to the event organizer" msgstr "此问题只有活动组织者可见" @@ -5350,6 +5399,10 @@ msgstr "独立客户" msgid "United States" msgstr "美国" +#: src/components/common/QuestionAndAnswerList/index.tsx:284 +msgid "Unknown Attendee" +msgstr "未知参会者" + #: src/components/forms/CapaciyAssigmentForm/index.tsx:43 #: src/components/forms/ProductForm/index.tsx:83 #: src/components/forms/ProductForm/index.tsx:299 @@ -5461,8 +5514,8 @@ msgstr "地点名称" msgid "Vietnamese" msgstr "越南语" -#: src/components/modals/ManageAttendeeModal/index.tsx:217 -#: src/components/modals/ManageOrderModal/index.tsx:199 +#: src/components/modals/ManageAttendeeModal/index.tsx:220 +#: src/components/modals/ManageOrderModal/index.tsx:200 msgid "View" msgstr "查看" @@ -5470,11 +5523,15 @@ msgstr "查看" msgid "View and download reports for your event. Please note, only completed orders are included in these reports." msgstr "查看并下载您的活动报告。请注意,报告中仅包含已完成的订单。" +#: src/components/common/AttendeeList/index.tsx:84 +msgid "View Answers" +msgstr "查看答案" + #: src/components/common/AttendeeTable/index.tsx:164 #~ msgid "View attendee" #~ msgstr "查看与会者" -#: src/components/common/AttendeeList/index.tsx:57 +#: src/components/common/AttendeeList/index.tsx:103 msgid "View Attendee Details" msgstr "查看参会者详情" @@ -5494,11 +5551,11 @@ msgstr "查看完整信息" msgid "View logs" msgstr "查看日志" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View map" msgstr "查看地图" -#: src/components/layouts/EventHomepage/EventInformation/index.tsx:68 +#: src/components/layouts/EventHomepage/EventInformation/index.tsx:65 msgid "View on Google Maps" msgstr "在谷歌地图上查看" @@ -5508,7 +5565,7 @@ msgstr "在谷歌地图上查看" #: src/components/forms/StripeCheckoutForm/index.tsx:75 #: src/components/forms/StripeCheckoutForm/index.tsx:85 -#: src/components/routes/product-widget/CollectInformation/index.tsx:218 +#: src/components/routes/product-widget/CollectInformation/index.tsx:231 msgid "View order details" msgstr "查看订单详情" @@ -5764,8 +5821,8 @@ msgstr "工作" #: src/components/modals/EditProductModal/index.tsx:108 #: src/components/modals/EditPromoCodeModal/index.tsx:84 #: src/components/modals/EditQuestionModal/index.tsx:101 -#: src/components/modals/ManageAttendeeModal/index.tsx:228 -#: src/components/modals/ManageOrderModal/index.tsx:174 +#: src/components/modals/ManageAttendeeModal/index.tsx:231 +#: src/components/modals/ManageOrderModal/index.tsx:175 #: src/components/routes/auth/ForgotPassword/index.tsx:55 #: src/components/routes/auth/Register/index.tsx:129 #: src/components/routes/auth/ResetPassword/index.tsx:62 @@ -5846,7 +5903,7 @@ msgstr "不能编辑账户所有者的角色或状态。" msgid "You cannot refund a manually created order." msgstr "您不能退还手动创建的订单。" -#: src/components/common/QuestionsTable/index.tsx:250 +#: src/components/common/QuestionsTable/index.tsx:252 msgid "You created a hidden question but disabled the option to show hidden questions. It has been enabled." msgstr "您创建了一个隐藏问题,但禁用了显示隐藏问题的选项。该选项已启用。" @@ -5866,11 +5923,11 @@ msgstr "您已接受此邀请。请登录以继续。" #~ msgid "You have connected your Stripe account" #~ msgstr "您已连接 Stripe 账户" -#: src/components/common/QuestionsTable/index.tsx:317 +#: src/components/common/QuestionsTable/index.tsx:338 msgid "You have no attendee questions." msgstr "没有与会者提问。" -#: src/components/common/QuestionsTable/index.tsx:302 +#: src/components/common/QuestionsTable/index.tsx:323 msgid "You have no order questions." msgstr "您没有订单问题。" @@ -5982,7 +6039,7 @@ msgstr "与会者注册参加活动后,就会出现在这里。您也可以手 msgid "Your awesome website 🎉" msgstr "您的网站真棒 🎉" -#: src/components/routes/product-widget/CollectInformation/index.tsx:263 +#: src/components/routes/product-widget/CollectInformation/index.tsx:276 msgid "Your Details" msgstr "您的详细信息" @@ -6010,7 +6067,7 @@ msgstr "您的订单已被取消" msgid "Your order is awaiting payment 🏦" msgstr "您的订单正在等待支付 🏦" -#: src/components/routes/event/orders.tsx:96 +#: src/components/routes/event/orders.tsx:95 msgid "Your orders have been exported successfully." msgstr "您的订单已成功导出。" @@ -6051,7 +6108,7 @@ msgstr "您的 Stripe 账户已连接并准备好处理支付。" msgid "Your ticket for" msgstr "您的入场券" -#: src/components/routes/product-widget/CollectInformation/index.tsx:335 +#: src/components/routes/product-widget/CollectInformation/index.tsx:348 msgid "ZIP / Postal Code" msgstr "邮政编码" @@ -6060,6 +6117,6 @@ msgstr "邮政编码" msgid "Zip or Postal Code" msgstr "邮政编码" -#: src/components/routes/product-widget/CollectInformation/index.tsx:336 +#: src/components/routes/product-widget/CollectInformation/index.tsx:349 msgid "ZIP or Postal Code" msgstr "邮政编码" diff --git a/frontend/src/mutations/useExportAnswers.ts b/frontend/src/mutations/useExportAnswers.ts new file mode 100644 index 0000000000..ab28420715 --- /dev/null +++ b/frontend/src/mutations/useExportAnswers.ts @@ -0,0 +1,59 @@ +import {useMutation, useQuery} from "@tanstack/react-query"; +import {questionClient} from "../api/question.client"; +import {useState} from "react"; +import {t} from "@lingui/macro"; +import {showError, showSuccess} from "../utilites/notifications.tsx"; +import {downloadFile} from "../utilites/download.ts"; +import {IdParam} from "../types.ts"; + +export const useExportAnswers = (eventId: IdParam) => { + const [jobUuid, setJobUuid] = useState(null); + + const startExportMutation = useMutation({ + mutationFn: async () => { + const {job_uuid} = await questionClient.exportAnswers(eventId); + if (!job_uuid) throw new Error(t`Failed to start export job`); + setJobUuid(job_uuid); + showSuccess(t`Export started. Preparing file...`); + return job_uuid; + }, + }); + + const query = useQuery({ + queryKey: ["exportStatus", jobUuid], + queryFn: async () => { + if (!jobUuid) return null; + + try { + const data = await questionClient.checkExportStatus(eventId, jobUuid); + + if (data.status === "FINISHED" && data.download_url) { + showSuccess(t`Exporting complete. Downloading file...`); + downloadFile(data.download_url as string, data.download_url.split("/").pop() as string); + setJobUuid(null); + } + + if (data.status === "FAILED" || data.status === "NOT_FOUND") { + showError(t`Export failed. Please try again.`); + setJobUuid(null); + } + + return data; + } catch (error) { + showError(t`An error occurred while checking export status.`); + setJobUuid(null); + return null; + } + }, + enabled: !!jobUuid, + refetchInterval: (data) => (data?.status === "IN_PROGRESS" + ? 5000 + : false + ), + }); + + return { + startExport: startExportMutation.mutate, + isExporting: startExportMutation.isPending || query.isFetching, + }; +}; diff --git a/frontend/src/utilites/download.ts b/frontend/src/utilites/download.ts index 5fb4d171f0..419804eec8 100644 --- a/frontend/src/utilites/download.ts +++ b/frontend/src/utilites/download.ts @@ -8,3 +8,13 @@ export const downloadBinary = (binary: Blob, fileName: string) => { document.body.removeChild(link); window?.URL.revokeObjectURL(url); } + +export const downloadFile = (fileUrl: string, filename: string) => { + const link = document.createElement("a"); + link.href = fileUrl; + link.download = filename; + link.target = "_blank"; + document.body.appendChild(link); + link.click(); + document.body.removeChild(link); +};