Merge branch 'main' into feat/organizations

This commit is contained in:
Leo Giovanetti 2023-06-08 12:48:20 -03:00
commit 476110d303
76 changed files with 200 additions and 1316 deletions

View File

@ -24,7 +24,7 @@ export function AvailableEventLocations({ locations }: { locations: Props["event
}
const translateAbleKeys = [
"attendee_in_person",
"in_person_attendee_address",
"in_person",
"attendee_phone_number",
"link_meeting",

View File

@ -55,7 +55,7 @@ export const RescheduleDialog = (props: IRescheduleDialog) => {
</p>
<TextArea
data-testid="reschedule_reason"
name={t("reschedule_reason")}
name={t("reason_for_reschedule")}
value={rescheduleReason}
onChange={(e) => setRescheduleReason(e.target.value)}
className="mb-5 sm:mb-6"

View File

@ -185,7 +185,7 @@ function EventTypeSingleLayout({
info:
isManagedEventType || isChildrenManagedEventType
? eventType.schedule === null
? "member_default_schedule"
? "members_default_schedule"
: isChildrenManagedEventType
? `${
eventType.scheduleName

View File

@ -2,7 +2,7 @@ require("dotenv").config({ path: "../../.env" });
const CopyWebpackPlugin = require("copy-webpack-plugin");
const os = require("os");
const glob = require("glob");
const englishTranslation = require("./public/static/locales/en/common.json");
const { withAxiom } = require("next-axiom");
const { i18n } = require("./next-i18next.config");
@ -57,6 +57,20 @@ if (process.env.GOOGLE_API_CREDENTIALS && !validJson(process.env.GOOGLE_API_CRED
);
}
const informAboutDuplicateTranslations = () => {
const valueSet = new Set();
for (const key in englishTranslation) {
if (valueSet.has(englishTranslation[key])) {
console.warn("\x1b[33mDuplicate value found in:", "\x1b[0m", key);
} else {
valueSet.add(englishTranslation[key]);
}
}
};
informAboutDuplicateTranslations();
const plugins = [];
if (process.env.ANALYZE === "true") {
// only load dependency if env `ANALYZE` was set

View File

@ -1,6 +1,6 @@
{
"name": "@calcom/web",
"version": "2.9.6",
"version": "2.9.7",
"private": true,
"scripts": {
"analyze": "ANALYZE=true next build",

View File

@ -182,7 +182,7 @@ const IntegrationsList = ({ data, handleDisconnect, variant }: IntegrationsListP
setBulkUpdateModal(true);
}
}}>
{t("change_default_conferencing_app")}
{t("set_as_default")}
</DropdownItem>
</DropdownMenuItem>
)}

View File

@ -363,7 +363,7 @@ export default function Success(props: SuccessProps) {
id="modal-headline">
{needsConfirmation && !isCancelled
? props.recurringBookings
? t("submitted_recurring")
? t("booking_submitted_recurring")
: t("booking_submitted")
: isCancelled
? seatReferenceUid

View File

@ -25,7 +25,7 @@ const Heading = () => {
return (
<div className="min-w-52 hidden md:block">
<h3 className="font-cal max-w-28 sm:max-w-72 md:max-w-80 text-emphasis truncate text-xl font-semibold tracking-wide xl:max-w-full">
{t("analytics_for_organisation")}
{t("insights")}
</h3>
<p className="text-default hidden text-sm md:block">{t("subtitle_analytics")}</p>
</div>

View File

@ -47,15 +47,13 @@ const BillingView = () => {
<>
<Meta title={t("billing")} description={t("manage_billing_description")} />
<div className="space-y-6 text-sm sm:space-y-8">
<CtaRow
title={t("billing_manage_details_title")}
description={t("billing_manage_details_description")}>
<CtaRow title={t("view_and_manage_billing_details")} description={t("view_and_edit_billing_details")}>
<Button color="primary" href={billingHref} target="_blank" EndIcon={ExternalLink}>
{t("billing_portal")}
</Button>
</CtaRow>
<CtaRow title={t("billing_help_title")} description={t("billing_help_description")}>
<CtaRow title={t("need_anything_else")} description={t("further_billing_help")}>
<Button color="secondary" onClick={onContactSupportClick}>
{t("contact_support")}
</Button>

View File

@ -1,5 +1,6 @@
import { useState } from "react";
import { Controller, useForm } from "react-hook-form";
import type { z } from "zod";
import { BookerLayoutSelector } from "@calcom/features/settings/BookerLayoutSelector";
import ThemeLabel from "@calcom/features/settings/ThemeLabel";
@ -9,6 +10,7 @@ import { checkWCAGContrastColor } from "@calcom/lib/getBrandColours";
import { useHasPaidPlan } from "@calcom/lib/hooks/useHasPaidPlan";
import { useLocale } from "@calcom/lib/hooks/useLocale";
import { validateBookerLayouts } from "@calcom/lib/validateBookerLayouts";
import type { userMetadata } from "@calcom/prisma/zod-utils";
import { trpc } from "@calcom/trpc/react";
import {
Alert,
@ -64,7 +66,7 @@ const AppearanceView = () => {
brandColor: user?.brandColor || "#292929",
darkBrandColor: user?.darkBrandColor || "#fafafa",
hideBranding: user?.hideBranding,
defaultBookerLayouts: user?.defaultBookerLayouts,
metadata: user?.metadata as z.infer<typeof userMetadata>,
},
});
@ -99,7 +101,7 @@ const AppearanceView = () => {
<Form
form={formMethods}
handleSubmit={(values) => {
const layoutError = validateBookerLayouts(values.defaultBookerLayouts || null);
const layoutError = validateBookerLayouts(values?.metadata?.defaultBookerLayouts || null);
if (layoutError) throw new Error(t(layoutError));
mutation.mutate({
@ -127,14 +129,14 @@ const AppearanceView = () => {
<ThemeLabel
variant="light"
value="light"
label={t("theme_light")}
label={t("light")}
defaultChecked={user.theme === "light"}
register={formMethods.register}
/>
<ThemeLabel
variant="dark"
value="dark"
label={t("theme_dark")}
label={t("dark")}
defaultChecked={user.theme === "dark"}
register={formMethods.register}
/>

View File

@ -149,7 +149,7 @@ const ConferencingLayout = () => {
});
}
}}>
{t("change_default_conferencing_app")}
{t("set_as_default")}
</DropdownItem>
</DropdownMenuItem>
)}

View File

@ -36,7 +36,7 @@ const TwoFactorAuthView = () => {
const isCalProvider = user?.identityProvider === "CAL";
return (
<>
<Meta title={t("2fa")} description={t("2fa_description")} />
<Meta title={t("2fa")} description={t("set_up_two_factor_authentication")} />
{!isCalProvider && <Alert severity="neutral" message={t("2fa_disabled")} />}
<div className="mt-6 flex items-start space-x-4">
<Switch

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "قم بإنهاء إعداد حسابك في {{appName}}! متبقي بضع خطوات فقط لحل جميع مشاكل الجدولة لديك.",
"have_any_questions": "هل لديك أسئلة؟ نحن هنا للمساعدة.",
"reset_password_subject": "{{appName}}: إرشادات إعادة تعيين كلمة المرور",
"verify_email_banner_button": "إرسال بريد إلكتروني",
"event_declined_subject": "تم الرفض: {{title}} في {{date}}",
"event_cancelled_subject": "تم الإلغاء: {{title}} في {{date}}",
"event_request_declined": "تم رفض طلب الحدث الخاص بك",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "لقد تم حجز الاجتماع الخاص بك",
"event_type_has_been_rescheduled_on_time_date": "تم إعادة جدولة {{title}} إلى {{date}}.",
"event_has_been_rescheduled": "تم التحديث - تم إعادة جدولة الحدث الخاص بك",
"request_reschedule_title_attendee": "طلب إعادة جدولة الحجز الخاص بك",
"request_reschedule_subtitle": "ألغى {{organizer}} الحجز وطلب منك اختيار حجز في وقت آخر.",
"request_reschedule_title_organizer": "لقد طلبت من {{attendee}} إعادة جدولة موعد",
"request_reschedule_subtitle_organizer": "لقد ألغيت الحجز ويجب أن يختار {{attendee}} وقتًا جديداً للحجز معك.",
"rescheduled_event_type_subject": "تم إرسال طلب لإعادة الجدولة: {{eventType}} مع {{name}} في {{date}}",
"requested_to_reschedule_subject_attendee": "الإجراء المطلوب إعادة الجدولة: يُرجى حجز وقت جديد لمدة {{eventType}} مع {{name}}",
"reschedule_reason": "سبب إعادة الجدولة",
"hi_user_name": "مرحبا {{name}}",
"ics_event_title": "{{eventType}} مع {{name}}",
"new_event_subject": "حدث جديد: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "مرحبًا بك في {{appName}}",
"welcome_instructions": "أخبرنا باسمك وبالمنطقة الزمنية التي توجد فيها. ستتمكن لاحقًا من تعديل هذا.",
"connect_caldav": "الاتصال بخادم CalDav",
"credentials_stored_and_encrypted": "سيجري تشفير بياناتك وتخزينها.",
"connect": "الاتصال",
"try_for_free": "جرّبه مجانًا",
"create_booking_link_with_calcom": "أنشئ رابط الحجز الخاص بك باستخدام {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "لا يزال {{user}} بحاجة إلى تأكيد كل حجز للاجتماع المتكرر أو رفضه.",
"meeting_is_scheduled": "تمت جدولة هذا الاجتماع",
"meeting_is_scheduled_recurring": "تم جدولة الأحداث المتكررة",
"submitted_recurring": "تم إرسال الاجتماع المتكرر الخاص بك",
"booking_submitted": "تم إرسال الحجز الخاص بك",
"booking_submitted_recurring": "تم إرسال الاجتماع المتكرر الخاص بك",
"booking_confirmed": "تم تأكيد الحجز الخاص بك",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "تم بالفعل قبول هذا الحجز أو رفضه",
"go_back_home": "العودة إلى الشاشة الرئيسية",
"or_go_back_home": "أو العودة إلى الشاشة الرئيسية",
"no_availability": "غير متاح",
"no_meeting_found": "لم يتم العثور على اجتماعات",
"no_meeting_found_description": "هذا الاجتماع غير موجود. اتصل بصاحب الاجتماع للحصول على الرابط المُحدَّث.",
"no_status_bookings_yet": "لا توجد عمليات حجز {{status}}",
@ -448,7 +442,6 @@
"invalid_password_hint": "يجب أن تتألف كلمة المرور على الأقل من {{passwordLength}} أحرف، ورقم واحد على الأقل، ومزيج من الحروف الكبيرة والصغيرة",
"incorrect_password": "كلمة المرور غير صحيحة.",
"incorrect_username_password": "اسم المستخدم أو كلمة المرور غير صحيحة.",
"24_h": "24 ساعة",
"use_setting": "استخدام الإعداد",
"am_pm": "صباحًا/مساءً",
"time_options": "خيارات الوقت",
@ -491,15 +484,11 @@
"booking_confirmation": "قم بتأكيد {{eventTypeTitle}} مع {{profileName}}",
"booking_reschedule_confirmation": "أعد جدولة {{eventTypeTitle}} مع {{profileName}}",
"in_person_meeting": "الرابط أو الاجتماع الشخصي",
"attendee_in_person": "شخصيًا (عنوان من سيحضر)",
"in_person": "شخصيًا (عنوان المنظم)",
"link_meeting": "رابط الاجتماع",
"phone_call": "رقم هاتف الحضور",
"your_number": "رقم هاتفك",
"phone_number": "رقم الهاتف",
"attendee_phone_number": "رقم هاتف الحضور",
"organizer_phone_number": "رقم هاتف المنظم",
"host_phone_number": "رقم هاتفك",
"enter_phone_number": "أدخل رقم الهاتف",
"reschedule": "إعادة الجدولة",
"reschedule_this": "إعادة الجدولة بدلاً من ذلك",
@ -625,9 +614,6 @@
"new_event_type_btn": "نوع حدث جديد",
"new_event_type_heading": "إنشاء نوع الحدث الأول لديك",
"new_event_type_description": "تتيح لك أنواع الأحداث مشاركة الروابط التي تعرض الأوقات المتاحة في تقويمك وتسمح للأشخاص بالحجز معك.",
"new_event_title": "إضافة نوع حدث جديد",
"new_team_event": "إضافة نوع حدث جديد لفريق",
"new_event_description": "قم بإنشاء نوع حدث جديد ليحجز الأشخاص من خلاله.",
"event_type_created_successfully": "تم إنشاء نوع الحدث {{eventTypeTitle}} بنجاح",
"event_type_updated_successfully": "تم تحديث نوع الحدث {{eventTypeTitle}} بنجاح",
"event_type_deleted_successfully": "تم حذف نوع الحدث بنجاح",
@ -796,7 +782,6 @@
"automation": "التشغيل التلقائي",
"configure_how_your_event_types_interact": "اضبط كيفية تفاعل أنواع الأحداث لديك مع تقاويمك.",
"toggle_calendars_conflict": "قم بتبديل التقويمات التي تريد التحقق من وجود تضاربات فيها لمنع حدوث حجز مزدوج.",
"select_destination_calendar": "إنشاء أحداث في",
"connect_additional_calendar": "ربط رزنامة إضافية",
"calendar_updated_successfully": "تم تحديث التقويم بنجاح",
"conferencing": "المؤتمرات عبر الفيديو",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} من التطبيقات",
"trending_apps": "التطبيقات الرائجة",
"most_popular": "الأكثر شعبية",
"explore_apps": "تطبيقات {{category}}",
"installed_apps": "التطبيقات المثبتة",
"free_to_use_apps": "متاح",
"no_category_apps": "لا توجد تطبيقات {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "أضف أي نوع آخر من التطبيقات للقيام بأي شيء",
"no_category_apps_description_web3": "إضافة تطبيق web3 لصفحات الحجز لديك",
"installed_app_calendar_description": "قم بتعيين التقويمات للتحقق من وجود تعارضات لمنع الحجوزات المزدوجة.",
"installed_app_conferencing_description": "أضف تطبيقات مؤتمرات الفيديو المفضلة لديك لاجتماعاتك",
"installed_app_payment_description": "قم بإعداد أي خدمات معالجة دفع تود استخدامها عند التحصيل من العملاء.",
"installed_app_analytics_description": "تهيئة أي تطبيقات تستخدم لصفحات الحجز الخاصة بك",
"installed_app_other_description": "جميع تطبيقاتك المثبتة من الفئات الأخرى.",
@ -868,7 +851,6 @@
"terms_of_service": "شروط الخدمة",
"remove": "إزالة",
"add": "إضافة",
"installed_one": "تم التثبيت",
"installed_other": "{{count}} مثبت",
"verify_wallet": "تأكيد المحفظة",
"create_events_on": "إنشاء أحداث في",
@ -896,7 +878,6 @@
"availability_updated_successfully": "تم تحديث جدول {{scheduleName}} بنجاح",
"schedule_deleted_successfully": "تم حذف الجدول بنجاح",
"default_schedule_name": "ساعات العمل",
"member_default_schedule": "الجدول الزمني الافتراضي للعضو",
"new_schedule_heading": "إنشاء جدول الأوقات المتاحة",
"new_schedule_description": "إن إنشاء جداول الأوقات المتاحة يتيح لك إدارة الأوقات المتاحة عبر أنواع الأحداث. يمكن تطبيقها على نوع أو أكثر من أنواع الأحداث.",
"requires_ownership_of_a_token": "يتطلب امتلاك token يخص العنوان التالي:",
@ -933,8 +914,6 @@
"api_key_no_note": "مفتاح API بدون اسم",
"api_key_never_expires": "مفتاح API هذا ليس له تاريخ انتهاء صلاحية",
"edit_api_key": "تحرير مفتاح API",
"never_expire_key": "لا تنتهي الصّلاحية أبدًا",
"delete_api_key": "إلغاء مفتاح API",
"success_api_key_created": "تم إنشاء مفتاح API بنجاح",
"success_api_key_edited": "تم تحديث مفتاح API بنجاح",
"create": "إنشاء",
@ -975,7 +954,6 @@
"event_location_changed": "تم التحديث - تم تغيير موقع الحدث الخاص بك",
"location_changed_event_type_subject": "تم تغيير الموقع: {{eventType}} مع {{name}} في {{date}}",
"current_location": "الموقع الحالي",
"user_phone": "رقم هاتفك",
"new_location": "الموقع الجديد",
"session": "الجلسة",
"session_description": "التحكم في جلسة حسابك",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>سجل الدخول إلى حساب Zapier الخاص بك وأنشئ Zap جديد.</0><1>حدد Cal.com كتطبيق Trigger لديك. اختر أيضًا حدث Trigger.</1><2>اختر حسابك ثم أدخل مفتاح API الفريد الخاص بك.</2><3>اختبر Trigger الخاص بك.</3><4>أنت جاهز!</4>",
"install_zapier_app": "يرجى تثبيت تطبيق Zapier من App Store أولًا.",
"connect_apple_server": "الاتصال بخادم Apple",
"connect_caldav_server": "الاتصال بخادم CalDav",
"calendar_url": "رابط التقويم",
"apple_server_generate_password": "أنشئ كلمة مرور خاصة بالتطبيق لاستخدامها مع {{appName}} على",
"credentials_stored_encrypted": "سيتم تشفير بياناتك وتخزينها.",
@ -1033,7 +1010,6 @@
"go_to": "انتقل إلى: ",
"zapier_invite_link": "رابط دعوة Zapier",
"meeting_url_provided_after_confirmed": "سيتم إنشاء رابط الاجتماع بمجرد تأكيد الحدث.",
"attendees_name": "اسم الحاضر",
"dynamically_display_attendee_or_organizer": "عرض اسم حضورك بشكل ديناميكي، أو اسمك عندما يراه حضورك",
"event_location": "موقع الحدث",
"reschedule_optional": "سبب إعادة الجدولة (اختياري)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "الاتصال بخادم Exchange 2016",
"custom_template": "قالب مخصص",
"email_body": "نص البريد الإلكتروني",
"subject": "موضوع البريد الإلكتروني",
"text_message": "رسالة نصية",
"specific_issue": "هل لديك مشكلة معينة؟",
"browse_our_docs": "تصفح مستنداتنا",
@ -1135,12 +1110,9 @@
"new_seat_title": "شخص ما أضاف نفسه إلى حدث",
"variable": "متغير",
"event_name_variable": "اسم الحدث",
"organizer_name_variable": "المنظِّم",
"attendee_name_variable": "الحاضر",
"event_date_variable": "تاريخ الحدث",
"event_time_variable": "وقت الحدث",
"location_variable": "الموقع",
"additional_notes_variable": "ملاحظات إضافية",
"app_upgrade_description": "لاستخدام هذه الميزة، تحتاج إلى الترقية إلى حساب Pro.",
"invalid_number": "رقم الهاتف غير صالح",
"navigate": "تنقّل",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "إعداد جدول تكرار",
"today": "اليوم",
"appearance": "المظهر",
"appearance_subtitle": "إدارة إعدادات مظهر الحجز الخاص بك",
"my_account": "حسابي",
"general": "عام",
"calendars": "التقويمات",
@ -1254,7 +1225,6 @@
"conferencing_description": "أضف تطبيقات مؤتمرات الفيديو المفضلة لديك لاجتماعاتك",
"add_conferencing_app": "إضافة تطبيق عقد اجتماعات",
"password_description": "إدارة إعدادات كلمات مرور حسابك",
"2fa_description": "إدارة إعدادات كلمات مرور حسابك",
"we_just_need_basic_info": "نحتاج إلى بعض المعلومات الأساسية لإعداد ملفك الشخصي.",
"skip": "تخطي",
"do_this_later": "القيام بذلك لاحقًا",
@ -1278,7 +1248,6 @@
"event_date_info": "تاريخ الحدث",
"event_time_info": "وقت بدء الحدث",
"location_info": "موقع الحدث",
"organizer_name_info": "اسمك",
"additional_notes_info": "ملاحظات إضافية للحجز",
"attendee_name_info": "اسم الشخص صاحب الحجز",
"to": "إلى",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "نسخ الرابط إلى النموذج",
"theme": "السمة",
"theme_applies_note": "ينطبق هذا فقط على صفحات الحجز العامة",
"theme_light": "فاتح",
"theme_dark": "داكن",
"theme_system": "الافتراضي للنظام",
"add_a_team": "إضافة فريق",
"add_webhook_description": "تلقي بيانات الاجتماع في الوقت الحقيقي عندما يحدث شيء ما في {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "تمكين Webhook",
"add_webhook": "إضافة Webhook",
"webhook_edited_successfully": "تم حفظ Webhook",
"webhooks_description": "تلقي بيانات الاجتماع في الوقت الحقيقي عندما يحدث شيء ما في {{appName}}",
"api_keys_description": "إنشاء مفاتيح API لاستخدامها للوصول إلى حسابك الخاص",
"new_api_key": "مفتاح API جديد",
"active": "نشط",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "أنت حاليًا على الخطة المجانية",
"billing_freeplan_description": "نحن نعمل بشكل أفضل ضمن فرق. وسّع سير عملك من خلال الأحداث الدوارة والجماعية وإنشاء نماذج توجيه متقدمة",
"billing_freeplan_cta": "جرب الآن",
"billing_manage_details_title": "عرض تفاصيل الفواتير وإدارتها",
"billing_manage_details_description": "اعرض تفاصيل الفواتير وعدّلها، كما يمكنك إلغاء الاشتراك.",
"billing_portal": "بوابة الفواتير",
"billing_help_title": "هل تحتاج إلى أي شيء آخر؟",
"billing_help_description": "إذا كنت تحتاج إلى أي مساعدة إضافية بخصوص الفوترة، فإن فريق الدعم لدينا في انتظارك لتقديم المساعدة.",
"billing_help_cta": "الاتصال بالدعم",
"ignore_special_characters_booking_questions": "تجاهل الأحرف الخاصة في معرف سؤال الحجز لديك. استخدم الأحرف والأرقام فقط",
"retry": "إعادة المحاولة",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "فشل الاتصال بالتقويم",
"booking_confirmation_success": "تم تأكيد الحجز بنجاح",
"booking_rejection_success": "تم رفض الحجز بنجاح",
"booking_confirmation_fail": "فشل تأكيد الحجز",
"booking_tentative": "هذا الحجز مؤقت",
"booking_accept_intent": "أخطأت، كنت أريد الموافقة",
"we_wont_show_again": "لن نعرض هذا مرة أخرى",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "توافر {{eventTypeTitle}}",
"error_editing_availability": "خطأ في تحرير التوافر",
"dont_have_permission": "ليس لديك الصلاحيات الكافية للوصول إلى هذا المصدر.",
"saml_config": "تسجيل الدخول لمرة واحدة",
"saml_configuration_placeholder": "يُرجى لصق بيانات تعريف SAML المقدمة من مزود الهوية هنا",
"saml_email_required": "يُرجى إدخال بريد إلكتروني حتى نتمكن من العثور على مزود هوية SAML الخاص بك",
"saml_sp_title": "تفاصيل موفر الخدمة",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "معرف الكيان SP",
"saml_sp_acs_url_copied": "تم نسخ رابط ACS!",
"saml_sp_entity_id_copied": "تم نسخ معرف كيان SP!",
"saml_btn_configure": "تهيئة",
"add_calendar": "إضافة تقويم",
"limit_future_bookings": "الحد من الحجوزات المستقبلية",
"limit_future_bookings_description": "الحد من عدد مرات حجز هذا الحدث في المستقبل",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "نعم، حذف تكوين {{connectionType}}",
"delete_sso_configuration_confirmation_description": "هل تريد بالتأكيد حذف تكوين {{connectionType}}؟ لن يتمكن أعضاء فريقك الذين يستخدمون معلومات تسجيل الدخول إلى {{connectionType}} من الوصول إلى Cal.com بعد الآن.",
"organizer_timezone": "منظم المناطق الزمنية",
"email_no_user_cta": "إنشاء حسابك",
"email_user_cta": "عرض الدعوة",
"email_no_user_invite_heading": "لقد تمت دعوتك للانضمام إلى فريق في {{appName}}",
"email_no_user_invite_subheading": "دعاك {{invitedBy}} للانضمام إلى فريقه على {{appName}}. إن {{appName}} هو برنامج جدولة الأحداث الذي يمكّنك أنت وفريقك من جدولة الاجتماعات دون الحاجة إلى المراسلة عبر البريد الإلكتروني.",
@ -1648,7 +1606,6 @@
"create_event_on": "إنشاء حدث في",
"default_app_link_title": "تعيين رابط تطبيق افتراضي",
"default_app_link_description": "يسمح تعيين رابط التطبيق الافتراضي لجميع أنواع الأحداث التي تم إنشاؤها حديثًا باستخدام رابط التطبيق الذي عينته.",
"change_default_conferencing_app": "تعيين كافتراضي",
"organizer_default_conferencing_app": "تطبيق المنظمة الافتراضي",
"under_maintenance": "معطل للصيانة",
"under_maintenance_description": "يجري فريق {{appName}} صيانة مجدولة. إذا كان لديك أي أسئلة، يرجى الاتصال بالدعم.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "فشل تأكيد الحجز",
"not_enough_seats": "لا توجد مقاعد كافية",
"form_builder_field_already_exists": "يوجد حقل بهذا الاسم بالفعل",
"form_builder_field_add_subtitle": "يمكنك تخصيص الأسئلة المطروحة في صفحة الحجز",
"show_on_booking_page": "إظهار في صفحة الحجز",
"get_started_zapier_templates": "البدء في استخدام قوالب Zapier",
"team_is_unpublished": "لم يُنشر {{team}}",
@ -1715,7 +1671,6 @@
"verification_code": "رمز التحقق",
"can_you_try_again": "هل يمكنك المحاولة مرة أخرى في وقت مختلف؟",
"verify": "التحقق",
"timezone_variable": "المنطقة الزمنية",
"timezone_info": "المنطقة الزمنية للشخص الذي يتلقى الحجز",
"event_end_time_variable": "وقت انتهاء الحدث",
"event_end_time_info": "وقت نهاية الحدث",
@ -1764,7 +1719,6 @@
"events_rescheduled": "تمت إعادة جدولة الأحداث",
"from_last_period": "من آخر فترة",
"from_to_date_period": "من: {{startDate}} إلى: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "اعرف المزيد عن نشاط فريقك",
"redirect_url_warning": "سيؤدي إضافة إعادة توجيه إلى تعطيل صفحة النجاح. تأكد من ذكر \"تأكيد الحجز\" في صفحة النجاح المخصصة.",
"event_trends": "الرائج في الأحداث",
@ -1795,7 +1749,6 @@
"complete_your_booking": "أكمل الحجز",
"complete_your_booking_subject": "أكمل الحجز: {{title}} في {{date}}",
"confirm_your_details": "تأكيد التفاصيل الخاصة بك",
"never_expire": "لا تنتهي الصلاحية أبدًا",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "أنت على وشك استحصال مبلغ {{amount, currency}} من أحد الحضور. هل أنت متأكد من أنك تريد المتابعة؟",
"charge_attendee": "استحصال مبلغ {{amount, currency}} من أحد الحضور",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Dokončete nastavení svého účtu {{appName}}! Jste jen několik kroků od vyřešení všech svých problémů s plánováním.",
"have_any_questions": "Máte otázky? Jsme tu, abychom vám pomohli.",
"reset_password_subject": "{{appName}}: Pokyny pro obnovení hesla",
"verify_email_banner_button": "Odeslat e-mail",
"event_declined_subject": "Odmítnuto: {{title}} v {{date}}",
"event_cancelled_subject": "Zrušeno: {{title}} v {{date}}",
"event_request_declined": "Žádost o událost byla zamítnuta",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Vaše schůzka byla rezervována",
"event_type_has_been_rescheduled_on_time_date": "Váš {{title}} byl přeplánován na {{date}}.",
"event_has_been_rescheduled": "Změna - Vaše událost byla přesunuta na jindy",
"request_reschedule_title_attendee": "Žádost o přeplánování rezervace",
"request_reschedule_subtitle": "Organizátor {{organizer}} zrušil rezervaci a požádal vás, abyste si vybrali jiný čas.",
"request_reschedule_title_organizer": "Požádali jste uživatele {{attendee}} o změnu časového plánu",
"request_reschedule_subtitle_organizer": "Zrušili jste rezervaci a uživatel {{attendee}} by si s vámi měl zarezervovat nový čas.",
"rescheduled_event_type_subject": "Žádost o přesunutí schůzky: {{eventType}} s {{name}} dne {{date}}",
"requested_to_reschedule_subject_attendee": "Akce vyžadovaná k přeplánování: zarezervujte si nový čas pro událost {{eventType}} s osobou {{name}}",
"reschedule_reason": "Důvod přeplánování",
"hi_user_name": "Hezký den, {{name}}",
"ics_event_title": "{{eventType}} s {{name}}",
"new_event_subject": "Nová událost: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Vítejte na webu {{appName}}",
"welcome_instructions": "Řekněte nám vaše jméno a v jaké časové zóně se pohybujete. Později můžete tyto informace změnit.",
"connect_caldav": "Připojit se k CalDav (Beta)",
"credentials_stored_and_encrypted": "Vaše přihlašovací údaje budou uloženy a zašifrovány.",
"connect": "Připojit",
"try_for_free": "Vyzkoušet zdarma",
"create_booking_link_with_calcom": "Vytvořte si vlastní rezervační odkaz s {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "Uživatel {{user}} ještě nepotvrdil ani neodmítl jednotlivé rezervace opakované schůzky.",
"meeting_is_scheduled": "Schůzka naplánována",
"meeting_is_scheduled_recurring": "Opakované události byly naplánovány",
"submitted_recurring": "Opakovaná schůzka byla odeslána",
"booking_submitted": "Vaše rezervace byla odeslána",
"booking_submitted_recurring": "Opakovaná schůzka byla odeslána",
"booking_confirmed": "Vaše rezervace byla schválena",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Tato rezervace již byla přijata nebo zamítnuta",
"go_back_home": "Přejít na úvod",
"or_go_back_home": "Nebo přejít na úvod",
"no_availability": "Nedostupný",
"no_meeting_found": "Nenalezena žádná schůzka",
"no_meeting_found_description": "Tato schůzka neexistuje. Pro aktualizovaný odkaz kontaktujte vlastníka schůzky.",
"no_status_bookings_yet": "Zatím žádné {{status}} rezervace",
@ -448,7 +442,6 @@
"invalid_password_hint": "Heslo musí být minimálně {{passwordLength}} znaků dlouhé, obsahovat alespoň jedno číslo a obsahovat kombinaci velkých a malých písmen",
"incorrect_password": "Heslo není správné.",
"incorrect_username_password": "Uživatelské jméno nebo heslo je nesprávné.",
"24_h": "24h",
"use_setting": "Použít nastavení",
"am_pm": "am/pm",
"time_options": "Nastavení času",
@ -491,15 +484,11 @@
"booking_confirmation": "Potvrďte {{eventTypeTitle}} skrz účet {{profileName}}",
"booking_reschedule_confirmation": "Přesunout {{eventTypeTitle}} na jindy skrz účet {{profileName}}",
"in_person_meeting": "Odkaz nebo osobní schůzka",
"attendee_in_person": "Osobně (adresa účastníka)",
"in_person": "Osobně (adresa organizátora)",
"link_meeting": "Odkaz na schůzku",
"phone_call": "Telefon",
"your_number": "Vaše telefonní číslo",
"phone_number": "Tel. číslo",
"attendee_phone_number": "Telefonní číslo účastníka",
"organizer_phone_number": "Telefonní číslo organizátora",
"host_phone_number": "Vaše telefonní číslo",
"enter_phone_number": "Zadejte telefonní číslo",
"reschedule": "Přesunout na jindy",
"reschedule_this": "Raději přesunout na jindy",
@ -625,9 +614,6 @@
"new_event_type_btn": "Nový typ události",
"new_event_type_heading": "Vytvořte svůj první typ události",
"new_event_type_description": "Typy událostí vám umožňují sdílet odkazy, které ukazují časy v kalendáři, kdy jste dostupní, a lidí skrz ně mohou rezervovat váš čas.",
"new_event_title": "Přidat nový typ události",
"new_team_event": "Přidat nový typ týmové události",
"new_event_description": "Vytvořit nový typ události, ve které si lidé mohou rezervovat časy.",
"event_type_created_successfully": "Typ události {{eventTypeTitle}} byl úspěšně vytvořen",
"event_type_updated_successfully": "Typ události {{eventTypeTitle}} byl úspěšně aktualizován",
"event_type_deleted_successfully": "Typ události byl úspěšně smazán",
@ -796,7 +782,6 @@
"automation": "Automatizace",
"configure_how_your_event_types_interact": "Nastavte, jak mají typy událostí interagovat s vašimi kalendáři.",
"toggle_calendars_conflict": "Zapněte kalendáře, u kterých chcete mít přehled o konfliktech a zabránit dvojí rezervaci.",
"select_destination_calendar": "Vytvořit události v",
"connect_additional_calendar": "Připojit další kalendář",
"calendar_updated_successfully": "Kalendář byl úspěšně aktualizován",
"conferencing": "Konference",
@ -830,7 +815,6 @@
"number_apps_other": "Počet aplikací: {{count}}",
"trending_apps": "Populární aplikace",
"most_popular": "Nejoblíbenější",
"explore_apps": "Aplikace v kategorii {{category}}",
"installed_apps": "Nainstalované aplikace",
"free_to_use_apps": "Zdarma",
"no_category_apps": "Žádné aplikace v kategorii {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Přidejte jakýkoli jiný typ aplikace pro nejrůznější činnosti",
"no_category_apps_description_web3": "Přidejte aplikaci web3 pro vaše rezervační stránky",
"installed_app_calendar_description": "Nastavte si kalendáře, ať můžete kontrolovat konflikty a zabránit tak dvojím rezervacím.",
"installed_app_conferencing_description": "Přidejte své oblíbené aplikace pro videokonference pro vaše schůzky",
"installed_app_payment_description": "Nakonfigurujte služby zpracování plateb, které se mají používat při strhávání plateb od klientů.",
"installed_app_analytics_description": "Nakonfigurujte aplikace, které chcete použít pro své rezervační stránky",
"installed_app_other_description": "Všechny vaše nainstalované aplikace z ostatních kategorií.",
@ -868,7 +851,6 @@
"terms_of_service": "Podmínky používání",
"remove": "Odebrat",
"add": "Přidat",
"installed_one": "Nainstalováno",
"installed_other": "Nainstalováno: {{count}}",
"verify_wallet": "Ověřit peněženku",
"create_events_on": "Vytvořit události v:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Plán {{scheduleName}} byl úspěšně aktualizován",
"schedule_deleted_successfully": "Plán byl úspěšně odstraněn",
"default_schedule_name": "Pracovní doba",
"member_default_schedule": "Výchozí rozvrh člena",
"new_schedule_heading": "Vytvořit plán dostupnosti",
"new_schedule_description": "Vytvoření plánů dostupnosti vám umožní spravovat dostupnost mezi typy událostí. Mohou být použity pro jeden nebo více typů událostí.",
"requires_ownership_of_a_token": "Vyžaduje vlastnictví tokenu, který patří následující adrese:",
@ -933,8 +914,6 @@
"api_key_no_note": "Bezejmenný klíč API",
"api_key_never_expires": "Tento klíč API nemá datum uplynutí platnosti",
"edit_api_key": "Upravit klíč API",
"never_expire_key": "Platnost nikdy neuplyne",
"delete_api_key": "Odvolat klíč API",
"success_api_key_created": "Klíč API vytvořen",
"success_api_key_edited": "Klíč API aktualizován",
"create": "Vytvořit",
@ -975,7 +954,6 @@
"event_location_changed": "Aktualizováno u vaší události se změnilo místo",
"location_changed_event_type_subject": "Změna místa: událost {{eventType}} jménem {{name}} v den {{date}}",
"current_location": "Současné místo",
"user_phone": "Vaše telefonní číslo",
"new_location": "Nové místo",
"session": "Relace",
"session_description": "Mějte pod kontrolou relaci svého účtu",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Přihlaste se ke svému účtu Zapier a vytvořte nový Zap.</0><1>Vyberte Cal.com jako svoji aplikaci Trigger. Také vyberte událost Trigger.</1><2>Vyberte svůj účet a pak zadejte svůj unikátní klíč API.</2><3>Otestujte svůj Trigger.</3><4>Všechno máte nastaveno!</4>",
"install_zapier_app": "Nejdřív si z App Store nainstalujte aplikaci Zapier.",
"connect_apple_server": "Připojit se k serveru Apple",
"connect_caldav_server": "Připojit se k CalDav (Beta)",
"calendar_url": "URL kalendáře",
"apple_server_generate_password": "Vygenerujte si specifické heslo pro aplikaci {{appName}} na",
"credentials_stored_encrypted": "Vaše přihlašovací údaje budou uloženy a zašifrovány.",
@ -1033,7 +1010,6 @@
"go_to": "Přejít na: ",
"zapier_invite_link": "Odkaz s pozvánkou do služby Zapier",
"meeting_url_provided_after_confirmed": "Po potvrzení události bude vytvořena adresa URL schůzky.",
"attendees_name": "Jméno účastníka",
"dynamically_display_attendee_or_organizer": "Dynamické zobrazení jména účastníka pro vás nebo vašeho jména pro účastníka",
"event_location": "Místo události",
"reschedule_optional": "Důvod pro změnu plánu (volitelné)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Připojit server Exchange 2016",
"custom_template": "Vlastní šablona",
"email_body": "Tělo e-mailu",
"subject": "Předmět",
"text_message": "Textová zpráva",
"specific_issue": "Uveďte konkrétní problém",
"browse_our_docs": "procházet naše dokumenty",
@ -1135,12 +1110,9 @@
"new_seat_title": "Někdo se přidal k události",
"variable": "Proměnná",
"event_name_variable": "Název události",
"organizer_name_variable": "Jméno organizátora",
"attendee_name_variable": "Jméno účastníka",
"event_date_variable": "Datum události",
"event_time_variable": "Čas události",
"location_variable": "Místo",
"additional_notes_variable": "Doplňující poznámky",
"app_upgrade_description": "Pokud chcete použít tuto funkci, musíte provést aktualizaci na účet Pro.",
"invalid_number": "Neplatné telefonní číslo",
"navigate": "Navigace",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Nastavení opakujícího se plánu",
"today": "dnes",
"appearance": "Vzhled",
"appearance_subtitle": "Správa nastavení vzhledu rezervace",
"my_account": "Můj účet",
"general": "Obecné",
"calendars": "Kalendáře",
@ -1254,7 +1225,6 @@
"conferencing_description": "Přidejte si oblíbené videokonferenční pro vaše schůzky",
"add_conferencing_app": "Přidat videokonferenční aplikaci",
"password_description": "Správa nastavení hesel k vašemu účtu",
"2fa_description": "Správa nastavení hesel k vašemu účtu",
"we_just_need_basic_info": "K nastavení vašeho profilu potřebujeme jen několik základních informací.",
"skip": "Přeskočit",
"do_this_later": "Provést později",
@ -1278,7 +1248,6 @@
"event_date_info": "Datum události",
"event_time_info": "Čas začátku události",
"location_info": "Místo události",
"organizer_name_info": "Vaše jméno",
"additional_notes_info": "Další poznámky k rezervaci",
"attendee_name_info": "Jméno osoby provádějící rezervaci",
"to": "Komu",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Kopírovat odkaz na formulář",
"theme": "Motiv",
"theme_applies_note": "Toto se týká pouze vašich veřejných stránek s rezervacemi",
"theme_light": "Světlý",
"theme_dark": "Tmavý",
"theme_system": "Výchozí nastavení systému",
"add_a_team": "Přidat tým",
"add_webhook_description": "Přijímejte data o schůzkách v reálném čase, pokud v {{appName}} dojde k nějaké akci",
@ -1352,7 +1319,6 @@
"enable_webhook": "Povolit webhook",
"add_webhook": "Přidat webhook",
"webhook_edited_successfully": "Webhook byl uložen",
"webhooks_description": "Přijímejte data o schůzkách v reálném čase, pokud v {{appName}} dojde k nějaké akci",
"api_keys_description": "Vygenerujte si klíče API pro přístup k vlastnímu účtu",
"new_api_key": "Nový klíč API",
"active": "aktivní",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Momentálně používáte tarif ZDARMA",
"billing_freeplan_description": "Lépe se pracuje v týmech. Rozšiřte své pracovní postupy o „round-robin“ a kolektivní události a vytvořte pokročilé směrovací formuláře",
"billing_freeplan_cta": "Vyzkoušet nyní",
"billing_manage_details_title": "Zobrazit a spravovat fakturační údaje",
"billing_manage_details_description": "Zobrazit a spravovat fakturační údaje, možnost zrušit předplatné.",
"billing_portal": "Fakturační portál",
"billing_help_title": "Potřebujete ještě něco?",
"billing_help_description": "Pokud potřebujete jakoukoliv pomoc s fakturací, náš tým zákaznické podpory je tu pro Vás.",
"billing_help_cta": "Kontaktovat podporu",
"ignore_special_characters_booking_questions": "Ignorujte speciální znaky v identifikátoru rezervační otázky. Používejte pouze písmena a číslice",
"retry": "Opakovat",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Připojení kalendáře se nezdařilo",
"booking_confirmation_success": "Potvrzení rezervace bylo úspěšné",
"booking_rejection_success": "Zamítnutí rezervace bylo úspěšné",
"booking_confirmation_fail": "Potvrzení rezervace se nezdařilo",
"booking_tentative": "Tato rezervace je předběžná",
"booking_accept_intent": "Ajaj, chci přijmout",
"we_wont_show_again": "Znovu toto nezobrazovat",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Dostupnost pro {{eventTypeTitle}}",
"error_editing_availability": "Chyba při úpravě dostupnosti",
"dont_have_permission": "Nemáte oprávnění k přístupu k tomuto dokumentu.",
"saml_config": "Single Sign-On",
"saml_configuration_placeholder": "Vložte sem SAML metadata vašeho Identity Providera",
"saml_email_required": "Zadejte prosím e-mail, abychom mohli určit vašeho SAML Identity Providera",
"saml_sp_title": "Podrobnosti poskytovatele služby",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID entity SP",
"saml_sp_acs_url_copied": "URL adresa ACS byla zkopírována!",
"saml_sp_entity_id_copied": "ID entity SP bylo zkopírováno!",
"saml_btn_configure": "Konfigurovat",
"add_calendar": "Přidat kalendář",
"limit_future_bookings": "Omezit budoucí rezervace",
"limit_future_bookings_description": "Omezit, jak dlouho dopředu lze tuto událost rezervovat",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Ano, odstranit konfiguraci {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Opravdu chcete odstranit konfiguraci {{connectionType}}? Členové vašeho týmu, kteří používají přihlášení {{connectionType}}, ztratí přístup k webu Cal.com.",
"organizer_timezone": "Časové pásmo organizátora",
"email_no_user_cta": "Vytvořit účet",
"email_user_cta": "Zobrazit pozvánku",
"email_no_user_invite_heading": "Byli jste pozváni do týmu v aplikaci {{appName}}",
"email_no_user_invite_subheading": "Uživatel {{invitedBy}} vás pozval, abyste se připojili k jeho týmu v aplikaci {{appName}}. {{appName}} je plánovač událostí, který vám a vašemu týmu umožňuje plánovat schůzky bez e-mailového ping-pongu.",
@ -1648,7 +1606,6 @@
"create_event_on": "Vytvořit událost v:",
"default_app_link_title": "Nastavte výchozí odkaz na aplikaci",
"default_app_link_description": "Nastavení výchozího odkazu na aplikaci umožní, aby všechny nově vytvořené typy událostí používaly vámi nastavený odkaz na aplikaci.",
"change_default_conferencing_app": "Nastavit jako výchozí",
"organizer_default_conferencing_app": "Výchozí aplikace organizátora",
"under_maintenance": "Odstávka z důvodu údržby",
"under_maintenance_description": "Tým {{appName}} provádí plánovanou údržbu. V případě dotazů se obraťte na podporu.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Potvrzení rezervace se nezdařilo",
"not_enough_seats": "Nedostatek míst",
"form_builder_field_already_exists": "Pole s tímto názvem již existuje",
"form_builder_field_add_subtitle": "Přizpůsobte otázky položené na stránce rezervace",
"show_on_booking_page": "Zobrazit na stránce rezervace",
"get_started_zapier_templates": "Začněte používat šablony Zapier",
"team_is_unpublished": "Tým {{team}} není zveřejněn",
@ -1715,7 +1671,6 @@
"verification_code": "Ověřovací kód",
"can_you_try_again": "Můžete to zkusit znovu a použít jiný čas?",
"verify": "Ověřit",
"timezone_variable": "Časová zóna",
"timezone_info": "Časové pásmo přijímající osoby",
"event_end_time_variable": "Čas ukončení události",
"event_end_time_info": "Čas ukončení události",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Události přesunuty",
"from_last_period": "z posledního období",
"from_to_date_period": "Od: {{startDate}} do: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Zjistěte více o činnosti vašeho týmu",
"redirect_url_warning": "Přidáním přesměrování se stránka úspěchu vypne. Nezapomeňte na vlastní stránce úspěchu uvést „Rezervace potvrzena“.",
"event_trends": "Trendy událostí",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Dokončete svou rezervaci",
"complete_your_booking_subject": "Dokončete svou rezervaci: {{title}} dne {{date}}",
"confirm_your_details": "Potvrďte své údaje",
"never_expire": "Platnost nikdy neuplyne",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Chystáte se účtovat účastníkovi {{amount, currency}}. Opravdu chcete pokračovat?",
"charge_attendee": "Naúčtovat účastníkovi {{amount, currency}}",

View File

@ -10,7 +10,6 @@
"calcom_explained_new_user": "Afslut opsætningen af din {{appName}} konto! Du er kun få skridt fra at løse alle dine planlægningsproblemer.",
"have_any_questions": "Har du spørgsmål? Vi er her for at hjælpe.",
"reset_password_subject": "{{appName}}: Nulstil adgangskodeinstruktioner",
"verify_email_banner_button": "Send e-mail",
"event_declined_subject": "Afvist: {{title}} den {{date}}",
"event_cancelled_subject": "Aflyst: {{title}} den {{date}}",
"event_request_declined": "Din begivenhedsanmodning er blevet afvist",
@ -73,13 +72,11 @@
"your_meeting_has_been_booked": "Dit møde er blevet booket",
"event_type_has_been_rescheduled_on_time_date": "Din {{title}} er blevet flyttet til {{date}}.",
"event_has_been_rescheduled": "Opdateret - Din begivenhed er blevet flyttet",
"request_reschedule_title_attendee": "Anmodning om at omlægge din booking",
"request_reschedule_subtitle": "{{organizer}} har annulleret bookingen og anmodet dig om at vælge et andet tidspunkt.",
"request_reschedule_title_organizer": "Du har anmodet {{attendee}} om at omlægge",
"request_reschedule_subtitle_organizer": "Du har annulleret bookingen og {{attendee}} bør vælge en ny bookingtid med dig.",
"rescheduled_event_type_subject": "Anmodning om omlægning sendt: {{eventType}} med {{name}} den {{date}}",
"requested_to_reschedule_subject_attendee": "Handling Påkrævet Omlægning: Reservér en ny tid for {{eventType}} med {{name}}",
"reschedule_reason": "Årsag til omlægning",
"hi_user_name": "Hej {{name}}",
"ics_event_title": "{{eventType}} med {{name}}",
"new_event_subject": "Ny begivenhed: {{attendeeName}} - {{date}} - {{eventType}}",
@ -241,7 +238,6 @@
"welcome_to_calcom": "Velkommen til {{appName}}",
"welcome_instructions": "Fortæl os hvad du vil kaldes, og lad os vide hvilken tidszone du er i. Du vil kunne redigere dette senere.",
"connect_caldav": "Forbind til CalDav (Beta)",
"credentials_stored_and_encrypted": "Dine legitimationsoplysninger bliver gemt og krypteret.",
"connect": "Tilslut",
"try_for_free": "Prøv gratis",
"create_booking_link_with_calcom": "Opret dit eget booking link med {{appName}}",
@ -262,7 +258,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} mangler stadig at bekræfte eller afvise hver booking af det tilbagevendende møde.",
"meeting_is_scheduled": "Dette møde er planlagt",
"meeting_is_scheduled_recurring": "De tilbagevendende begivenheder er planlagt",
"submitted_recurring": "Dit tilbagevendende møde er blevet indsendt",
"booking_submitted": "Din booking er blevet indsendt",
"booking_submitted_recurring": "Dit tilbagevendende møde er blevet indsendt",
"booking_confirmed": "Din booking er blevet bekræftet",
@ -308,7 +303,6 @@
"booking_already_accepted_rejected": "Denne booking er allerede accepteret eller afvist",
"go_back_home": "Gå tilbage til hjem",
"or_go_back_home": "Eller gå tilbage til hjem",
"no_availability": "Ikke tilgængelig",
"no_meeting_found": "Intet Møde Fundet",
"no_meeting_found_description": "Dette møde findes ikke. Kontakt mødeejeren for et opdateret link.",
"no_status_bookings_yet": "Ingen {{status}} bookinger",
@ -434,7 +428,6 @@
"invalid_password_hint": "Adgangskoden skal være mindst {{passwordLength}} tegn langt, der indeholder mindst ét tal og har en blanding af store og små bogstaver",
"incorrect_password": "Adgangskoden er forkert.",
"incorrect_username_password": "Brugernavn eller adgangskode er forkert.",
"24_h": "24h",
"use_setting": "Brug indstilling",
"am_pm": "am/pm",
"time_options": "Tidsmuligheder",
@ -476,15 +469,11 @@
"booking_confirmation": "Bekræft din {{eventTypeTitle}} med {{profileName}}",
"booking_reschedule_confirmation": "Omlæg din {{eventTypeTitle}} med {{profileName}}",
"in_person_meeting": "Personligt møde",
"attendee_in_person": "Personlig (Deltageradresse)",
"in_person": "Personlig (Arrangøradresse)",
"link_meeting": "Link møde",
"phone_call": "Deltagers Telefonnummer",
"your_number": "Dit telefonnummer",
"phone_number": "Telefonnummer",
"attendee_phone_number": "Deltagers Telefonnummer",
"organizer_phone_number": "Arrangørs Telefonnummer",
"host_phone_number": "Dit Telefonnummer",
"enter_phone_number": "Indtast telefonnummer",
"reschedule": "Omlæg",
"reschedule_this": "Omlæg i stedet",
@ -596,9 +585,6 @@
"new_event_type_btn": "Ny begivenhedstype",
"new_event_type_heading": "Opret din første begivenhedstype",
"new_event_type_description": "Begivenhedstyper gør det muligt for dig at dele links, der viser tilgængelige tider i din kalender, og give folk mulighed for at foretage bookinger med dig.",
"new_event_title": "Tilføj en ny begivenhedstype",
"new_team_event": "Tilføj en ny team begivenhedstype",
"new_event_description": "Opret en ny begivenhedstype for folk til at booke tider med.",
"event_type_created_successfully": "{{eventTypeTitle}} begivenhedstype blev oprettet",
"event_type_updated_successfully": "{{eventTypeTitle}} begivenhedstype blev opdateret",
"event_type_deleted_successfully": "Begivenhedstypen blev slettet",
@ -758,7 +744,6 @@
"automation": "Automatisering",
"configure_how_your_event_types_interact": "Indstil hvordan dine begivenhedstyper skal interagere med dine kalendere.",
"toggle_calendars_conflict": "Skift mellem de kalendere du vil tjekke for konflikter, for at forhindre dobbeltbookinger.",
"select_destination_calendar": "Opret begivenheder på",
"connect_additional_calendar": "Forbind yderligere kalender",
"calendar_updated_successfully": "Kalenderen blev opdateret",
"conferencing": "Konferencer",
@ -792,7 +777,6 @@
"number_apps_other": "{{count}} Apps",
"trending_apps": "Populære Apps",
"most_popular": "Mest Populære",
"explore_apps": "{{category}} apps",
"installed_apps": "Installerede Apps",
"free_to_use_apps": "Gratis",
"no_category_apps": "Ingen {{category}} apps",
@ -804,7 +788,6 @@
"no_category_apps_description_other": "Tilføj enhver anden type app for at gøre alle mulige ting",
"no_category_apps_description_web3": "Tilføj en web3 app til dine bookingsider",
"installed_app_calendar_description": "Indstil kalenderne til at tjekke for konflikter, for at forhindre dobbeltbookinger.",
"installed_app_conferencing_description": "Tilføj dine foretrukne videokonference apps til dine møder",
"installed_app_payment_description": "Indstil hvilke betalingsbehandlingstjenester der skal bruges, når du opkræver betaling fra dine kunder.",
"installed_app_analytics_description": "Indstil hvilke analyseapps der skal bruges til dine bookingsider",
"installed_app_other_description": "Alle dine installerede apps fra andre kategorier.",
@ -830,7 +813,6 @@
"terms_of_service": "Vilkår og betingelser",
"remove": "Fjern",
"add": "Tilføj",
"installed_one": "Installeret",
"installed_other": "{{count}} installeret",
"verify_wallet": "Verificér Wallet",
"create_events_on": "Opret begivenheder på",
@ -892,8 +874,6 @@
"api_key_no_note": "Navnløs API-nøgle",
"api_key_never_expires": "Denne API-nøgle har ingen udløbsdato",
"edit_api_key": "Redigér API-nøgle",
"never_expire_key": "Udløber aldrig",
"delete_api_key": "Tilbagekald API-nøgle",
"success_api_key_created": "API-nøgle oprettet",
"success_api_key_edited": "API-nøgle opdateret",
"create": "Opret",
@ -934,7 +914,6 @@
"event_location_changed": "Opdateret - Din begivenhed ændrede placeringen",
"location_changed_event_type_subject": "Placering ændret: {{eventType}} med {{name}} den {{date}}",
"current_location": "Nuværende Placering",
"user_phone": "Dit telefonnummer",
"new_location": "Ny Placering",
"session": "Session",
"session_description": "Kontrollér din kontosession",
@ -960,7 +939,6 @@
"zapier_setup_instructions": "<0>Log ind på din Zapier-konto og opret en ny Zap.</0><1>Vælg Cal.com som din Trigger app. Vælg også en Trigger event. </1><2>Vælg din konto og indtast derefter din unikke API-nøgle.</2><3>Test din Trigger.</3><4>Du er klar!</4>",
"install_zapier_app": "Du skal først installere Zapier appen i App Store.",
"connect_apple_server": "Forbind til Apple Server",
"connect_caldav_server": "Forbind til CalDav (Beta)",
"calendar_url": "Kalender URL",
"apple_server_generate_password": "Generer en app-specifik adgangskode til brug med {{appName}} på",
"credentials_stored_encrypted": "Dine legitimationsoplysninger vil blive gemt og krypteret.",
@ -992,7 +970,6 @@
"go_to": "Gå til: ",
"zapier_invite_link": "Zapier Invitationslink",
"meeting_url_provided_after_confirmed": "Et møde URL vil blive oprettet, når begivenheden er bekræftet.",
"attendees_name": "Deltagerens navn",
"dynamically_display_attendee_or_organizer": "Vis dynamisk navnet på din deltager for dig, eller dit navn hvis det ses af din deltager",
"event_location": "Begivenhedens placering",
"reschedule_optional": "Årsag til omlægning (valgfri)",
@ -1065,7 +1042,6 @@
"add_exchange2016": "Forbind Exchange 2016 Server",
"custom_template": "Brugerdefineret skabelon",
"email_body": "Email tekst",
"subject": "Email emne",
"text_message": "Tekstbesked",
"specific_issue": "Har du et konkret spørgsmål?",
"browse_our_docs": "gennemse vores dokumenter",
@ -1093,12 +1069,9 @@
"new_seat_title": "Nogen har tilføjet sig selv til en begivenhed",
"variable": "Variabel",
"event_name_variable": "Begivenhedsnavn",
"organizer_name_variable": "Arrangør",
"attendee_name_variable": "Deltager",
"event_date_variable": "Dato for begivenhed",
"event_time_variable": "Tidspunkt for begivenhed",
"location_variable": "Placering",
"additional_notes_variable": "Yderligere bemærkninger",
"app_upgrade_description": "For at bruge denne funktion skal du opgradere til en Pro-konto.",
"invalid_number": "Ugyldigt telefonnummer",
"navigate": "Navigér",
@ -1187,7 +1160,6 @@
"recurring_event_tab_description": "Opret en gentagende tidsplan",
"today": "i dag",
"appearance": "Udseende",
"appearance_subtitle": "Administrér indstillinger for din booking visning",
"my_account": "Min konto",
"general": "Generelt",
"calendars": "Kalendere",
@ -1205,7 +1177,6 @@
"appearance_description": "Administrér indstillinger for din booking visning",
"conferencing_description": "Tilføj dine foretrukne videokonference apps til dine møder",
"password_description": "Administrér indstillinger for dine kontoadgangskoder",
"2fa_description": "Administrér indstillinger for dine kontoadgangskoder",
"we_just_need_basic_info": "Vi har bare brug for nogle grundlæggende oplysninger for at opsætte din profil.",
"skip": "Spring Over",
"do_this_later": "Gør dette senere",
@ -1229,7 +1200,6 @@
"event_date_info": "Dato for begivenheden",
"event_time_info": "Starttidspunkt for begivenheden",
"location_info": "Begivenhedens placering",
"organizer_name_info": "Dit navn",
"additional_notes_info": "De yderligere noter til booking",
"attendee_name_info": "Navn på personen der booker",
"to": "Til",
@ -1282,8 +1252,6 @@
"copy_link_to_form": "Kopiér link til formular",
"theme": "Tema",
"theme_applies_note": "Dette gælder kun for dine offentlige bookingsider",
"theme_light": "Lys",
"theme_dark": "Mørk",
"theme_system": "System standard",
"add_a_team": "Tilføj et team",
"add_webhook_description": "Modtag mødedata i realtid, når der sker noget i {{appName}}",
@ -1292,7 +1260,6 @@
"enable_webhook": "Aktivér Webhook",
"add_webhook": "Tilføj Webhook",
"webhook_edited_successfully": "Webhook gemt",
"webhooks_description": "Modtag mødedata i realtid, når der sker noget i {{appName}}",
"api_keys_description": "Generér API-nøgler for adgang til din egen konto",
"new_api_key": "Ny API-nøgle",
"active": "aktiv",
@ -1331,18 +1298,13 @@
"billing_freeplan_title": "Du er i øjeblikket på den GRATIS plan",
"billing_freeplan_description": "Vi arbejder bedre i teams. Udvid dine arbejdsgange med round-robin og kollektive arrangementer og lav avancerede ruteformer",
"billing_freeplan_cta": "Prøv nu",
"billing_manage_details_title": "Se og administrer dine faktureringsoplysninger",
"billing_manage_details_description": "Se og redigér dine faktureringsoplysninger, samt annullér dit abonnement.",
"billing_portal": "Faktureringsportal",
"billing_help_title": "Brug for noget andet?",
"billing_help_description": "Hvis du har brug for yderligere hjælp til fakturering, er vores supportteam her for at hjælpe.",
"billing_help_cta": "Kontakt support",
"retry": "Prøv igen",
"fetching_calendars_error": "Der opstod et problem med at hente dine kalendere. Venligst <1>prøv igen</1> eller kontakt kundeservice.",
"calendar_connection_fail": "Forbindelse til kalender mislykkedes",
"booking_confirmation_success": "Reservationsbekræftelse lykkedes",
"booking_rejection_success": "Bookingafvisning lykkedes",
"booking_confirmation_fail": "Reservationsbekræftelse mislykkedes",
"booking_tentative": "Denne booking er foreløbig",
"booking_accept_intent": "Hovsa, jeg ønsker at acceptere",
"we_wont_show_again": "Vi vil ikke vise dette igen",
@ -1365,7 +1327,6 @@
"new_event_type_availability": "{{eventTypeTitle}} Tilgængelighed",
"error_editing_availability": "Fejl under redigering af tilgængelighed",
"dont_have_permission": "Du har ikke tilladelse til at tilgå denne ressource.",
"saml_config": "Enkelt Log På",
"saml_configuration_placeholder": "Indsæt venligst SAML-metadata fra din Identity Provider her",
"saml_email_required": "Indtast venligst en e-mail, så vi kan finde din SAML Identity Provider",
"saml_sp_title": "Service Provider Detaljer",
@ -1374,7 +1335,6 @@
"saml_sp_entity_id": "SP Entity ID",
"saml_sp_acs_url_copied": "ACS URL kopieret!",
"saml_sp_entity_id_copied": "SP Entity ID kopieret!",
"saml_btn_configure": "Indstil",
"add_calendar": "Tilføj Kalender",
"limit_future_bookings": "Begræns fremtidige bookinger",
"limit_future_bookings_description": "Begræns hvor langt i fremtiden denne begivenhed kan bookes",
@ -1545,7 +1505,6 @@
"delete_sso_configuration_confirmation": "Ja, slet {{connectionType}} konfiguration",
"delete_sso_configuration_confirmation_description": "Er du sikker på, at du vil slette {{connectionType}} konfigurationen? Dine teammedlemmer, der bruger {{connectionType}} login, vil ikke længere kunne få adgang til Cal.com.",
"organizer_timezone": "Arrangørens tidszone",
"email_no_user_cta": "Opret din konto",
"email_user_cta": "Vis Invitation",
"email_no_user_invite_heading": "Du er blevet inviteret til at deltage i et team den {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} har inviteret dig til at deltage i deres team på {{appName}}. {{appName}} er den begivenheds-jonglerende planlægger, der gør det muligt for dig og dit team at planlægge møder uden e-mail tennis.",
@ -1569,7 +1528,6 @@
"create_event_on": "Opret begivenhed den",
"default_app_link_title": "Angiv et standard app-link",
"default_app_link_description": "Indstilling af et standard app-link gør det muligt for alle nyoprettede begivenhedstyper at bruge det app-link, du har angivet.",
"change_default_conferencing_app": "Angiv som standard",
"under_maintenance": "Nede for vedligeholdelse",
"under_maintenance_description": "{{appName}} teamet udfører planlagt vedligeholdelse. Hvis du har spørgsmål, bedes du kontakte support.",
"event_type_seats": "{{numberOfSeats}} pladser",
@ -1600,7 +1558,5 @@
"no_responses_yet": "Ingen svar endnu",
"this_will_be_the_placeholder": "Dette vil være pladsholderen",
"verification_code": "Bekræftelseskode",
"verify": "Bekræft",
"timezone_variable": "Tidszone",
"never_expire": "Udløber aldrig"
"verify": "Bekræft"
}

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Beenden Sie die Einrichtung Ihres {{appName}} -Kontos! Sie sind nur ein paar Schritte von der Lösung aller Probleme in der Zeitplanung entfernt.",
"have_any_questions": "Haben Sie Fragen? Wir sind hier um Ihnen zu helfen.",
"reset_password_subject": "{{appName}}: Anleitung zum Zurücksetzen des Passworts",
"verify_email_banner_button": "E-Mail senden",
"event_declined_subject": "Abgelehnt: {{title}} am {{date}}",
"event_cancelled_subject": "Storniert: {{title}} um {{date}}",
"event_request_declined": "Ihre Event-Anfrage wurde abgelehnt",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Dein Termin wurde gebucht",
"event_type_has_been_rescheduled_on_time_date": "Ihr {{title}} wurde auf den {{date}} verschoben.",
"event_has_been_rescheduled": "Ihr Termin wurde verschoben.",
"request_reschedule_title_attendee": "Anfrage zur Neuplanung Ihrer Buchung",
"request_reschedule_subtitle": "{{organizer}} hat die Buchung storniert und Sie gebeten, eine andere Zeit auszuwählen.",
"request_reschedule_title_organizer": "Sie haben {{attendee}} zur Neuplanung aufgefordert",
"request_reschedule_subtitle_organizer": "Sie haben die Buchung storniert und {{attendee}} muss eine neue Buchungszeit mit Ihnen vereinbaren.",
"rescheduled_event_type_subject": "Anfrage für Neuplanung gesendet: {{eventType}} mit {{name}} am {{date}}",
"requested_to_reschedule_subject_attendee": "Aktion erforderlich - Neuplanung: Bitte buchen Sie eine neue Zeit für „{{eventType}}“ mit {{name}}",
"reschedule_reason": "Grund für die Neuplanung",
"hi_user_name": "Hallo, {{name}}",
"ics_event_title": "{{eventType}} mit {{name}}",
"new_event_subject": "Neuer Termin: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Willkommen bei {{appName}}",
"welcome_instructions": "Wie ist Ihr Name und in welcher Zeitzone sind Sie? Dies kann später bearbeitet werden.",
"connect_caldav": "Mit CalDav-Server verbinden",
"credentials_stored_and_encrypted": "Ihre Zugangsdaten werden verschlüsselt gespeichert.",
"connect": "Verbinden",
"try_for_free": "Kostenlos testen",
"create_booking_link_with_calcom": "Erstellen Sie Ihren eigenen Buchungslink mit {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} muss noch die Terminreihe des wiederkehrenden Termins bestätigen oder ablehnen.",
"meeting_is_scheduled": "Dieser Termin ist geplant",
"meeting_is_scheduled_recurring": "Ihr wiederkehrender Termin wurde geplant",
"submitted_recurring": "Ihr wiederkehrender Termin wurde gebucht",
"booking_submitted": "Ihre Buchung wurde versandt",
"booking_submitted_recurring": "Ihre wiederkehrende Buchung wurde versandt",
"booking_confirmed": "Ihr Termin wurde bestätigt",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Diese Buchung wurde bereits angenommen oder abgelehnt",
"go_back_home": "Zurück zum Anfang",
"or_go_back_home": "Oder navigieren Sie zurück",
"no_availability": "Unverfügbar",
"no_meeting_found": "Kein Termin gefunden",
"no_meeting_found_description": "Dieser Termin existiert nicht. Kontaktieren Sie den Ersteller um einen aktuellen Link zu bekommen.",
"no_status_bookings_yet": "Es gibt noch keine {{status}} Buchungen",
@ -448,7 +442,6 @@
"invalid_password_hint": "Das Passwort muss mindestens {{passwordLength}} Zeichen lang sein und mindestens eine Nummer beinhalten, sowie eine Mischung aus Groß- und Kleinbuchstaben sein",
"incorrect_password": "Passwort ist falsch",
"incorrect_username_password": "Benutzername oder Passwort ist falsch.",
"24_h": "24 Std",
"use_setting": "Benutze Einstellung",
"am_pm": "am/pm",
"time_options": "Zeitoptionen",
@ -491,15 +484,11 @@
"booking_confirmation": "Bestätigen Sie {{eventTypeTitle}} mit {{profileName}}",
"booking_reschedule_confirmation": "Planen Sie Ihr {{eventTypeTitle}} mit {{profileName}} um",
"in_person_meeting": "Vor-Ort-Termin",
"attendee_in_person": "Persönlich (Teilnehmeradresse)",
"in_person": "Persönlich (Organisator-Adresse)",
"link_meeting": "Termin verknüpfen",
"phone_call": "Telefonat",
"your_number": "Ihre Telefonnummer",
"phone_number": "Telefonnummer",
"attendee_phone_number": "Telefonnummer",
"organizer_phone_number": "Telefonnummer des Organisators",
"host_phone_number": "Ihre Telefonnummer",
"enter_phone_number": "Telefonnummer eingeben",
"reschedule": "Neuplanen",
"reschedule_this": "Stattdessen verschieben",
@ -625,9 +614,6 @@
"new_event_type_btn": "Neuer Ereignistyp",
"new_event_type_heading": "Erstellen Sie Ihren ersten Ereignistyp",
"new_event_type_description": "Mit Ereignistypen kann man verfügbare Zeiten im Kalendar freigeben, die andere Personen dann buchen können.",
"new_event_title": "Neuen Ereignistyp hinzufügen",
"new_team_event": "Neuen Ereignistyp hinzufügen",
"new_event_description": "Erstellen Sie einen neuen Ereignistyp, mit dem Personen Zeiten buchen können.",
"event_type_created_successfully": "{{eventTypeTitle}} Ereignistyp erfolgreich erstellt",
"event_type_updated_successfully": "{{eventTypeTitle}} Ereignistyp erfolgreich aktualisiert",
"event_type_deleted_successfully": "Termintyp erfolgreich gelöscht",
@ -796,7 +782,6 @@
"automation": "Automatisierung",
"configure_how_your_event_types_interact": "Konfigurieren Sie, wie Ihre Termin-Typen mit Ihren Kalendern interagieren sollen.",
"toggle_calendars_conflict": "Wechseln Sie die Kalender in denen nach Konflikten gesucht werden sollen, um Doppelbuchungen zu vermeiden.",
"select_destination_calendar": "Erstelle Termine im",
"connect_additional_calendar": "Zusätzlichen Kalender verbinden",
"calendar_updated_successfully": "Kalender erfolgreich aktualisiert",
"conferencing": "Videokonferenzen",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} Apps",
"trending_apps": "Angesagte Apps",
"most_popular": "Am beliebtesten",
"explore_apps": "{{category}} Apps",
"installed_apps": "Installierte Apps",
"free_to_use_apps": "Kostenlos",
"no_category_apps": "Keine {{category}} Apps",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Füge jede beliebige andere Art von App hinzu, um alle möglichen Dinge zu tun",
"no_category_apps_description_web3": "Fügen Sie eine web3-App für Ihre Buchungsseiten hinzu",
"installed_app_calendar_description": "Legen Sie den/die Kalender in denen nach Konflikten gesucht werden sollen fest, um Doppelbuchungen zu vermeiden.",
"installed_app_conferencing_description": "Fügen Sie Ihre liebsten Videokonferenz-Apps für Ihre Meetings hinzu",
"installed_app_payment_description": "Konfigurieren Sie die Zahlungsdienstleister, welcher bei der Belastung Ihrer Kunden verwendet werden sollen.",
"installed_app_analytics_description": "Konfigurieren Sie, welche Analyse-Apps für Ihre Buchungsseiten verwendet werden sollen",
"installed_app_other_description": "Alle von Ihnen installierten Apps aus anderen Kategorien.",
@ -868,7 +851,6 @@
"terms_of_service": "Nutzungsbedingungen",
"remove": "Entfernen",
"add": "Hinzufügen",
"installed_one": "Installiert",
"installed_other": "{{count}} installiert",
"verify_wallet": "Wallet verifizieren",
"create_events_on": "Erstelle Termine in:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "{{scheduleName}} Zeitplan erfolgreich aktualisiert",
"schedule_deleted_successfully": "Verfügbarkeitsplan erfolgreich gelöscht",
"default_schedule_name": "Arbeitszeiten",
"member_default_schedule": "Standardverfügbarkeitsplan des Mitglieds",
"new_schedule_heading": "Erstelle einen Verfügbarkeitsplan",
"new_schedule_description": "Das Erstellen eines Verfügbarkeitsplan sorgt dafür, dass Ihre Verfügbarkeit bei mehreren Termintypen genutzt werden kann.",
"requires_ownership_of_a_token": "Erfordert Besitz eines Tokens, das zu der folgenden Adresse gehört:",
@ -933,8 +914,6 @@
"api_key_no_note": "API-Schlüssel ohne Namen",
"api_key_never_expires": "Dieser API-Schlüssel hat kein Ablaufdatum",
"edit_api_key": "API-Schlüssel bearbeiten",
"never_expire_key": "Läuft niemals ab",
"delete_api_key": "API-Schlüssel widerrufen",
"success_api_key_created": "API-Schlüssel erfolgreich erstellt",
"success_api_key_edited": "API-Schlüssel erfolgreich aktualisiert",
"create": "Erstellen",
@ -975,7 +954,6 @@
"event_location_changed": "Aktualisiert - Ihr Termin hat den Standort geändert",
"location_changed_event_type_subject": "Ort geändert: {{eventType}} mit {{name}} am {{date}}",
"current_location": "Aktueller Ort",
"user_phone": "Ihre Telefonnummer",
"new_location": "Neuer Ort",
"session": "Sitzung",
"session_description": "Verwalten Sie Ihre Kontositzung",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Loggen Sie sich in Ihr Zapier-Konto ein und erstelle einen neuen Zap.</0><1>Wählen Sie Cal.com als ihre Trigger-App aus. Wählen Sie auch ein Auslöserereignis.</0><1>Wählen Sie ihr Konto aus und geben dann ihren eindeutigen API-Key ein.</2><3>Testen Sie den Trigger.</3><4>Alles fertig!</4>",
"install_zapier_app": "Bitte installieren Sie zuerst die Zapier-App im App Store.",
"connect_apple_server": "Mit Apple-Server verbinden",
"connect_caldav_server": "Mit CalDav-Server verbinden",
"calendar_url": "Kalender-URL",
"apple_server_generate_password": "Generieren Sie ein App-spezifisches Passwort für {{appName}} unter",
"credentials_stored_encrypted": "Ihre Zugangsdaten werden verschlüsselt gespeichert.",
@ -1033,7 +1010,6 @@
"go_to": "Gehe zu: ",
"zapier_invite_link": "Zapier Einladungs-Link",
"meeting_url_provided_after_confirmed": "Eine Termin-URL wird angelegt, sobald der Termin bestätigt wurde.",
"attendees_name": "Teilnehmername",
"dynamically_display_attendee_or_organizer": "Zeigt dynamisch entweder Ihnen den Namen Ihres Teilnehmers bzw. Ihrer Teilnehmerin an oder zeigt Ihrem/Ihrer Teilnehmerin Ihren Namen an",
"event_location": "Ort des Ereignisses",
"reschedule_optional": "Grund für die Verschiebung (optional)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Exchange 2016-Server verbinden",
"custom_template": "Benutzerdefinierte Vorlage",
"email_body": "Inhalt",
"subject": "Betreff",
"text_message": "Textnachricht",
"specific_issue": "Haben Sie ein spezielles Problem",
"browse_our_docs": "Durchsuchen Sie unsere Dokumentation",
@ -1135,12 +1110,9 @@
"new_seat_title": "Jemand hat sich zu einem Ereignis hinzugefügt",
"variable": "Variable",
"event_name_variable": "Event Name",
"organizer_name_variable": "Organisator",
"attendee_name_variable": "Teilnehmer",
"event_date_variable": "Event Datum",
"event_time_variable": "Event Zeit",
"location_variable": "Ort",
"additional_notes_variable": "Zusätzliche Notizen",
"app_upgrade_description": "Um diese Funktion nutzen zu können, müssen Sie ein Upgrade auf einen Pro-Account durchführen.",
"invalid_number": "Ungültige Telefonnummer",
"navigate": "Navigieren",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Einen wiederholenden Zeitplan einrichten",
"today": "heute",
"appearance": "Darstellung",
"appearance_subtitle": "Einstellungen für Ihre Buchungsdarstellung verwalten",
"my_account": "Mein Account",
"general": "Allgemein",
"calendars": "Kalender",
@ -1254,7 +1225,6 @@
"conferencing_description": "Fügen Sie Ihre favorisierten Videokonferenz-Apps für Ihre Meetings hinzu",
"add_conferencing_app": "Konferenz-App hinzufügen",
"password_description": "Einstellungen für Ihre Konto-Passwörter verwalten",
"2fa_description": "Einstellungen für Ihre Konto-Passwörter verwalten",
"we_just_need_basic_info": "Wir benötigen nur ein paar grundlegende Informationen, um Ihr Profil einzurichten.",
"skip": "Überspringen",
"do_this_later": "Später machen",
@ -1278,7 +1248,6 @@
"event_date_info": "Das Datum der Veranstaltung",
"event_time_info": "Die Startzeit des Ereignisses",
"location_info": "Der Ort des Events",
"organizer_name_info": "Ihr Name",
"additional_notes_info": "Die zusätzlichen Anmerkungen der Buchung",
"attendee_name_info": "Name der buchenden Person",
"to": "An",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Link in Formular kopieren",
"theme": "Theme",
"theme_applies_note": "Dies gilt nur für Ihre öffentlichen Buchungsseiten",
"theme_light": "Hell",
"theme_dark": "Dunkel",
"theme_system": "Systemstandard",
"add_a_team": "Team hinzufügen",
"add_webhook_description": "Erhalten Sie Meetingdaten in Echtzeit, wenn etwas in {{appName}} passiert",
@ -1352,7 +1319,6 @@
"enable_webhook": "Webhook aktivieren",
"add_webhook": "Webhook hinzufügen",
"webhook_edited_successfully": "Webhook gespeichert",
"webhooks_description": "Erhalten Sie Meetingdaten in Echtzeit, wenn etwas in {{appName}} passiert",
"api_keys_description": "Generieren Sie API-Schlüssel für den Zugriff auf Ihren eigenen Account",
"new_api_key": "Neuer API-Schlüssel",
"active": "Aktiv",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Sie verwenden derzeit den KOSTENLOSEN Plan",
"billing_freeplan_description": "In Teams arbeitet man am Besten. Erweitern Sie Ihre Arbeitsabläufe mit Rundlauf und kollektiven Veranstaltungen und erstellen Sie erweiterte Leitungsformulare",
"billing_freeplan_cta": "Jetzt ausprobieren",
"billing_manage_details_title": "Ihre Rechnungsdetails ansehen und verwalten",
"billing_manage_details_description": "Rechnungsdaten ansehen, bearbeiten oder Abonnement kündigen.",
"billing_portal": "Abrechnungsportal",
"billing_help_title": "Brauchen Sie etwas anderes?",
"billing_help_description": "Wenn Sie weitere Hilfe bei der Rechnungsstellung benötigen, hilft Ihnen unser Support-Team gerne weiter.",
"billing_help_cta": "Support kontaktieren",
"ignore_special_characters_booking_questions": "Ignorieren Sie Sonderzeichen in Ihrem Buchungsfragenbezeichner. Verwenden Sie nur Buchstaben und Zahlen",
"retry": "Erneut versuchen",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Kalenderverbindung fehlgeschlagen",
"booking_confirmation_success": "Buchungsbestätigung erfolgreich",
"booking_rejection_success": "Buchungsablehnung erfolgreich",
"booking_confirmation_fail": "Buchungsbestätigung fehlgeschlagen",
"booking_tentative": "Diese Buchung ist vorläufig",
"booking_accept_intent": "Hoppla, ich möchte akzeptieren",
"we_wont_show_again": "Wir werden dies nicht erneut anzeigen",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "{{eventTypeTitle}} | Verfügbarkeit",
"error_editing_availability": "Fehler beim Bearbeiten der Verfügbarkeit",
"dont_have_permission": "Ihnen fehlt die Berechtigung, auf diese Ressource zuzugreifen.",
"saml_config": "SAML-Konfiguration",
"saml_configuration_placeholder": "Bitte fügen Sie die SAML-Metadaten von Ihrem SAML-Anbieter hier ein",
"saml_email_required": "Bitte geben Sie eine E-Mail ein, damit wir Ihren SAML Anbieter finden können",
"saml_sp_title": "Einzelheiten zum Dienstanbieter",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "SP-Entitäts-ID",
"saml_sp_acs_url_copied": "ACS-URL kopiert!",
"saml_sp_entity_id_copied": "SP-Entitäts-ID kopiert!",
"saml_btn_configure": "Konfigurieren",
"add_calendar": "Kalender hinzufügen",
"limit_future_bookings": "Zukünftige Termine begrenzen",
"limit_future_bookings_description": "Begrenzt, wie weit in die Zukunft dieser Termin gebucht werden kann",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Ja, {{connectionType}}-Konfiguration löschen",
"delete_sso_configuration_confirmation_description": "Sind Sie sicher, dass Sie die {{connectionType}}-Konfiguration löschen möchten? Ihre Teammitglieder, die sich über {{connectionType}} anmelden, werden keinen Zugriff mehr auf Cal.com haben.",
"organizer_timezone": "Zeitzone des Veranstalters",
"email_no_user_cta": "Erstellen Sie Ihr Konto",
"email_user_cta": "Einladung anzeigen",
"email_no_user_invite_heading": "Sie wurden eingeladen, dem Team in {{appName}} beizutreten",
"email_no_user_invite_subheading": "{{invitedBy}} hat Sie eingeladen, dem Team in {{appName}} beizutreten. {{appName}} ist der Event-Planer, der es Ihnen und Ihrem Team ermöglicht, Meetings ohne ständiges hin und her zu planen.",
@ -1648,7 +1606,6 @@
"create_event_on": "Erstelle Termin am",
"default_app_link_title": "Standard-App-Link festlegen",
"default_app_link_description": "Mit dem Festlegen eines Standard-App-Links können alle neu erstellten Ereignistypen den App-Link verwenden, den Sie gesetzt haben.",
"change_default_conferencing_app": "Als Standard festlegen",
"organizer_default_conferencing_app": "Standard-App des Organisators",
"under_maintenance": "Wartungsarbeiten",
"under_maintenance_description": "Das {{appName}} Team führt geplante Wartungsarbeiten durch. Wenn Sie Fragen haben, wenden Sie sich bitte an den Support.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Buchungsbestätigung fehlgeschlagen",
"not_enough_seats": "Nicht genügend Plätze",
"form_builder_field_already_exists": "Ein Feld mit diesem Namen ist bereits vorhanden",
"form_builder_field_add_subtitle": "Passen Sie die Fragen an, die auf der Buchungsseite gefragt werden",
"show_on_booking_page": "Auf der Buchungsseite anzeigen",
"get_started_zapier_templates": "Legen Sie mit Zapier-Vorlagen los",
"team_is_unpublished": "{{team}} ist unveröffentlicht",
@ -1715,7 +1671,6 @@
"verification_code": "Bestätigungscode",
"can_you_try_again": "Können Sie es zu einem anderen Zeitpunkt erneut versuchen?",
"verify": "Bestätigen",
"timezone_variable": "Zeitzone",
"timezone_info": "Die Zeitzone der empfangenden Person",
"event_end_time_variable": "Endzeitpunkt des Ereignisses",
"event_end_time_info": "Der Endzeitpunkt des Termins",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Ereignisse neu geplant",
"from_last_period": "seit dem letzten Zeitraum",
"from_to_date_period": "Von: {{startDate}} Bis: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Erfahren Sie mehr über die Aktivität Ihres Teams",
"redirect_url_warning": "Das Hinzufügen einer Umleitung wird die Erfolgsseite deaktivieren. Erwähnen Sie \"Buchung bestätigt\" auf Ihrer benutzerdefinierten Erfolgsseite.",
"event_trends": "Ereignistrends",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Schließen Sie Ihre Buchung ab",
"complete_your_booking_subject": "Schließen Sie Ihre Buchung ab: {{title}} am {{date}}",
"confirm_your_details": "Bestätigen Sie Ihre Daten",
"never_expire": "Läuft niemals ab",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Sie sind im Begriff, den Teilnehmer {{amount, currency}} in Rechnung zu stellen. Sind Sie sicher, dass Sie fortfahren möchten?",
"charge_attendee": "Teilnehmer {{amount, currency}} berechnen",

View File

@ -125,7 +125,6 @@
"welcome_back": "Καλωσορίσατε πίσω",
"welcome_to_calcom": "Καλωσορίσατε στο {{appName}}",
"connect_caldav": "Σύνδεση στο CalDav (Beta)",
"credentials_stored_and_encrypted": "Τα διαπιστευτήριά σας θα αποθηκευτούν και θα κρυπτογραφηθούν.",
"connect": "Σύνδεση",
"try_for_free": "Δοκιμάστε δωρεάν",
"add_to_calendar": "Προσθήκη στο ημερολόγιο",
@ -211,10 +210,8 @@
"yes": "ναι",
"no": "όχι",
"additional_notes": "Πρόσθετες σημειώσεις",
"your_number": "Ο αριθμός τηλεφώνου σας",
"phone_number": "Αριθμός Τηλεφώνου",
"attendee_phone_number": "Αριθμός Τηλεφώνου Συμμετέχοντα",
"host_phone_number": "Ο αριθμός τηλεφώνου σας",
"enter_phone_number": "Εισάγετε αριθμό τηλεφώνου",
"or": "Ή",
"go_back": "Επιστροφή",
@ -272,6 +269,5 @@
"event_name_tooltip": "Το όνομα που θα εμφανίζεται στα ημερολόγια",
"label": "Ετικέτα",
"edit": "Επεξεργασία",
"disable_guests": "Απενεργοποίηση επισκεπτών",
"email_no_user_cta": "Δημιουργία λογαριασμού"
"disable_guests": "Απενεργοποίηση επισκεπτών"
}

View File

@ -15,7 +15,6 @@
"check_your_email": "Check your email",
"verify_email_page_body": "We've sent an email to {{email}}. It is important to verify your email address to guarantee the best email and calendar deliverability from {{appName}}.",
"verify_email_banner_body": "Please verify your email adress to guarantee the best email and calendar deliverability from {{appName}}.",
"verify_email_banner_button": "Send email",
"verify_email_email_header": "Verify your email address",
"verify_email_email_button": "Verify email",
"verify_email_email_body": "Please verify your email address by clicking the button below.",
@ -87,13 +86,11 @@
"your_meeting_has_been_booked": "Your meeting has been booked",
"event_type_has_been_rescheduled_on_time_date": "Your {{title}} has been rescheduled to {{date}}.",
"event_has_been_rescheduled": "Updated - Your event has been rescheduled",
"request_reschedule_title_attendee": "Request to reschedule your booking",
"request_reschedule_subtitle": "{{organizer}} has cancelled the booking and requested you to pick another time.",
"request_reschedule_title_organizer": "You have requested {{attendee}} to reschedule",
"request_reschedule_subtitle_organizer": "You have cancelled the booking and {{attendee}} should pick a new booking time with you.",
"rescheduled_event_type_subject": "Request for reschedule sent: {{eventType}} with {{name}} at {{date}}",
"requested_to_reschedule_subject_attendee": "Action Required Reschedule: Please book a new time for {{eventType}} with {{name}}",
"reschedule_reason": "Reason for reschedule",
"hi_user_name": "Hi {{name}}",
"ics_event_title": "{{eventType}} with {{name}}",
"new_event_subject": "New event: {{attendeeName}} - {{date}} - {{eventType}}",
@ -263,7 +260,6 @@
"welcome_to_calcom": "Welcome to {{appName}}",
"welcome_instructions": "Tell us what to call you and let us know what timezone youre in. Youll be able to edit this later.",
"connect_caldav": "Connect to CalDav (Beta)",
"credentials_stored_and_encrypted": "Your credentials will be stored and encrypted.",
"connect": "Connect",
"try_for_free": "Try it for free",
"create_booking_link_with_calcom": "Create your own booking link with {{appName}}",
@ -284,7 +280,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} still needs to confirm or reject each booking of the recurring meeting.",
"meeting_is_scheduled": "This meeting is scheduled",
"meeting_is_scheduled_recurring": "The recurring events are scheduled",
"submitted_recurring": "Your recurring meeting has been submitted",
"booking_submitted": "Your booking has been submitted",
"booking_submitted_recurring": "Your recurring meeting has been submitted",
"booking_confirmed": "Your booking has been confirmed",
@ -342,7 +337,6 @@
"booking_already_accepted_rejected": "This booking was already accepted or rejected",
"go_back_home": "Go back home",
"or_go_back_home": "Or go back home",
"no_availability": "Unavailable",
"no_meeting_found": "No Meeting Found",
"no_meeting_found_description": "This meeting does not exist. Contact the meeting owner for an updated link.",
"no_status_bookings_yet": "No {{status}} bookings",
@ -474,7 +468,6 @@
"invalid_password_hint": "The password must be a minimum of {{passwordLength}} characters long containing at least one number and have a mixture of uppercase and lowercase letters",
"incorrect_password": "Password is incorrect.",
"incorrect_username_password": "Username or password is incorrect.",
"24_h": "24h",
"use_setting": "Use setting",
"am_pm": "am/pm",
"time_options": "Time options",
@ -517,15 +510,11 @@
"booking_confirmation": "Confirm your {{eventTypeTitle}} with {{profileName}}",
"booking_reschedule_confirmation": "Reschedule your {{eventTypeTitle}} with {{profileName}}",
"in_person_meeting": "In-person meeting",
"attendee_in_person": "In Person (Attendee Address)",
"in_person": "In Person (Organizer Address)",
"link_meeting": "Link meeting",
"phone_call": "Attendee Phone Number",
"your_number": "Your phone number",
"phone_number": "Phone Number",
"attendee_phone_number": "Attendee Phone Number",
"organizer_phone_number": "Organizer Phone Number",
"host_phone_number": "Your Phone Number",
"enter_phone_number": "Enter phone number",
"reschedule": "Reschedule",
"reschedule_this": "Reschedule instead",
@ -651,9 +640,6 @@
"new_event_type_btn": "New event type",
"new_event_type_heading": "Create your first event type",
"new_event_type_description": "Event types enable you to share links that show available times on your calendar and allow people to make bookings with you.",
"new_event_title": "Add a new event type",
"new_team_event": "Add a new team event type",
"new_event_description": "Create a new event type for people to book times with.",
"event_type_created_successfully": "{{eventTypeTitle}} event type created successfully",
"event_type_updated_successfully": "{{eventTypeTitle}} event type updated successfully",
"event_type_deleted_successfully": "Event type deleted successfully",
@ -823,7 +809,6 @@
"automation": "Automation",
"configure_how_your_event_types_interact": "Configure how your event types should interact with your calendars.",
"toggle_calendars_conflict": "Toggle the calendars you want to check for conflicts to prevent double bookings.",
"select_destination_calendar": "Create events on",
"connect_additional_calendar": "Connect additional calendar",
"calendar_updated_successfully": "Calendar updated successfully",
"conferencing": "Conferencing",
@ -857,7 +842,6 @@
"number_apps_other": "{{count}} Apps",
"trending_apps": "Trending Apps",
"most_popular": "Most Popular",
"explore_apps": "{{category}} apps",
"installed_apps": "Installed Apps",
"free_to_use_apps": "Free",
"no_category_apps": "No {{category}} apps",
@ -869,7 +853,6 @@
"no_category_apps_description_other": "Add any other type of app to do all sorts of things",
"no_category_apps_description_web3": "Add a web3 app for your booking pages",
"installed_app_calendar_description": "Set the calendars to check for conflicts to prevent double bookings.",
"installed_app_conferencing_description": "Add your favourite video conferencing apps for your meetings",
"installed_app_payment_description": "Configure which payment processing services to use when charging your clients.",
"installed_app_analytics_description": "Configure which analytics apps to use for your booking pages",
"installed_app_other_description": "All your installed apps from other categories.",
@ -895,7 +878,6 @@
"terms_of_service": "Terms of Service",
"remove": "Remove",
"add": "Add",
"installed_one": "Installed",
"installed_other": "{{count}} installed",
"verify_wallet": "Verify Wallet",
"create_events_on": "Create events on",
@ -923,7 +905,6 @@
"availability_updated_successfully": "{{scheduleName}} schedule updated successfully",
"schedule_deleted_successfully": "Schedule deleted successfully",
"default_schedule_name": "Working Hours",
"member_default_schedule":"Member's default schedule",
"new_schedule_heading": "Create an availability schedule",
"new_schedule_description": "Creating availability schedules allows you to manage availability across event types. They can be applied to one or more event types.",
"requires_ownership_of_a_token": "Requires ownership of a token belonging to the following address:",
@ -960,8 +941,6 @@
"api_key_no_note": "Nameless API key",
"api_key_never_expires": "This API key has no expiration date",
"edit_api_key": "Edit API key",
"never_expire_key": "Never expires",
"delete_api_key": "Revoke API key",
"success_api_key_created": "API key created successfully",
"success_api_key_edited": "API key updated successfully",
"create": "Create",
@ -1002,7 +981,6 @@
"event_location_changed": "Updated - Your event changed the location",
"location_changed_event_type_subject": "Location Changed: {{eventType}} with {{name}} at {{date}}",
"current_location": "Current Location",
"user_phone": "Your phone number",
"new_location": "New Location",
"session": "Session",
"session_description": "Control your account session",
@ -1028,7 +1006,6 @@
"zapier_setup_instructions": "<0>Log into your Zapier account and create a new Zap.</0><1>Select Cal.com as your Trigger app. Also choose a Trigger event.</1><2>Choose your account and then enter your Unique API Key.</2><3>Test your Trigger.</3><4>You're set!</4>",
"install_zapier_app": "Please first install the Zapier App in the app store.",
"connect_apple_server": "Connect to Apple Server",
"connect_caldav_server": "Connect to CalDav (Beta)",
"calendar_url": "Calendar URL",
"apple_server_generate_password": "Generate an app specific password to use with {{appName}} at",
"credentials_stored_encrypted": "Your credentials will be stored and encrypted.",
@ -1060,7 +1037,6 @@
"go_to": "Go to: ",
"zapier_invite_link": "Zapier Invite Link",
"meeting_url_provided_after_confirmed": "A Meeting URL will be created once the event is confirmed.",
"attendees_name": "Attendee's name",
"dynamically_display_attendee_or_organizer": "Dynamically display the name of your attendee for you, or your name if it's viewed by your attendee",
"event_location": "Event's location",
"reschedule_optional": "Reason for rescheduling (optional)",
@ -1135,7 +1111,6 @@
"add_exchange2016": "Connect Exchange 2016 Server",
"custom_template": "Custom template",
"email_body": "Email body",
"subject": "Email subject",
"text_message": "Text message",
"specific_issue": "Have a specific issue?",
"browse_our_docs": "browse our docs",
@ -1163,12 +1138,9 @@
"new_seat_title": "Someone has added themselves to an event",
"variable": "Variable",
"event_name_variable": "Event name",
"organizer_name_variable": "Organizer",
"attendee_name_variable": "Attendee",
"event_date_variable": "Event date",
"event_time_variable": "Event time",
"location_variable": "Location",
"additional_notes_variable": "Additional notes",
"app_upgrade_description": "In order to use this feature, you need to upgrade to a Pro account.",
"invalid_number": "Invalid phone number",
"navigate": "Navigate",
@ -1262,7 +1234,6 @@
"recurring_event_tab_description": "Set up a repeating schedule",
"today": "today",
"appearance": "Appearance",
"appearance_subtitle": "Manage settings for your booking appearance",
"my_account": "My account",
"general": "General",
"calendars": "Calendars",
@ -1282,7 +1253,7 @@
"conferencing_description": "Add your favourite video conferencing apps for your meetings",
"add_conferencing_app": "Add Conferencing App",
"password_description": "Manage settings for your account passwords",
"2fa_description": "Manage settings for your account passwords",
"set_up_two_factor_authentication": "Set up your Two-factor authentication",
"we_just_need_basic_info": "We just need some basic info to get your profile setup.",
"skip": "Skip",
"do_this_later": "Do this later",
@ -1306,7 +1277,6 @@
"event_date_info": "The event date",
"event_time_info": "The event start time",
"location_info": "The location of the event",
"organizer_name_info": "Your name",
"additional_notes_info": "The additional notes of booking",
"attendee_name_info": "The person booking's name",
"to": "To",
@ -1371,8 +1341,6 @@
"copy_link_to_form": "Copy link to form",
"theme": "Theme",
"theme_applies_note": "This only applies to your public booking pages",
"theme_light": "Light",
"theme_dark": "Dark",
"theme_system": "System default",
"add_a_team": "Add a team",
"add_webhook_description": "Receive meeting data in real-time when something happens in {{appName}}",
@ -1381,7 +1349,6 @@
"enable_webhook": "Enable Webhook",
"add_webhook": "Add Webhook",
"webhook_edited_successfully": "Webhook saved",
"webhooks_description": "Receive meeting data in real-time when something happens in {{appName}}",
"api_keys_description": "Generate API keys for accessing your own account",
"new_api_key": "New API key",
"active": "active",
@ -1423,11 +1390,7 @@
"billing_freeplan_title": "You're currently on the FREE plan",
"billing_freeplan_description": "We work better in teams. Extend your workflows with round-robin and collective events and make advanced routing forms",
"billing_freeplan_cta": "Try now",
"billing_manage_details_title": "View and manage your billing details",
"billing_manage_details_description": "View and edit your billing details, as well as cancel your subscription.",
"billing_portal": "Billing portal",
"billing_help_title": "Need anything else?",
"billing_help_description": "If you need any further help with billing, our support team are here to help.",
"billing_help_cta": "Contact support",
"ignore_special_characters_booking_questions": "Ignore special characters in your booking question identifier. Use only letters and numbers",
"retry": "Retry",
@ -1435,7 +1398,6 @@
"calendar_connection_fail": "Calendar connection failed",
"booking_confirmation_success": "Booking confirmation succeeded",
"booking_rejection_success": "Booking rejection succeeded",
"booking_confirmation_fail": "Booking confirmation failed",
"booking_tentative": "This booking is tentative",
"booking_accept_intent": "Oops, I want to accept",
"we_wont_show_again": "We won't show this again",
@ -1458,7 +1420,6 @@
"new_event_type_availability": "{{eventTypeTitle}} Availability",
"error_editing_availability": "Error editing availability",
"dont_have_permission": "You don't have permission to access this resource.",
"saml_config": "Single Sign-On",
"saml_configuration_placeholder": "Please paste the SAML metadata from your Identity Provider here",
"saml_email_required": "Please enter an email so we can find your SAML Identity Provider",
"saml_sp_title": "Service Provider Details",
@ -1467,7 +1428,6 @@
"saml_sp_entity_id": "SP Entity ID",
"saml_sp_acs_url_copied": "ACS URL copied!",
"saml_sp_entity_id_copied": "SP Entity ID copied!",
"saml_btn_configure": "Configure",
"add_calendar": "Add Calendar",
"limit_future_bookings": "Limit future bookings",
"limit_future_bookings_description": "Limit how far in the future this event can be booked",
@ -1650,7 +1610,6 @@
"delete_sso_configuration_confirmation": "Yes, delete {{connectionType}} configuration",
"delete_sso_configuration_confirmation_description": "Are you sure you want to delete the {{connectionType}} configuration? Your team members who use {{connectionType}} login will no longer be able to access Cal.com.",
"organizer_timezone": "Organizer timezone",
"email_no_user_cta": "Create your account",
"email_user_cta": "View Invitation",
"email_no_user_invite_heading": "Youve been invited to join a {{appName}} {{entity}}",
"email_no_user_invite_subheading": "{{invitedBy}} has invited you to join their team on {{appName}}. {{appName}} is the event-juggling scheduler that enables you and your team to schedule meetings without the email tennis.",
@ -1680,7 +1639,6 @@
"create_event_on": "Create event on",
"default_app_link_title": "Set a default app link",
"default_app_link_description": "Setting a default app link allows all newly created event types to use the app link you set.",
"change_default_conferencing_app": "Set as default",
"organizer_default_conferencing_app": "Organizer's default app",
"under_maintenance": "Down for maintenance",
"under_maintenance_description": "The {{appName}} team are performing scheduled maintenance. If you have any questions, please contact support.",
@ -1696,8 +1654,7 @@
"booking_confirmation_failed": "Booking confirmation failed",
"not_enough_seats": "Not enough seats",
"form_builder_field_already_exists": "A field with this name already exists",
"form_builder_field_add_subtitle": "Customize the questions asked on the booking page",
"show_on_booking_page": "Show on booking page",
"show_on_booking_page":"Show on booking page",
"get_started_zapier_templates": "Get started with Zapier templates",
"team_is_unpublished": "{{team}} is unpublished",
"team_is_unpublished_description": "This team link is currently not available. Please contact the team owner or ask them publish it.",
@ -1749,7 +1706,6 @@
"verification_code": "Verification code",
"can_you_try_again": "Can you try again with a different time?",
"verify": "Verify",
"timezone_variable": "Timezone",
"timezone_info": "The timezone of the person receiving",
"event_end_time_variable": "Event end time",
"event_end_time_info": "The event end time",
@ -1798,7 +1754,6 @@
"events_rescheduled": "Events Rescheduled",
"from_last_period": "from last period",
"from_to_date_period": "From: {{startDate}} To: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Learn more about your team's activity",
"redirect_url_warning": "Adding a redirect will disable the success page. Make sure to mention \"Booking Confirmed\" on your custom success page.",
"event_trends": "Event Trends",
@ -1838,7 +1793,6 @@
"one_day": "1 day",
"seven_days": "7 days",
"thirty_days": "30 days",
"never_expire": "Never expires",
"team_invite_received": "You have been invited to join {{teamName}}",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "You are about to charge the attendee {{amount, currency}}. Are you sure you want to continue?",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "¡Termine de configurar su cuenta de {{appName}}! Solo le faltan unos pasos para resolver todos sus problemas de programación.",
"have_any_questions": "¿Tienes preguntas? Estamos aquí para ayudar.",
"reset_password_subject": "{{appName}}: Instrucciones para restablecer la contraseña",
"verify_email_banner_button": "Enviar correo electrónico",
"event_declined_subject": "Rechazado: {{title}} en {{date}}",
"event_cancelled_subject": "Cancelado: {{title}} en {{date}}",
"event_request_declined": "Su solicitud de reunión ha sido rechazada",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Su reunión ha sido reservada",
"event_type_has_been_rescheduled_on_time_date": "Tu {{title}} ha sido reprogramado para el {{date}}.",
"event_has_been_rescheduled": "Tu evento ha sido reprogramado.",
"request_reschedule_title_attendee": "Solicitud para reprogramar su reserva",
"request_reschedule_subtitle": "{{organizer}} ha cancelado la reserva y le ha solicitado que elija otra hora.",
"request_reschedule_title_organizer": "Le ha solicitado a {{attendee}} que reprograme",
"request_reschedule_subtitle_organizer": "Ha cancelado la reserva y {{attendee}} deberá seleccionar una nueva hora de reserva con usted.",
"rescheduled_event_type_subject": "Solicitud de reprogramación enviada: {{eventType}} con {{name}} el {{date}}",
"requested_to_reschedule_subject_attendee": "Reprogramar acción requerida: reserva una nueva hora para {{eventType}} con {{name}}",
"reschedule_reason": "Motivo de la reprogramación",
"hi_user_name": "Hola {{name}}",
"ics_event_title": "{{eventType}} con {{name}}",
"new_event_subject": "Nuevo Evento: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Bienvenido a {{appName}}",
"welcome_instructions": "Cuéntanos cómo llamarte y dinos la zona horaria en la que estás. Podrás editarla más tarde.",
"connect_caldav": "Conectar con CalDav (Beta)",
"credentials_stored_and_encrypted": "Sus credenciales serán almacenadas y cifradas.",
"connect": "Conectar",
"try_for_free": "Pruébalo Gratis",
"create_booking_link_with_calcom": "Crea tu propio enlace de reserva con {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "El {{user}} todavía necesita confirmar o rechazar cada reserva de la reunión recurrente.",
"meeting_is_scheduled": "Esta reunión está programada",
"meeting_is_scheduled_recurring": "Se han programado los eventos recurrentes",
"submitted_recurring": "Su evento recurrente se ha enviado",
"booking_submitted": "Reserva enviada",
"booking_submitted_recurring": "Su reunión recurrente se ha enviado",
"booking_confirmed": "Reserva confirmada",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Esta reserva ya se aceptó o rechazó",
"go_back_home": "Volver a Inicio",
"or_go_back_home": "O Volver al Inicio",
"no_availability": "Sin disponibilidad",
"no_meeting_found": "Reunión no Encontrada",
"no_meeting_found_description": "Esta reunión no existe. Póngase en contacto con el responsable de la reunión para obtener un enlace actualizado.",
"no_status_bookings_yet": "Aún no hay reservas {{status}}",
@ -448,7 +442,6 @@
"invalid_password_hint": "La contraseña debe tener un mínimo de {{passwordLength}} caracteres que contengan al menos un número y una mezcla de letras mayúsculas y minúsculas",
"incorrect_password": "La Contraseña es Incorrecta.",
"incorrect_username_password": "El nombre de usuario o la contraseña son incorrectos.",
"24_h": "24hs",
"use_setting": "Usar Ajuste",
"am_pm": "am/pm",
"time_options": "Opciones Horas",
@ -491,15 +484,11 @@
"booking_confirmation": "Confirma tu {{eventTypeTitle}} con {{profileName}}",
"booking_reschedule_confirmation": "Reprogramar tu {{eventTypeTitle}} con {{profileName}}",
"in_person_meeting": "Reunión en Persona",
"attendee_in_person": "En persona (dirección del asistente)",
"in_person": "En persona (dirección del organizador)",
"link_meeting": "Enlace de la reunión",
"phone_call": "Número de teléfono del asistente",
"your_number": "Tu número de teléfono",
"phone_number": "Nª de Telefono",
"attendee_phone_number": "Número de teléfono del asistente",
"organizer_phone_number": "Número de teléfono del organizador",
"host_phone_number": "Su número de teléfono",
"enter_phone_number": "Introducir Nº de Telefono",
"reschedule": "Reprogramar",
"reschedule_this": "Reprogramar en su lugar",
@ -625,9 +614,6 @@
"new_event_type_btn": "Nuevo Tipo de Evento",
"new_event_type_heading": "Crea tu primer tipo de evento",
"new_event_type_description": "Los tipos de eventos te permiten compartir enlaces que muestran las horas disponibles en tu calendario y permitir que la gente haga reservas contigo.",
"new_event_title": "Crear Nuevo Tipo de Evento",
"new_team_event": "Crear Nuevo Tipo de Evento de Equipo",
"new_event_description": "Crea un nuevo tipo de evento con el que la gente pueda hacer reservas.",
"event_type_created_successfully": "{{eventTypeTitle}} tipo de evento creado con éxito",
"event_type_updated_successfully": "{{eventTypeTitle}} tipo de evento actualizado con éxito",
"event_type_deleted_successfully": "Tipo de evento eliminado con éxito",
@ -796,7 +782,6 @@
"automation": "Automatización",
"configure_how_your_event_types_interact": "Configure cómo deben interactuar sus tipos de eventos con sus calendarios.",
"toggle_calendars_conflict": "Activa/desactiva los calendarios en los que desees comprobar conflictos para evitar reservas dobles.",
"select_destination_calendar": "Crear eventos en",
"connect_additional_calendar": "Conectar calendario adicional",
"calendar_updated_successfully": "Calendario actualizado correctamente",
"conferencing": "Conferencias",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} aplicaciones",
"trending_apps": "Aplicaciones populares",
"most_popular": "Más popular",
"explore_apps": "Aplicaciones {{category}}",
"installed_apps": "Aplicaciones instaladas",
"free_to_use_apps": "Gratis",
"no_category_apps": "No hay aplicaciones de {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Añade cualquier otro tipo de aplicación para hacer todo tipo de tareas",
"no_category_apps_description_web3": "Agregue una aplicación web3 para sus páginas de reserva",
"installed_app_calendar_description": "Configure el(los) calendario(s) para comprobar conflictos y evitar reservas duplicadas.",
"installed_app_conferencing_description": "Añade tus aplicaciones de videoconferencia favoritas para las reuniones",
"installed_app_payment_description": "Configura los servicios de procesamiento de pagos que vas a utilizar para cobrar a tus clientes.",
"installed_app_analytics_description": "Configure qué aplicaciones de análisis va a utilizar para sus páginas de reserva",
"installed_app_other_description": "Todas tus aplicaciones instaladas de otras categorías.",
@ -868,7 +851,6 @@
"terms_of_service": "Términos de servicio",
"remove": "Eliminar",
"add": "Añadir",
"installed_one": "Instalada",
"installed_other": "{{count}} instaladas",
"verify_wallet": "Verificar billetera",
"create_events_on": "Crear eventos en",
@ -896,7 +878,6 @@
"availability_updated_successfully": "El horario de {{scheduleName}} se actualizó correctamente",
"schedule_deleted_successfully": "Programación eliminada exitosamente",
"default_schedule_name": "Horas laborables",
"member_default_schedule": "Horario predeterminado del miembro",
"new_schedule_heading": "Crear un horario de disponibilidad",
"new_schedule_description": "Crear horarios de disponibilidad le permite gestionar la disponibilidad a través de tipos de eventos. Pueden aplicarse a uno o más tipos de eventos.",
"requires_ownership_of_a_token": "Requiere la propiedad de un token perteneciente a la siguiente dirección:",
@ -933,8 +914,6 @@
"api_key_no_note": "Clave API sin nombre",
"api_key_never_expires": "Esta clave API no tiene fecha de caducidad",
"edit_api_key": "Editar clave API",
"never_expire_key": "Nunca caduca",
"delete_api_key": "Revocar clave API",
"success_api_key_created": "Clave API creada exitosamente",
"success_api_key_edited": "Clave API actualizada exitosamente",
"create": "Crear",
@ -975,7 +954,6 @@
"event_location_changed": "Actualizado - Su evento cambió la ubicación",
"location_changed_event_type_subject": "Ubicación cambiada: {{eventType}} con {{name}} el {{date}}",
"current_location": "Ubicación actual",
"user_phone": "Su número de teléfono",
"new_location": "Nueva ubicación",
"session": "Sesión",
"session_description": "Controle la sesión de su cuenta",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Inicie sesión en su cuenta de Zapier y cree un nuevo Zap.</0><1>Seleccione Cal.com cómo su aplicación Trigger. También elija un evento Trigger.</1><2>Seleccione su cuenta e ingrese su Clave API única.</2><3>Pruebe su Trigger.</3><4>¡Listo!</4>",
"install_zapier_app": "Instale primero la aplicación Zapier desde la App Store.",
"connect_apple_server": "Conectar con Apple Server",
"connect_caldav_server": "Conectar con CalDav (Beta)",
"calendar_url": "URL del calendario",
"apple_server_generate_password": "Genere una contraseña específica de la aplicación para utilizarla con {{appName}} en",
"credentials_stored_encrypted": "Sus credenciales serán almacenadas y cifradas.",
@ -1033,7 +1010,6 @@
"go_to": "Ir a: ",
"zapier_invite_link": "Zapier Invite Link",
"meeting_url_provided_after_confirmed": "Se creará una URL de la reunión una vez que se confirme el evento.",
"attendees_name": "Nombre del asistente",
"dynamically_display_attendee_or_organizer": "Mostrar dinámicamente el nombre de su asistente para usted, o su nombre si es visto por su asistente",
"event_location": "Ubicación del evento",
"reschedule_optional": "Razón para reagendar (opcional)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Conectar con Exchange 2016 Server",
"custom_template": "Plantilla personalizada",
"email_body": "Cuerpo del mensaje",
"subject": "Asunto del correo electrónico",
"text_message": "Mensaje de texto",
"specific_issue": "¿Tienes un problema específico?",
"browse_our_docs": "navega por nuestros documentos",
@ -1135,12 +1110,9 @@
"new_seat_title": "Alguien se ha añadido a un evento",
"variable": "Variable",
"event_name_variable": "Nombre del evento",
"organizer_name_variable": "Nombre del organizador",
"attendee_name_variable": "Nombre del asistente",
"event_date_variable": "Fecha del evento",
"event_time_variable": "Hora del evento",
"location_variable": "Lugar",
"additional_notes_variable": "Notas Adicionales",
"app_upgrade_description": "Para poder usar esta función, necesita actualizarse a una cuenta Pro.",
"invalid_number": "Número de teléfono no válido",
"navigate": "Navegar",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Configurar un calendario repetitivo",
"today": "hoy",
"appearance": "Aspecto",
"appearance_subtitle": "Administra los ajustes para el aspecto de tu reserva",
"my_account": "Mi cuenta",
"general": "General",
"calendars": "Calendarios",
@ -1254,7 +1225,6 @@
"conferencing_description": "Añada sus aplicaciones de videoconferencia favoritas para sus reuniones",
"add_conferencing_app": "Añadir aplicación de conferencia",
"password_description": "Administra los ajustes para las contraseñas de tu cuenta",
"2fa_description": "Administra los ajustes para las contraseñas de tu cuenta",
"we_just_need_basic_info": "Solo necesitamos información básica para configurar tu perfil.",
"skip": "Omitir",
"do_this_later": "Hacerlo más tarde",
@ -1278,7 +1248,6 @@
"event_date_info": "Fecha del evento",
"event_time_info": "Hora de inicio del evento",
"location_info": "Ubicación del evento",
"organizer_name_info": "Tu Nombre",
"additional_notes_info": "Notas adicionales de la reserva",
"attendee_name_info": "Nombre de la persona que reserva",
"to": "Para",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Copiar enlace al formulario",
"theme": "Tema",
"theme_applies_note": "Esto sólo se aplica a tus páginas públicas de reservas",
"theme_light": "Claro",
"theme_dark": "Oscuro",
"theme_system": "Predeterminado del sistema",
"add_a_team": "Añadir un equipo",
"add_webhook_description": "Recibe los datos de la reunión en tiempo real cuando ocurra algo en {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "Activar Webhook",
"add_webhook": "Añadir Webhook",
"webhook_edited_successfully": "Webhook guardado",
"webhooks_description": "Recibe los datos de la reunión en tiempo real cuando ocurra algo en {{appName}}",
"api_keys_description": "Genera claves API para acceder a tu propia cuenta",
"new_api_key": "Clave API nueva",
"active": "activo",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Actualmente está en el plan GRATUITO",
"billing_freeplan_description": "Trabajamos mejor en equipo. Amplíe sus flujos de trabajo con eventos colectivos y rotativos y genere formularios de enrutamiento avanzados",
"billing_freeplan_cta": "Pruebe ahora",
"billing_manage_details_title": "Ver y administrar tus datos de facturación",
"billing_manage_details_description": "Ver y editar tus datos de facturación, así como cancelar tu suscripción.",
"billing_portal": "Portal de facturación",
"billing_help_title": "¿Necesitas algo más?",
"billing_help_description": "Si necesitas más ayuda con la facturación, nuestro equipo de soporte está a tu disposición.",
"billing_help_cta": "Contacte con soporte",
"ignore_special_characters_booking_questions": "Ignore los caracteres especiales en su identificador de pregunta de reserva. Use solo letras y números",
"retry": "Reintentar",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Error de conexión con el calendario",
"booking_confirmation_success": "Confirmación de reserva exitosa",
"booking_rejection_success": "Rechazo de reserva exitoso",
"booking_confirmation_fail": "Error al confirmar la reserva",
"booking_tentative": "Esta reserva es provisional",
"booking_accept_intent": "Ups, quiero aceptar",
"we_wont_show_again": "No mostraremos esto de nuevo",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Disponibilidad para {{eventTypeTitle}}",
"error_editing_availability": "Error al editar la disponibilidad",
"dont_have_permission": "No tiene permiso para acceder a este recurso.",
"saml_config": "Configuración de SAML",
"saml_configuration_placeholder": "Pega los metadatos SAML de tu Proveedor de Identidad aquí",
"saml_email_required": "Por favor, introduce un correo electrónico para que podamos encontrar tu Proveedor de Identidad SAML",
"saml_sp_title": "Detalles del proveedor de servicios",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID de entidad SP",
"saml_sp_acs_url_copied": "¡URL de ACS copiada!",
"saml_sp_entity_id_copied": "¡ID de entidad SP copiado!",
"saml_btn_configure": "Configurar",
"add_calendar": "Añadir un calendario",
"limit_future_bookings": "Limitar reservas futuras",
"limit_future_bookings_description": "Limite hasta qué punto se puede reservar este evento en el futuro",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Sí, eliminar la configuración de {{connectionType}}",
"delete_sso_configuration_confirmation_description": "¿Está seguro de que desea eliminar la configuración de {{connectionType}}? Los miembros de su equipo que utilicen el inicio de sesión {{connectionType}} ya no podrán acceder a Cal.com.",
"organizer_timezone": "Zona horaria del organizador",
"email_no_user_cta": "Crea tu Cuenta",
"email_user_cta": "Ver la invitación",
"email_no_user_invite_heading": "Lo han invitado a unirse a un equipo en {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} lo invitó a unirse a su equipo en {{appName}}. {{appName}} es el programador de eventos que les permite a usted y a su equipo programar reuniones sin necesidad de enviar correos electrónicos.",
@ -1648,7 +1606,6 @@
"create_event_on": "Crear evento en",
"default_app_link_title": "Establecer un enlace de aplicación predeterminado",
"default_app_link_description": "Establecer un enlace de aplicación predeterminado permite que todos los tipos de eventos recién creados utilicen el enlace de aplicación que establezca.",
"change_default_conferencing_app": "Establecer como predeterminado",
"organizer_default_conferencing_app": "Aplicación por defecto del organizador",
"under_maintenance": "Fuera de servicio por mantenimiento",
"under_maintenance_description": "El equipo de {{appName}} está realizando un mantenimiento programado. Si tiene alguna pregunta, comuníquese con soporte.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Error al confirmar la reserva",
"not_enough_seats": "No hay suficientes plazas",
"form_builder_field_already_exists": "Ya existe un campo con este nombre",
"form_builder_field_add_subtitle": "Personalice las preguntas que se hacen en la página de reservas",
"show_on_booking_page": "Mostrar en la página de reserva",
"get_started_zapier_templates": "Comience con las plantillas de Zapier",
"team_is_unpublished": "{{team}} no está publicado",
@ -1715,7 +1671,6 @@
"verification_code": "Código de verificación",
"can_you_try_again": "¿Puede intentarlo de nuevo con una hora diferente?",
"verify": "Verificar",
"timezone_variable": "Zona Horaria",
"timezone_info": "Zona horaria de la persona que recibe",
"event_end_time_variable": "Hora de finalización del evento",
"event_end_time_info": "La hora de finalización del evento",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Eventos reprogramados",
"from_last_period": "desde el último período",
"from_to_date_period": "Desde: {{startDate}} Hasta: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Obtenga más información sobre la actividad de su equipo",
"redirect_url_warning": "Agregar una redirección deshabilitará la página de éxito. Asegúrese de mencionar \"Reserva confirmada\" en su página de éxito personalizada.",
"event_trends": "Tendencias del evento",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Complete su reserva",
"complete_your_booking_subject": "Complete su reserva: {{title}} el {{date}}",
"confirm_your_details": "Confirme sus datos",
"never_expire": "Nunca caduca",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Está a punto de cobrarle {{amount, currency}} al asistente. ¿Está seguro de que desea continuar?",
"charge_attendee": "Cobrarle al asistente {{amount, currency}}",

View File

@ -11,7 +11,15 @@
"calcom_explained_new_user": "Terminez la configuration de votre compte {{appName}} ! Vous n'êtes qu'à quelques pas de résoudre tous vos problèmes de planification.",
"have_any_questions": "Vous avez des questions ? Nous sommes là pour vous aider.",
"reset_password_subject": "{{appName}} : Instructions de réinitialisation de mot de passe",
"verify_email_banner_button": "Envoyer un e-mail",
"verify_email_subject": "{{appName}} : Vérifiez votre compte",
"check_your_email": "Vérifiez votre e-mail",
"verify_email_page_body": "Nous avons envoyé un e-mail à {{email}}. Il est important de vérifier votre adresse e-mail pour garantir la meilleure délivrabilité des e-mails et des calendriers de {{appName}}.",
"verify_email_banner_body": "Veuillez vérifier votre adresse e-mail pour garantir la meilleure délivrabilité des e-mails et des calendriers de {{appName}}.",
"verify_email_email_header": "Vérifiez votre adresse e-mail",
"verify_email_email_button": "Vérifier l'adresse e-mail",
"verify_email_email_body": "Veuillez vérifier votre adresse e-mail en cliquant sur le bouton ci-dessous.",
"verify_email_email_link_text": "Si vous n'aimez pas cliquer sur les boutons, voici le lien :",
"email_sent": "E-mail envoyé avec succès",
"event_declined_subject": "Refusé : {{title}} le {{date}}",
"event_cancelled_subject": "Annulé : {{title}} le {{date}}",
"event_request_declined": "Votre demande d'événement a été refusée",
@ -78,13 +86,11 @@
"your_meeting_has_been_booked": "Votre rendez-vous a été réservé",
"event_type_has_been_rescheduled_on_time_date": "Votre {{title}} a été replanifié le {{date}}",
"event_has_been_rescheduled": "Mise à jour - Votre événement a été replanifié",
"request_reschedule_title_attendee": "Demander à replanifier votre réservation",
"request_reschedule_subtitle": "{{organizer}} a annulé la réservation et vous a demandé de choisir un autre moment.",
"request_reschedule_title_organizer": "Vous avez demandé à {{attendee}} de replanifier la réservation",
"request_reschedule_subtitle_organizer": "Vous avez annulé la réservation et {{attendee}} doit choisir un nouveau créneau de réservation.",
"rescheduled_event_type_subject": "Demande de replanification envoyée : {{eventType}} avec {{name}} le {{date}}",
"requested_to_reschedule_subject_attendee": "Replanification requise : veuillez réserver un nouveau créneau pour {{eventType}} avec {{name}}",
"reschedule_reason": "Raison de la replanification",
"hi_user_name": "Bonjour {{name}}",
"ics_event_title": "{{eventType}} avec {{name}}",
"new_event_subject": "Nouvel événement : {{attendeeName}} - {{date}} - {{eventType}}",
@ -253,7 +259,6 @@
"welcome_to_calcom": "Bienvenue sur {{appName}}",
"welcome_instructions": "Dites-nous comment vous appeler et indiquez-nous dans quel fuseau horaire vous vous trouvez. Vous pourrez modifier cela plus tard. ",
"connect_caldav": "Se connecter au serveur CalDAV (Bêta)",
"credentials_stored_and_encrypted": "Vos identifiants seront stockés et chiffrés.",
"connect": "Connecter",
"try_for_free": "Essayez gratuitement",
"create_booking_link_with_calcom": "Créez votre propre lien de réservation avec {{appName}}",
@ -274,7 +279,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} doit encore confirmer ou refuser chaque réservation du rendez-vous récurrent.",
"meeting_is_scheduled": "Le rendez-vous est planifié",
"meeting_is_scheduled_recurring": "Les événements récurrents sont planifiés",
"submitted_recurring": "Votre rendez-vous récurrent a été envoyé",
"booking_submitted": "Votre réservation a été envoyée",
"booking_submitted_recurring": "Votre rendez-vous récurrent a été envoyé",
"booking_confirmed": "Votre réservation a été confirmée",
@ -332,7 +336,6 @@
"booking_already_accepted_rejected": "Cette réservation a déjà été acceptée ou refusée.",
"go_back_home": "Retour à la page d'accueil",
"or_go_back_home": "Retour à la page d'accueil",
"no_availability": "Indisponible",
"no_meeting_found": "Aucun rendez-vous trouvé",
"no_meeting_found_description": "Ce rendez-vous n'existe pas. Contactez le propriétaire du rendez-vous pour obtenir un lien mis à jour.",
"no_status_bookings_yet": "Aucune réservation {{status}} pour le moment",
@ -464,7 +467,6 @@
"invalid_password_hint": "Le mot de passe doit contenir au moins {{passwordLength}} caractères, un chiffre et un mélange de lettres majuscules et minuscules.",
"incorrect_password": "Le mot de passe est incorrect.",
"incorrect_username_password": "Le nom d'utilisateur ou le mot de passe est incorrect.",
"24_h": "24 h",
"use_setting": "Utiliser le paramètre",
"am_pm": "AM/PM",
"time_options": "Options de temps",
@ -507,15 +509,11 @@
"booking_confirmation": "Confirmez votre {{eventTypeTitle}} avec {{profileName}}",
"booking_reschedule_confirmation": "Replanifiez votre {{eventTypeTitle}} avec {{profileName}}",
"in_person_meeting": "Rendez-vous en personne",
"attendee_in_person": "En personne (adresse du participant)",
"in_person": "En personne (adresse de l'organisateur)",
"link_meeting": "Rendez-vous avec lien",
"phone_call": "Numéro de téléphone du participant",
"your_number": "Votre numéro de téléphone",
"phone_number": "Numéro de téléphone",
"attendee_phone_number": "Numéro de téléphone du participant",
"organizer_phone_number": "Numéro de téléphone de l'organisateur",
"host_phone_number": "Votre numéro de téléphone",
"enter_phone_number": "Saisissez votre numéro de téléphone",
"reschedule": "Replanifier",
"reschedule_this": "Replanifier à la place",
@ -641,9 +639,6 @@
"new_event_type_btn": "Nouveau type d'événement",
"new_event_type_heading": "Créez votre premier type d'événement",
"new_event_type_description": "Les types d'événements vous permettent de partager des liens qui affichent vos disponibilités sur votre calendrier et permettent aux personnes de réserver des créneaux.",
"new_event_title": "Ajouter un nouveau type d'événement",
"new_team_event": "Ajouter un nouveau type d'événement d'équipe",
"new_event_description": "Créez un nouveau type d'événement avec lequel les personnes peuvent réserver des créneaux.",
"event_type_created_successfully": "Type d'événement {{eventTypeTitle}} créé avec succès",
"event_type_updated_successfully": "Type d'événement {{eventTypeTitle}} mis à jour avec succès",
"event_type_deleted_successfully": "Type d'événement supprimé avec succès",
@ -812,7 +807,6 @@
"automation": "Automatisation",
"configure_how_your_event_types_interact": "Configurez la manière dont vos types d'événements doivent interagir avec vos calendriers.",
"toggle_calendars_conflict": "Activez/désactivez les calendriers pour lesquels vous souhaitez vérifier les conflits afin d'éviter les doubles réservations.",
"select_destination_calendar": "Créer des événements dans :",
"connect_additional_calendar": "Connecter un calendrier supplémentaire",
"calendar_updated_successfully": "Calendrier mis à jour avec succès",
"conferencing": "Visioconférence",
@ -846,7 +840,6 @@
"number_apps_other": "{{count}} applications",
"trending_apps": "Applications populaires",
"most_popular": "Les plus populaires",
"explore_apps": "Applications {{category}}",
"installed_apps": "Apps installées",
"free_to_use_apps": "Gratuit",
"no_category_apps": "Aucune application {{category}}",
@ -858,7 +851,6 @@
"no_category_apps_description_other": "Ajoutez n'importe quel autre type d'application pour faire toutes sortes de choses.",
"no_category_apps_description_web3": "Ajoutez une application Web3 pour vos pages de réservation.",
"installed_app_calendar_description": "Définissez les calendriers pour vérifier les conflits afin d'éviter les doubles réservations.",
"installed_app_conferencing_description": "Ajoutez vos applications de visioconférence préférées pour vos rendez-vous.",
"installed_app_payment_description": "Configurez les services de traitement de paiement à utiliser lors de la facturation de vos clients.",
"installed_app_analytics_description": "Configurez les applications d'analyse à utiliser pour vos pages de réservation.",
"installed_app_other_description": "Toutes vos applications installées à partir d'autres catégories.",
@ -884,7 +876,6 @@
"terms_of_service": "Conditions d'utilisation",
"remove": "Supprimer",
"add": "Ajouter",
"installed_one": "Installée",
"installed_other": "{{count}} installation(s)",
"verify_wallet": "Vérifier le portefeuille",
"create_events_on": "Créer des événements dans :",
@ -912,7 +903,6 @@
"availability_updated_successfully": "Planning {{scheduleName}} mis à jour avec succès",
"schedule_deleted_successfully": "Planning supprimé avec succès",
"default_schedule_name": "Heures de travail",
"member_default_schedule": "Planning par défaut du membre",
"new_schedule_heading": "Créer un planning de disponibilité",
"new_schedule_description": "La création de plannings de disponibilité vous permet de gérer la disponibilité pour tous les types d'événements. Ils peuvent être appliqués à un ou plusieurs types d'événements.",
"requires_ownership_of_a_token": "Nécessite la propriété d'un token appartenant à l'adresse suivante :",
@ -949,8 +939,6 @@
"api_key_no_note": "Clé API sans nom",
"api_key_never_expires": "Cette clé API n'a pas de date d'expiration",
"edit_api_key": "Modifier la clé API",
"never_expire_key": "N'expire jamais",
"delete_api_key": "Révoquer la clé API",
"success_api_key_created": "Clé API créée avec succès",
"success_api_key_edited": "Clé API mise à jour avec succès",
"create": "Créer",
@ -991,7 +979,6 @@
"event_location_changed": "Mise à jour - Votre événement a changé de lieu",
"location_changed_event_type_subject": "Lieu modifié : {{eventType}} avec {{name}} le {{date}}",
"current_location": "Lieu actuel",
"user_phone": "Votre numéro de téléphone",
"new_location": "Nouveau lieu",
"session": "Session",
"session_description": "Contrôlez la session de votre compte.",
@ -1017,7 +1004,6 @@
"zapier_setup_instructions": "<0>Connectez-vous à votre compte Zapier et créez un nouveau Zap.</0><1>Sélectionnez Cal.com comme application Trigger. Choisissez également un événement Trigger.</1><2>Choisissez votre compte, puis saisissez votre clé API unique.</2><3>Testez votre Trigger.</3><4>Vous êtes prêt(e) !</4>",
"install_zapier_app": "Veuillez d'abord installer l'application Zapier dans l'App Store.",
"connect_apple_server": "Se connecter au serveur d'Apple",
"connect_caldav_server": "Se connecter au serveur CalDAV (Bêta)",
"calendar_url": "Lien du calendrier",
"apple_server_generate_password": "Générez un mot de passe pour application à utiliser avec {{appName}} sur",
"credentials_stored_encrypted": "Vos identifiants seront stockés et chiffrés.",
@ -1049,7 +1035,6 @@
"go_to": "Aller à : ",
"zapier_invite_link": "Lien d'invitation Zapier",
"meeting_url_provided_after_confirmed": "Un lien de rendez-vous sera créé une fois l'événement confirmé.",
"attendees_name": "Nom du participant",
"dynamically_display_attendee_or_organizer": "Affiche dynamiquement le nom du participant pour vous ou votre nom s'il est vu par le participant",
"event_location": "Lieu de l'événement",
"reschedule_optional": "Raison de la replanification (facultatif)",
@ -1124,7 +1109,6 @@
"add_exchange2016": "Connecter le serveur Exchange 2016",
"custom_template": "Modèle personnalisé",
"email_body": "Corps",
"subject": "Objet",
"text_message": "Message texte",
"specific_issue": "Vous avez un problème particulier ?",
"browse_our_docs": "parcourir notre documentation",
@ -1152,12 +1136,9 @@
"new_seat_title": "Quelqu'un s'est ajouté à un événement",
"variable": "Variable",
"event_name_variable": "Nom de l'événement",
"organizer_name_variable": "Nom de l'organisateur",
"attendee_name_variable": "Nom du participant",
"event_date_variable": "Date de l'événement",
"event_time_variable": "Heure de l'événement",
"location_variable": "Lieu",
"additional_notes_variable": "Notes supplémentaires",
"app_upgrade_description": "Pour pouvoir utiliser cette fonctionnalité, vous devez passer à un compte Pro.",
"invalid_number": "Numéro de téléphone invalide",
"navigate": "Naviguer",
@ -1251,7 +1232,6 @@
"recurring_event_tab_description": "Configurer une disponibilité récurrente",
"today": "aujourd'hui",
"appearance": "Apparence",
"appearance_subtitle": "Gérez les paramètres d'apparence de vos réservations.",
"my_account": "Mon compte",
"general": "Général",
"calendars": "Calendriers",
@ -1271,7 +1251,7 @@
"conferencing_description": "Ajoutez vos applications de visioconférence préférées pour vos rendez-vous.",
"add_conferencing_app": "Ajouter une application de conférence",
"password_description": "Gérez les paramètres pour les mots de passe de votre compte.",
"2fa_description": "Gérez les paramètres pour les mots de passe de votre compte.",
"set_up_two_factor_authentication": "Configurez votre double authentification",
"we_just_need_basic_info": "Nous avons juste besoin de quelques informations de base pour configurer votre profil.",
"skip": "Ignorer",
"do_this_later": "Plus tard",
@ -1295,7 +1275,6 @@
"event_date_info": "Date de l'événement",
"event_time_info": "Heure de début de l'événement",
"location_info": "Lieu de l'événement",
"organizer_name_info": "Votre nom",
"additional_notes_info": "Notes supplémentaires de la réservation",
"attendee_name_info": "Nom du participant",
"to": "À",
@ -1360,8 +1339,6 @@
"copy_link_to_form": "Copier le lien vers le formulaire",
"theme": "Apparence",
"theme_applies_note": "Ceci s'applique uniquement à vos pages publiques de réservation.",
"theme_light": "Clair",
"theme_dark": "Sombre",
"theme_system": "Automatique",
"add_a_team": "Ajouter une équipe",
"add_webhook_description": "Recevez les données de rendez-vous en temps réel lorsque quelque chose se passe sur {{appName}}.",
@ -1370,7 +1347,6 @@
"enable_webhook": "Activer le webhook",
"add_webhook": "Ajouter un Webhook",
"webhook_edited_successfully": "Webhook enregistré",
"webhooks_description": "Recevez les données de rendez-vous en temps réel lorsque quelque chose se passe sur {{appName}}.",
"api_keys_description": "Générez des clés API pour accéder à votre propre compte.",
"new_api_key": "Nouvelle clé API",
"active": "actif",
@ -1412,11 +1388,7 @@
"billing_freeplan_title": "Vous êtes actuellement sur le plan Gratuit",
"billing_freeplan_description": "Nous travaillons mieux en équipe. Élargissez vos workflows avec le Round-Robin et les événements collectifs et produisez des formulaires de routage avancés.",
"billing_freeplan_cta": "Essayer maintenant",
"billing_manage_details_title": "Affichez et gérez vos informations de facturation",
"billing_manage_details_description": "Affichez et modifiez vos informations de facturation, et annulez votre abonnement.",
"billing_portal": "Portail de facturation",
"billing_help_title": "Besoin d'autre chose ?",
"billing_help_description": "Si vous avez besoin d'aide pour la facturation, notre équipe d'assistance est là pour vous aider.",
"billing_help_cta": "Contacter l'assistance",
"ignore_special_characters_booking_questions": "Ignorez les caractères spéciaux dans l'identifiant de votre question de réservation, utilisez uniquement des lettres et des chiffres.",
"retry": "Réessayer",
@ -1424,7 +1396,6 @@
"calendar_connection_fail": "Échec de la connexion au calendrier",
"booking_confirmation_success": "Confirmation de la réservation réussie",
"booking_rejection_success": "Refus de la réservation réussi",
"booking_confirmation_fail": "Échec de la confirmation de la réservation",
"booking_tentative": "Cette réservation est provisoire",
"booking_accept_intent": "Oups, je veux accepter",
"we_wont_show_again": "Nous n'afficherons plus ceci",
@ -1447,7 +1418,6 @@
"new_event_type_availability": "Disponibilités de {{eventTypeTitle}}",
"error_editing_availability": "Erreur lors de la modification des disponibilités",
"dont_have_permission": "Vous n'avez pas la permission d'accéder à cette ressource.",
"saml_config": "Authentification unique",
"saml_configuration_placeholder": "Veuillez coller les métadonnées SAML de votre fournisseur d'identité ici.",
"saml_email_required": "Veuillez saisir une adresse e-mail pour que nous puissions trouver votre fournisseur d'identité SAML",
"saml_sp_title": "Informations sur le fournisseur de services",
@ -1456,7 +1426,6 @@
"saml_sp_entity_id": "Identifiant SP Entity",
"saml_sp_acs_url_copied": "Lien ACS copié !",
"saml_sp_entity_id_copied": "Identifiant SP Entity copié !",
"saml_btn_configure": "Configurer",
"add_calendar": "Ajouter un calendrier",
"limit_future_bookings": "Limiter les réservations futures",
"limit_future_bookings_description": "Limitez jusqu'à quand cet événement peut être réservé dans le futur.",
@ -1639,11 +1608,10 @@
"delete_sso_configuration_confirmation": "Oui, supprimer la configuration {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Voulez-vous vraiment supprimer la configuration {{connectionType}} ? Les membres de votre équipe utilisant la connexion {{connectionType}} ne pourront plus accéder à Cal.com.",
"organizer_timezone": "Fuseau horaire de l'organisateur",
"email_no_user_cta": "Créez votre compte",
"email_user_cta": "Voir l'invitation",
"email_no_user_invite_heading": "Vous avez été invité(e) à rejoindre une équipe sur {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} a été invité à rejoindre son équipe sur {{appName}}. {{appName}} est le planificateur d'événements qui vous permet, à vous et à votre équipe, de planifier des rendez-vous sans les allers-retours par e-mail.",
"email_user_invite_subheading": "{{invitedBy}} vous a invité à rejoindre son équipe « {{teamName}} » sur {{appName}}. {{appName}} est le planificateur d'événements qui vous permet, à vous et à votre équipe, de planifier des réunions sans les allers-retours par e-mail.",
"email_no_user_invite_subheading": "{{invitedBy}} vous a invité à rejoindre son équipe sur {{appName}}. {{appName}} est le planificateur d'événements qui vous permet à vous et à votre équipe d'organiser des rendez-vous sans échanges d'e-mails.",
"email_user_invite_subheading": "{{invitedBy}} vous a invité à rejoindre son équipe « {{teamName}} » sur {{appName}}. {{appName}} est le planificateur d'événements qui vous permet à vous et à votre équipe d'organiser des rendez-vous sans échanges d'e-mails.",
"email_no_user_invite_steps_intro": "Nous vous guiderons à travers quelques étapes courtes et vous profiterez d'une planification sans stress avec votre équipe en un rien de temps.",
"email_no_user_step_one": "Choisissez votre nom d'utilisateur",
"email_no_user_step_two": "Connectez votre compte de calendrier",
@ -1669,7 +1637,6 @@
"create_event_on": "Créer un événement dans",
"default_app_link_title": "Définir un lien d'application par défaut",
"default_app_link_description": "Définir un lien d'application par défaut permet à tous les nouveaux types d'événements d'utiliser le lien d'application que vous avez défini.",
"change_default_conferencing_app": "Définir par défaut",
"organizer_default_conferencing_app": "Application par défaut de l'organisateur",
"under_maintenance": "En cours de maintenance",
"under_maintenance_description": "L'équipe {{appName}} effectue une maintenance planifiée. Si vous avez des questions, veuillez contacter l'assistance.",
@ -1685,7 +1652,6 @@
"booking_confirmation_failed": "Échec de la confirmation de la réservation",
"not_enough_seats": "Pas assez de places",
"form_builder_field_already_exists": "Un champ avec ce nom existe déjà",
"form_builder_field_add_subtitle": "Personnalisez les questions posées sur la page de réservation.",
"show_on_booking_page": "Afficher sur la page de réservation",
"get_started_zapier_templates": "Démarrer avec les modèles Zapier",
"team_is_unpublished": "{{team}} n'est pas publiée",
@ -1738,7 +1704,6 @@
"verification_code": "Code de vérification",
"can_you_try_again": "Pouvez-vous réessayer avec un autre créneau ?",
"verify": "Vérifier",
"timezone_variable": "Fuseau horaire",
"timezone_info": "Le fuseau horaire du destinataire",
"event_end_time_variable": "Heure de fin de l'événement",
"event_end_time_info": "L'heure de fin de l'événement",
@ -1787,7 +1752,6 @@
"events_rescheduled": "Événements replanifiés",
"from_last_period": "depuis la dernière période",
"from_to_date_period": "De : {{startDate}} À : {{endDate}}",
"analytics_for_organisation": "Statistiques",
"subtitle_analytics": "En savoir plus sur l'activité de votre équipe",
"redirect_url_warning": "L'ajout d'une redirection désactivera la page de succès. Assurez-vous de mentionner « Réservation confirmée » sur votre page de succès personnalisée.",
"event_trends": "Tendances de l'événement",
@ -1827,7 +1791,6 @@
"one_day": "1 jour",
"seven_days": "7 jours",
"thirty_days": "30 jours",
"never_expire": "N'expire jamais",
"team_invite_received": "Vous avez été invité(e) à rejoindre {{teamName}}",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Vous êtes sur le point de facturer {{amount, currency}} au participant. Voulez-vous vraiment continuer ?",

View File

@ -15,7 +15,6 @@
"check_your_email": "בדוק את הדוא״ל שלך",
"verify_email_page_body": "שלחנו מייל ל- {{email}}. חשוב שתאמת את כתובת הדוא״ל שלך כדי להבטיח את תעבורת הדוא״ל והיומן מ- {{appName}}.",
"verify_email_banner_body": "אנא אמת את חשבון הדוא״ל שלך כדי להבטיח את תעבורת מ- {{appName}}.",
"verify_email_banner_button": "שליחת דוא\"ל",
"verify_email_email_header": "אמת את חשבון הדוא״ל שלך",
"verify_email_email_button": "אמת דוא״ל",
"verify_email_email_body": "אנא אמת את חשבון הדוא״ל שלך על ידי לחיצה על הכפתור מטה.",
@ -87,13 +86,11 @@
"your_meeting_has_been_booked": "הפגישה שלך הוזמנה",
"event_type_has_been_rescheduled_on_time_date": "{{title}} תוזמן מחדש לתאריך {{date}}.",
"event_has_been_rescheduled": "עודכן מועד האירוע שלך השתנה",
"request_reschedule_title_attendee": "בקשה לשינוי מועד ההזמנה",
"request_reschedule_subtitle": "{{organizer}} ביטל/ה את ההזמנה וביקש/ה שתבחר/י מועד אחר.",
"request_reschedule_title_organizer": "ביקשת מ{{attendee}} לקבוע מועד חדש",
"request_reschedule_subtitle_organizer": "ביטלת את ההזמנה ו-{{attendee}} צריך/ה לתאם איתך מועד חדש.",
"rescheduled_event_type_subject": "נשלחה בקשה לקביעת מועד חדש: {{eventType}} עם {{name}} בתאריך {{date}}",
"requested_to_reschedule_subject_attendee": "הפעולה חייבה קביעת מועד חדש: יש לקבוע מועד חדש עבור {{eventType}} עם {{name}}",
"reschedule_reason": "הסיבה לשינוי המועד",
"hi_user_name": "שלום {{name}}",
"ics_event_title": "{{eventType}} עם {{name}}",
"new_event_subject": "אירוע חדש: {{attendeeName}} - {{date}} - {{eventType}}",
@ -262,7 +259,6 @@
"welcome_to_calcom": "ברוך הבא אל {{appName}}",
"welcome_instructions": "אמור לנו באיזה שם ברצונך שנקרא לך ובאיזה אזור זמן אתה נמצא. ניתן יהיה לערוך את הפרטים האלה מאוחר יותר.",
"connect_caldav": "חיבור לשרת CalDav (בטא)",
"credentials_stored_and_encrypted": "פרטי הכניסה שלך יישמרו ויוצפנו.",
"connect": "להתחבר",
"try_for_free": "לנסות בחינם",
"create_booking_link_with_calcom": "צור קישור תזמון משלך עם {{appName}}",
@ -283,7 +279,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "כל הזמנה לפגישה החוזרת צריכה לקבל אישור או דחייה מ-{{user}}.",
"meeting_is_scheduled": "נקבע מועד לפגישה זו",
"meeting_is_scheduled_recurring": "נקבע מועד לאירועים החוזרים",
"submitted_recurring": "הפגישה החוזרת נשלחה",
"booking_submitted": "ההזמנה שלך נשלחה",
"booking_submitted_recurring": "הפגישה החוזרת נשלחה",
"booking_confirmed": "ההזמנה שלך אושרה",
@ -333,7 +328,6 @@
"booking_already_accepted_rejected": "ההזמנה הזו כבר אושרה או נדחתה",
"go_back_home": "חזרה אל מסך הבית",
"or_go_back_home": "או חזור אל מסך הבית",
"no_availability": "לא זמין",
"no_meeting_found": "לא נמצאה פגישה",
"no_meeting_found_description": "פגישה זו אינה קיימת. נא לפנות אל הבעלים של הפגישה לקבלת קישור מעודכן.",
"no_status_bookings_yet": "עדיין אין הזמנות בסטטוס {{status}}",
@ -462,7 +456,6 @@
"invalid_password_hint": "הסיסמה חייבת להיות באורך של {{passwordLength}} תווים לפחות ולכלול לפחות ספרה אחת ושילוב של אותיות רישיות וקטנות",
"incorrect_password": "הסיסמה שגויה.",
"incorrect_username_password": "שם משתמש או סיסמה שגויים.",
"24_h": "24 שעות",
"use_setting": "השתמש בהגדרה",
"am_pm": "לפנה\"צ/אחה\"צ",
"time_options": "אפשרויות זמן",
@ -505,15 +498,11 @@
"booking_confirmation": "אשר את ה{{eventTypeTitle}} עם {{profileName}}",
"booking_reschedule_confirmation": "שנה את המועד של ה{{eventTypeTitle}} עם {{profileName}}",
"in_person_meeting": "פגישה אישית",
"attendee_in_person": "פנים-אל-פנים (הכתובת של המשתתף)",
"in_person": "פנים-אל-פנים (הכתובת של המארגן)",
"link_meeting": "פגישה עם קישור",
"phone_call": "מספר הטלפון של המשתתף/ת",
"your_number": "מספר הטלפון שלך",
"phone_number": "מספר טלפון",
"attendee_phone_number": "מספר הטלפון של המשתתף/ת",
"organizer_phone_number": "מספר הטלפון של המארגן",
"host_phone_number": "מספר הטלפון שלך",
"enter_phone_number": "נא להזין מספר טלפון",
"reschedule": "שינוי המועד שנקבע",
"reschedule_this": "קבע מועד חדש, במקום זאת",
@ -639,9 +628,6 @@
"new_event_type_btn": "סוג אירוע חדש",
"new_event_type_heading": "צור את סוג האירוע הראשון שלך",
"new_event_type_description": "סוגי אירועים מאפשרים לך לשתף קישורים המציגים את המועדים הפנויים בלוח השנה שלך ומאפשרים לאנשים לשריין זמן איתך.",
"new_event_title": "הוסף סוג אירוע חדש",
"new_team_event": "הוסף סוג אירוע חדש עבור הצוות",
"new_event_description": "צור סוג אירוע חדש שאנשים יוכלו לקבוע באמצעותו מועדים.",
"event_type_created_successfully": "יצירת האירוע מסוג {{eventTypeTitle}} בוצעה בהצלחה",
"event_type_updated_successfully": "עדכון האירוע מסוג {{eventTypeTitle}} בוצע בהצלחה",
"event_type_deleted_successfully": "מחיקת סוג האירוע בוצעה בהצלחה",
@ -810,7 +796,6 @@
"automation": "אוטומציה",
"configure_how_your_event_types_interact": "קבע איזו אינטראקציה תהיה בין סוגי האירועים שלך לבין לוחות השנה שלך.",
"toggle_calendars_conflict": "סמן/י את לוחות השנה שבהם ברצונך לבדוק אם יש התנגשויות כדי למנוע כפל הזמנות.",
"select_destination_calendar": "יצירת אירועים ב",
"connect_additional_calendar": "חיבור לוח שנה נוסף",
"calendar_updated_successfully": "עדכון לוח השנה בוצע בהצלחה",
"conferencing": "שיחות ועידה",
@ -844,7 +829,6 @@
"number_apps_other": "{{count}} אפליקציות",
"trending_apps": "אפליקציות פופולריות",
"most_popular": "הכי פופולרי",
"explore_apps": "אפליקציות בקטגוריה {{category}}",
"installed_apps": "אפליקציות מותקנות",
"free_to_use_apps": "חינם",
"no_category_apps": "אין אפליקציות בקטגוריה {{category}}",
@ -856,7 +840,6 @@
"no_category_apps_description_other": "הוסף/הוסיפי אפליקציה מכל סוג אחר לביצוע פעולות שונות",
"no_category_apps_description_web3": "הוסף אפליקצית web3 לעמודי תזמון הפגישות שלך",
"installed_app_calendar_description": "הגדר/הגדירח את לוחות השנה כדי לבדוק אם יש התנגשויות על מנת למנוע כפל הזמנות.",
"installed_app_conferencing_description": "הוסף/הוסיפי את האפליקציות האהובות עליך לשיחות ועידה לשימוש בפגישות שלך",
"installed_app_payment_description": "הגדר/הגידירי את השירותים לעיבוד תשלומים שבהם יש להשתמש לחיוב הלקוחות.",
"installed_app_analytics_description": "הגדרת האפליקציות לניתוח נתונים שבהן יש להשתמש עבור דפי ההזמנות שלך",
"installed_app_other_description": "כל האפליקציות המותקנות שלך מקטגוריות אחרות.",
@ -882,7 +865,6 @@
"terms_of_service": "תנאי שימוש",
"remove": "הסר",
"add": "הוסף",
"installed_one": "מותקן",
"installed_other": "{{count}} התקנות",
"verify_wallet": "אימות הארנק",
"create_events_on": "ליצור אירועים ב-",
@ -910,7 +892,6 @@
"availability_updated_successfully": "עדכון התזמון {{scheduleName}} בוצע בהצלחה",
"schedule_deleted_successfully": "מחיקת התזמון בוצעה בהצלחה",
"default_schedule_name": "שעות עבודה",
"member_default_schedule": "לוח הזמנים שמוגדר כברירת מחדל עבור החבר/ה",
"new_schedule_heading": "יצירת לוח זמנים של מועדים פנויים",
"new_schedule_description": "יצירת לוחות זמנים להצגת זמינות מאפשרת לנהל את הזמינות של סוגי אירועים שונים. ניתן להחיל אותם על סוג אירוע אחד או יותר.",
"requires_ownership_of_a_token": "מחייב בעלות על טוקן ששייך לכתובת הבאה:",
@ -947,8 +928,6 @@
"api_key_no_note": "מפתח ממשק תכנות יישומים (API) ללא שם",
"api_key_never_expires": "למפתח ממשק תכנות יישומים (API) זה אין תאריך פקיעת תוקף",
"edit_api_key": "עריכת מפתח ממשק תכנות יישומים (API)",
"never_expire_key": "התוקף לעולם לא יפוג",
"delete_api_key": "ביטול מפתח ממשק תכנות יישומים (API)",
"success_api_key_created": "יצירת מפתח ממשק תכנות היישומים (API) בוצעה בהצלחה",
"success_api_key_edited": "עדכון מפתח ממשק תכנות היישומים (API) בוצע בהצלחה",
"create": "יצירה",
@ -989,7 +968,6 @@
"event_location_changed": "עודכן מיקום האירוע השתנה",
"location_changed_event_type_subject": "המיקום השתנה: {{eventType}} עם {{name}} בתאריך {{date}}",
"current_location": "המיקום הנוכחי",
"user_phone": "מספר הטלפון שלך",
"new_location": "המיקום החדש",
"session": "חיבור",
"session_description": "שלוט בהגדרות החיבור של החשבון שלך",
@ -1015,7 +993,6 @@
"zapier_setup_instructions": "<0>התחבר/י לחשבון Zapier שלך וצור/י Zap חדש.</0><1>בחר/י את Cal.com כאפליקציית ה-Trigger. בנוסף, בחר/י אירוע Trigger.</1><2>בחר/י את החשבון שלך ולאחר מכן הזן/י את מפתח ה-API הייחודי שלך.</2><3>בדוק/י את ה-Trigger.</3><4>וזהו, הכל מוכן!</4>",
"install_zapier_app": "תחילה עליך להוריד את אפליקציית Zapier מה-App Store ולהתקין אותה.",
"connect_apple_server": "חיבור לשרת Apple",
"connect_caldav_server": "חיבור לשרת CalDav (בטא)",
"calendar_url": "כתובת ה-URL של לוח השנה",
"apple_server_generate_password": "צור סיסמה ספציפית לאפליקציה שתשמש עבור {{appName}} ב-",
"credentials_stored_encrypted": "פרטי הכניסה שלך יישמרו ויוצפנו.",
@ -1047,7 +1024,6 @@
"go_to": "מעבר אל: ",
"zapier_invite_link": "קישור הזמנה אל Zapier",
"meeting_url_provided_after_confirmed": "ברגע שהאירוע יאושר, תיווצר כתובת URL של הפגישה.",
"attendees_name": "שם המשתתף/ת",
"dynamically_display_attendee_or_organizer": "הצגה דינאמית של השם של המשתתף/ת בפניך או של השם שלך אם הצופה הוא/היא המשתתף/ת",
"event_location": "מיקום האירוע",
"reschedule_optional": "הסיבה לשינוי המועד (לא חובה)",
@ -1121,7 +1097,6 @@
"add_exchange2016": "חיבור לשרת Exchange 2016",
"custom_template": "תבנית מותאמת אישית",
"email_body": "גוף הודעת הדוא״ל",
"subject": "נושא הודעת הדוא״ל",
"text_message": "הודעת טקסט",
"specific_issue": "נתקלת בבעיה ספציפית?",
"browse_our_docs": "לדפדף במסמכים שלנו",
@ -1149,12 +1124,9 @@
"new_seat_title": "מישהו הוסיף את עצמו לאירוע",
"variable": "משתנה",
"event_name_variable": "שם האירוע",
"organizer_name_variable": "שם המארגן",
"attendee_name_variable": "שם המשתתף",
"event_date_variable": "תאריך האירוע",
"event_time_variable": "מועד האירוע",
"location_variable": "מיקום",
"additional_notes_variable": "הערות נוספות",
"app_upgrade_description": "כדי להשתמש בתכונה זו, עליך לשדרג לחשבון Pro.",
"invalid_number": "מספר טלפון לא תקין",
"navigate": "ניווט",
@ -1248,7 +1220,6 @@
"recurring_event_tab_description": "הגדרת ארוע חוזר",
"today": "היום",
"appearance": "מראה",
"appearance_subtitle": "ניהול ההגדרות של מראה ההזמנות שלך",
"my_account": "החשבון שלי",
"general": "כללי",
"calendars": "לוחות שנה",
@ -1268,7 +1239,6 @@
"conferencing_description": "הוסף/הוסיפי את האפליקציות האהובות עליך/ייך לשיחות ועידה לשימוש בפגישות",
"add_conferencing_app": "הוספת אפליקציה לשיחות ועידה",
"password_description": "נהל/י את ההגדרות של סיסמאות החשבון שלך",
"2fa_description": "נהל/י את ההגדרות של סיסמאות החשבון שלך",
"we_just_need_basic_info": "אנחנו זקוקים רק לפרטים בסיסיים כדי להגדיר את הפרופיל שלך.",
"skip": "לדלג",
"do_this_later": "לעשות זאת מאוחר יותר",
@ -1292,7 +1262,6 @@
"event_date_info": "תאריך האירוע",
"event_time_info": "שעת ההתחלה של האירוע",
"location_info": "מיקום האירוע",
"organizer_name_info": "שמך",
"additional_notes_info": "הערות נוספות להזמנה",
"attendee_name_info": "שם האדם שביצע את ההזמנה",
"to": "אל",
@ -1356,8 +1325,6 @@
"copy_link_to_form": "להעתיק את הקישור לטופס",
"theme": "ערכת נושא",
"theme_applies_note": "חלה רק על דפים של הזמנות ציבוריות",
"theme_light": "בהירה",
"theme_dark": "כהה",
"theme_system": "ברירת המחדל של המערכת",
"add_a_team": "הוספת צוות",
"add_webhook_description": "לקבל נתוני פגישה בזמן אמת כשמשהו קורה ב-{{appName}}",
@ -1366,7 +1333,6 @@
"enable_webhook": "הפעלת Webhook",
"add_webhook": "הוספת Webhook",
"webhook_edited_successfully": "ה-Webhook נשמר",
"webhooks_description": "לקבל נתוני פגישה בזמן אמת כשמשהו קורה ב-{{appName}}",
"api_keys_description": "צור/י מפתחות API לקבלת גישה לחשבון שלך",
"new_api_key": "מפתח API חדש",
"active": "פעיל",
@ -1408,11 +1374,7 @@
"billing_freeplan_title": "החבילה הנוכחית שלך היא החבילה החינמית",
"billing_freeplan_description": "אנחנו עובדים טוב יותר בצוותים. הרחב/הרחיבי את תהליכי העבודה שלך באמצעות סבבים ואירועים שיתופיים וצור/י טפסי ניתוב מתקדמים",
"billing_freeplan_cta": "נסה/י כעת",
"billing_manage_details_title": "צפייה בפרטי החיוב שלך וניהולם",
"billing_manage_details_description": "צפה/י בפרטי החיוב שלך וערוך/ערכי אותם, וכן בטל/י את המינוי שלך.",
"billing_portal": "פורטל החיוב",
"billing_help_title": "צריך/ה משהו נוסף?",
"billing_help_description": "אם דרוש לך סיוע נוסף בענייני חיוב, צוות התמיכה שלנו כאן כדי לעזור.",
"billing_help_cta": "פנייה לתמיכה",
"ignore_special_characters_booking_questions": "להתעלם מתווים מיוחדים במזהה שאלת ההזמנה, להשתמש באותיות ובספרות בלבד",
"retry": "ניסיון נוסף",
@ -1420,7 +1382,6 @@
"calendar_connection_fail": "החיבור ללוח השנה נכשל",
"booking_confirmation_success": "ההזמנה אושרה בהצלחה",
"booking_rejection_success": "דחיית ההזמנה בוצעה בהצלחה",
"booking_confirmation_fail": "אישור ההזמנה נכשל",
"booking_tentative": "ההזמנה הזו היא בסטטוס 'לא סופי'",
"booking_accept_intent": "אופס, התכוונתי לאשר",
"we_wont_show_again": "לא נציג זאת שוב",
@ -1443,7 +1404,6 @@
"new_event_type_availability": "זמינות {{eventTypeTitle}}",
"error_editing_availability": "אירעה שגיאה במהלך עריכת פרטי הזמינות",
"dont_have_permission": "אין לך הרשאת גישה אל המשאב הזה.",
"saml_config": "כניסה בודדת",
"saml_configuration_placeholder": "יש להדביק את המטא-נתונים של SAML מספק הזהויות כאן",
"saml_email_required": "הזן כתובת דוא\"ל כדי שנוכל למצוא את ספק זהויות SAML שלך",
"saml_sp_title": "פרטי ספק השירות",
@ -1452,7 +1412,6 @@
"saml_sp_entity_id": "מזהה ישות SP",
"saml_sp_acs_url_copied": "כתובת ה-URL של ACS הועתקה!",
"saml_sp_entity_id_copied": "המזהה של ישות SP הועתק!",
"saml_btn_configure": "הגדרה",
"add_calendar": "הוספת לוח שנה",
"limit_future_bookings": "הגבלת תזמונים עתידיים",
"limit_future_bookings_description": "הגבלת התאריך הרחוק ביותר בעתיד שעד אליו ניתן להזמין את האירוע הזה",
@ -1632,7 +1591,6 @@
"delete_sso_configuration_confirmation": "כן, מחק את הגדרות {{connectionType}}",
"delete_sso_configuration_confirmation_description": "אתה בטוח שאתה רוצה למחוק את הגדרות {{connectionType}}? חברי הצוות שלך שמשתמשים ב- {{connectionType}} להזדהות לא יוכלו להשתמש בו להכנס ל- Cal.com.",
"organizer_timezone": "מארגן אזורי זמן",
"email_no_user_cta": "צור את החשבון שלך",
"email_user_cta": "צפה בהזמנה",
"email_no_user_invite_heading": "הוזמנת להצטרף לצוות ב- {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} הזמין אותך להצטרף לצוות שלו ב- {{appName}}. {{appName}} הינה מתזמן זימונים שמאפשר לך ולצוות שלך לזמן פגישות בלי כל הפינג פונג במיילים.",
@ -1662,7 +1620,6 @@
"create_event_on": "צור ארוע ב-",
"default_app_link_title": "צור קישור אפליקציה ברירת מחדל",
"default_app_link_description": "הגדרת קישור אפליקציה ברירת מחדל מאפשר לכל הארועים החדשים להשתמש בקישור שהגדרת.",
"change_default_conferencing_app": "להגדיר כברירת מחדל",
"organizer_default_conferencing_app": "אפליקציית ברירת המחדל של המארגן/ת",
"under_maintenance": "אינו זמין עקב תחזוקה",
"under_maintenance_description": "צוות {{appName}} מבצע עבודות תחזוקה שתוכננו מראש. אם יש לך שאלות, נא צור קשר עם התמיכה.",
@ -1677,7 +1634,6 @@
"booking_confirmation_failed": "אישור ההזמנה נכשל",
"not_enough_seats": "אין מספיק מושבים",
"form_builder_field_already_exists": "שדה עם שם זה כבר קיים",
"form_builder_field_add_subtitle": "התאמת השאלות שנשאלות בדף התזמון",
"show_on_booking_page": "להציג בדף ההזמנות",
"get_started_zapier_templates": "התחל עם תבניות Zapier",
"team_is_unpublished": "צוות {{team}} אינו מפורסם",
@ -1729,7 +1685,6 @@
"verification_code": "קוד אימות",
"can_you_try_again": "אתה יכול לנסות שוב עם שעה אחרת?",
"verify": "אמת",
"timezone_variable": "אזור זמן",
"timezone_info": "אזור הזמן של האדם שיקבל את ההזמנה",
"event_end_time_variable": "שעת סיום האירוע",
"event_end_time_info": "שעת סיום האירוע",
@ -1778,7 +1733,6 @@
"events_rescheduled": "ארועים שתוזמנו מחדש",
"from_last_period": "מפרק הזמן האחרון",
"from_to_date_period": "מ: {{startDate}} עד: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "קבל/י מידע נוסף על הפעילות של הצוות שלך",
"redirect_url_warning": "הוספת כתובת URL להפניה אוטומטית תגרום להשבתת דף 'הפעולה הצליחה'. חשוב להוסיף את ההודעה 'ההזמנה אושרה בהצלחה' בדף המותאם אישית לציון שהפעולה הצליחה.",
"event_trends": "מגמות ארוע",
@ -1809,7 +1763,6 @@
"complete_your_booking": "יש להשלים את ההזמנה",
"complete_your_booking_subject": "יש להשלים את ההזמנה: {{title}} ב-{{date}}",
"confirm_your_details": "אישור הפרטים שלך",
"never_expire": "התוקף לעולם לא יפוג",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "את/ה עומד/ת לחייב את המשתתף/ת בסכום של {{amount, currency}}. בטוח שברצונך להמשיך?",
"charge_attendee": "לחייב את המשתתף/ת ב-{{amount, currency}}",

View File

@ -68,13 +68,11 @@
"your_meeting_has_been_booked": "Vaš sastanak je zakazan",
"event_type_has_been_rescheduled_on_time_date": "Vaš {{title}} je odgođen za {{date}}.",
"event_has_been_rescheduled": "Ažurirano - Vaš događaj je odgođen",
"request_reschedule_title_attendee": "Zahtjev za odgodu vaše rezervacije",
"request_reschedule_subtitle": "{{organizer}} je otkazao/la rezervaciju i zatražio/la da odaberete drugi termin.",
"request_reschedule_title_organizer": "Zatražili ste da {{attendee}} promijeni termin",
"request_reschedule_subtitle_organizer": "Otkazali ste rezervaciju i {{attendee}} bi trebao odabrati novi termin s vama.",
"rescheduled_event_type_subject": "Zahtjev za odgodu poslan: {{eventType}} s {{name}} u {{date}}",
"requested_to_reschedule_subject_attendee": "Potrebna radnja za promjenu termina: rezervirajte novi termin za {{eventType}} s {{name}}",
"reschedule_reason": "Razlog za promjenu termina",
"hi_user_name": "Pozdrav {{name}}",
"ics_event_title": "{{eventType}} sa {{name}}",
"new_event_subject": "Novi događaj: {{attendeeName}} - {{date}} - {{eventType}}",
@ -236,7 +234,6 @@
"welcome_to_calcom": "Dobrodošli na {{appName}}",
"welcome_instructions": "Recite nam kako da vas zovemo i u kojoj ste vremenskoj zoni. Ovo možete izmijeniti kasnije.",
"connect_caldav": "Povežite se na CalDav (Beta)",
"credentials_stored_and_encrypted": "Vaši akreditivi bit će pohranjeni i šifrirani.",
"connect": "Poveži se",
"try_for_free": "Isprobajte besplatno",
"create_booking_link_with_calcom": "Izradite vlastiti link za rezervaciju sa {{appName}}",
@ -257,7 +254,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} i dalje treba potvrditi ili odbiti svaki od zakazanih ponavljajućih sastanaka.",
"meeting_is_scheduled": "Ovaj sastanak je zakazan",
"meeting_is_scheduled_recurring": "Ponavljajući događaji su zakazani",
"submitted_recurring": "Vaš ponavljajući sastanak je poslan",
"booking_submitted": "Vaša rezervacija je poslana",
"booking_submitted_recurring": "Vaš ponavljajući sastanak je poslan",
"booking_confirmed": "Vaša rezervacija je potvrđena",
@ -303,7 +299,6 @@
"booking_already_accepted_rejected": "Ova rezervacija je već prihvaćena ili odbijena",
"go_back_home": "Nazad na početnu stranicu",
"or_go_back_home": "Ili nazad na početnu stranicu",
"no_availability": "Nedostupni",
"no_meeting_found": "Nije pronađen nijedan sastanak",
"no_meeting_found_description": "Ovaj sastanak ne postoji. Kontaktirajte organizatora sastanka za ažurirani link.",
"no_status_bookings_yet": "Nema {{status}} rezervacija",
@ -345,6 +340,5 @@
"light": "Svijetla",
"dark": "Tamna",
"automatically_adjust_theme": "Automatski prilagodite temu na temelju preferencija pozvanih osoba",
"user_dynamic_booking_disabled": "Neki od korisnika u grupi trenutno su onemogućili dinamičke grupne rezervacije",
"email_no_user_cta": "Kreiraj svoj račun"
"user_dynamic_booking_disabled": "Neki od korisnika u grupi trenutno su onemogućili dinamičke grupne rezervacije"
}

View File

@ -82,7 +82,6 @@
"login": "Bejelentkezés",
"success": "Siker",
"cancelled": "Lemondva",
"no_availability": "Nem elérhető",
"and": "és",
"light": "Világos",
"dark": "Sötét",
@ -103,7 +102,6 @@
"security": "Biztonság",
"password": "Jelszó",
"new_password": "Új jelszó",
"24_h": "0-24",
"january": "Január",
"february": "Február",
"march": "Március",
@ -129,7 +127,6 @@
"yes": "igen",
"no": "nem",
"additional_notes": "Egyéb jegyzetek",
"phone_call": "Telefon hívás",
"phone_number": "Telefonszám",
"or": "VAGY",
"go_back": "Vissza",
@ -188,7 +185,6 @@
"privacy_policy": "Adatvédelmi Irányelvek",
"remove": "Ektávolítás",
"add": "Hozzáadás",
"installed_one": "Telepített",
"error_404": "404-es hiba",
"default": "Alapértelmezett",
"24_hour_short": "0-24",
@ -210,12 +206,5 @@
"minute_timeUnit": "Perc",
"remove_app": "Alkalmazás eltávolítása",
"yes_remove_app": "Igen, távolítsd el az alkalmazást",
"web_conference": "Online konferencia",
"organizer_name_variable": "Szervező",
"location_variable": "Helyszín",
"additional_notes_variable": "Egyéb jegyzetek",
"organizer_name_info": "Neved",
"theme_light": "Világos",
"theme_dark": "Sötét",
"timezone_variable": "Időzóna"
"web_conference": "Online konferencia"
}

View File

@ -71,7 +71,6 @@
"your_meeting_has_been_booked": "Pertemuanmu telah terdaftar",
"event_type_has_been_rescheduled_on_time_date": "{{title}} kamu telah dijadwalkan ulang menjadi {{date}}.",
"event_has_been_rescheduled": "Terkini - Acara kamu telah dijadwalkan ulang",
"request_reschedule_title_attendee": "Minta untuk penjadwalan ulang",
"request_reschedule_subtitle": "{{organizer}} telah membatalkan acara dan meminta kamu untuk memilih waktu lain.",
"request_reschedule_title_organizer": "Kamu telah meminta {{attendee}} untuk menjadwalkan ulang",
"request_reschedule_subtitle_organizer": "Kamu telah membatalkan acara dan {{attendee}} akan memilih waktu lain.",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Completa la configurazione del tuo account {{appName}}! Mancano solo pochi passi per risolvere tutti i problemi di pianificazione.",
"have_any_questions": "Hai domande? Siamo qui per aiutare.",
"reset_password_subject": "{{appName}}: istruzioni per reimpostare la password",
"verify_email_banner_button": "Invia e-mail",
"event_declined_subject": "Rifiutato: {{title}} il {{date}}",
"event_cancelled_subject": "Cancellato: {{title}} il {{date}}",
"event_request_declined": "La tua richiesta per l'evento è stata rifiutata",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Il tuo meeting è stata prenotato",
"event_type_has_been_rescheduled_on_time_date": "Il tuo {{title}} è stato riprogrammato per il {{date}}.",
"event_has_been_rescheduled": "Aggiornato: il tuo evento è stato riprogrammato",
"request_reschedule_title_attendee": "Richiesta di riprogrammare la prenotazione",
"request_reschedule_subtitle": "{{organizer}} ha annullato la prenotazione e ti ha chiesto di scegliere un altro orario.",
"request_reschedule_title_organizer": "Hai richiesto a {{attendee}} di riprogrammare",
"request_reschedule_subtitle_organizer": "Hai annullato la prenotazione e {{attendee}} deve selezionare un nuovo orario per la prenotazione.",
"rescheduled_event_type_subject": "Richiesta di riprogrammazione inviata: {{eventType}} con {{name}} il {{date}}",
"requested_to_reschedule_subject_attendee": "Azione richiesta per la riprogrammazione: prenota un nuovo orario per {{eventType}} con {{name}}",
"reschedule_reason": "Motivo della riprogrammazione",
"hi_user_name": "Ciao {{name}}",
"ics_event_title": "{{eventType}} con {{name}}",
"new_event_subject": "Richiesta di nuovo evento: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Benvenuto in {{appName}}",
"welcome_instructions": "Dimmi come chiamarti e facci sapere in che timezone sei. Potrai cambiarlo dopo.",
"connect_caldav": "Connetti al server CalDav",
"credentials_stored_and_encrypted": "Le tue credenziali verranno memorizzate e crittografate.",
"connect": "Connetti",
"try_for_free": "Provalo gratuitamente",
"create_booking_link_with_calcom": "Crea il tuo link di prenotazione con {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} deve ancora confermare o rifiutare ciascuna prenotazione della riunione ricorrente.",
"meeting_is_scheduled": "Questo incontro è in programma",
"meeting_is_scheduled_recurring": "Gli eventi ricorrenti sono programmati",
"submitted_recurring": "La tua riunione ricorrente è stata inviata",
"booking_submitted": "Prenotazione Inviata",
"booking_submitted_recurring": "La tua riunione ricorrente è stata inviata",
"booking_confirmed": "Prenotazione Confermata",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Questa prenotazione è già stata accettata o rifiutata",
"go_back_home": "Torna alla home",
"or_go_back_home": "Torna alla home",
"no_availability": "Non Disponibile",
"no_meeting_found": "Nessuna Riunione Trovata",
"no_meeting_found_description": "Questa riunione non esiste. Contatta il proprietario della riunione per un link aggiornato.",
"no_status_bookings_yet": "Nessuna prenotazione in {{status}}",
@ -448,7 +442,6 @@
"invalid_password_hint": "La password deve avere una lunghezza minima di {{passwordLength}} caratteri e deve contenere almeno 1 numero e una combinazione di caratteri maiuscoli e minuscoli",
"incorrect_password": "La password non è corretta.",
"incorrect_username_password": "Nome utente o password errati.",
"24_h": "24 ore",
"use_setting": "Usa impostazione",
"am_pm": "am/pm",
"time_options": "Opzioni tempo",
@ -491,15 +484,11 @@
"booking_confirmation": "Conferma il tuo {{eventTypeTitle}} con {{profileName}}",
"booking_reschedule_confirmation": "Riprogramma il tuo {{eventTypeTitle}} con {{profileName}}",
"in_person_meeting": "Link o riunione di persona",
"attendee_in_person": "Di persona (indirizzo del partecipante)",
"in_person": "Di persona (indirizzo dell'organizzatore)",
"link_meeting": "Collegamento riunione",
"phone_call": "Numero di telefono del partecipante",
"your_number": "Il tuo numero di telefono",
"phone_number": "Numero Di Telefono",
"attendee_phone_number": "Numero di telefono del partecipante",
"organizer_phone_number": "Numero di telefono organizzatore",
"host_phone_number": "Il tuo numero di telefono",
"enter_phone_number": "Inserisci numero di telefono",
"reschedule": "Riprogramma",
"reschedule_this": "Riprogramma",
@ -625,9 +614,6 @@
"new_event_type_btn": "Nuovo tipo di evento",
"new_event_type_heading": "Crea il tuo primo tipo di evento",
"new_event_type_description": "I tipi di eventi ti permettono di condividere i link che mostrano gli orari disponibili sul tuo calendario e consentire alle persone di effettuare prenotazioni con te.",
"new_event_title": "Aggiungi un nuovo tipo di evento",
"new_team_event": "Aggiungi un nuovo tipo di evento del team",
"new_event_description": "Crea un nuovo tipo di evento per le persone con cui prenotare.",
"event_type_created_successfully": "{{eventTypeTitle}} tipo di evento creato con successo",
"event_type_updated_successfully": "{{eventTypeTitle}} tipo di evento aggiornato con successo",
"event_type_deleted_successfully": "Tipo di evento eliminato con successo",
@ -796,7 +782,6 @@
"automation": "Automazione",
"configure_how_your_event_types_interact": "Configura come i tipi di eventi dovrebbero interagire con i tuoi calendari.",
"toggle_calendars_conflict": "Attiva/disattiva i calendari in cui desideri controllare i conflitti per evitare doppie prenotazioni.",
"select_destination_calendar": "Crea eventi su",
"connect_additional_calendar": "Collega calendario aggiuntivo",
"calendar_updated_successfully": "Calendario aggiornato correttamente",
"conferencing": "Conferenze",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} app",
"trending_apps": "App di tendenza",
"most_popular": "Più popolari",
"explore_apps": "App {{category}}",
"installed_apps": "App installate",
"free_to_use_apps": "Gratuito",
"no_category_apps": "Nessuna app {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Aggiungi qualsiasi altra app per fare altre attività",
"no_category_apps_description_web3": "Aggiungi un'app Web3 per le tue pagine di prenotazione",
"installed_app_calendar_description": "Imposta uno o più calendari per controllare i conflitti ed evitare doppie prenotazioni.",
"installed_app_conferencing_description": "Aggiungi le tue app di videoconferenza preferite per le tue riunioni",
"installed_app_payment_description": "Configura quale servizio di elaborazione dei pagamenti usare per addebitare i clienti.",
"installed_app_analytics_description": "Imposta quali app di analisi usare per le tue pagine di prenotazione",
"installed_app_other_description": "Tutte le app installate appartenenti ad altre categorie.",
@ -868,7 +851,6 @@
"terms_of_service": "Termini del servizio",
"remove": "Rimuovi",
"add": "Aggiungi",
"installed_one": "Installata",
"installed_other": "{{count}} installate",
"verify_wallet": "Verifica Wallet",
"create_events_on": "Crea eventi su:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Disponibilità aggiornata con successo",
"schedule_deleted_successfully": "Programma eliminato",
"default_schedule_name": "Orario lavorativo",
"member_default_schedule": "Pianificazione predefinita membro",
"new_schedule_heading": "Crea un programma di disponibilità",
"new_schedule_description": "La creazione di programmi di disponibilità consente di gestire la disponibilità per i diversi tipi di eventi. I programmi possono essere applicati a uno o più tipi di evento.",
"requires_ownership_of_a_token": "Richiede il possesso di un token appartenente al seguente indirizzo:",
@ -933,8 +914,6 @@
"api_key_no_note": "Chiave API senza nome",
"api_key_never_expires": "Questa chiave API non ha data di scadenza",
"edit_api_key": "Modifica chiave API",
"never_expire_key": "Nessuna scadenza",
"delete_api_key": "Revoca chiave API",
"success_api_key_created": "Chiave API creata",
"success_api_key_edited": "Chiave API aggiornata",
"create": "Crea",
@ -975,7 +954,6 @@
"event_location_changed": "Aggiornato: è cambiato il luogo del tuo evento",
"location_changed_event_type_subject": "Luogo cambiato: {{eventType}} con {{name}} il {{date}}",
"current_location": "Luogo corrente",
"user_phone": "Il tuo numero di telefono",
"new_location": "Nuovo luogo",
"session": "Sessione",
"session_description": "Controlla la sessione del tuo account",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Accedi al tuo account Zapier e crea un nuovo Zap.</0><1>Seleziona Cal.com come app trigger. Scegli l'evento trigger.</1><2>Seleziona il tuo account e immetti la tua chiave API univoca.</2><3>Fai una prova del tuo trigger.</3><4>Fatto!</4>",
"install_zapier_app": "Prima è necessario installare l'app Zapier, disponibile nell'App Store.",
"connect_apple_server": "Connetti al server Apple",
"connect_caldav_server": "Connetti al server CalDav",
"calendar_url": "URL del calendario",
"apple_server_generate_password": "Genera una password specifica dell'app da usare con {{appName}} presso",
"credentials_stored_encrypted": "Le tue credenziali verranno memorizzate e crittografate.",
@ -1033,7 +1010,6 @@
"go_to": "Vai a: ",
"zapier_invite_link": "Link di invito Zapier",
"meeting_url_provided_after_confirmed": "Una volta confermato l'evento, verrà creato un URL di riunione.",
"attendees_name": "Nome del partecipante",
"dynamically_display_attendee_or_organizer": "Visualizza dinamicamente il nome del partecipante oppure il tuo nome, se visualizzato dal partecipante",
"event_location": "Luogo dell'evento",
"reschedule_optional": "Motivo della riprogrammazione (facoltativo)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Connetti al server Exchange 2016",
"custom_template": "Modello personalizzato",
"email_body": "Testo email",
"subject": "Oggetto e-mail",
"text_message": "Messaggio di testo",
"specific_issue": "Hai un problema specifico?",
"browse_our_docs": "sfoglia i nostri documenti",
@ -1135,12 +1110,9 @@
"new_seat_title": "Qualcuno ha aggiunto se stesso a un evento",
"variable": "Variabile",
"event_name_variable": "Nome evento",
"organizer_name_variable": "Organizzatore",
"attendee_name_variable": "Partecipante",
"event_date_variable": "Data evento",
"event_time_variable": "Ora evento",
"location_variable": "Luogo",
"additional_notes_variable": "Note aggiuntive",
"app_upgrade_description": "Per poter utilizzare questa funzionalità, è necessario passare a un account Pro.",
"invalid_number": "Numero di telefono non valido",
"navigate": "Esplora",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Imposta una pianificazione ricorrente",
"today": "oggi",
"appearance": "Aspetto",
"appearance_subtitle": "Gestisci le impostazioni di aspetto delle tue prenotazioni",
"my_account": "Il mio account",
"general": "Generale",
"calendars": "Calendari",
@ -1254,7 +1225,6 @@
"conferencing_description": "Aggiungi le tue app di videoconferenza preferite per le tue riunioni",
"add_conferencing_app": "Aggiungi app di videoconferenza",
"password_description": "Gestisci le impostazioni relative alle password del tuo account",
"2fa_description": "Gestisci le impostazioni relative alle password del tuo account",
"we_just_need_basic_info": "Abbiamo bisogno di alcune semplici informazioni per completare la configurazione del tuo profilo.",
"skip": "Salta",
"do_this_later": "Più tardi",
@ -1278,7 +1248,6 @@
"event_date_info": "Data dell'evento",
"event_time_info": "Ora di inizio dell'evento",
"location_info": "Luogo dell'evento",
"organizer_name_info": "Il tuo nome",
"additional_notes_info": "Note aggiuntive sulla prenotazione",
"attendee_name_info": "Nome del partecipante",
"to": "A",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Copia il link del modulo",
"theme": "Tema",
"theme_applies_note": "Si applica solo alle pagine di prenotazione pubbliche",
"theme_light": "Chiaro",
"theme_dark": "Scuro",
"theme_system": "Predefinito di sistema",
"add_a_team": "Aggiungi un team",
"add_webhook_description": "Ricevi in tempo reale le informazioni sulle riunioni quando succede qualcosa su {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "Abilita Webhook",
"add_webhook": "Aggiungi Webhook",
"webhook_edited_successfully": "Webhook salvato",
"webhooks_description": "Ricevi in tempo reale le informazioni sulle riunioni quando succede qualcosa su {{appName}}",
"api_keys_description": "Genera chiavi API per accedere al tuo account",
"new_api_key": "Nuova chiave API",
"active": "attivo",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Attualmente stai usando il piano GRATUITO",
"billing_freeplan_description": "Si lavora meglio in squadra. Migliora i tuoi flussi di lavoro con eventi round robin o di gruppo e crea moduli di instradamento avanzati",
"billing_freeplan_cta": "Prova ora",
"billing_manage_details_title": "Visualizza e gestisci i tuoi dati di fatturazione",
"billing_manage_details_description": "Visualizza e modifica i tuoi dati di fatturazione e annulla il tuo abbonamento.",
"billing_portal": "Portale di fatturazione",
"billing_help_title": "Hai bisogno di altro?",
"billing_help_description": "Se hai bisogno di ulteriore aiuto per la fatturazione, il nostro team di supporto è qui per aiutarti.",
"billing_help_cta": "Contatta l'assistenza",
"ignore_special_characters_booking_questions": "Ignora i caratteri speciali nell'identificatore della domanda posta in fase di prenotazione. Usa solo lettere e numeri",
"retry": "Riprova",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Impossibile connettersi al calendario",
"booking_confirmation_success": "Prenotazione confermata correttamente",
"booking_rejection_success": "Prenotazione rifiutata correttamente",
"booking_confirmation_fail": "Conferma prenotazione non riuscita",
"booking_tentative": "Questa prenotazione è provvisoria",
"booking_accept_intent": "Ops! Desidero accettare",
"we_wont_show_again": "Questo messaggio non verrà più visualizzato",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Disponibilità {{eventTypeTitle}}",
"error_editing_availability": "Errore durante la modifica della disponibilità",
"dont_have_permission": "Non hai l'autorizzazione per accedere a questa risorsa.",
"saml_config": "Configurazione SAML",
"saml_configuration_placeholder": "Incolla qui i metadati SAML forniti dal tuo provider di identità",
"saml_email_required": "Inserisci un indirizzo email che consenta di individuare il tuo provider di identità SAML",
"saml_sp_title": "Dettagli del provider",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID Entità SP",
"saml_sp_acs_url_copied": "URL dell'ACS copiato!",
"saml_sp_entity_id_copied": "ID entità SP copiato!",
"saml_btn_configure": "Configura",
"add_calendar": "Aggiungi calendario",
"limit_future_bookings": "Limita le prenotazioni future",
"limit_future_bookings_description": "Indica fino a che data è possibile prenotare questo evento",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Sì, elimina la configurazione {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Eliminare la configurazione {{connectionType}}? I membri del tuo team che utilizzano l'accesso {{connectionType}} non saranno più in grado di accedere a Cal.com.",
"organizer_timezone": "Fuso orario organizzatore",
"email_no_user_cta": "Crea il tuo account",
"email_user_cta": "Visualizza invito",
"email_no_user_invite_heading": "Sei stato invitato a unirti a un team su {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} ti ha invitato a unirti al suo team su {{appName}}. {{appName}} è uno strumento di pianificazione di eventi che permette al tuo team di pianificare le riunioni senza scambiare decine di e-mail.",
@ -1648,7 +1606,6 @@
"create_event_on": "Crea evento in",
"default_app_link_title": "Imposta il link dell'app predefinita",
"default_app_link_description": "L'impostazione di un link dell'app predefinita permette a tutti i nuovi tipi di eventi di usare il link dell'app impostato.",
"change_default_conferencing_app": "Imposta come predefinito",
"organizer_default_conferencing_app": "Applicazione predefinita dell'organizzatore",
"under_maintenance": "Inattivo per manutenzione",
"under_maintenance_description": "Il team di {{appName}} sta eseguendo la manutenzione programmata. Per qualsiasi domanda, contattare il supporto.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Conferma prenotazione non riuscita",
"not_enough_seats": "Posti insufficienti",
"form_builder_field_already_exists": "Esiste già un campo con questo nome",
"form_builder_field_add_subtitle": "Personalizza le domande poste nella pagina di prenotazione",
"show_on_booking_page": "Mostra nella pagina di prenotazione",
"get_started_zapier_templates": "Inizia con i modelli Zapier",
"team_is_unpublished": "{{team}} non è pubblicato",
@ -1715,7 +1671,6 @@
"verification_code": "Codice di verifica",
"can_you_try_again": "Riprovare specificando un orario differente.",
"verify": "Verifica",
"timezone_variable": "Timezone",
"timezone_info": "Il fuso orario della persona che riceve la prenotazione",
"event_end_time_variable": "Ora di conclusione dell'evento",
"event_end_time_info": "Ora di conclusione dell'evento",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Eventi riprogrammati",
"from_last_period": "dal periodo precedente",
"from_to_date_period": "Da: {{startDate}} A: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Scopri di più sull'attività del tuo team",
"redirect_url_warning": "Aggiungendo un reindirizzamento, viene disabilitata la pagina di conferma dell'esito. Assicurati che nella pagina di conferma dell'esito personalizzata compaia la dicitura \"Prenotazione confermata\".",
"event_trends": "Tendenze eventi",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Completa la prenotazione",
"complete_your_booking_subject": "Completa la prenotazione: {{title}} del {{date}}",
"confirm_your_details": "Conferma i tuoi dati",
"never_expire": "Nessuna scadenza",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Stai per addebitare {{amount, currency}} al partecipante. Continuare?",
"charge_attendee": "Addebita {{amount, currency}} al partecipante",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "{{appName}} アカウントのセットアップを完了してください。あと数ステップでスケジューリングの問題をすべて解決できます。",
"have_any_questions": "ご不明な点があれば、お気軽にお問い合わせください。",
"reset_password_subject": "{{appName}}: パスワードのリセット手順",
"verify_email_banner_button": "メールを送信",
"event_declined_subject": "却下: {{title}} {{date}}",
"event_cancelled_subject": "キャンセル: {{title}} {{date}}",
"event_request_declined": "イベントのリクエストが拒否されました",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "ミーティングが予約されました",
"event_type_has_been_rescheduled_on_time_date": "あなたの {{title}} は {{date}} に再スケジュールされました。",
"event_has_been_rescheduled": "更新 - イベントのスケジュールが変更されました",
"request_reschedule_title_attendee": "予約のスケジュール変更をリクエスト",
"request_reschedule_subtitle": "{{organizer}} が予約をキャンセルしました。別の時間を選択することをあなたにリクエストしています。",
"request_reschedule_title_organizer": "{{attendee}} にスケジュールの変更をリクエストしました",
"request_reschedule_subtitle_organizer": "予約をキャンセルしました。{{attendee}} はあなたとの予約の時間を新しく選択する必要があります。",
"rescheduled_event_type_subject": "スケジュール変更のリクエストを送信しました: {{date}} の {{name}} との {{eventType}}",
"requested_to_reschedule_subject_attendee": "スケジュール変更のアクションが必要です: {{name}} との {{eventType}} に新しい時間を予約してください",
"reschedule_reason": "スケジュール変更の理由",
"hi_user_name": "こんにちは、{{name}} さん",
"ics_event_title": "{{name}} との {{eventType}}",
"new_event_subject": "新規イベント: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "{{appName}} へようこそ",
"welcome_instructions": "Cal.com でご使用になるお名前とタイムゾーンを教えてください。これらは後から編集できます。",
"connect_caldav": "CalDav (ベータ版) に接続",
"credentials_stored_and_encrypted": "認証情報は保存され暗号化されます。",
"connect": "接続",
"try_for_free": "無料で試す",
"create_booking_link_with_calcom": "{{appName}} で独自の予約リンクを作成する",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} は、まだ繰り返しミーティングの各予約を確認または拒否する必要があります。",
"meeting_is_scheduled": "このミーティングは予定されています",
"meeting_is_scheduled_recurring": "繰り返しイベントがスケジュールされています",
"submitted_recurring": "繰り返しミーティングが送信されました",
"booking_submitted": "予約が送信されました",
"booking_submitted_recurring": "繰り返しミーティングが送信されました",
"booking_confirmed": "予約が確認されました",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "この予約はすでに承認または拒否が行われています。",
"go_back_home": "ホームに戻る",
"or_go_back_home": "またはホームに戻る",
"no_availability": "利用不可",
"no_meeting_found": "ミーティングが見つかりません",
"no_meeting_found_description": "このミーティングは存在しません。更新されたリンクについてはミーティングの所有者に連絡してください。",
"no_status_bookings_yet": "{{status}} の予約はありません",
@ -448,7 +442,6 @@
"invalid_password_hint": "パスワードには少なくとも 1 文字以上数字を含め、アルファベットの大文字と小文字を両方使用した上で {{passwordLength}} 文字以上の長さに設定してください",
"incorrect_password": "パスワードが正しくありません。",
"incorrect_username_password": "ユーザー名またはパスワードが正しくありません。",
"24_h": "24時間",
"use_setting": "設定を使用",
"am_pm": "午前/午後",
"time_options": "時刻オプション",
@ -491,15 +484,11 @@
"booking_confirmation": "{{profileName}} の{{eventTypeTitle}} を確認",
"booking_reschedule_confirmation": "{{profileName}} の {{eventTypeTitle}} をスケジュール変更する",
"in_person_meeting": "リンクまたは対面ミーティング",
"attendee_in_person": "対面(出席者のアドレス)",
"in_person": "対面(主催者のアドレス)",
"link_meeting": "ミーティングをリンク",
"phone_call": "出席者の電話番号",
"your_number": "あなたの電話番号",
"phone_number": "電話番号",
"attendee_phone_number": "出席者の電話番号",
"organizer_phone_number": "主催者の電話番号",
"host_phone_number": "あなたの電話番号",
"enter_phone_number": "電話番号を入力",
"reschedule": "スケジュールの変更",
"reschedule_this": "代わりにスケジュールを変更",
@ -625,9 +614,6 @@
"new_event_type_btn": "新しいイベントの種類",
"new_event_type_heading": "最初のイベントタイプを作成する",
"new_event_type_description": "イベントタイプを使用すると、カレンダーに利用可能な時間を表示し、人々があなたの時間の予約を行うことができるリンクを共有できます。",
"new_event_title": "新しいイベント種別を追加",
"new_team_event": "新しいイベント種別を追加",
"new_event_description": "人々が時間を予約できる新しいイベントタイプを作成します。",
"event_type_created_successfully": "{{eventTypeTitle}} イベント種別が正常に作成されました",
"event_type_updated_successfully": "{{eventTypeTitle}} イベント種別が正常に更新されました",
"event_type_deleted_successfully": "イベント種別が正常に削除されました",
@ -796,7 +782,6 @@
"automation": "自動化",
"configure_how_your_event_types_interact": "イベントタイプとカレンダーの連携の仕方を設定します。",
"toggle_calendars_conflict": "ダブルブッキングを防ぐために、スケジュールの重なりをチェックするカレンダーを切り替えてください。",
"select_destination_calendar": "以下にイベントを作成する",
"connect_additional_calendar": "別のカレンダーを接続する",
"calendar_updated_successfully": "カレンダーが正常に更新されました",
"conferencing": "ミーティング中",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} 個のアプリ",
"trending_apps": "人気のアプリ",
"most_popular": "一番人気",
"explore_apps": "{{category}} アプリ",
"installed_apps": "インストールされているアプリ",
"free_to_use_apps": "無料",
"no_category_apps": "{{category}} アプリはありません",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "その他のアプリを追加して、様々なことを実現しましょう",
"no_category_apps_description_web3": "予約ページに Web3 アプリを追加",
"installed_app_calendar_description": "ダブルブッキングを防ぐために、カレンダーの重複をチェックするように設定します。",
"installed_app_conferencing_description": "会議用にお気に入りのビデオ会議アプリを追加しましょう",
"installed_app_payment_description": "顧客に請求をする際に使用する決済処理サービスを設定しましょう。",
"installed_app_analytics_description": "予約ページでどの分析アプリを使用するかを構成する",
"installed_app_other_description": "その他のカテゴリーからインストールしたすべてのアプリ。",
@ -868,7 +851,6 @@
"terms_of_service": "利用規約",
"remove": "削除する",
"add": "追加する",
"installed_one": "インストール済み",
"installed_other": "{{count}} 回インストールしました",
"verify_wallet": "ウォレットを確認する",
"create_events_on": "以下にイベントを作成する:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "{{scheduleName}} スケジュールが正常に更新されました",
"schedule_deleted_successfully": "スケジュールが正常に削除されました",
"default_schedule_name": "作業時間",
"member_default_schedule": "メンバーのデフォルトのスケジュール",
"new_schedule_heading": "空き状況のスケジュールを作成する",
"new_schedule_description": "空き状況のスケジュールを作成すると、各イベントタイプの空き状況を管理できます。空き状況のスケジュールは、イベントの複数のタイプに適用できます。",
"requires_ownership_of_a_token": "次のアドレスに属するトークンの所有権が必要となります:",
@ -933,8 +914,6 @@
"api_key_no_note": "無名の API キー",
"api_key_never_expires": "この API キーには有効期限がありません",
"edit_api_key": "API キーの編集",
"never_expire_key": "有効期限なし",
"delete_api_key": "API キーの取り消し",
"success_api_key_created": "API キーが正常に作成されました",
"success_api_key_edited": "API キーが正常に更新されました",
"create": "作成",
@ -975,7 +954,6 @@
"event_location_changed": "更新 - イベントの場所を変更しました",
"location_changed_event_type_subject": "イベントの場所が変更になりました: {{date}} の {{name}} との {{eventType}}",
"current_location": "現在の場所",
"user_phone": "あなたの電話番号",
"new_location": "新しい場所",
"session": "セッション",
"session_description": "アカウントのセッションを制御します",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Zapier アカウントにログインし、新しい Zap を作成します。</0><1>Cal.com をトリガーアプリとして選択します。また、トリガーイベントも選択します。</1><2>アカウントを選択し、あなた専用の API キーを入力します。</2><3>トリガーをテストします。</3><4>これで設定は完了です!</4>",
"install_zapier_app": "まず、アプリストアで Zapier アプリをインストールしてください。",
"connect_apple_server": "Apple のサーバーに接続",
"connect_caldav_server": "CalDav (ベータ版) に接続",
"calendar_url": "カレンダーの URL",
"apple_server_generate_password": "以下で {{appName}} で使用するアプリ固有のパスワードを生成しましょう: ",
"credentials_stored_encrypted": "あなたの認証情報は保存され、暗号化されます。",
@ -1033,7 +1010,6 @@
"go_to": "移動先: ",
"zapier_invite_link": "Zapier 招待リンク",
"meeting_url_provided_after_confirmed": "イベントが確定されるとミーティング URL が作成されます。",
"attendees_name": "出席者の名前",
"dynamically_display_attendee_or_organizer": "あなたに対しては出席者の名前を、出席者に対してはあなたの名前を動的に表示します",
"event_location": "イベントの場所",
"reschedule_optional": "スケジュール変更の理由 (任意)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Exchange 2016 のサーバーに接続",
"custom_template": "カスタムテンプレート",
"email_body": "メールの本文",
"subject": "メールの件名",
"text_message": "テキストメッセージ",
"specific_issue": "特定の問題がおありですか?",
"browse_our_docs": "ドキュメントを閲覧",
@ -1135,12 +1110,9 @@
"new_seat_title": "別のユーザーがイベントに自身を追加しました",
"variable": "変数",
"event_name_variable": "イベントの名前",
"organizer_name_variable": "主催者の名前",
"attendee_name_variable": "出席者の名前",
"event_date_variable": "イベントの日付",
"event_time_variable": "イベントの時間",
"location_variable": "場所",
"additional_notes_variable": "備考",
"app_upgrade_description": "この機能を利用するには、Pro アカウントへのアップグレードが必要です。",
"invalid_number": "電話番号が無効です",
"navigate": "ナビゲート",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "繰り返しスケジュールを設定",
"today": "今日",
"appearance": "外観",
"appearance_subtitle": "予約画面の外観設定を管理する",
"my_account": "マイアカウント",
"general": "一般設定",
"calendars": "カレンダー",
@ -1254,7 +1225,6 @@
"conferencing_description": "お気に入りのビデオ会議アプリを追加し、会議で使用できます",
"add_conferencing_app": "会議アプリを追加",
"password_description": "アカウントのパスワードの設定を管理します",
"2fa_description": "アカウントのパスワードの設定を管理します",
"we_just_need_basic_info": "プロフィールを設定するための基本的な情報が必要です。",
"skip": "スキップ",
"do_this_later": "後で行う",
@ -1278,7 +1248,6 @@
"event_date_info": "イベントの日付",
"event_time_info": "イベントの開始時刻",
"location_info": "イベントの場所",
"organizer_name_info": "あなたの名前",
"additional_notes_info": "予約の追加メモ",
"attendee_name_info": "予約者名",
"to": "送信先",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "フォームへのリンクをコピー",
"theme": "テーマ",
"theme_applies_note": "公開予約ページにのみ適用されます",
"theme_light": "ライト",
"theme_dark": "ダーク",
"theme_system": "システムデフォルト",
"add_a_team": "チームを追加",
"add_webhook_description": "{{appName}} で何かが起こったときに会議データをリアルタイムに受信します",
@ -1352,7 +1319,6 @@
"enable_webhook": "ウェブフックを有効にする",
"add_webhook": "ウェブフックを追加",
"webhook_edited_successfully": "ウェブフックを保存しました",
"webhooks_description": "{{appName}} で何かが起こったときに会議データをリアルタイムに受信します",
"api_keys_description": "自分のアカウントにアクセスするための API キーを生成します",
"new_api_key": "新しい API キー",
"active": "有効",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "あなたは現在、無料プランを利用しています",
"billing_freeplan_description": "チームで利用すれば、さらに業務効率が上がります。ラウンドロビンや共有イベントでワークフローを拡張し、高度なルーティングフォームを作成しましょう",
"billing_freeplan_cta": "今すぐ試す",
"billing_manage_details_title": "請求情報の詳細を表示・管理する",
"billing_manage_details_description": "請求情報の詳細の表示や編集、サブスクリプションのキャンセルを行います。",
"billing_portal": "請求ポータル",
"billing_help_title": "他にもお手伝いできることはありませんか?",
"billing_help_description": "請求に関してサポートが必要な場合には、サポートチームがお手伝いさせていただきます。",
"billing_help_cta": "サポートに問い合わせる",
"ignore_special_characters_booking_questions": "予約時質問識別子に含まれている特殊文字はすべて無視し、アルファベットと数字のみを使用してください",
"retry": "再試行",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "カレンダーの接続に失敗しました",
"booking_confirmation_success": "正常に予約を確認しました",
"booking_rejection_success": "予約を正常に拒否しました",
"booking_confirmation_fail": "予約の確認に失敗しました",
"booking_tentative": "この予約は暫定的なものです",
"booking_accept_intent": "やっぱり承認します",
"we_wont_show_again": "次回から表示しない",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "{{eventTypeTitle}} 空き状況",
"error_editing_availability": "空き状況の編集中にエラーが発生しました",
"dont_have_permission": "このリソースへのアクセスは許可されていません。",
"saml_config": "シングルサインオン",
"saml_configuration_placeholder": "ID プロバイダーから提供されている SAML のメタデータをこちらに貼り付けてください",
"saml_email_required": "SAML ID プロバイダーを見つけるために、メールアドレスを入力してください",
"saml_sp_title": "サービスプロバイダーの詳細情報",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "SP エンティティ ID",
"saml_sp_acs_url_copied": "ACS URL をコピーしました!",
"saml_sp_entity_id_copied": "SP エンティティ ID をコピーしました!",
"saml_btn_configure": "構成する",
"add_calendar": "カレンダーを追加",
"limit_future_bookings": "今後の予約期間の設定",
"limit_future_bookings_description": "今後いつまでこのイベントを予約できるかを設定します",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "はい。{{connectionType}} の構成を削除します",
"delete_sso_configuration_confirmation_description": "{{connectionType}} の構成を削除してもよろしいですか?{{connectionType}} でのログインを使用しているチームメンバーは、Cal.com にアクセスできなくなります。",
"organizer_timezone": "主催者のタイムゾーン",
"email_no_user_cta": "アカウントを作成",
"email_user_cta": "招待を表示",
"email_no_user_invite_heading": "{{appName}} のチームに参加するよう招待されました",
"email_no_user_invite_subheading": "{{invitedBy}} は {{appName}} のチームに参加するようあなたを招待しました。{{appName}} は、イベント調整スケジューラーです。チームと延々とメールのやりとりをすることなくミーティングのスケジュール設定を行うことができます。",
@ -1648,7 +1606,6 @@
"create_event_on": "次のカレンダーにイベントを作成",
"default_app_link_title": "デフォルトのアプリリンクを設定",
"default_app_link_description": "デフォルトのアプリリンクを設定することで、新たに作成するすべてのイベントの種類が設定したアプリリンクを使用できるようになります。",
"change_default_conferencing_app": "デフォルトとして設定",
"organizer_default_conferencing_app": "主催者のデフォルトのアプリ",
"under_maintenance": "メンテナンスのため停止中",
"under_maintenance_description": "{{appName}} チームが定期メンテナンスを行っています。質問がある場合には、サポートへとお問い合わせください。",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "予約の確認に失敗しました",
"not_enough_seats": "座席が不足しています",
"form_builder_field_already_exists": "この名前のフィールドは既に存在します",
"form_builder_field_add_subtitle": "予約ページで尋ねる質問をカスタマイズする",
"show_on_booking_page": "予約ページに表示",
"get_started_zapier_templates": "Zapier テンプレートの使用を開始する",
"team_is_unpublished": "{{team}} は公開されていません",
@ -1715,7 +1671,6 @@
"verification_code": "確認コード",
"can_you_try_again": "別の時間帯でもう 1 度お試しください",
"verify": "確認する",
"timezone_variable": "タイムゾーン",
"timezone_info": "受信するユーザーのタイムゾーン",
"event_end_time_variable": "イベントの終了時刻",
"event_end_time_info": "イベントの終了時刻",
@ -1764,7 +1719,6 @@
"events_rescheduled": "イベントのスケジュールが変更されました",
"from_last_period": "最後の期間から",
"from_to_date_period": "開始: {{startDate}} 終了: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "チームのアクティビティについてさらに詳しく知る",
"redirect_url_warning": "リダイレクトを追加すると、予約完了ページが無効化されます。カスタム予約完了ページには、必ず \"予約が完了しました\" と記載してください。",
"event_trends": "イベントの傾向",
@ -1795,7 +1749,6 @@
"complete_your_booking": "予約を完了する",
"complete_your_booking_subject": "次の予約を完了する: {{date}} の {{title}}",
"confirm_your_details": "詳細を確認",
"never_expire": "有効期限なし",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "出席者に {{amount, currency}} を請求しようとしています。続けますか?",
"charge_attendee": "出席者に {{amount, currency}} を請求",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "{{appName}} 계정 설정을 완료하세요! 몇 단계만 거치면 모든 일정 문제를 해결할 수 있습니다.",
"have_any_questions": "질문이 있나요? 도와드릴게요.",
"reset_password_subject": "{{appName}}: 비밀번호 재설정 방법",
"verify_email_banner_button": "이메일 보내기",
"event_declined_subject": "거절됨: {{date}} {{title}}",
"event_cancelled_subject": "취소됨: {{date}} {{title}}",
"event_request_declined": "회의 요청이 거절되었습니다.",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "회의가 예약되었습니다.",
"event_type_has_been_rescheduled_on_time_date": "귀하의 {{title}} 일정이 {{date}}로 변경되었습니다.",
"event_has_been_rescheduled": "업데이트 - 이벤트 일정이 변경되었습니다.",
"request_reschedule_title_attendee": "예약 일정 변경 요청",
"request_reschedule_subtitle": "{{organizer}}에서 예약을 취소했고 다른 시간을 선택할 것을 요청했습니다.",
"request_reschedule_title_organizer": "{{attendee}}에게 일정 변경을 요청하셨습니다",
"request_reschedule_subtitle_organizer": "예약을 취소하셨기 때문에 {{attendee}} 님이 새 예약 시간을 선택해야 합니다.",
"rescheduled_event_type_subject": "일정 변경 요청이 보내짐: {{date}}에 {{name}}(으)로 {{eventType}}",
"requested_to_reschedule_subject_attendee": "일정 변경 조치 필요: {{name}} 님과 함께 새로운 {{eventType}} 시간을 예약하십시오",
"reschedule_reason": "일정 변경 사유",
"hi_user_name": "안녕하세요 {{name}}",
"ics_event_title": "{{eventType}}과 {{name}}",
"new_event_subject": "새 이벤트: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "{{appName}}을 방문하신 것을 환영합니다",
"welcome_instructions": "당신의 별명과 시간대를 알려주세요. 이 부분은 나중에 고칠 수 있습니다.",
"connect_caldav": "CalDav(베타)에 연결",
"credentials_stored_and_encrypted": "당신의 정보는 저장되고 암호화됩니다.",
"connect": "연결",
"try_for_free": "무료로 사용해 보세요.",
"create_booking_link_with_calcom": "{{appName}}에서 예약 링크를 만들어보세요.",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}}님은 여전히 각 되풀이 회의 예약을 확인 또는 거부해야 합니다.",
"meeting_is_scheduled": "회의 일정이 잡혔습니다.",
"meeting_is_scheduled_recurring": "되풀이 이벤트가 예약되었습니다",
"submitted_recurring": "되풀이 회의가 제출되었습니다",
"booking_submitted": "예약 전송",
"booking_submitted_recurring": "되풀이 회의가 제출되었습니다",
"booking_confirmed": "예약 확정",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "이 예약은 이미 승인 또는 거부되었습니다",
"go_back_home": "홈으로 돌아가기",
"or_go_back_home": "또는 홈으로 돌아가기",
"no_availability": "이용불가능",
"no_meeting_found": "모임을 찾을 수 없습니다",
"no_meeting_found_description": "존재하지 않는 회의입니다. 회의 운영자에게 새 링크를 문의하세요.",
"no_status_bookings_yet": "{{status}} 예약이 없음",
@ -448,7 +442,6 @@
"invalid_password_hint": "비밀번호는 7자 이상이어야 하고 숫자가 하나 이상 포함되어야 하며 대문자와 소문자가 혼합되어야 합니다",
"incorrect_password": "비밀번호가 잘못되었습니다",
"incorrect_username_password": "사용자 이름 또는 비밀번호가 잘못되었습니다.",
"24_h": "24시간",
"use_setting": "사용 설정",
"am_pm": "am/pm",
"time_options": "시간 옵션",
@ -491,15 +484,11 @@
"booking_confirmation": "{{profileName}}로 {{eventTypeTitle}} 확인",
"booking_reschedule_confirmation": "{{profileName}}을 사용하여 {{eventTypeTitle}} 일정을 변경하세요.",
"in_person_meeting": "온라인 또는 오프라인 회의",
"attendee_in_person": "직접 방문(참석자 주소)",
"in_person": "방문(주최자 주소)",
"link_meeting": "회의 링크",
"phone_call": "참석자 전화 번호",
"your_number": "본인 전화 번호",
"phone_number": "전화 번호",
"attendee_phone_number": "참석자 전화 번호",
"organizer_phone_number": "주최자 전화번호",
"host_phone_number": "본인 전화 번호",
"enter_phone_number": "전화 번호 입력",
"reschedule": "일정 변경",
"reschedule_this": "대신 일정 조정하기",
@ -625,9 +614,6 @@
"new_event_type_btn": "새 이벤트 타입",
"new_event_type_heading": "첫 번째 이벤트 타입 만들기",
"new_event_type_description": "이벤트 타입을 사용하면 캘린더에서 사용 가능한 시간을 표시하는 링크를 공유하고, 사람들이 당신과 함께 예약할 수 있습니다.",
"new_event_title": "새 이벤트 타입 추가하기",
"new_team_event": "새 팀 이벤트 타입 추가",
"new_event_description": "사람들이 시간을 예약할 수 있는 새 이벤트 타입을 만듭니다.",
"event_type_created_successfully": "{{eventTypeTitle}} 이벤트 타입이 성공적으로 생성되었습니다.",
"event_type_updated_successfully": "{{eventTypeTitle}} 이벤트 타입이 성공적으로 업데이트되었습니다.",
"event_type_deleted_successfully": "이벤트 타입이 성공적으로 삭제되었습니다.",
@ -796,7 +782,6 @@
"automation": "자동화",
"configure_how_your_event_types_interact": "이벤트 타입이 캘린더와 상호 작용하는 방식을 구성합니다.",
"toggle_calendars_conflict": "중복 예약을 방지하기 위해 충돌을 확인하려는 캘린더를 전환합니다.",
"select_destination_calendar": "이벤트 작성일",
"connect_additional_calendar": "추가 캘린더 연결",
"calendar_updated_successfully": "캘린더가 업데이트되었습니다",
"conferencing": "회의",
@ -830,7 +815,6 @@
"number_apps_other": "앱 {{count}}개",
"trending_apps": "트랜드 앱",
"most_popular": "인기 항목",
"explore_apps": "{{category}} 앱",
"installed_apps": "설치된 앱",
"free_to_use_apps": "무료",
"no_category_apps": "{{category}} 앱 없음",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "모든 종류의 작업을 수행하는 다른 유형의 앱을 추가합니다",
"no_category_apps_description_web3": "예약 페이지에 web3 앱 추가",
"installed_app_calendar_description": "중복 예약을 방지하기 위해 충돌을 확인하도록 캘린더를 설정합니다.",
"installed_app_conferencing_description": "회의에 즐겨 사용하는 화상 회의 앱을 추가합니다",
"installed_app_payment_description": "고객에게 요금 청구 시 사용할 결제 처리 서비스를 구성합니다.",
"installed_app_analytics_description": "예약 페이지에 사용할 분석 앱 구성",
"installed_app_other_description": "기타 카테고리에서 설치된 모든 앱.",
@ -868,7 +851,6 @@
"terms_of_service": "서비스 약관",
"remove": "제거",
"add": "추가",
"installed_one": "설치됨",
"installed_other": "{{count}}개 설치됨",
"verify_wallet": "지갑 인증",
"create_events_on": "이벤트 생성일:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "{{scheduleName}} 일정이 성공적으로 업데이트되었습니다.",
"schedule_deleted_successfully": "일정이 성공적으로 삭제되었습니다",
"default_schedule_name": "작업 시간",
"member_default_schedule": "회원의 기본 일정",
"new_schedule_heading": "가용성 일정 생성",
"new_schedule_description": "가용성 일정을 생성하면 이벤트 유형 전반에 걸쳐 가용성을 관리할 수 있습니다. 하나 이상의 이벤트 유형에 적용할 수 있습니다.",
"requires_ownership_of_a_token": "다음 주소에 속한 토큰의 소유권이 필요합니다:",
@ -933,8 +914,6 @@
"api_key_no_note": "이름 없는 API 키",
"api_key_never_expires": "이 API 키에는 만료일이 없습니다",
"edit_api_key": "API 키 편집",
"never_expire_key": "만료되지 않음",
"delete_api_key": "API 키 취소",
"success_api_key_created": "API 키가 생성되었습니다",
"success_api_key_edited": "API 키가 업데이트되었습니다",
"create": "생성",
@ -975,7 +954,6 @@
"event_location_changed": "업데이트됨 - 해당 이벤트에서 위치 변경함",
"location_changed_event_type_subject": "위치 변경됨: {{name}} 님의 {{eventType}} 날짜 {{date}}",
"current_location": "현재 위치",
"user_phone": "본인 전화 번호",
"new_location": "새 위치",
"session": "세션",
"session_description": "계정 세션 제어",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Zapier 계정에 로그인하고 새 Zap을 만듭니다.</0><1>Cal.com을 트리거 앱으로 선택합니다. 또한 트리거 이벤트를 선택합니다.</1><2>계정을 선택한 후 고유 API 키를 입력합니다.</2><3>트리거를 테스트합니다.</3><4>설정이 완료되었습니다!</4 >",
"install_zapier_app": "먼저 앱 스토어에서 Zapier 앱을 설치하십시오.",
"connect_apple_server": "Apple 서버에 연결하기",
"connect_caldav_server": "CalDav(베타)에 연결",
"calendar_url": "캘린더 URL",
"apple_server_generate_password": "{{appName}}에서 사용할 앱 비밀번호 생성:",
"credentials_stored_encrypted": "귀하의 자격 증명은 저장되고 암호화됩니다.",
@ -1033,7 +1010,6 @@
"go_to": "이동: ",
"zapier_invite_link": "Zapier 초대 링크",
"meeting_url_provided_after_confirmed": "회의 URL은 이벤트가 확정되면 생성됩니다.",
"attendees_name": "참석자 이름",
"dynamically_display_attendee_or_organizer": "참석자의 이름을 동적으로 표시하거나, 참석자가 보는 경우 귀하의 이름을 표시합니다",
"event_location": "이벤트 위치",
"reschedule_optional": "일정 변경 사유(선택사항)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Exchange 2016 Server 연결하기",
"custom_template": "사용자 정의 템플릿",
"email_body": "이메일 본문",
"subject": "이메일 제목",
"text_message": "문자 메시지",
"specific_issue": "특정한 문제가 있나요?",
"browse_our_docs": "우리 문서 탐색",
@ -1135,12 +1110,9 @@
"new_seat_title": "누군가가 이벤트에 자신을 추가했습니다",
"variable": "변수",
"event_name_variable": "이벤트 이름",
"organizer_name_variable": "주최자",
"attendee_name_variable": "참석자",
"event_date_variable": "이벤트 날짜",
"event_time_variable": "이벤트 시간",
"location_variable": "위치",
"additional_notes_variable": "추가 참고 사항",
"app_upgrade_description": "이 기능을 사용하려면 Pro 계정으로 업그레이드해야 합니다.",
"invalid_number": "유효하지 않은 전화 번호",
"navigate": "탐색하기",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "반복 일정을 설정합니다",
"today": "오늘",
"appearance": "모양",
"appearance_subtitle": "예약 모양 설정 관리",
"my_account": "내 계정",
"general": "일반",
"calendars": "캘린더",
@ -1254,7 +1225,6 @@
"conferencing_description": "회의에 즐겨 사용하는 화상 회의 앱 추가",
"add_conferencing_app": "회의 앱 추가",
"password_description": "계정 비밀번호 설정 관리",
"2fa_description": "계정 비밀번호 설정 관리",
"we_just_need_basic_info": "프로필 설정을 위해 몇 가지 기본 정보만 있으면 됩니다.",
"skip": "건너뛰기",
"do_this_later": "나중에",
@ -1278,7 +1248,6 @@
"event_date_info": "이벤트 날짜",
"event_time_info": "이벤트 시작 시간",
"location_info": "이벤트 위치",
"organizer_name_info": "귀하의 이름",
"additional_notes_info": "예약 추가 메모",
"attendee_name_info": "예약자 이름",
"to": "대상",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "양식에 링크 복사",
"theme": "테마",
"theme_applies_note": "공개 예약 페이지에만 적용됩니다",
"theme_light": "밝음",
"theme_dark": "어두움",
"theme_system": "시스템 기본값",
"add_a_team": "팀 추가",
"add_webhook_description": "{{appName}}에서 문제 발생 시 실시간으로 회의 데이터 수신",
@ -1352,7 +1319,6 @@
"enable_webhook": "웹훅 사용",
"add_webhook": "웹훅 추가",
"webhook_edited_successfully": "웹훅 저장됨",
"webhooks_description": "{{appName}}에서 문제 발생 시 실시간으로 회의 데이터 수신",
"api_keys_description": "자신의 계정에 액세스하기 위한 API 키 생성",
"new_api_key": "새 API 키",
"active": "활성",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "현재 무료 요금제를 사용 중입니다",
"billing_freeplan_description": "팀이 되어 일할 때 능률이 오릅니다. 라운드 로빈 및 집합 이벤트로 워크플로를 확장하고 고급 라우팅 양식을 만드십시오.",
"billing_freeplan_cta": "지금 시도하기",
"billing_manage_details_title": "청구 세부정보 보기 및 관리",
"billing_manage_details_description": "청구 세부정보 확인 및 수정, 혹은 구독을 취소합니다.",
"billing_portal": "대금청구 포털",
"billing_help_title": "또 필요한 것이 있나요?",
"billing_help_description": "청구와 관련하여 추가적인 도움이 필요한 경우 지원 팀이 도와드리겠습니다.",
"billing_help_cta": "지원 문의",
"ignore_special_characters_booking_questions": "예약 질문 ID의 특수 문자는 무시합니다. 문자와 숫자만 사용하십시오",
"retry": "재시도",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "캘린더 연결 실패",
"booking_confirmation_success": "예약 확인 성공",
"booking_rejection_success": "예약이 거부됨",
"booking_confirmation_fail": "예약 확인 실패",
"booking_tentative": "이 예약은 잠정적입니다",
"booking_accept_intent": "네, 수락하겠습니다",
"we_wont_show_again": "다시 표시 안 함",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "{{eventTypeTitle}} 가용성",
"error_editing_availability": "사용 가능 여부를 수정하는 중 오류가 발생했습니다",
"dont_have_permission": "이 리소스에 접근할 권한이 없습니다.",
"saml_config": "싱글 사인온",
"saml_configuration_placeholder": "여기에 ID 제공자의 SAML 메타데이터를 붙여넣으세요.",
"saml_email_required": "SAML ID 제공자를 찾을 수 있도록 이메일을 입력하세요.",
"saml_sp_title": "서비스 제공자 세부 정보",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "SP 엔터티 ID",
"saml_sp_acs_url_copied": "ACS URL이 복사되었습니다!",
"saml_sp_entity_id_copied": "SP 엔터티 ID가 복사되었습니다!",
"saml_btn_configure": "구성",
"add_calendar": "캘린더 추가",
"limit_future_bookings": "향후 예약 제한",
"limit_future_bookings_description": "앞으로 이 이벤트를 예약할 수 있는 기간 제한",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "예, {{connectionType}} 구성을 삭제합니다",
"delete_sso_configuration_confirmation_description": "{{connectionType}} 구성을 삭제하시겠습니까? {{connectionType}} 로그인을 사용하는 팀원은 더 이상 Cal.com에 액세스할 수 없습니다.",
"organizer_timezone": "주최자 시간대",
"email_no_user_cta": "계정 만들기",
"email_user_cta": "초대 보기",
"email_no_user_invite_heading": "{{appName}} 팀에 초대되었습니다",
"email_no_user_invite_subheading": "{{invitedBy}} 님이 귀하를 {{appName}}에서 자신의 팀에 초대했습니다. {{appName}} 앱은 귀하와 귀하의 팀이 이메일을 주고 받지 않고 회의 일정을 잡을 수 있게 해주는 이벤트 정리 스케줄러입니다.",
@ -1648,7 +1606,6 @@
"create_event_on": "이벤트 생성일:",
"default_app_link_title": "기본 앱 링크 설정",
"default_app_link_description": "기본 앱 링크를 설정하면 새로 생성된 모든 이벤트 유형에서 설정된 앱 링크를 사용할 수 있습니다.",
"change_default_conferencing_app": "기본값으로 설정",
"organizer_default_conferencing_app": "주최자의 기본 앱",
"under_maintenance": "아래로 밀어 유지관리",
"under_maintenance_description": "{{appName}} 팀에서 예정된 유지관리를 수행하고 있습니다. 궁금한 점이 있으면 지원팀에 문의하세요.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "예약 확인 실패",
"not_enough_seats": "좌석이 부족합니다",
"form_builder_field_already_exists": "이 이름을 가진 필드가 이미 존재합니다",
"form_builder_field_add_subtitle": "예약 페이지에서 묻는 질문을 사용자 정의합니다",
"show_on_booking_page": "예약 페이지에 표시",
"get_started_zapier_templates": "Zapier 템플릿 시작하기",
"team_is_unpublished": "{{team}} 팀은 게시되지 않았습니다",
@ -1715,7 +1671,6 @@
"verification_code": "인증 코드",
"can_you_try_again": "다른 시간으로 다시 해보시겠어요?",
"verify": "인증",
"timezone_variable": "시간대",
"timezone_info": "예약 수신자의 시간대",
"event_end_time_variable": "이벤트 종료 시간",
"event_end_time_info": "이벤트가 종료되는 시간",
@ -1764,7 +1719,6 @@
"events_rescheduled": "일정이 변경된 이벤트",
"from_last_period": "마지막 기간부터",
"from_to_date_period": "시작일: {{startDate}} 종료일: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "팀 활동에 대해 자세히 알아보기",
"redirect_url_warning": "리디렉션을 추가하면 성공 페이지가 비활성화됩니다. 사용자 지정 성공 페이지에 \"예약 확정\"을 언급해야 합니다.",
"event_trends": "이벤트 트렌드",
@ -1795,7 +1749,6 @@
"complete_your_booking": "예약을 완료하세요",
"complete_your_booking_subject": "예약 완료: {{title}} 날짜 {{date}}",
"confirm_your_details": "세부 정보 확인",
"never_expire": "만료되지 않음",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "참석자에게 {{amount, currency}}을 청구하려고 합니다. 계속 진행하시겠습니까?",
"charge_attendee": "참석자에게 {{amount, currency}}을 청구합니다.",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Voltooi het instellen van uw {{appName}}-account! U bent slechts enkele stappen verwijderd van het oplossen van al uw planningsproblemen.",
"have_any_questions": "Heeft u vragen? We zijn er om te helpen.",
"reset_password_subject": "{{appName}}: Instructies voor het opnieuw instellen van uw wachtwoord",
"verify_email_banner_button": "E-mail versturen",
"event_declined_subject": "Afgewezen: {{title}}",
"event_cancelled_subject": "Geannuleerd: {{title}} op {{date}}",
"event_request_declined": "Uw gebeurtenisverzoek is geweigerd",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Uw afspraak is geboekt",
"event_type_has_been_rescheduled_on_time_date": "Uw {{title}} is verplaatst naar {{date}}.",
"event_has_been_rescheduled": "Bijgewerkt - Uw gebeurtenis is verplaatst",
"request_reschedule_title_attendee": "Vezoek om uw boeking te verplaatsen",
"request_reschedule_subtitle": "{{organizer}} heeft de boeking geannuleerd en u verzocht een andere tijd te kiezen.",
"request_reschedule_title_organizer": "U heeft {{attendee}} gevraagd om te verplaatsen",
"request_reschedule_subtitle_organizer": "U heeft de boeking geannuleerd en {{attendee}} moet samen met u een nieuwe boekingstijd kiezen.",
"rescheduled_event_type_subject": "Verplaatst: {{eventType}} met {{name}} op {{date}}",
"requested_to_reschedule_subject_attendee": "Actie vereist voor verplaatsing: boek een nieuwe tijd voor {{eventType}} met {{name}}",
"reschedule_reason": "Reden voor verplaatsen",
"hi_user_name": "Hallo {{name}}",
"ics_event_title": "{{eventType}} met {{name}}",
"new_event_subject": "Nieuwe afspraak: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Welkom bij {{appName}}",
"welcome_instructions": "Laat ons weten hoe we u moeten noemen en in welke tijdzone u zich bevindt. U kunt dit op een later tijdstip nog aanpassen.",
"connect_caldav": "Verbinding maken met de CalDav (Beta)",
"credentials_stored_and_encrypted": "Uw inloggegevens worden opgeslagen en versleuteld.",
"connect": "Koppelen",
"try_for_free": "Probeer het gratis",
"create_booking_link_with_calcom": "Maak uw eigen boekingslink met {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} moet nog steeds elke boeking van de terugkerende afspraak bevestigen of weigeren.",
"meeting_is_scheduled": "Deze afspraak is ingeboekt",
"meeting_is_scheduled_recurring": "De terugkerende gebeurtenissen zijn gepland",
"submitted_recurring": "Uw terugkerende afspraak is verzonden",
"booking_submitted": "Afspraak Verzonden",
"booking_submitted_recurring": "Uw terugkerende afspraak is verzonden",
"booking_confirmed": "Afspraak bevestigd",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Deze boeking is al geaccepteerd of geweigerd",
"go_back_home": "Terug naar startpagina",
"or_go_back_home": "Of ga terug naar de startpagina",
"no_availability": "Onbeschikbaar",
"no_meeting_found": "Afspraak Niet Gevonden",
"no_meeting_found_description": "Kan deze afspraak niet vinden. Neem contact op met de organisator voor een nieuwe link.",
"no_status_bookings_yet": "Geen {{status}} afspraken",
@ -448,7 +442,6 @@
"invalid_password_hint": "Het wachtwoord moet minimaal {{passwordLength}} tekens lang zijn, minimaal 1 cijfer bevatten en bestaan uit een mix van hoofd- en kleine letters",
"incorrect_password": "Uw wachtwoord is incorrect.",
"incorrect_username_password": "Gebruikersnaam of wachtwoord is onjuist.",
"24_h": "24u",
"use_setting": "Instelling gebruiken",
"am_pm": "am/pm",
"time_options": "Tijd, datum en tijdzone instellen",
@ -491,15 +484,11 @@
"booking_confirmation": "Bevestig uw {{eventTypeTitle}} met {{profileName}}",
"booking_reschedule_confirmation": "Opnieuw plannen van uw {{eventTypeTitle}} met {{profileName}}",
"in_person_meeting": "Online of persoonlijk afspreken",
"attendee_in_person": "Persoonlijk (adres deelnemer)",
"in_person": "Persoonlijk (adres organisator)",
"link_meeting": "Vergadering koppelen",
"phone_call": "Telefoonnummer deelnemer",
"your_number": "Uw telefoonnummer",
"phone_number": "Telefoon nummer",
"attendee_phone_number": "Telefoonnummer deelnemer",
"organizer_phone_number": "Telefoonnummer organisator",
"host_phone_number": "Uw telefoonnummer",
"enter_phone_number": "Telefoonnummer",
"reschedule": "Boeking wijzigen",
"reschedule_this": "Verplaatst in plaats daarvan",
@ -625,9 +614,6 @@
"new_event_type_btn": "Nieuw evenement",
"new_event_type_heading": "Maak uw eerste evenement aan",
"new_event_type_description": "Evenementen stellen u in staat om links te delen die beschikbare tijden tonen op uw agenda en bezoekers hiervan kunnen deze gebruiken om afspraken te maken.",
"new_event_title": "Een evenement toevoegen",
"new_team_event": "Een nieuw type vergadering toevoegen",
"new_event_description": "Maak een nieuw evenement voor bezoekers om afspraken te maken.",
"event_type_created_successfully": "{{eventTypeTitle}} evenement met succes aangemaakt",
"event_type_updated_successfully": "Evenement is bijgewerkt",
"event_type_deleted_successfully": "Evenement is verwijderd",
@ -796,7 +782,6 @@
"automation": "Automatisering",
"configure_how_your_event_types_interact": "Stel in hoe uw evenementen met uw agenda wilt verbinden.",
"toggle_calendars_conflict": "Schakel de agenda's in die u wilt controleren op conflicten om dubbele boekingen te voorkomen.",
"select_destination_calendar": "Maak gebeurtenissen aan op",
"connect_additional_calendar": "Extra agenda kopppelen",
"calendar_updated_successfully": "Agenda bijgewerkt",
"conferencing": "Confereren",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} apps",
"trending_apps": "Trending apps",
"most_popular": "Meest populair",
"explore_apps": "{{category}}-apps",
"installed_apps": "Geinstalleerde apps",
"free_to_use_apps": "Gratis",
"no_category_apps": "Geen apps voor {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Voeg een ander type app toe om allerlei soorten dingen te doen",
"no_category_apps_description_web3": "Voeg een web3-app toe aan uw boekingspagina's",
"installed_app_calendar_description": "Stel de agenda('s) in om te controleren op conflicten om dubbele boekingen te voorkomen.",
"installed_app_conferencing_description": "Voeg uw favoriete apps voor videoconferenties toe voor uw vergaderingen",
"installed_app_payment_description": "Configureer welke betalingsverwerkingsdiensten u wilt gebruiken bij het factureren aan uw klanten.",
"installed_app_analytics_description": "Configureer welke analyse-apps moeten worden gebruikt voor uw boekingspagina's",
"installed_app_other_description": "Alle geïnstalleerde apps uit andere categorieën.",
@ -868,7 +851,6 @@
"terms_of_service": "Gebruiksvoorwaarden",
"remove": "Verwijderen",
"add": "Toevoegen",
"installed_one": "Geïnstalleerd",
"installed_other": "{{count}} keer geïnstalleerd",
"verify_wallet": "Wallet verifiëren",
"create_events_on": "Maak gebeurtenissen aan in de",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Beschikbaarheid bijgewerkt",
"schedule_deleted_successfully": "Planning verwijderd",
"default_schedule_name": "Werktijden",
"member_default_schedule": "Standaardschema lid",
"new_schedule_heading": "Beschikbaarheidsschema aanmaken",
"new_schedule_description": "Door beschikbaarheidsschema's te maken kunt u de beschikbaarheid beheren voor verschillende gebeurteenistypes. Ze kunnen worden toegepast op één of meer gebeurtenistypes.",
"requires_ownership_of_a_token": "Vereist eigendom van een token dat aan het volgende adres toebehoort:",
@ -933,8 +914,6 @@
"api_key_no_note": "Naamloze API-sleutel",
"api_key_never_expires": "Deze API-sleutel heeft geen verloopdatum",
"edit_api_key": "API-sleutel bewerken",
"never_expire_key": "Verloopt nooit",
"delete_api_key": "API-sleutel intrekken",
"success_api_key_created": "API-sleutel aangemaakt",
"success_api_key_edited": "API-sleutel bijgewerkt",
"create": "Aanmaken",
@ -975,7 +954,6 @@
"event_location_changed": "Bijgewerkt - de locatie van uw gebeurtenis is gewijzigd",
"location_changed_event_type_subject": "Locatie gewijzigd: {{eventType}} met {{name}} op {{date}}",
"current_location": "Huidige locatie",
"user_phone": "Uw telefoonnummer",
"new_location": "Nieuwe locatie",
"session": "Sessie",
"session_description": "Beheer uw accountsessie",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Meld u aan op uw Zapier-account en maak een nieuwe Zap.</0><1>Selecteer {{appName}} als uw activatie-app. Kies ook een activatiegebeurtenis.</1><2>Kies uw account en voer vervolgens uw unieke API-sleutel in.</2><3>Test uw activatie.</3><4>U bent er klaar voor!</4>",
"install_zapier_app": "Installeer eerst de Zapier-app in de App Store.",
"connect_apple_server": "Verbinding maken met Apple Server",
"connect_caldav_server": "Verbinding maken met CalDav (bèta)",
"calendar_url": "Agenda-URL",
"apple_server_generate_password": "Genereer een appspecifiek wachtwoord voor gebruik met {{appName}} op",
"credentials_stored_encrypted": "Uw inloggegevens worden opgeslagen en versleuteld.",
@ -1033,7 +1010,6 @@
"go_to": "Ga naar: ",
"zapier_invite_link": "Zapier-uitnodigingslink",
"meeting_url_provided_after_confirmed": "Er wordt een afspraak-URL gemaakt zodra de gebeurtenis bevestigd is.",
"attendees_name": "Naam deelnemer",
"dynamically_display_attendee_or_organizer": "Geef dynamisch de naam van uw deelnemer weer aan u of uw naam als het door uw deelnemer bekeken wordt",
"event_location": "Locatie gebeurtenis",
"reschedule_optional": "Reden voor verplaatsen (optioneel)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Verbinding maken met Exchange 2016 Server",
"custom_template": "Aangepast sjabloon",
"email_body": "E-mailtekst",
"subject": "Onderwerp",
"text_message": "Tekstbericht",
"specific_issue": "Heeft u een specifiek probleem?",
"browse_our_docs": "door onze documenten bladen",
@ -1135,12 +1110,9 @@
"new_seat_title": "Iemand heeft zichzelf toegevoegd aan een evenement",
"variable": "Variabel",
"event_name_variable": "Naam gebeurtenis",
"organizer_name_variable": "Naam organisator",
"attendee_name_variable": "Deelnemer",
"event_date_variable": "Datum gebeurtenis",
"event_time_variable": "Tijd gebeurtenis",
"location_variable": "Locatie",
"additional_notes_variable": "Aanvullende opmerkingen",
"app_upgrade_description": "Om deze functie te gebruiken, moet u upgraden naar een Pro-account.",
"invalid_number": "Ongeldig telefoonnummer",
"navigate": "Navigeren",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Stel een herhalingsschema in",
"today": "vandaag",
"appearance": "Weergave",
"appearance_subtitle": "Beheer de instellingen voor uw boekingsweergave",
"my_account": "Mijn account",
"general": "Algemeen",
"calendars": "Agenda's",
@ -1254,7 +1225,6 @@
"conferencing_description": "Beheer uw favoriete apps voor videoconferenties voor uw vergaderingen",
"add_conferencing_app": "Conferentieapp toevoegen",
"password_description": "Beheer de instellingen voor uw accountwachtwoorden",
"2fa_description": "Beheer de instellingen voor uw accountwachtwoorden",
"we_just_need_basic_info": "We hebben alleen wat basisinformatie nodig om uw profiel te kunnen configureren.",
"skip": "Overslaan",
"do_this_later": "Doe dit later",
@ -1278,7 +1248,6 @@
"event_date_info": "De datum van de gebeurtenis",
"event_time_info": "De begintijd van de gebeurtenis",
"location_info": "De locatie van de gebeurtenis",
"organizer_name_info": "Uw naam",
"additional_notes_info": "De aanvullende opmerkingen bij de boeking",
"attendee_name_info": "De naam van de persoon die boekt",
"to": "Aan",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Link kopiëren naar formulier",
"theme": "Thema",
"theme_applies_note": "Dit is alleen van toepassing op uw openbare boekingspagina's",
"theme_light": "Licht",
"theme_dark": "Donker",
"theme_system": "Systeemstandaard",
"add_a_team": "Voeg een team toe",
"add_webhook_description": "Ontvang in realtime vergadergegevens wanneer er iets gebeurt in {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "Webhook inschakelen",
"add_webhook": "Webhook toevoegen",
"webhook_edited_successfully": "Webhook opgeslagen",
"webhooks_description": "Ontvang in realtime vergadergegevens wanneer er iets gebeurt in {{appName}}",
"api_keys_description": "Genereer API-sleutels voor toegang tot uw eigen account",
"new_api_key": "Nieuwe API-sleutel",
"active": "Actief",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "U heeft momenteel het GRATIS abonnement",
"billing_freeplan_description": "We werken beter in teams. Breid uw werkstromen uit met Round Robin en collectieve gebeurtenissen en maak geavanceerde routeringsformulieren",
"billing_freeplan_cta": "Nu proberen",
"billing_manage_details_title": "Uw factureringsgegevens bekijken en beheren",
"billing_manage_details_description": "Bekijk en bewerk uw factureringsgegevens of zeg uw abonnement op.",
"billing_portal": "Factureringsportaal",
"billing_help_title": "Nog iets nodig?",
"billing_help_description": "Als u verder nog hulp nodig heeft bij de facturering, is ons ondersteuningsteam er om u te helpen.",
"billing_help_cta": "Contact opnemen met de ondersteuning",
"ignore_special_characters_booking_questions": "Negeer speciale tekens in uw boekingsvraag-ID. Gebruik alleen letters en cijfers",
"retry": "Opnieuw proberen",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Agendaverbinding mislukt",
"booking_confirmation_success": "Boekingsbevestiging gelukt",
"booking_rejection_success": "Boekingsweigering gelukt",
"booking_confirmation_fail": "Boekingsbevestiging mislukt",
"booking_tentative": "Deze boeking is voorlopig",
"booking_accept_intent": "Oeps, ik wil accepteren",
"we_wont_show_again": "We zullen dit niet opnieuw weergeven",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Beschikbaarheid {{eventTypeTitle}}",
"error_editing_availability": "Fout bij het bewerken van de beschikbaarheid",
"dont_have_permission": "U heeft geen machting voor toegang tot dit hulpmiddel.",
"saml_config": "Eenmalige aanmelding",
"saml_configuration_placeholder": "Plak de SAML-metagegevens van uw identiteitsprovider hier",
"saml_email_required": "Voer een e-mailadres in zodat we uw SAML-identiteitsprovider kunnen vinden",
"saml_sp_title": "Serviceprovidergegevens",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "SP-entiteits-ID",
"saml_sp_acs_url_copied": "ACS-URL gekopieerd!",
"saml_sp_entity_id_copied": "SP-entiteits-ID gekopieerd!",
"saml_btn_configure": "Configureren",
"add_calendar": "Agenda toevoegen",
"limit_future_bookings": "Toekomstige boekingen beperken",
"limit_future_bookings_description": "Beperk hoe ver in de toekomst dezew gebeurtenis kan worden geboekt",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Ja, verwijder de {{connectionType}}-configuratie",
"delete_sso_configuration_confirmation_description": "Weet u zeker dat u de {{connectionType}}-configuratie wilt verwijderen? Uw teamleden die {{connectionType}}-aanmelding gebruiken hebben niet langer toegang tot Cal.com.",
"organizer_timezone": "Tijdzone organisator",
"email_no_user_cta": "Uw account aanmaken",
"email_user_cta": "Uitnodiging weergeven",
"email_no_user_invite_heading": "U bent uitgenodigd om lid te worden van een team op {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} heeft u uitgenodigd om lid te worden van zijn team op {{appName}}. {{appName}} is de gebeurtenissenplanner die u en uw team in staat stelt vergaderingen te plannen zonder heen en weer te e-mailen.",
@ -1648,7 +1606,6 @@
"create_event_on": "Gebeurtenis aanmaken op",
"default_app_link_title": "Stel een standaard app-link in",
"default_app_link_description": "Door een standaard app-link in te stellen kunnen alle nieuw gemaakte gebeurtenistypes de door u ingestelde app-link gebruiken.",
"change_default_conferencing_app": "Als standaard instellen",
"organizer_default_conferencing_app": "Standaardapp organisator",
"under_maintenance": "Onbereikbaar wegens onderhoud",
"under_maintenance_description": "Het {{appName}}-team voert gepland onderhoud uit. Neem contact op met de ondersteuning als u vragen heeft.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Boekingsbevestiging mislukt",
"not_enough_seats": "Onvoldoende plaatsen",
"form_builder_field_already_exists": "Een veld met deze naam bestaat al",
"form_builder_field_add_subtitle": "Pas de gestelde vragen op de boekingspagina aan",
"show_on_booking_page": "Weergeven op boekingspagina",
"get_started_zapier_templates": "Aan de slag met Zapier-sjablonen",
"team_is_unpublished": "{{team}} is niet gepubliceerd",
@ -1715,7 +1671,6 @@
"verification_code": "Verificatiecode",
"can_you_try_again": "Kunt u het opnieuw proberen met een andere tijd?",
"verify": "Verifiëren",
"timezone_variable": "Tijdzone",
"timezone_info": "De tijdzone van de ontvanger",
"event_end_time_variable": "Eindtijd gebeurtenis",
"event_end_time_info": "De eindtijd van de gebeurtenis",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Verplaatste gebeurtenissen",
"from_last_period": "van afgelopen periode",
"from_to_date_period": "Van: {{startDate}} Tot: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Meer informatie over de activiteit van uw team",
"redirect_url_warning": "Als u een omleiding toevoegt, wordt de succespagina uitgeschakeld. Zorg ervoor dat u op uw aangepaste succespagina \"Boeking bevestigd\" vermeldt.",
"event_trends": "Gebeurtenistrends",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Voltooi uw boeking",
"complete_your_booking_subject": "Voltooi uw boeking: {{title}} op {{date}}",
"confirm_your_details": "Bevestig uw gegevens",
"never_expire": "Verloopt nooit",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "U staat op het punt om de deelnemer {{amount, currency}} in rekening te brengen. Weet u zeker dat u wilt doorgaan?",
"charge_attendee": "Deelnemer {{amount, currency}} in rekening brengen",

View File

@ -9,7 +9,6 @@
"calcom_explained": "{{appName}} er en åpen kildekodeversjon av Calendly som gir deg kontroll over dine egne data, arbeidsflyt og utseende.",
"have_any_questions": "Har du spørsmål? Vi er her for å hjelpe.",
"reset_password_subject": "{{appName}}: Instruksjoner for tilbakestilling av passord",
"verify_email_banner_button": "Send e-post",
"event_declined_subject": "Avslått: {{title}} kl. {{date}}",
"event_cancelled_subject": "Avbrutt: {{title}} kl. {{date}}",
"event_request_declined": "Din hendelsesforespørsel har blitt avvist",
@ -70,13 +69,11 @@
"your_meeting_has_been_booked": "Møtet ditt er booket",
"event_type_has_been_rescheduled_on_time_date": "Din {{title}} har blitt flyttet til {{date}}.",
"event_has_been_rescheduled": "Oppdatert Hendelsen din har blitt endret",
"request_reschedule_title_attendee": "Be om å få endre tidspunkt for bookingen din",
"request_reschedule_subtitle": "{{organizer}} har kansellert bookingen og bedt deg om å velge et annet tidspunkt.",
"request_reschedule_title_organizer": "Du har bedt {{attendee}} om å endre tidspunkt",
"request_reschedule_subtitle_organizer": "Du har kansellert bookingen og {{attendee}} bør velge et nytt tidspunkt for bookingen.",
"rescheduled_event_type_subject": "Forespørsel om endring av tidspunkt sendt: {{eventType}} med {{name}} kl. {{date}}",
"requested_to_reschedule_subject_attendee": "Handling Påkrevd: Vennligst book en ny tid for {{eventType}} med {{name}}",
"reschedule_reason": "Grunn for endring av tidspunkt",
"hi_user_name": "Hei {{name}}",
"ics_event_title": "{{eventType}} med {{name}}",
"new_event_subject": "Ny hendelse: {{attendeeName}} - {{date}} - {{eventType}}",
@ -238,7 +235,6 @@
"welcome_to_calcom": "Velkommen til {{appName}}",
"welcome_instructions": "Fortell oss hva vi skal kalle deg og gi oss beskjed om hvilken tidssone du er i. Du kan redigere dette senere.",
"connect_caldav": "Koble til CalDav (Beta)",
"credentials_stored_and_encrypted": "Din legitimasjon vil bli lagret og kryptert.",
"connect": "Tilkoble",
"try_for_free": "Prøv det gratis",
"create_booking_link_with_calcom": "Lag din egen booking lenke med {{appName}}",
@ -259,7 +255,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} må fortsatt bekrefte eller avvise hver booking av det gjentakende møtet.",
"meeting_is_scheduled": "Møtet er planlagt",
"meeting_is_scheduled_recurring": "De gjentagende hendelsene er planlagt",
"submitted_recurring": "Ditt gjentakende møte er sendt inn",
"booking_submitted": "Din booking er sendt inn",
"booking_submitted_recurring": "Ditt gjentakende møte er sendt inn",
"booking_confirmed": "Bookingen din er bekreftet",
@ -305,7 +300,6 @@
"booking_already_accepted_rejected": "Denne bookingen var allerede akseptert eller avvist",
"go_back_home": "Gå til hjem",
"or_go_back_home": "Eller gå tilbake til hjem",
"no_availability": "Utilgjengelig",
"no_meeting_found": "Ingen Møter Funnet",
"no_meeting_found_description": "Dette møtet eksisterer ikke. Kontakt møteeieren for en oppdatert lenke.",
"no_status_bookings_yet": "Ingen {{status}} bookinger",
@ -428,7 +422,6 @@
"password_hint_num": "Inneholde minst 1 tall",
"invalid_password_hint": "Passordet må være minst {{passwordLength}} tegn langt og inneholde minst ett tall og ha en blanding av store og små bokstaver",
"incorrect_password": "Passordet er feil.",
"24_h": "24t",
"use_setting": "Bruk innstilling",
"am_pm": "am/pm",
"time_options": "Tidsalternativer",
@ -469,15 +462,11 @@
"booking_confirmation": "Bekreft {{eventTypeTitle}} med {{profileName}}",
"booking_reschedule_confirmation": "Endre tidspunkt for {{eventTypeTitle}} med {{profileName}}",
"in_person_meeting": "Personlig møte",
"attendee_in_person": "Personlig Oppmøte (Deltakers Adresse)",
"in_person": "Personlig Oppmøte (Arrangørens Adresse)",
"link_meeting": "Møte lenke",
"phone_call": "Deltakers Telefonnummer",
"your_number": "Ditt telefonnummer",
"phone_number": "Telefonnummer",
"attendee_phone_number": "Deltakers Telefonnummer",
"organizer_phone_number": "Arrangørens telefonnummer",
"host_phone_number": "Ditt Telefonnummer",
"enter_phone_number": "Skriv inn telefonnummer",
"reschedule": "Endre tidspunkt",
"reschedule_this": "Endre tidspunkt i stedet",
@ -586,9 +575,6 @@
"new_event_type_btn": "Ny hendelsestype",
"new_event_type_heading": "Opprett din første hendelsestype",
"new_event_type_description": "Hendelsestyper lar deg dele lenker som viser tilgjengelige tider i kalenderen din og lar folk gjøre bookinger med deg.",
"new_event_title": "Legg til en ny hendelsestype",
"new_team_event": "Legg til en ny hendelsestype for team",
"new_event_description": "Opprett en ny hendelsestype som folk kan booke tider med.",
"event_type_created_successfully": "{{eventTypeTitle}} hendelsestype opprettet",
"event_type_updated_successfully": "{{eventTypeTitle}} hendelsestype ble oppdatert",
"event_type_deleted_successfully": "Hendelsestypen ble slettet",
@ -746,7 +732,6 @@
"automation": "Automatisering",
"configure_how_your_event_types_interact": "Konfigurer hvordan hendelsestypene dine skal samhandle med kalenderne dine.",
"toggle_calendars_conflict": "Huk av kalenderne du vil sjekke for konfliker for å hindre dobbelt-bookinger.",
"select_destination_calendar": "Opprett hendelser på",
"connect_additional_calendar": "Koble til enda en kalender",
"calendar_updated_successfully": "Kalenderen er oppdatert",
"conferencing": "Konferansering",
@ -779,7 +764,6 @@
"number_apps_one": "{{count}} App",
"number_apps_other": "{{count}} Apper",
"trending_apps": "Populære Apper",
"explore_apps": "{{category}} apper",
"installed_apps": "Installerte Apper",
"free_to_use_apps": "Gratis",
"no_category_apps": "Ingen {{category}} apper",
@ -790,7 +774,6 @@
"no_category_apps_description_automation": "Legg til en automatiserings-app for å bruke",
"no_category_apps_description_other": "Legg til en hvilken som helst annen type app for å gjøre alle slags ting",
"installed_app_calendar_description": "Still inn kalenderene for å se etter konflikter for å forhindre dobbelt-bookinger.",
"installed_app_conferencing_description": "Legg til favorittappene for videokonferanser for møtene dine",
"installed_app_payment_description": "Konfigurer hvilke betalingstjenester som skal brukes når du tar betalt fra kundene dine.",
"installed_app_analytics_description": "Konfigurer hvilke analyse-apper som skal brukes for bookingsidene dine",
"installed_app_other_description": "Alle dine installerte apper fra andre kategorier.",
@ -815,7 +798,6 @@
"terms_of_service": "Vilkår for bruk",
"remove": "Fjern",
"add": "Legg til",
"installed_one": "Installert",
"installed_other": "{{count}} er installert",
"verify_wallet": "Verifiser Lommebok",
"create_events_on": "Opprett hendelser på",
@ -877,8 +859,6 @@
"api_key_no_note": "Navnløs API nøkkel",
"api_key_never_expires": "Denne API-nøkkelen har ingen utløpsdato",
"edit_api_key": "Redigere API nøkkel",
"never_expire_key": "Utløper aldri",
"delete_api_key": "Tilbakekall API nøkkel",
"success_api_key_created": "API nøkkel opprettet",
"success_api_key_edited": "API nøkkel ble oppdatert",
"create": "Opprett",
@ -919,7 +899,6 @@
"event_location_changed": "Oppdatert - Din hendelse har endret sted",
"location_changed_event_type_subject": "Plassering Endret: {{eventType}} med {{name}} {{date}}",
"current_location": "Nåværende Sted",
"user_phone": "Telefonnummeret ditt",
"new_location": "Nytt Sted",
"no_location": "Sted er ikke definert",
"set_location": "Velg Sted",
@ -940,7 +919,6 @@
"zapier_setup_instructions": "<0>Logg på Zapier-kontoen din og opprett en ny Zap.</0><1>Velg {{appName}} som din Trigger-app. Velg også en utløserhendelse.</1><2>Velg kontoen din og skriv deretter inn din unike API nøkkel.</2><3>Test utløseren.</3><4>Du er klar!</4 >",
"install_zapier_app": "Installer først Zapier-appen i app butikken.",
"connect_apple_server": "Koble til Apple Server",
"connect_caldav_server": "Koble til CalDav (Beta)",
"calendar_url": "Kalender URL",
"apple_server_generate_password": "Generer et app-spesifikt passord for bruk med {{appName}} på",
"credentials_stored_encrypted": "Din legitimasjon vil bli lagret og kryptert.",
@ -972,7 +950,6 @@
"go_to": "Gå til: ",
"zapier_invite_link": "Zapier Invitasjons-lenke",
"meeting_url_provided_after_confirmed": "En møte-URL opprettes når hendelsen er bekreftet.",
"attendees_name": "Deltakers navn",
"dynamically_display_attendee_or_organizer": "Vis navnet på deltakeren din dynamisk for deg, eller navnet ditt hvis det er sett av deltakeren din",
"event_location": "Hendelsens sted",
"reschedule_optional": "Årsak til endring av tid (valgfritt)",
@ -1045,7 +1022,6 @@
"add_exchange2016": "Koble til Exchange 2016 Server",
"custom_template": "Egendefinert mal",
"email_body": "E-post innhold",
"subject": "E-post emne",
"text_message": "Tekstmelding",
"specific_issue": "Har du et spesifikt problem?",
"browse_our_docs": "bla gjennom vår dokumentasjon",
@ -1072,12 +1048,9 @@
"new_seat_title": "Noen har lagt seg til en hendelse",
"variable": "Variabel",
"event_name_variable": "Hendelsesnavn",
"organizer_name_variable": "Arrangør",
"attendee_name_variable": "Deltaker",
"event_date_variable": "Hendelsesdato",
"event_time_variable": "Tidspunkt for hendelse",
"location_variable": "Sted",
"additional_notes_variable": "Tilleggsinformasjon",
"app_upgrade_description": "For å bruke denne funksjonen må du oppgradere til en Pro-konto.",
"invalid_number": "Ugyldig telefonnummer",
"navigate": "Naviger",
@ -1166,7 +1139,6 @@
"recurring_event_tab_description": "Konfigurere en gjentagende tidsplan",
"today": "idag",
"appearance": "Utseende",
"appearance_subtitle": "Administrer innstillinger for booking-utseendet ditt",
"my_account": "Min konto",
"general": "Generelt",
"calendars": "Kalendere",
@ -1184,7 +1156,6 @@
"appearance_description": "Administrer innstillinger for booking-utseendet",
"conferencing_description": "Administrer videokonferanse-appene dine for møtene dine",
"password_description": "Administrer innstillinger for konto-passordene dine",
"2fa_description": "Administrer innstillinger for konto-passordene dine",
"we_just_need_basic_info": "Vi trenger bare litt grunnleggende informasjon for å sette opp profilen din.",
"skip": "Hopp over",
"do_this_later": "Gjør dette senere",
@ -1207,7 +1178,6 @@
"event_date_info": "Dato for hendelse",
"event_time_info": "Start-tidspunkt for hendelsen",
"location_info": "Hendelsessted",
"organizer_name_info": "Ditt navn",
"additional_notes_info": "Tilleggsinformasjonen om bookingen",
"attendee_name_info": "Navnet på personen som booker",
"to": "Til",
@ -1257,8 +1227,6 @@
"copy_link_to_form": "Kopier lenken til skjemaet",
"theme": "Tema",
"theme_applies_note": "Dette gjelder kun for dine offentlige bookingsider",
"theme_light": "Lyst",
"theme_dark": "Mørkt",
"theme_system": "System standard",
"add_a_team": "Legg til et team",
"add_webhook_description": "Motta møtedata i sanntid når noe skjer i {{appName}}",
@ -1267,7 +1235,6 @@
"enable_webhook": "Aktiver Webhook",
"add_webhook": "Legg til Webhook",
"webhook_edited_successfully": "Webhook lagret",
"webhooks_description": "Motta møtedata i sanntid når noe skjer i {{appName}}",
"api_keys_description": "Generer API nøkler for å få tilgang til din egen konto",
"new_api_key": "Ny API nøkkel",
"active": "aktiv",
@ -1305,18 +1272,13 @@
"billing_freeplan_title": "Du er for øyeblikket på GRATIS planen",
"billing_freeplan_description": "Vi jobber bedre i team. Utvid arbeidsflytene dine med round-robin og kollektive hendelser og lag avanserte viderekoblings-skjemaer",
"billing_freeplan_cta": "Prøv nå",
"billing_manage_details_title": "Se og administrer betalingsdetaljene dine",
"billing_manage_details_description": "Se og rediger betalingsdetaljene dine, samt kanseller abonnementet ditt.",
"billing_portal": "Betalingsportal",
"billing_help_title": "Trenger du noe annet?",
"billing_help_description": "Hvis du trenger ytterligere hjelp med betaling, er supportteamet vårt her for å hjelpe.",
"billing_help_cta": "Kontakt kundeservice",
"retry": "Prøv igjen",
"fetching_calendars_error": "Det oppsto et problem med å hente kalenderne dine. Vennligst <1>prøv igjen</1> eller ta kontakt med kundeservice.",
"calendar_connection_fail": "Kalender-tilkobling mislyktes",
"booking_confirmation_success": "Booking-bekreftelsen var vellykket",
"booking_rejection_success": "Booking-avvisningen var vellykket",
"booking_confirmation_fail": "Booking-bekreftelse feilet",
"booking_tentative": "Denne bookingen er foreløpig",
"booking_accept_intent": "Oops, jeg vil akseptere",
"we_wont_show_again": "Vi vil ikke vise dette igjen",
@ -1339,7 +1301,6 @@
"new_event_type_availability": "{{eventTypeTitle}} Tilgjengelighet",
"error_editing_availability": "Feil ved redigering av tilgjengelighet",
"dont_have_permission": "Du har ikke tillatelse til å få adgang til denne ressursen.",
"saml_config": "Enkel Pålogging",
"saml_configuration_placeholder": "Vennligst lim inn SAML metadataene fra Identitetsleverandøren din her",
"saml_email_required": "Skriv inn en e-post slik at vi kan finne SAML Identitetsleverandøren din",
"saml_sp_title": "Detaljer om Tjenesteleverandør",
@ -1348,7 +1309,6 @@
"saml_sp_entity_id": "SP Enhets ID",
"saml_sp_acs_url_copied": "ACS URL kopiert!",
"saml_sp_entity_id_copied": "SP Enhets ID kopiert!",
"saml_btn_configure": "Konfigurer",
"add_calendar": "Legg til Kalender",
"limit_future_bookings": "Begrens fremtidige bookinger",
"limit_future_bookings_description": "Begrens hvor langt i fremtiden denne hendelsen kan bookes",
@ -1445,9 +1405,5 @@
"install_google_calendar": "Installer Google Kalender",
"configure": "Konfigurer",
"sso_configuration": "Enkel Pålogging",
"email_no_user_cta": "Opprett brukeren din",
"change_default_conferencing_app": "Sett som standard",
"booking_confirmation_failed": "Booking-bekreftelse feilet",
"timezone_variable": "Tidssone",
"never_expire": "Utløper aldri"
"booking_confirmation_failed": "Booking-bekreftelse feilet"
}

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Dokończ konfigurację konta aplikacji {{appName}}! Od rozwiązania wszystkich Twoich problemów z układaniem grafików dzieli Cię tylko kilka kroków.",
"have_any_questions": "Masz pytania? Jesteśmy tutaj, aby pomóc.",
"reset_password_subject": "{{appName}}: Instrukcje resetowania hasła",
"verify_email_banner_button": "Wyślij wiadomość e-mail",
"event_declined_subject": "Odrzucono: {{title}} w dniu {{date}}",
"event_cancelled_subject": "Anulowano: {{title}} w {{date}}",
"event_request_declined": "Twoja prośba o wydarzenie została odrzucona",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Twoje spotkanie zostało zarezerwowane",
"event_type_has_been_rescheduled_on_time_date": "Twój {{title}} został przełożony na {{date}}.",
"event_has_been_rescheduled": "Zaktualizowano - Twoje wydarzenie zostało przełożone",
"request_reschedule_title_attendee": "Poproś o przełożenie rezerwacji",
"request_reschedule_subtitle": "{{organizer}} anulował(a) rezerwację i prosi Cię o wybranie innego terminu.",
"request_reschedule_title_organizer": "{{attendee}} poproszono o zmianę harmonogramu",
"request_reschedule_subtitle_organizer": "Rezerwacja została przez Ciebie anulowana i {{attendee}} musi wybrać z Tobą nowy czas rezerwacji.",
"rescheduled_event_type_subject": "Wysłano prośbę o zmianę terminu: {{eventType}} o nazwie {{name}}, z {{date}}",
"requested_to_reschedule_subject_attendee": "Działanie wymagało zmiany harmonogramu: Zarezerwuj nową godzinę na wydarzenie {{eventType}} z {{name}}",
"reschedule_reason": "Powód zmiany harmonogramu",
"hi_user_name": "Cześć {{name}}",
"ics_event_title": "{{eventType}} z {{name}}",
"new_event_subject": "Nowe wydarzenie: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Witaj w {{appName}}",
"welcome_instructions": "Powiedz nam, jak Cię nazywać i daj nam znać, w jakiej strefie czasowej jesteś. Będziesz mógł edytować to później.",
"connect_caldav": "Połącz z serwerem CalDav (beta)",
"credentials_stored_and_encrypted": "Twoje dane uwierzytelniające będą przechowywane i szyfrowane.",
"connect": "Połącz",
"try_for_free": "Wypróbuj za darmo",
"create_booking_link_with_calcom": "Utwórz własny link do rezerwacji z {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "Użytkownik {{user}} nadal musi potwierdzić lub odrzucić każdą rezerwację spotkania cyklicznego.",
"meeting_is_scheduled": "To spotkanie jest zaplanowane",
"meeting_is_scheduled_recurring": "Wydarzenia cykliczne zostały zaplanowane",
"submitted_recurring": "Twoje wydarzenie cykliczne zostało wysłane",
"booking_submitted": "Twoja rezerwacja została wysłana",
"booking_submitted_recurring": "Twoje wydarzenie cykliczne zostało wysłane",
"booking_confirmed": "Twoja rezerwacja została potwierdzona",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Ta rezerwacja została już zaakceptowana lub odrzucona",
"go_back_home": "Wróć do strony głównej",
"or_go_back_home": "Lub wróć do strony głównej",
"no_availability": "Niedostępne",
"no_meeting_found": "Nie znaleziono spotkania",
"no_meeting_found_description": "To spotkanie nie istnieje. Skontaktuj się z właścicielem spotkania, aby uzyskać zaktualizowany link.",
"no_status_bookings_yet": "Brak {{status}} rezerwacji",
@ -448,7 +442,6 @@
"invalid_password_hint": "Hasło musi składać się z co najmniej {{passwordLength}} znaków, zawierać co najmniej jedną cyfrę oraz kombinację wielkich i małych liter",
"incorrect_password": "Hasło jest nieprawidłowe.",
"incorrect_username_password": "Nieprawidłowa nazwa użytkownika lub hasło.",
"24_h": "24 godz.",
"use_setting": "Użyj ustawień",
"am_pm": "rano/po południu",
"time_options": "Opcje czasu",
@ -491,15 +484,11 @@
"booking_confirmation": "Potwierdź {{eventTypeTitle}} z {{profileName}}",
"booking_reschedule_confirmation": "Przełóż Twój {{eventTypeTitle}} z {{profileName}}",
"in_person_meeting": "Link lub spotkanie osób",
"attendee_in_person": "Osobiście (adres uczestnika)",
"in_person": "Osobiście (adres organizatora)",
"link_meeting": "Link do spotkania",
"phone_call": "Numer telefonu uczestnika",
"your_number": "Twój numer telefonu",
"phone_number": "Numer telefonu",
"attendee_phone_number": "Numer telefonu uczestnika",
"organizer_phone_number": "Numer telefonu organizatora",
"host_phone_number": "Twój numer telefonu",
"enter_phone_number": "Podaj numer telefonu",
"reschedule": "Przełóż",
"reschedule_this": "Zamiast tego przełóż",
@ -625,9 +614,6 @@
"new_event_type_btn": "Nowy typ wydarzenia",
"new_event_type_heading": "Utwórz swój typ pierwszego wydarzenia",
"new_event_type_description": "Typy wydarzeń umożliwiają udostępnianie linków, które pokazują dostępne czasy w kalendarzu i pozwalają ludziom na dokonywanie rezerwacji.",
"new_event_title": "Dodaj nowy typ wydarzenia",
"new_team_event": "Dodaj nowy typ wydarzenia drużynowego",
"new_event_description": "Utwórz nowy typ wydarzenia, z którym ludzie mogą rezerwować czasy.",
"event_type_created_successfully": "Utworzono {{eventTypeTitle}} typ wydarzenia pomyślnie",
"event_type_updated_successfully": "{{eventTypeTitle}} typ wydarzenia został pomyślnie zaktualizowany",
"event_type_deleted_successfully": "Typ wydarzenia usunięty pomyślnie",
@ -796,7 +782,6 @@
"automation": "Automatyzacja",
"configure_how_your_event_types_interact": "Skonfiguruj jak typy wydarzeń powinny wchodzić w interakcje z kalendarzem.",
"toggle_calendars_conflict": "Przełącz kalendarze, które chcesz sprawdzić pod kątem konfliktów, aby uniknąć podwójnych rezerwacji.",
"select_destination_calendar": "Utwórz wydarzenia na",
"connect_additional_calendar": "Połącz dodatkowy kalendarz",
"calendar_updated_successfully": "Kalendarz został zaktualizowany",
"conferencing": "Konferencja",
@ -830,7 +815,6 @@
"number_apps_other": "Liczba aplikacji: {{count}}",
"trending_apps": "Popularne aplikacje",
"most_popular": "Najpopularniejsze",
"explore_apps": "Aplikacje z kategorii {{category}}",
"installed_apps": "Zainstalowane apps",
"free_to_use_apps": "Darmowe",
"no_category_apps": "Brak aplikacji z kategorii {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Dodaj dowolny typ aplikacji, aby uzyskać dostęp do różnych innych funkcji",
"no_category_apps_description_web3": "Dodaj aplikację web3 do stron rezerwacji",
"installed_app_calendar_description": "Ustaw kalendarze, aby wykrywać konflikty i unikać podwójnych rezerwacji.",
"installed_app_conferencing_description": "Dodaj ulubione aplikacje do wideokonferencji, aby umożliwić korzystanie z nich podczas spotkań",
"installed_app_payment_description": "Skonfiguruj usługi przetwarzania płatności, których chcesz używać do pobierania opłat od klientów.",
"installed_app_analytics_description": "Skonfiguruj, które aplikacje analityczne mają być używane na stronach rezerwacji",
"installed_app_other_description": "Wszystkie zainstalowane aplikacje z innych kategorii.",
@ -868,7 +851,6 @@
"terms_of_service": "Warunki korzystania z usługi",
"remove": "Usuń",
"add": "Dodaj",
"installed_one": "Zainstalowane",
"installed_other": "Zainstalowano {{count}}",
"verify_wallet": "Zweryfikuj portfel",
"create_events_on": "Utwórz wydarzenia w",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Pomyślnie zaktualizowano harmonogram {{scheduleName}}",
"schedule_deleted_successfully": "Typ wydarzenia usunięty pomyślnie",
"default_schedule_name": "Godziny pracy",
"member_default_schedule": "Domyślny harmonogram członka",
"new_schedule_heading": "Utwórz harmonogram dostępności",
"new_schedule_description": "Tworzenie harmonogramów dostępności pozwala zarządzać dostępnością w różnych typach zdarzeń. Można je zastosować do jednego lub kilku typów zdarzeń.",
"requires_ownership_of_a_token": "Wymaga posiadania tokena należącego do następującego adresu:",
@ -933,8 +914,6 @@
"api_key_no_note": "Klucz API bez nazwy",
"api_key_never_expires": "Ten klucz API nie ma daty wygaśnięcia",
"edit_api_key": "Edytuj klucz API",
"never_expire_key": "Nigdy nie wygasa",
"delete_api_key": "Unieważnij klucz API",
"success_api_key_created": "Klucz API został utworzony",
"success_api_key_edited": "Klucz API został zaktualizowany",
"create": "Utwórz",
@ -975,7 +954,6 @@
"event_location_changed": "Aktualizacja lokalizacja Twojego wydarzenia zmieniła się",
"location_changed_event_type_subject": "Zmieniono lokalizację: {{eventType}} z użytkownikiem {{name}} w dniu {{date}}",
"current_location": "Bieżąca lokalizacja",
"user_phone": "Twój numer telefonu",
"new_location": "Nowa lokalizacja",
"session": "Sesja",
"session_description": "Kontroluj sesję konta",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Zaloguj się do swojego konta Zapier i utwórz nowy Zap.</0><1>Wybierz Cal.com jako aplikację wyzwalającą. Wybierz również wydarzenie wyzwalające. </1><2>Wybierz konto, a następnie wprowadź niepowtarzalny klucz interfejsu API.</2><3>Przetestuj wyzwalanie.</3><4>Wszystko gotowe!</4>",
"install_zapier_app": "Najpierw zainstaluj aplikację Zapier pobraną ze sklepu App Store.",
"connect_apple_server": "Połącz z serwerem Apple",
"connect_caldav_server": "Połącz z serwerem CalDav (beta)",
"calendar_url": "Adres URL kalendarza",
"apple_server_generate_password": "Wygeneruj hasło aplikacji do użycia z {{appName}} w witrynie",
"credentials_stored_encrypted": "Twoje poświadczenia będą przechowywane i szyfrowane.",
@ -1033,7 +1010,6 @@
"go_to": "Przejdź do: ",
"zapier_invite_link": "Link z zaproszeniem Zapier",
"meeting_url_provided_after_confirmed": "Adres URL spotkania zostanie utworzony po potwierdzeniu wydarzenia.",
"attendees_name": "Nazwa uczestnika",
"dynamically_display_attendee_or_organizer": "Dynamicznie wyświetlaj nazwę uczestnika lub Twoją nazwę, jeśli zostanie ona wyświetlone przez Twojego uczestnika",
"event_location": "Lokalizacja wydarzenia",
"reschedule_optional": "Powód przełożenia (opcjonalnie)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Połącz z serwerem Exchange 2016",
"custom_template": "Szablon niestandardowy",
"email_body": "Treść wiadomości e-mail",
"subject": "Temat wiadomości e-mail",
"text_message": "Wiadomość tekstowa",
"specific_issue": "Masz określony problem?",
"browse_our_docs": "przeglądaj nasze dokumenty",
@ -1135,12 +1110,9 @@
"new_seat_title": "Ktoś dodał się do wydarzenia",
"variable": "Zmienna",
"event_name_variable": "Nazwa wydarzenia",
"organizer_name_variable": "Organizator",
"attendee_name_variable": "Uczestnik",
"event_date_variable": "Data wydarzenia",
"event_time_variable": "Godzina wydarzenia",
"location_variable": "Lokalizacja",
"additional_notes_variable": "Dodatkowe uwagi",
"app_upgrade_description": "Aby korzystać z tej funkcji, musisz uaktualnić do konta Pro.",
"invalid_number": "Nieprawidłowy numer telefonu",
"navigate": "Nawigacja",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Ustaw harmonogram cykliczny",
"today": "dzisiaj",
"appearance": "Wygląd",
"appearance_subtitle": "Zarządzaj ustawieniami wyglądu rezerwacji",
"my_account": "Moje konto",
"general": "Ogólne",
"calendars": "Kalendarze",
@ -1254,7 +1225,6 @@
"conferencing_description": "Dodaj ulubione aplikacje do wideokonferencji, aby umożliwić korzystanie z nich podczas spotkań",
"add_conferencing_app": "Dodaj aplikację konferencyjną",
"password_description": "Zarządzaj ustawieniami haseł do kont",
"2fa_description": "Zarządzaj ustawieniami haseł do kont",
"we_just_need_basic_info": "Potrzebujemy podstawowych informacji, aby skonfigurować Twój profil.",
"skip": "Pomiń",
"do_this_later": "Zrób to później",
@ -1278,7 +1248,6 @@
"event_date_info": "Data wydarzenia",
"event_time_info": "Godzina rozpoczęcia wydarzenia",
"location_info": "Lokalizacja wydarzenia",
"organizer_name_info": "Twoje imię",
"additional_notes_info": "Dodatkowe uwagi dotyczące rezerwacji",
"attendee_name_info": "Imię i nazwisko osoby rezerwującej",
"to": "Do",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Skopiuj link do formularza",
"theme": "Motyw",
"theme_applies_note": "Dotyczy tylko publicznych stron rezerwacji",
"theme_light": "Jasny",
"theme_dark": "Ciemny",
"theme_system": "Ustawienia domyślne systemu",
"add_a_team": "Dodaj zespół",
"add_webhook_description": "Otrzymuj dane ze spotkań w czasie rzeczywistym, gdy coś dzieje się w {{appName}}.",
@ -1352,7 +1319,6 @@
"enable_webhook": "Włącz Webhook",
"add_webhook": "Dodaj Webhook",
"webhook_edited_successfully": "Webhook zapisany",
"webhooks_description": "Otrzymuj dane ze spotkań w czasie rzeczywistym, gdy coś dzieje się w {{appName}}",
"api_keys_description": "Wygeneruj klucze API umożliwiające dostęp do Twojego konta.",
"new_api_key": "Nowy klucz interfejsu API",
"active": "aktywne",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Obecnie korzystasz z planu BEZPŁATNEGO",
"billing_freeplan_description": "Lepiej pracujemy w wersji Teams. Rozbuduj przepływy pracy o działania cykliczne i wydarzenia zbiorowe, a także twórz zaawansowane formularze przekierowujące",
"billing_freeplan_cta": "Wypróbuj teraz",
"billing_manage_details_title": "Wyświetl swoje dane rozliczeniowe i zarządzaj nimi",
"billing_manage_details_description": "Wyświetl swoje dane rozliczeniowe i edytuj je, jak również anuluj subskrypcję.",
"billing_portal": "Portal rozliczeniowy",
"billing_help_title": "Potrzebujesz czegoś innego?",
"billing_help_description": "Jeśli potrzebujesz dodatkowej pomocy w rozliczaniu, nasz zespół pomocy technicznej chętnie jej udzieli.",
"billing_help_cta": "Skontaktuj się z pomocą techniczną",
"ignore_special_characters_booking_questions": "Ignoruj znaki specjalne w identyfikatorze pytania dotyczącego rezerwacji. Używaj tylko liter i cyfr",
"retry": "Spróbuj ponownie",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Połączenie z kalendarzem nie powiodło się",
"booking_confirmation_success": "Potwierdzenie rezerwacji powiodło się",
"booking_rejection_success": "Rezerwacja została odrzucona",
"booking_confirmation_fail": "Potwierdzenie rezerwacji nie powiodło się",
"booking_tentative": "Ta rezerwacja jest wstępna",
"booking_accept_intent": "Jednak chcę zaakceptować",
"we_wont_show_again": "Nie będziemy tego ponownie pokazywać",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "{{eventTypeTitle}} dostępność",
"error_editing_availability": "Błąd edytowania dostępności",
"dont_have_permission": "Nie masz uprawnień dostępu do tego zasobu.",
"saml_config": "Pojedyncze logowanie",
"saml_configuration_placeholder": "Wklej tutaj metadane SAML od dostawcy tożsamości",
"saml_email_required": "Wprowadź e-mail, abyśmy mogli znaleźć dostawcę tożsamości SAML",
"saml_sp_title": "Szczegóły usługodawcy",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "Identyfikator SP obiektu",
"saml_sp_acs_url_copied": "Skopiowano adres URL usług ACS!",
"saml_sp_entity_id_copied": "Skopiowano identyfikator obiektu SP!",
"saml_btn_configure": "Konfiguruj",
"add_calendar": "Dodaj kalendarz",
"limit_future_bookings": "Ogranicz przyszłe rezerwacje",
"limit_future_bookings_description": "Ogranicz to, jak bardzo rezerwacje wydarzenia mogą wybiegać w przyszłość.",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Tak, usuń konfigurację {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Czy na pewno chcesz usunąć konfigurację {{connectionType}}? Członkowie zespołu, którzy używają logowania {{connectionType}} nie będą już mogli uzyskać dostępu do Cal.com.",
"organizer_timezone": "Strefa czasowa organizatora",
"email_no_user_cta": "Załóż swoje konto",
"email_user_cta": "Wyświetl zaproszenie",
"email_no_user_invite_heading": "Zaproszono Cię do dołączenia do zespołu w aplikacji {{appName}}",
"email_no_user_invite_subheading": "Użytkownik {{invitedBy}} zaprasza Cię do dołączenia do jego zespołu w aplikacji {{appName}}. Aplikacja {{appName}} to terminarz do planowania wydarzeń, który umożliwi Tobie i Twojemu zespołowi planowanie spotkań bez czasochłonnej wymiany wiadomości e-mail.",
@ -1648,7 +1606,6 @@
"create_event_on": "Utwórz wydarzenie w kalendarzu",
"default_app_link_title": "Ustaw domyślny link do aplikacji",
"default_app_link_description": "Ustawienie domyślnego linku do aplikacji pozwala wszystkim nowo utworzonym typom wydarzeń na używanie ustawionego przez Ciebie linku do aplikacji.",
"change_default_conferencing_app": "Ustaw jako domyślne",
"organizer_default_conferencing_app": "Domyślna aplikacja organizatora",
"under_maintenance": "Przerwa konserwacyjna",
"under_maintenance_description": "Zespół {{appName}} przeprowadza zaplanowane prace konserwacyjne. Jeśli masz jakieś pytania, skontaktuj się z pomocą techniczną.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Potwierdzenie rezerwacji nie powiodło się",
"not_enough_seats": "Za mało miejsc",
"form_builder_field_already_exists": "Pole o tej nazwie już istnieje",
"form_builder_field_add_subtitle": "Dostosuj pytania zadawane na stronie rezerwacji",
"show_on_booking_page": "Pokaż na stronie rezerwacji",
"get_started_zapier_templates": "Zacznij korzystać z szablonów Zapier",
"team_is_unpublished": "Zespół {{team}} nie został opublikowany",
@ -1715,7 +1671,6 @@
"verification_code": "Kod weryfikacyjny",
"can_you_try_again": "Czy możesz spróbować ponownie w innym terminie?",
"verify": "Zweryfikuj",
"timezone_variable": "Strefa Czasowa",
"timezone_info": "Strefa czasowa osoby rezerwowanej",
"event_end_time_variable": "Czas zakończenia wydarzenia",
"event_end_time_info": "Czas zakończenia wydarzenia",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Przełożone wydarzenia",
"from_last_period": "od ostatniego okresu",
"from_to_date_period": "Od: {{startDate}} Do: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Dowiedz się więcej o aktywności Twojego zespołu",
"redirect_url_warning": "Dodanie przekierowania wyłączy stronę powodzenia. Upewnij się, że na Twojej niestandardowej stronie powodzenia znajduje się wzmianka o potwierdzeniu rezerwacji.",
"event_trends": "Trendy wydarzeń",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Ukończ rezerwację",
"complete_your_booking_subject": "Ukończ rezerwację: {{title}} dnia {{date}}",
"confirm_your_details": "Potwierdź swoje dane",
"never_expire": "Nigdy nie wygasa",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Zamierzasz obciążyć uczestnika kwotą {{amount, currency}}. Czy na pewno chcesz kontynuować?",
"charge_attendee": "Pobierz od uczestnika opłatę w wysokości {{amount, currency}}",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Termine de configurar sua conta do {{appName}}! Falta pouco para você solucionar todos os seus problemas de agendamento.",
"have_any_questions": "Precisa de ajuda? Estamos aqui para ajudar.",
"reset_password_subject": "{{appName}}: Instruções para redefinir sua senha",
"verify_email_banner_button": "Enviar e-mail",
"event_declined_subject": "Recusado: {{title}} em {{date}}",
"event_cancelled_subject": "Cancelado: {{title}} em {{date}}",
"event_request_declined": "Sua solicitação de reunião foi recusada",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "A sua reunião foi agendada",
"event_type_has_been_rescheduled_on_time_date": "Seu {{title}} foi remarcado para {{date}}.",
"event_has_been_rescheduled": "Atualização - O seu evento foi reagendado",
"request_reschedule_title_attendee": "Solicitar reagendamento da reserva",
"request_reschedule_subtitle": "{{organizer}} cancelou a reserva e solicitou que você escolhesse outro horário.",
"request_reschedule_title_organizer": "Você solicitou que {{attendee}} reagendasse",
"request_reschedule_subtitle_organizer": "Você cancelou a reserva e {{attendee}} deve escolher outro horário de reserva com você.",
"rescheduled_event_type_subject": "Solicitação de reagendamento enviado: {{eventType}} com {{name}} às {{date}}",
"requested_to_reschedule_subject_attendee": "Ação de reagendamento necessária: reserve outro horário para {{eventType}} com {{name}}",
"reschedule_reason": "Motivo do reagendamento",
"hi_user_name": "Olá {{name}}",
"ics_event_title": "{{eventType}} com {{name}}",
"new_event_subject": "Novo evento: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Bem vindo ao {{appName}}",
"welcome_instructions": "Diga como devemos te chamar e qual o seu fuso horário. Você poderá editar isto mais tarde.",
"connect_caldav": "Conectar a um servidor CalDav",
"credentials_stored_and_encrypted": "As suas credenciais serão armazenadas e encriptadas.",
"connect": "Conectar",
"try_for_free": "Experimente gratuitamente",
"create_booking_link_with_calcom": "Crie o seu próprio link para reservas com {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} ainda precisa confirmar ou recusar cada reserva da reunião recorrente.",
"meeting_is_scheduled": "Esta reunião está agendada",
"meeting_is_scheduled_recurring": "Os eventos recorrentes foram agendados",
"submitted_recurring": "Sua reunião recorrente foi enviada",
"booking_submitted": "Reserva efetuada",
"booking_submitted_recurring": "Sua reunião recorrente foi enviada",
"booking_confirmed": "Reserva confirmada",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Esta reserva já foi aceita ou recusada",
"go_back_home": "Voltar à Página Inicial",
"or_go_back_home": "Ou volte à página inicial",
"no_availability": "Indisponível",
"no_meeting_found": "Nenhuma reunião encontrada",
"no_meeting_found_description": "Esta reunião não existe. Contate o organizador da reunião para obter um link atualizado.",
"no_status_bookings_yet": "Ainda não tem reservas {{status}}",
@ -448,7 +442,6 @@
"invalid_password_hint": "A senha precisa ter pelo menos sete caracteres com pelo menos um número e ser uma combinação de letras maiúsculas e minúsculas",
"incorrect_password": "Senha incorreta.",
"incorrect_username_password": "A senha ou o nome de usuário estão incorretos.",
"24_h": "24h",
"use_setting": "Usar configurações",
"am_pm": "manhã/tarde",
"time_options": "Opções de horário",
@ -491,15 +484,11 @@
"booking_confirmation": "Confirme seu {{eventTypeTitle}} com {{profileName}}",
"booking_reschedule_confirmation": "Reagende seu {{eventTypeTitle}} com {{profileName}}",
"in_person_meeting": "Reunião presencial",
"attendee_in_person": "Pessoalmente (endereço do participante)",
"in_person": "Pessoalmente (endereço do organizador)",
"link_meeting": "Vincular reunião",
"phone_call": "Número de telefone do participante",
"your_number": "Seu número de telefone",
"phone_number": "Número de Telefone",
"attendee_phone_number": "Número de telefone do participante",
"organizer_phone_number": "Número de telefone do organizador",
"host_phone_number": "Seu número de telefone",
"enter_phone_number": "Digite o número de telefone",
"reschedule": "Reagendar",
"reschedule_this": "Ou reagendar",
@ -625,9 +614,6 @@
"new_event_type_btn": "Novo tipo de evento",
"new_event_type_heading": "Crie seu primeiro evento",
"new_event_type_description": "Os eventos permitem que você compartilhe links que mostram os horários disponíveis no seu calendário para que os usuários façam agendamentos com você.",
"new_event_title": "Adicionar um novo tipo de evento",
"new_team_event": "Adicionar um novo tipo de evento de equipe",
"new_event_description": "Crie um novo tipo de evento para as pessoas agendarem horários.",
"event_type_created_successfully": "{{eventTypeTitle}} evento criado com sucesso",
"event_type_updated_successfully": "Tipo de evento atualizado com sucesso",
"event_type_deleted_successfully": "Tipo de evento removido com sucesso",
@ -796,7 +782,6 @@
"automation": "Automatização",
"configure_how_your_event_types_interact": "Configure como os seus tipos de evento deverão interagir com os seus calendários.",
"toggle_calendars_conflict": "Ative/desative os calendários que você quiser para verificar conflitos e evitar reservas repetidas.",
"select_destination_calendar": "Criar eventos em",
"connect_additional_calendar": "Conectar calendário adicional",
"calendar_updated_successfully": "Calendário atualizado com êxito",
"conferencing": "Conferência",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} aplicativos",
"trending_apps": "Apps em alta",
"most_popular": "Mais popular",
"explore_apps": "{{category}} aplicativos",
"installed_apps": "Apps instalados",
"free_to_use_apps": "Grátis",
"no_category_apps": "Sem aplicativos de {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Adicione qualquer outro tipo de aplicativo para fazer todos os tipos de coisas",
"no_category_apps_description_web3": "Adicione um aplicativo web3 para suas páginas de reservas",
"installed_app_calendar_description": "Defina o(s) calendário(s) para verificar se há conflitos e evitar reservas duplas.",
"installed_app_conferencing_description": "Adicione seus aplicativos favoritos de videoconferência para suas reuniões",
"installed_app_payment_description": "Configure quais serviços de processamento de pagamento serão usados no carregamento de seus clientes.",
"installed_app_analytics_description": "Configure quais aplicativos de análise serão usados nas suas páginas de reservas",
"installed_app_other_description": "Todos os seus aplicativos instalados de outras categorias.",
@ -868,7 +851,6 @@
"terms_of_service": "Termos de serviço",
"remove": "Remover",
"add": "Adicionar",
"installed_one": "Instalado",
"installed_other": "{{count}} instalado(s)",
"verify_wallet": "Verificar carteira",
"create_events_on": "Criar eventos em",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Agenda {{scheduleName}} criada com êxito",
"schedule_deleted_successfully": "Agenda removida com êxito",
"default_schedule_name": "Horas de trabalho",
"member_default_schedule": "Agenda padrão do membro",
"new_schedule_heading": "Criar agenda de disponibilidade",
"new_schedule_description": "A criação de agendas de disponibilidade permite gerenciar a disponibilidade em tipos de evento. Podem ser aplicadas a um ou mais tipos de evento.",
"requires_ownership_of_a_token": "Requer que o usuário que agendar tenha um token que pertence ao endereço a seguir:",
@ -933,8 +914,6 @@
"api_key_no_note": "Chave de API sem nome",
"api_key_never_expires": "Esta chave de API não data de vencimento",
"edit_api_key": "Editar chave de API",
"never_expire_key": "Nunca expira",
"delete_api_key": "Revogar chave de API",
"success_api_key_created": "Chave de API criada com êxito",
"success_api_key_edited": "Chave de API atualizada com êxito",
"create": "Criar",
@ -975,7 +954,6 @@
"event_location_changed": "Atualização: o local do seu evento foi alterado",
"location_changed_event_type_subject": "Local alterado: {{eventType}} com {{name}} em {{date}}",
"current_location": "Local atual",
"user_phone": "Seu número de telefone",
"new_location": "Novo local",
"session": "Sessão",
"session_description": "Controle sua sessão da conta",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Entre na conta do Zapier e crie um novo Zap.</0><1>Selecione {{appName}} como seu app de gatilho. Escolha também um evento de gatilho.</1><2>Escolha sua conta e insira sua chave de API única.</2><3>Teste seu gatilho.</3><4>Tudo pronto!</4>",
"install_zapier_app": "Instale primeiro o app do Zapier na loja de apps.",
"connect_apple_server": "Conectar com o servidor da Apple",
"connect_caldav_server": "Conectar a um servidor CalDav",
"calendar_url": "URL do calendário",
"apple_server_generate_password": "Gerar uma senha específica de app para usar com o {{appName}} em",
"credentials_stored_encrypted": "As suas credenciais serão armazenadas e encriptadas.",
@ -1033,7 +1010,6 @@
"go_to": "Ir para: ",
"zapier_invite_link": "Link de convite do Zapier",
"meeting_url_provided_after_confirmed": "Um URL de Reunião será criado assim que o evento for confirmado.",
"attendees_name": "Nome do participante",
"dynamically_display_attendee_or_organizer": "Exibe dinamicamente o nome do participante para você, ou seu nome se for visto pelo seu participante",
"event_location": "Local do evento",
"reschedule_optional": "Motivo de reagendamento (opcional)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Conectar com o servidor do Exchange 2016",
"custom_template": "Modelo personalizado",
"email_body": "Corpo do e-mail",
"subject": "Assunto",
"text_message": "Mensagem de texto",
"specific_issue": "Tem um problema específico?",
"browse_our_docs": "pesquisar nos nossos documentos",
@ -1135,12 +1110,9 @@
"new_seat_title": "Alguém se adicionou a um evento",
"variable": "Variável",
"event_name_variable": "Nome do evento",
"organizer_name_variable": "Nome do organizador",
"attendee_name_variable": "Nome do participante",
"event_date_variable": "Data do evento",
"event_time_variable": "Horário do evento",
"location_variable": "Local",
"additional_notes_variable": "Observações adicionais",
"app_upgrade_description": "Para usar este recurso, atualize para uma conta Pro.",
"invalid_number": "Número de telefone inválido",
"navigate": "Navegar",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Configurar um cronograma repetido",
"today": "hoje",
"appearance": "Aparência",
"appearance_subtitle": "Gerencie as configurações do aparecimento da sua reserva",
"my_account": "Minha conta",
"general": "Geral",
"calendars": "Calendários",
@ -1254,7 +1225,6 @@
"conferencing_description": "Gerencie seus aplicativos de videoconferência para suas reuniões",
"add_conferencing_app": "Adicionar aplicativo de conferência",
"password_description": "Gerencie as configurações para as senhas da sua conta",
"2fa_description": "Gerencie as configurações para as senhas da sua conta",
"we_just_need_basic_info": "Precisamos apenas de algumas informações básicas para configurar seu perfil.",
"skip": "Pular",
"do_this_later": "Mais tarde",
@ -1278,7 +1248,6 @@
"event_date_info": "A data do evento",
"event_time_info": "O horário inicial do evento",
"location_info": "O local do evento",
"organizer_name_info": "Seu nome",
"additional_notes_info": "Notas adicionais da reserva",
"attendee_name_info": "O nome da pessoa que fez a reserva",
"to": "Para",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Copiar link para formulário",
"theme": "Tema",
"theme_applies_note": "Isto só se aplica às suas páginas de reservas públicas",
"theme_light": "Claro",
"theme_dark": "Escuro",
"theme_system": "Padrão do sistema",
"add_a_team": "Adicionar uma equipe",
"add_webhook_description": "Receber dados de reunião em tempo real quando algo acontecer na {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "Habilitar webhook",
"add_webhook": "Adicionar Webhook",
"webhook_edited_successfully": "Webhook salvo",
"webhooks_description": "Receber dados de reunião em tempo real quando algo acontecer na {{appName}}",
"api_keys_description": "Gerar chaves de API para acessar sua própria conta",
"new_api_key": "Nova chave de API",
"active": "ativo",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "No momento, você está no plano GRÁTIS",
"billing_freeplan_description": "Trabalhamos melhor em equipe. Amplie seus fluxos de trabalho com eventos circulares e coletivos e faça formulários avançados de roteamento",
"billing_freeplan_cta": "Tentar agora",
"billing_manage_details_title": "Visualizar e gerenciar os seus detalhes de faturamento",
"billing_manage_details_description": "Ver e editar os seus dados de faturamento, bem como cancelar a sua assinatura.",
"billing_portal": "Portal de Cobrança",
"billing_help_title": "Precisa de algo mais?",
"billing_help_description": "Se precisar de mais ajuda com o faturamento, o nosso time de suporte está aqui para ajudar.",
"billing_help_cta": "Falar com o suporte",
"ignore_special_characters_booking_questions": "Ignore caracteres especiais no seu identificador de pergunta de reserva. Use apenas letras e números",
"retry": "Repetir",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Falha na conexão com a agenda",
"booking_confirmation_success": "Reserva confirmada com sucesso",
"booking_rejection_success": "Recusa de reserva realizada",
"booking_confirmation_fail": "Falhar ao confirmar reserva",
"booking_tentative": "Esta reserva é provisória",
"booking_accept_intent": "Ops, quero aceitar",
"we_wont_show_again": "Não exibiremos isso novamente",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Disponibilidade de {{eventTypeTitle}}",
"error_editing_availability": "Erro ao editar disponibilidade",
"dont_have_permission": "Você não tem permissão para acessar este recurso.",
"saml_config": "Logon único",
"saml_configuration_placeholder": "Por favor cole o SAML metadata do seu Provedor de Identidade aqui",
"saml_email_required": "Por favor insira um endereço de e-mail para que possamos encontrar o seu Provedor de Identidade",
"saml_sp_title": "Detalhes do Provedor de Serviços",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID da Entidade SP",
"saml_sp_acs_url_copied": "URL do ACS copiada!",
"saml_sp_entity_id_copied": "ID da Entidade SP copiada!",
"saml_btn_configure": "Configurar",
"add_calendar": "Adicionar calendário",
"limit_future_bookings": "Limitar reservas futuras",
"limit_future_bookings_description": "Limita o tempo de antecedência com que este evento pode ser reservado",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Sim, excluir a configuração de {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Você tem certeza que deseja remover a configuração de {{connectionType}}? Os membros do seu time que utilizam {{connectionType}} para fazer login não conseguirão acessar o Cal.com.",
"organizer_timezone": "Fuso horário do organizador",
"email_no_user_cta": "Criar sua conta",
"email_user_cta": "Ver convite",
"email_no_user_invite_heading": "Você precisa ter recebido um convite para ingressar em uma equipe de {{appName}}",
"email_no_user_invite_subheading": "Você recebeu um convite de {{invitedBy}} para ingressar em sua equipe em {{appName}}. {{appName}} é um agendador que concilia eventos e permite que sua equipe agende reuniões sem precisar trocar e-mails.",
@ -1648,7 +1606,6 @@
"create_event_on": "Criar evento em",
"default_app_link_title": "Defina um link padrão para o app",
"default_app_link_description": "Definir um link padrão para o app permite que todos os tipos de evento recém-criados usem o link definido para o app.",
"change_default_conferencing_app": "Definir como padrão",
"organizer_default_conferencing_app": "Aplicativo padrão do organizador",
"under_maintenance": "Serviço interrompido para manutenção",
"under_maintenance_description": "A equipe do {{appName}} está realizando uma manutenção programada. Se tiver alguma dúvida, fale com o suporte.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Falhar ao confirmar reserva",
"not_enough_seats": "Sem assentos suficientes",
"form_builder_field_already_exists": "Já existe um campo com este nome",
"form_builder_field_add_subtitle": "Personalize as perguntas feitas na página de reservas",
"show_on_booking_page": "Mostrar na página de reservas",
"get_started_zapier_templates": "Comece agora com modelos do Zapier",
"team_is_unpublished": "Publicação de {{team}} cancelada",
@ -1715,7 +1671,6 @@
"verification_code": "Código de verificação",
"can_you_try_again": "Poderia tentar novamente em um horário diferente?",
"verify": "Verificar",
"timezone_variable": "Fuso Horário",
"timezone_info": "O fuso horário do destinatário",
"event_end_time_variable": "Horário de término do evento",
"event_end_time_info": "O horário de término do evento",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Eventos reagendados",
"from_last_period": "do último período",
"from_to_date_period": "De: {{startDate}} Para: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Saiba mais sobre as atividades da sua equipe",
"redirect_url_warning": "A página de sucesso será desabilitada ao adicionar um redirecionamento. Não se esqueça de mencionar \"Reserva confirmada\" na sua página de sucesso personalizada.",
"event_trends": "Tendências de evento",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Conclua sua reserva",
"complete_your_booking_subject": "Conclua sua reserva: {{title}} à(s) {{date}}",
"confirm_your_details": "Confirme suas informações",
"never_expire": "Nunca expira",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Você está prestes a cobrar {{amount, currency}} do participante. Tem certeza de que deseja continuar?",
"charge_attendee": "Cobrar {{amount, currency}} do participante",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Conclua a configuração da sua conta {{appName}}! Está apenas a alguns passos de resolver todos os seus problemas com agendamentos.",
"have_any_questions": "Tem perguntas? Estamos disponíveis para ajudar.",
"reset_password_subject": "{{appName}}: Instruções de redefinição da senha",
"verify_email_banner_button": "Enviar e-mail",
"event_declined_subject": "Declinado: {{title}} em {{date}}",
"event_cancelled_subject": "Cancelado: {{title}} em {{date}}",
"event_request_declined": "O seu pedido de evento foi declinado",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "A sua reunião foi reservada",
"event_type_has_been_rescheduled_on_time_date": "Seu {{title}} foi remarcado para {{date}}.",
"event_has_been_rescheduled": "O seu evento foi reagendado.",
"request_reschedule_title_attendee": "Solicitar o reagendamento da sua reserva",
"request_reschedule_subtitle": "{{organizer}} cancelou a reserva e pediu para que escolhesse outro horário.",
"request_reschedule_title_organizer": "Solicitou um reagendamento a {{attendee}}",
"request_reschedule_subtitle_organizer": "Cancelou a reserva e {{attendee}} deve escolher um novo horário para a reserva consigo.",
"rescheduled_event_type_subject": "Pedido de reagendamento enviado: {{eventType}} com {{name}} em {{date}}",
"requested_to_reschedule_subject_attendee": "Acção necessária para reagendamento: Por favor reserve uma nova hora para {{eventType}} com {{name}}",
"reschedule_reason": "Motivo do reagendamento",
"hi_user_name": "Olá {{name}}",
"ics_event_title": "{{eventType}} com {{name}}",
"new_event_subject": "Novo evento: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Boas-vindas ao {{appName}}",
"welcome_instructions": "Diga-nos como lhe devemos chamar e qual o seu fuso horário. Poderá editar isto mais tarde.",
"connect_caldav": "Ligar a servidor CalDav",
"credentials_stored_and_encrypted": "As suas credenciais serão armazenadas e encriptadas.",
"connect": "Ligar",
"try_for_free": "Experimente gratuitamente",
"create_booking_link_with_calcom": "Crie a sua própria ligação de reservas com {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} ainda precisa de confirmar ou rejeitar cada reserva da reunião recorrente.",
"meeting_is_scheduled": "Esta reunião está agendada",
"meeting_is_scheduled_recurring": "Os eventos recorrentes estão agendados",
"submitted_recurring": "A sua reunião recorrente foi submetida",
"booking_submitted": "A sua reserva foi enviada",
"booking_submitted_recurring": "A sua reunião recorrente foi submetida",
"booking_confirmed": "A sua reserva foi confirmada",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Esta reserva já foi aceite ou rejeitada",
"go_back_home": "Voltar à Página Inicial",
"or_go_back_home": "Ou volte à página inicial",
"no_availability": "Indisponível",
"no_meeting_found": "Nenhuma Reunião Encontrada",
"no_meeting_found_description": "Esta reunião não existe. Contacte o proprietário da reunião para obter uma ligação atualizada.",
"no_status_bookings_yet": "Ainda não tem reservas {{status}}",
@ -448,7 +442,6 @@
"invalid_password_hint": "A palavra-passe deve ter no mínimo {{passwordLength}} caracteres, com pelo menos um número e uma mistura de letras maiúsculas e minúsculas",
"incorrect_password": "Palavra-Passe incorreta",
"incorrect_username_password": "O nome de utilizador ou a palavra-passe estão incorretos.",
"24_h": "24h",
"use_setting": "Usar Configuração",
"am_pm": "am/pm",
"time_options": "Opções de Hora",
@ -491,15 +484,11 @@
"booking_confirmation": "Confirme o seu {{eventTypeTitle}} com {{profileName}}",
"booking_reschedule_confirmation": "Reagende o seu {{eventTypeTitle}} com {{profileName}}",
"in_person_meeting": "Ligação ou reunião presencial",
"attendee_in_person": "Pessoalmente (endereço do participante)",
"in_person": "Pessoalmente (endereço do organizador)",
"link_meeting": "Ligar reunião",
"phone_call": "Número de telefone do participante",
"your_number": "O seu número de telefone",
"phone_number": "Número de Telefone",
"attendee_phone_number": "Número de telefone do participante",
"organizer_phone_number": "Número de telefone do organizador",
"host_phone_number": "O seu número de telefone",
"enter_phone_number": "Inserir Número do Telefone",
"reschedule": "Reagendar",
"reschedule_this": "Reagendar em alternativa",
@ -625,9 +614,6 @@
"new_event_type_btn": "Novo tipo de evento",
"new_event_type_heading": "Crie o seu primeiro tipo de evento",
"new_event_type_description": "Os tipos de evento permitem partilhar ligações que mostram os horários disponíveis na sua agenda, e permitem que as pessoas façam reservas consigo.",
"new_event_title": "Adicionar um novo tipo de evento",
"new_team_event": "Adicionar um novo tipo de evento de equipa",
"new_event_description": "Crie um novo tipo de evento para as pessoas reservarem uma hora.",
"event_type_created_successfully": "Tipo de evento {{eventTypeTitle}} criado com sucesso",
"event_type_updated_successfully": "Tipo de evento atualizado com sucesso",
"event_type_deleted_successfully": "Tipo de evento eliminado com sucesso",
@ -796,7 +782,6 @@
"automation": "Automatização",
"configure_how_your_event_types_interact": "Configure como os seus tipos de evento deverão interagir com os seus calendários.",
"toggle_calendars_conflict": "Escolha os calendários que deseja verificar para evitar conflitos e duplicação de reservas.",
"select_destination_calendar": "Criar eventos em",
"connect_additional_calendar": "Ligar um calendário adicional",
"calendar_updated_successfully": "Calendário atualizado com sucesso",
"conferencing": "Conferência",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} aplicações",
"trending_apps": "Aplicações em destaque",
"most_popular": "Mais populares",
"explore_apps": "Aplicações de {{category}}",
"installed_apps": "Apps instaladas",
"free_to_use_apps": "Grátis",
"no_category_apps": "Sem aplicações de {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Adicione qualquer outro tipo de aplicações para fazer todos os tipos de coisas",
"no_category_apps_description_web3": "Adicione uma aplicação web3 às suas páginas de reservas",
"installed_app_calendar_description": "Defina o(s) calendário(s) para verificar se existem conflitos e assim evitar marcações sobrepostas.",
"installed_app_conferencing_description": "Adicione as aplicações de videoconferência que prefere para as suas reuniões",
"installed_app_payment_description": "Configure os serviços de processamento de pagamentos que serão utilizados nas cobranças aos seus clientes.",
"installed_app_analytics_description": "Configurar as aplicações de análise a utilizar nas suas páginas de reservas",
"installed_app_other_description": "Todas as aplicações instaladas de outras categorias.",
@ -868,7 +851,6 @@
"terms_of_service": "Termos do serviço",
"remove": "Remover",
"add": "Adicionar",
"installed_one": "Instalado",
"installed_other": "{{count}} instaladas",
"verify_wallet": "Verificar carteira",
"create_events_on": "Criar eventos em:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Horário {{scheduleName}} actualizado com sucesso",
"schedule_deleted_successfully": "Horário eliminado com sucesso",
"default_schedule_name": "Horário de trabalho",
"member_default_schedule": "Agenda predefinida do membro",
"new_schedule_heading": "Criar um horário de disponibilidade",
"new_schedule_description": "Criar horários de disponibilidade permite-lhe gerir a disponibilidade de todos os tipos de eventos. Podem ser aplicados a um ou mais tipos de eventos.",
"requires_ownership_of_a_token": "Requer a propriedade de um token pertencente ao seguinte endereço:",
@ -933,8 +914,6 @@
"api_key_no_note": "Chave de API sem nome",
"api_key_never_expires": "Esta chave de API não tem data de validade",
"edit_api_key": "Editar chave de API",
"never_expire_key": "Nunca expira",
"delete_api_key": "Revogar chave de API",
"success_api_key_created": "Chave de API criada com sucesso",
"success_api_key_edited": "Chave de API atualizada com sucesso",
"create": "Criar",
@ -975,7 +954,6 @@
"event_location_changed": "Actualizado - Foi alterada a localização do seu evento",
"location_changed_event_type_subject": "Localização alterada: {{eventType}} com {{name}} em {{date}}",
"current_location": "Localização actual",
"user_phone": "O seu número de telefone",
"new_location": "Nova localização",
"session": "Sessão",
"session_description": "Controle a sessão da sua conta",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Inicie sessão na sua conta Zapier e crie um novo Zap.</0><1>Seleccione {{appName}} como aplicação acionadora. Selecione também um evento acionador.</1><2>Seleccione a sua conta e insira a sua chave de API única.</2><3>Teste o seu accionador.</3><4>Está configurado!</4>",
"install_zapier_app": "Por favor, primeiro instale a aplicação Zapier da App Store.",
"connect_apple_server": "Ligar a Apple Server",
"connect_caldav_server": "Ligar a servidor CalDav (Beta)",
"calendar_url": "URL do calendário",
"apple_server_generate_password": "Crie uma palavra-passe de aplicação específica para utilizar com {{appName}} em",
"credentials_stored_encrypted": "As suas credenciais serão armazenadas e encriptadas.",
@ -1033,7 +1010,6 @@
"go_to": "Vá a: ",
"zapier_invite_link": "Ligação de convite do Zapier",
"meeting_url_provided_after_confirmed": "Será criado um URL da reunião assim que o evento for confirmado.",
"attendees_name": "Nome do participante",
"dynamically_display_attendee_or_organizer": "Mostrar dinamicamente o nome do seu participante, ou o seu nome, se visto pelo seu participante",
"event_location": "Localização do evento",
"reschedule_optional": "Razão do reagendamento (opcional)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Ligar Exchange 2016 Server",
"custom_template": "Modelo personalizado",
"email_body": "Corpo do e-mail",
"subject": "Assunto do e-mail",
"text_message": "Mensagem de texto",
"specific_issue": "Tem um problema específico?",
"browse_our_docs": "consulte a nossa documentação",
@ -1135,12 +1110,9 @@
"new_seat_title": "Alguém se adicionou a um evento",
"variable": "Variável",
"event_name_variable": "Nome do evento",
"organizer_name_variable": "Organizador",
"attendee_name_variable": "Participante",
"event_date_variable": "Data do evento",
"event_time_variable": "Hora do evento",
"location_variable": "Localização",
"additional_notes_variable": "Notas Adicionais",
"app_upgrade_description": "Para usar esta funcionalidade, tem de actualizar para uma conta Pro.",
"invalid_number": "Número de telefone inválido",
"navigate": "Navegar",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Configurar um agendamento recorrente",
"today": "hoje",
"appearance": "Aparência",
"appearance_subtitle": "Faça a gestão das definições de aparência da sua reserva",
"my_account": "A minha conta",
"general": "Geral",
"calendars": "Calendários",
@ -1254,7 +1225,6 @@
"conferencing_description": "Adicione as suas aplicações de videoconferência para reuniões",
"add_conferencing_app": "Adicionar aplicação de conferência",
"password_description": "Faça a gestão das definições para as palavras-passe da sua conta",
"2fa_description": "Faça a gestão das definições para as palavras-passe da sua conta",
"we_just_need_basic_info": "Precisamos apenas de algumas informações básicas para configurar o seu perfil.",
"skip": "Ignorar",
"do_this_later": "Fazer isto mais tarde",
@ -1278,7 +1248,6 @@
"event_date_info": "A data do evento",
"event_time_info": "A hora de início do evento",
"location_info": "O local do evento",
"organizer_name_info": "O seu nome",
"additional_notes_info": "As notas adicionais da reserva",
"attendee_name_info": "O nome do responsável pela reserva",
"to": "Para",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Copiar ligação para o formulário",
"theme": "Tema",
"theme_applies_note": "Isto só se aplica às suas páginas de reservas públicas",
"theme_light": "Claro",
"theme_dark": "Escuro",
"theme_system": "Predefinição do sistema",
"add_a_team": "Adicionar uma equipa",
"add_webhook_description": "Receba os dados da reunião em tempo real quando algo acontecer em {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "Ativar webhook",
"add_webhook": "Adicionar webhook",
"webhook_edited_successfully": "Webhook guardado",
"webhooks_description": "Receba os dados da reunião em tempo real quando algo acontecer em {{appName}}",
"api_keys_description": "Gerar as chaves da API para aceder à sua própria conta",
"new_api_key": "Nova chave de API",
"active": "Ativo",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Atualmente está a utilizar o plano GRATUITO",
"billing_freeplan_description": "Trabalhamos melhor em equipa. Estenda os seus fluxos de trabalho com eventos em grupo e com uma distribuição equilibrada, e faça formulários avançados de encaminhamento",
"billing_freeplan_cta": "Experimentar agora",
"billing_manage_details_title": "Ver e gerir os seus detalhes de faturação",
"billing_manage_details_description": "Ver e editar os seus dados de faturação, bem como cancelar a sua assinatura.",
"billing_portal": "Portal de faturação",
"billing_help_title": "Precisa de outra coisa?",
"billing_help_description": "Se precisar de mais ajuda com a faturação, a nossa equipa de apoio está aqui para ajudar.",
"billing_help_cta": "Contactar o apoio",
"ignore_special_characters_booking_questions": "Ignorar caracteres especiais no seu identificador de questões sobre a reserva. Utilizar apenas letras e números",
"retry": "Repetir",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "A ligação ao calendário falhou",
"booking_confirmation_success": "Confirmação da reserva bem-sucedida",
"booking_rejection_success": "Rejeição da reserva bem-sucedida",
"booking_confirmation_fail": "A confirmação da reserva falhou",
"booking_tentative": "Esta reserva é provisória",
"booking_accept_intent": "Ups, quero aceitar",
"we_wont_show_again": "Não vamos mostrar isto novamente",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Disponibilidade de {{eventTypeTitle}}",
"error_editing_availability": "Erro ao editar a disponibilidade",
"dont_have_permission": "Não tem permissão para aceder a esta funcionalidade.",
"saml_config": "Configuração SAML",
"saml_configuration_placeholder": "Cole aqui os metadados de SAML do seu fornecedor de identidade",
"saml_email_required": "Por favor insira um email para que seja possível encontrar o seu fornecedor de identidade de SAML",
"saml_sp_title": "Detalhes do Fornecedor do serviço",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID da entidade do SP",
"saml_sp_acs_url_copied": "Endereço do ACS copiado!",
"saml_sp_entity_id_copied": "ID da entidade do SP copiada!",
"saml_btn_configure": "Configurar",
"add_calendar": "Adicionar calendário",
"limit_future_bookings": "Limitar reservas futuras",
"limit_future_bookings_description": "Limitar o quão longe no futuro este evento pode ser reservado",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Sim, eliminar configuração {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Tem a certeza que pretende eliminar a configuração {{connectionType}}? Os membros da sua equipa que utilizem {{connectionType}} para o início de sessão deixarão de poder aceder a Cal.com.",
"organizer_timezone": "Fuso horário do organizador",
"email_no_user_cta": "Crie a sua conta",
"email_user_cta": "Ver convite",
"email_no_user_invite_heading": "Recebeu um convite para fazer parte de uma equipa em {{appName}}",
"email_no_user_invite_subheading": "Recebeu um convite de {{invitedBy}} para fazer parte da respetiva equipa em {{appName}}. {{appName}} é um ferramenta de conciliação e agendamento de eventos que lhe permite a si e à sua equipa agendar reuniões sem o pingue-pongue de e-mails.",
@ -1648,7 +1606,6 @@
"create_event_on": "Criar evento em",
"default_app_link_title": "Definir uma ligação predefinida de aplicação",
"default_app_link_description": "Ao definir uma ligação predefinida da aplicação, permite que todos os tipos de eventos recém-criados utilizem a ligação de aplicação que definiu.",
"change_default_conferencing_app": "Predefinir",
"organizer_default_conferencing_app": "Aplicação predefinida do organizador",
"under_maintenance": "Em manutenção",
"under_maintenance_description": "A equipa {{appName}} está a executar uma operação de manutenção programada. Se tiver alguma dúvida, por favor, entre em contacto com o suporte.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "A confirmação da reserva falhou",
"not_enough_seats": "Não existem lugares suficientes",
"form_builder_field_already_exists": "Já existe um campo com este nome",
"form_builder_field_add_subtitle": "Personalize as questões colocadas na página da reserva",
"show_on_booking_page": "Mostrar na página de reservas",
"get_started_zapier_templates": "Comece a utilizar os modelos Zapier",
"team_is_unpublished": "A equipa {{team}} ainda não está publicada",
@ -1715,7 +1671,6 @@
"verification_code": "Código de verificação",
"can_you_try_again": "Pode tentar novamente noutra altura?",
"verify": "Verificar",
"timezone_variable": "Fuso Horário",
"timezone_info": "O fuso horário do anfitrião",
"event_end_time_variable": "Hora de fim do evento",
"event_end_time_info": "A hora de fim do evento",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Eventos reagendados",
"from_last_period": "do último período",
"from_to_date_period": "De: {{startDate}} A: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Saiba mais sobre as atividades da sua equipa",
"redirect_url_warning": "Ao adicionar um redirecionamento irá desativar a página de sucesso. Certifique-se que indica que \"A reserva foi confirmada\" na sua página de sucesso personalizada.",
"event_trends": "Tendências de evento",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Concluir a sua reserva",
"complete_your_booking_subject": "Concluir a sua reserva: {{title}} a {{date}}",
"confirm_your_details": "Confirme os seus dados",
"never_expire": "Nunca expira",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Está em vias de cobrar {{amount, currency}} ao participante. Tem a certeza que pretende continuar?",
"charge_attendee": "Cobrar {{amount, currency}} ao participante",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Finalizați configurarea contului {{appName}}! Mai aveți doar câțiva pași până la soluționarea tuturor problemelor legate de program.",
"have_any_questions": "Aveți întrebări? Suntem aici pentru a vă ajuta.",
"reset_password_subject": "{{appName}}: instrucțiuni de resetare a parolei",
"verify_email_banner_button": "Trimiteți un e-mail",
"event_declined_subject": "Refuzat: {{title}} în {{date}}",
"event_cancelled_subject": "Anulat: {{title}} în {{date}}",
"event_request_declined": "Solicitarea pentru eveniment a fost refuzată",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Întâlnirea dvs. a fost programată",
"event_type_has_been_rescheduled_on_time_date": "{{title}} dvs. a fost reprogramat la {{date}}.",
"event_has_been_rescheduled": "Evenimentul dvs. a fost reprogramat.",
"request_reschedule_title_attendee": "Solicitați reprogramarea rezervării",
"request_reschedule_subtitle": "{{organizer}} a anulat rezervarea și v-a cerut să alegeți o altă dată.",
"request_reschedule_title_organizer": "I-ați cerut lui {{attendee}} să reprogrameze",
"request_reschedule_subtitle_organizer": "Ați anulat rezervarea și {{attendee}} trebuie să aleagă o nouă dată pentru rezervarea cu dvs.",
"rescheduled_event_type_subject": "Cerere de reprogramare trimisă: {{eventType}} cu {{name}} în {{date}}",
"requested_to_reschedule_subject_attendee": "Acțiunea necesită reprogramare: rezervați o nouă dată pentru {{eventType}} cu {{name}}",
"reschedule_reason": "Motivul reprogramării",
"hi_user_name": "Salut {{name}}",
"ics_event_title": "{{eventType}} cu {{name}}",
"new_event_subject": "Eveniment nou: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Bine ați venit la {{appName}}",
"welcome_instructions": "Spune-ne ce să te sune și spune-ne în ce fus orar. Vei putea edita mai târziu.",
"connect_caldav": "Conectați-vă la serverul CalDav (Beta)",
"credentials_stored_and_encrypted": "Acreditările dvs. vor fi stocate și criptate.",
"connect": "Conectează-te",
"try_for_free": "Încearcă gratuit",
"create_booking_link_with_calcom": "Creați-vă propriul link de rezervare pe {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} încă trebuie să confirme sau să respingă fiecare rezervare a întâlnirii recurente.",
"meeting_is_scheduled": "Această întâlnire este programată",
"meeting_is_scheduled_recurring": "Evenimentele recurente sunt programate",
"submitted_recurring": "Întâlnirea dvs. recurentă a fost trimisă",
"booking_submitted": "Rezervare trimisă",
"booking_submitted_recurring": "Întâlnirea dvs. recurentă a fost trimisă",
"booking_confirmed": "Rezervare confirmată",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Această rezervare a fost deja acceptată sau refuzată",
"go_back_home": "Întoarce-te la prima pagină",
"or_go_back_home": "Sau întoarce-te la prima pagină",
"no_availability": "Indisponibil",
"no_meeting_found": "Nu a fost găsită nicio ședință",
"no_meeting_found_description": "Această ședință nu există. Contactați proprietarul ședinței pentru un link actualizat.",
"no_status_bookings_yet": "Nicio rezervare {{status}}",
@ -448,7 +442,6 @@
"invalid_password_hint": "Parola trebuie să aibă cel puțin {{passwordLength}} caractere, să conțină cel puțin o cifră și o combinație de litere mari și litere mici",
"incorrect_password": "Parola este incorectă.",
"incorrect_username_password": "Numele de utilizator sau parola este incorectă.",
"24_h": "24h",
"use_setting": "Folosește setarea",
"am_pm": "am/pm",
"time_options": "Opţiuni de timp",
@ -491,15 +484,11 @@
"booking_confirmation": "Confirmă {{eventTypeTitle}} cu {{profileName}}",
"booking_reschedule_confirmation": "Reprogramează {{eventTypeTitle}} cu {{profileName}}",
"in_person_meeting": "Link sau întâlnire în persoană",
"attendee_in_person": "În persoană (adresă participant)",
"in_person": "În persoană (adresă organizator)",
"link_meeting": "Link întâlnire",
"phone_call": "Număr de telefon participant",
"your_number": "Numărul dvs. de telefon",
"phone_number": "Număr de telefon",
"attendee_phone_number": "Număr de telefon participant",
"organizer_phone_number": "Număr de telefon organizator",
"host_phone_number": "Numărul dvs. de telefon",
"enter_phone_number": "Introduceți numărul de telefon",
"reschedule": "Reprogrameaza",
"reschedule_this": "Reprogramați în schimb",
@ -625,9 +614,6 @@
"new_event_type_btn": "Nou tip de eveniment",
"new_event_type_heading": "Creați-vă primul tip de eveniment",
"new_event_type_description": "Tipurile de evenimente vă permit să partajați link-uri care afișează orele disponibile în calendarul dvs. și permit oamenilor să facă rezervări cu dvs.",
"new_event_title": "Adaugă un nou tip de eveniment în echipă",
"new_team_event": "Adaugă un nou tip de eveniment în echipă",
"new_event_description": "Creaţi un nou tip de eveniment cu care oamenii să poată rezerva orare.",
"event_type_created_successfully": "{{eventTypeTitle}} tip de eveniment creat cu succes",
"event_type_updated_successfully": "{{eventTypeTitle}} tip de eveniment actualizat cu succes",
"event_type_deleted_successfully": "Tipul de eveniment șters cu succes",
@ -796,7 +782,6 @@
"automation": "Automatizare",
"configure_how_your_event_types_interact": "Configurați modul în care tipurile de evenimente ar trebui să interacționeze cu calendarele dvs.",
"toggle_calendars_conflict": "Comutați calendarele în care doriți să verificați dacă există conflicte, pentru a preveni rezervările suprapuse.",
"select_destination_calendar": "Creați evenimente în",
"connect_additional_calendar": "Conectați calendarul suplimentar",
"calendar_updated_successfully": "Calendar actualizat cu succes",
"conferencing": "Conferință",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} (de) aplicații",
"trending_apps": "Aplicații populare",
"most_popular": "Cele mai populare",
"explore_apps": "Aplicații {{category}}",
"installed_apps": "Aplicații instalate",
"free_to_use_apps": "Gratuit",
"no_category_apps": "Nicio aplicație {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Adăugați orice alt tip de aplicație pentru a întreprinde diverse acțiuni",
"no_category_apps_description_web3": "Adăugați o aplicație Web3 pentru paginile dvs. de rezervări",
"installed_app_calendar_description": "Pentru a evita rezervările suprapuse, configurează calendarele astfel încât să poată verifica existența conflictelor.",
"installed_app_conferencing_description": "Adăugați aplicațiile preferate de conferințe video pentru ședințele dvs.",
"installed_app_payment_description": "Configurați serviciile de procesare a plăților care vor fi utilizate la taxarea clienților.",
"installed_app_analytics_description": "Configurați care aplicații de analiză vor fi utilizate pentru paginile dvs. de rezervări",
"installed_app_other_description": "Toate aplicațiile instalate din alte categorii.",
@ -868,7 +851,6 @@
"terms_of_service": "Condiții de utilizare",
"remove": "Eliminați",
"add": "Adăugați",
"installed_one": "Instalat",
"installed_other": "{{count}} instalată/instalate",
"verify_wallet": "Verificați portofelul",
"create_events_on": "Creați evenimente în",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Disponibilitatea actualizată cu succes",
"schedule_deleted_successfully": "Program șters cu succes",
"default_schedule_name": "Program de lucru",
"member_default_schedule": "Programul implicit al membrului",
"new_schedule_heading": "Creați un program de disponibilitate",
"new_schedule_description": "Crearea programelor de disponibilitate vă permite să gestionați disponibilitatea în toate tipurile de evenimente. Acestea pot fi aplicate la unul sau mai multe tipuri de evenimente.",
"requires_ownership_of_a_token": "Necesită dreptul de proprietate asupra unui token care aparține următoarei adrese:",
@ -933,8 +914,6 @@
"api_key_no_note": "Cheie API fără denumire",
"api_key_never_expires": "Această cheie API nu are dată de expirare",
"edit_api_key": "Modificați cheia API",
"never_expire_key": "Nu expiră niciodată",
"delete_api_key": "Revocați cheia API",
"success_api_key_created": "Cheie API creată cu succes",
"success_api_key_edited": "Cheie API actualizată cu succes",
"create": "Creare",
@ -975,7 +954,6 @@
"event_location_changed": "Actualizat - Locația pentru evenimentul dvs. s-a modificat",
"location_changed_event_type_subject": "Locație modificată: {{eventType}} cu {{name}} la {{date}}",
"current_location": "Locația curentă",
"user_phone": "Numărul dvs. de telefon",
"new_location": "Locație nouă",
"session": "Sesiune",
"session_description": "Controlați sesiunea contului",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Conectează-te la contul Zapier și creează un Zap nou.</0><1>Selectează Cal.com ca aplicație Trigger. Alege și un eveniment Trigger.</1><2>Alege contul, apoi introdu cheia API unică.</2><3>Testează Trigger-ul.</3><4>Ai terminat!</4>",
"install_zapier_app": "Instalați mai întâi aplicația Zapier din App Store.",
"connect_apple_server": "Conectați-vă la serverul Apple",
"connect_caldav_server": "Conectați-vă la serverul CalDav (Beta)",
"calendar_url": "URL calendar",
"apple_server_generate_password": "Generați o parolă specifică aplicației, pe care o veți utiliza cu {{appName}} la",
"credentials_stored_encrypted": "Datele dvs. de autentificare vor fi stocate și criptate.",
@ -1033,7 +1010,6 @@
"go_to": "Accesați: ",
"zapier_invite_link": "Link invitație Zapier",
"meeting_url_provided_after_confirmed": "Un URL pentru întâlnire va fi creat după confirmarea evenimentului.",
"attendees_name": "Numele participantului",
"dynamically_display_attendee_or_organizer": "Afișați dinamic numele participantului pentru dvs. sau numele dvs. dacă este vizualizat de participantul dvs.",
"event_location": "Locul evenimentului",
"reschedule_optional": "Motiv pentru reprogramare (opțional)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Conectare server Exchange 2016",
"custom_template": "Șablon personalizat",
"email_body": "Corp mesaj de e-mail",
"subject": "Subiect e-mail",
"text_message": "Mesaj text",
"specific_issue": "Aveți o problemă specifică?",
"browse_our_docs": "răsfoiți documentele noastre",
@ -1135,12 +1110,9 @@
"new_seat_title": "Cineva s-a adăugat pe sine la un eveniment",
"variable": "Variabilă",
"event_name_variable": "Denumire eveniment",
"organizer_name_variable": "Organizator",
"attendee_name_variable": "Participant",
"event_date_variable": "Dată eveniment",
"event_time_variable": "Oră eveniment",
"location_variable": "Loc",
"additional_notes_variable": "Note suplimentare",
"app_upgrade_description": "Pentru a utiliza această caracteristică, trebuie să faceți upgrade la un cont Pro.",
"invalid_number": "Număr de telefon nevalid",
"navigate": "Navigare",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Configurați un program de repetare",
"today": "astăzi",
"appearance": "Aspect",
"appearance_subtitle": "Gestionați setările pentru aspectul rezervărilor",
"my_account": "Contul meu",
"general": "Generalități",
"calendars": "Calendare",
@ -1254,7 +1225,6 @@
"conferencing_description": "Gestionează aplicațiile de conferințe video pentru întâlnirile tale",
"add_conferencing_app": "Adăugare aplicație de conferințe",
"password_description": "Gestionați setările pentru parolele contului dvs.",
"2fa_description": "Gestionați setările pentru parolele contului dvs.",
"we_just_need_basic_info": "Avem nevoie doar de câteva informații de bază pentru configurarea profilului dvs.",
"skip": "Omiteți",
"do_this_later": "Reveniți mai târziu",
@ -1278,7 +1248,6 @@
"event_date_info": "Data evenimentului",
"event_time_info": "Ora începerii evenimentului",
"location_info": "Locul de desfășurare a evenimentului",
"organizer_name_info": "Numele dvs.",
"additional_notes_info": "Observații suplimentare privind rezervarea",
"attendee_name_info": "Numele persoanei care efectuează rezervarea",
"to": "Către",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Copiați linkul în formular",
"theme": "Temă",
"theme_applies_note": "Acest aspect se aplică numai paginilor dvs. de rezervare publice",
"theme_light": "Luminos",
"theme_dark": "Întunecat",
"theme_system": "Setări implicite sistem",
"add_a_team": "Adăugați o echipă",
"add_webhook_description": "Primiți datele ședințelor în timp real atunci când se întâmplă ceva pe {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "Activați webhook",
"add_webhook": "Adăugați webhook",
"webhook_edited_successfully": "Webhook salvat",
"webhooks_description": "Primiți datele ședințelor în timp real atunci când se întâmplă ceva pe {{appName}}",
"api_keys_description": "Generați chei API pentru accesarea propriului cont",
"new_api_key": "Cheie API nouă",
"active": "activ",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Utilizați planul GRATUIT în prezent",
"billing_freeplan_description": "Lucrăm mai bine în Teams. Extindeți-vă fluxurile de lucru cu evenimente colective și cu alocare prin rotație și realizați formulare de direcționare avansate",
"billing_freeplan_cta": "Încercați acum",
"billing_manage_details_title": "Vizualizați și gestionați detaliile de facturare",
"billing_manage_details_description": "Vizualizați și modificați detaliile de facturare. Ca alternativă, vă puteți anula abonamentul.",
"billing_portal": "Portal de facturare",
"billing_help_title": "Aveți nevoie de altceva?",
"billing_help_description": "Dacă aveți nevoie de ajutor suplimentar pentru facturare, echipa noastră de asistență este aici pentru a vă ajuta.",
"billing_help_cta": "Contactați serviciul de asistență",
"ignore_special_characters_booking_questions": "Ignorați caracterele speciale în identificatorul întrebării despre rezervare. Utilizați doar litere și cifre",
"retry": "Reîncercați",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Conexiune calendar nereușită",
"booking_confirmation_success": "Confirmare rezervare reușită",
"booking_rejection_success": "Respingere rezervare reușită",
"booking_confirmation_fail": "Confirmare rezervare nereușită",
"booking_tentative": "Această rezervare este provizorie",
"booking_accept_intent": "Hopa, vreau să accept",
"we_wont_show_again": "Nu vom mai afișa acest mesaj",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Disponibilitate {{eventTypeTitle}}",
"error_editing_availability": "Eroare la editarea disponibilității",
"dont_have_permission": "Nu aveți permisiunea de a accesa această resursă.",
"saml_config": "Single Sign-On",
"saml_configuration_placeholder": "Inserați aici metadatele SAML generate de furnizorul dvs. de identitate",
"saml_email_required": "Introduceți un e-mail pentru a vă putea găsi furnizorul de identitate SAML",
"saml_sp_title": "Detaliile furnizorului de servicii",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID entitate SP",
"saml_sp_acs_url_copied": "URL-ul ACS a fost copiat!",
"saml_sp_entity_id_copied": "ID-ul entității SP a fost copiat!",
"saml_btn_configure": "Configurare",
"add_calendar": "Adăugați un calendar",
"limit_future_bookings": "Limitați rezervările viitoare",
"limit_future_bookings_description": "Limitați cât de departe în viitor poate fi rezervat acest eveniment",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Da, șterg configurația {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Sigur doriți să ștergeți configurația {{connectionType}}? Membrii echipei dvs. care utilizează conectarea prin {{connectionType}} nu vor mai putea accesa Cal.com.",
"organizer_timezone": "Fusul orar al organizatorului",
"email_no_user_cta": "Creează-ți contul",
"email_user_cta": "Vizualizare invitație",
"email_no_user_invite_heading": "Ați fost invitat să faceți parte dintr-o echipă de pe {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} v-a invitat să faceți parte din echipa sa de pe {{appName}}. {{appName}} este un instrument de planificare a evenimentelor, care vă permite dvs. și echipei dvs. să programați ședințe fără a face ping-pong prin e-mail.",
@ -1648,7 +1606,6 @@
"create_event_on": "Creați eveniment pe",
"default_app_link_title": "Setați un link implicit pentru aplicații",
"default_app_link_description": "Setarea unui link implicit pentru aplicații permite tuturor tipurilor de evenimente nou-create să utilizeze linkul pentru aplicații pe care l-ați setat.",
"change_default_conferencing_app": "Setează ca implicit",
"organizer_default_conferencing_app": "Aplicația implicită a organizatorului",
"under_maintenance": "Serviciu întrerupt pentru întreținere",
"under_maintenance_description": "Echipa {{appName}} efectuează lucrări de întreținere programate. Dacă aveți întrebări, contactați serviciul de asistență.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Confirmare rezervare nereușită",
"not_enough_seats": "Nu sunt suficiente locuri",
"form_builder_field_already_exists": "Există deja un câmp cu acest nume",
"form_builder_field_add_subtitle": "Personalizați întrebările adresate pe pagina de rezervare",
"show_on_booking_page": "Afișare pe pagina de rezervare",
"get_started_zapier_templates": "Faceți primii pași cu șabloanele Zapier",
"team_is_unpublished": "Echipa {{team}} nu este publicată",
@ -1715,7 +1671,6 @@
"verification_code": "Cod de verificare",
"can_you_try_again": "Puteți încerca din nou cu o oră diferită?",
"verify": "Verificare",
"timezone_variable": "Timezone",
"timezone_info": "Fusul orar al destinatarului",
"event_end_time_variable": "Oră de încheiere eveniment",
"event_end_time_info": "Ora de încheiere a evenimentului",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Evenimente reprogramate",
"from_last_period": "din ultima perioadă",
"from_to_date_period": "De la: {{startDate}} La: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Aflați mai multe despre activitatea echipei dvs.",
"redirect_url_warning": "Adăugarea unei redirecționări va dezactiva pagina cu mesajul de succes. Nu uitați să menționați „Rezervare confirmată” pe pagina cu mesajul de succes personalizat.",
"event_trends": "Tendințe eveniment",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Finalizați rezervarea",
"complete_your_booking_subject": "Finalizați rezervarea: {{title}}, pe {{date}}",
"confirm_your_details": "Confirmați datele dvs.",
"never_expire": "Nu expiră niciodată",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Urmează să percepeți de la participant {{amount, currency}}. Sigur doriți să continuați?",
"charge_attendee": "Percepeți {{amount, currency}} de la participant",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Завершите настройку учетной записи {{appName}}. Вы в считанных шагах от решения всех своих проблем с планированием.",
"have_any_questions": "Есть вопросы? Мы здесь, чтобы помочь.",
"reset_password_subject": "{{appName}}: Инструкция по сбросу пароля",
"verify_email_banner_button": "Отправить письмо",
"event_declined_subject": "Отклонено: {{title}} {{date}}",
"event_cancelled_subject": "Отменено: {{title}} {{date}}",
"event_request_declined": "Ваш запрос на встречу отклонен",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Ваша встреча была забронирована",
"event_type_has_been_rescheduled_on_time_date": "Ваше {{title}} было перенесено на {{date}}.",
"event_has_been_rescheduled": "Ваше событие было перенесено.",
"request_reschedule_title_attendee": "Запросить перенос бронирования",
"request_reschedule_subtitle": "{{organizer}} отменил(-а) бронирование и попросил(-а) вас выбрать другое время.",
"request_reschedule_title_organizer": "Вы запросили у {{attendee}} изменение расписания",
"request_reschedule_subtitle_organizer": "Вы отменили бронирование, и {{attendee}} теперь должен(-на) выбрать новое время бронирования.",
"rescheduled_event_type_subject": "Запрос на перенос отправлен: {{eventType}} с {{name}}, {{date}}",
"requested_to_reschedule_subject_attendee": "Требуется перенести бронирование: забронируйте новое время для {{eventType}} с {{name}}",
"reschedule_reason": "Причина переноса",
"hi_user_name": "Привет {{name}}",
"ics_event_title": "{{eventType}} с {{name}}",
"new_event_subject": "Новое событие: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Добро пожаловать в {{appName}}",
"welcome_instructions": "Скажите как вас зовут и в каком вы часовом поясе. Эту информацию потом можно будет изменить.",
"connect_caldav": "Подключение к CalDav (бета)",
"credentials_stored_and_encrypted": "Данные вашей учётной записи будут безопасно сохранены.",
"connect": "Подключить",
"try_for_free": "Попробовать бесплатно",
"create_booking_link_with_calcom": "Создайте свою собственную ссылку бронирования на {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} по-прежнему должен(-на) будет подтвердить или отклонить бронирование каждой повторяющейся встречи.",
"meeting_is_scheduled": "Встреча запланирована",
"meeting_is_scheduled_recurring": "Повторяющиеся события запланированы",
"submitted_recurring": "Сведения о вашей повторяющейся встрече отправлены",
"booking_submitted": "Бронирование отправлено",
"booking_submitted_recurring": "Сведения о вашей повторяющейся встрече отправлены",
"booking_confirmed": "Бронирование подтверждено",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Это бронирование уже принято или отклонено",
"go_back_home": "Вернуться домой",
"or_go_back_home": "Или вернитесь домой",
"no_availability": "Нет свободного времени",
"no_meeting_found": "Встреча не найдена",
"no_meeting_found_description": "Этой встречи не существует. Обратитесь к владельцу встречи за новой ссылкой.",
"no_status_bookings_yet": "Нет бронирований со статусом «{{status}}»",
@ -448,7 +442,6 @@
"invalid_password_hint": "Пароль должен быть не короче {{passwordLength}} символов и содержать заглавные и строчные буквы, а также не менее одной цифры",
"incorrect_password": "Неверный пароль",
"incorrect_username_password": "Неверное имя пользователя или пароль.",
"24_h": "24 часа",
"use_setting": "Использовать настройки",
"am_pm": "am/pm",
"time_options": "Настройки времени",
@ -491,15 +484,11 @@
"booking_confirmation": "Подтвердите вашу встречу «{{eventTypeTitle}}» с {{profileName}}",
"booking_reschedule_confirmation": "Перенесите вашу встречу «{{eventTypeTitle}}» с {{profileName}}",
"in_person_meeting": "Ссылка или личная встреча",
"attendee_in_person": "Лично (адрес участника)",
"in_person": "Лично (адрес организатора)",
"link_meeting": "Встреча со ссылкой",
"phone_call": "Номер телефона участника",
"your_number": "Ваш номер телефона",
"phone_number": "Номер телефона",
"attendee_phone_number": "Номер телефона участника",
"organizer_phone_number": "Телефон организатора",
"host_phone_number": "Ваш номер телефона",
"enter_phone_number": "Введите номер телефона",
"reschedule": "Перенести",
"reschedule_this": "Перенести вместо отмены",
@ -625,9 +614,6 @@
"new_event_type_btn": "Новый тип мероприятия",
"new_event_type_heading": "Создайте свой первый тип мероприятия",
"new_event_type_description": "Типы событий позволяют делиться ссылками, при помощи которых пользователи могут просмотреть свободное время в вашем календаре и забронировать встречу с вами.",
"new_event_title": "Добавить новый тип события",
"new_team_event": "Добавить новый тип события команды",
"new_event_description": "Создайте новый тип мероприятия, с помощью которого люди смогут забронировать время.",
"event_type_created_successfully": "{{eventTypeTitle}} тип мероприятия успешно создан",
"event_type_updated_successfully": "Тип события {{eventTypeTitle}} успешно обновлен",
"event_type_deleted_successfully": "Тип события успешно удален",
@ -796,7 +782,6 @@
"automation": "Автоматизация",
"configure_how_your_event_types_interact": "Настройте способы взаимодействия ваших событий с календарями.",
"toggle_calendars_conflict": "Переключайте календари для проверки на наличие конфликтов, чтобы избежать двойного бронирования.",
"select_destination_calendar": "Создать события на",
"connect_additional_calendar": "Подключить дополнительный календарь",
"calendar_updated_successfully": "Календарь обновлен",
"conferencing": "Конференции",
@ -830,7 +815,6 @@
"number_apps_other": "Приложений: {{count}}",
"trending_apps": "Популярные приложения",
"most_popular": "Самые популярные",
"explore_apps": "Приложения в категории «{{category}}»",
"installed_apps": "Установленные приложения",
"free_to_use_apps": "Бесплатные",
"no_category_apps": "Нет приложений в категории «{{category}}»",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Добавляйте всевозможные приложения для решения своих задач",
"no_category_apps_description_web3": "Добавьте приложение web3 для использования на страницах бронирования",
"installed_app_calendar_description": "Настройте проверку календарей на предмет конфликтов для избежания двойного бронирования.",
"installed_app_conferencing_description": "Добавьте приложения для видеоконференций, используемые для проведения онлайн-встреч",
"installed_app_payment_description": "Выберите службы обработки платежей для получения оплаты от клиентов.",
"installed_app_analytics_description": "Выберите приложения аналитики для страниц бронирования",
"installed_app_other_description": "Все установленные приложения из других категорий.",
@ -868,7 +851,6 @@
"terms_of_service": "Условия использования",
"remove": "Удалить",
"add": "Добавить",
"installed_one": "Установлено",
"installed_other": "Установок: {{count}}",
"verify_wallet": "Подтвердить кошелек",
"create_events_on": "Создавать события в календаре:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Расписание {{scheduleName}} успешно обновлено",
"schedule_deleted_successfully": "Расписание успешно удалено",
"default_schedule_name": "Часы работы",
"member_default_schedule": "Расписание участника по умолчанию",
"new_schedule_heading": "Создать расписание доступности",
"new_schedule_description": "Расписания доступности позволяют управлять доступностью для различных типов событий. Их можно применять к одному или нескольким типам событий.",
"requires_ownership_of_a_token": "Нужно быть владельцем токена, относящегося к следующему адресу:",
@ -933,8 +914,6 @@
"api_key_no_note": "Безымянный ключ API",
"api_key_never_expires": "Ключ API не имеет срока действия",
"edit_api_key": "Редактировать ключ API",
"never_expire_key": "Нет срока действия",
"delete_api_key": "Отозвать ключ API",
"success_api_key_created": "Ключ API успешно создан",
"success_api_key_edited": "Ключ API успешно обновлен",
"create": "Создать",
@ -975,7 +954,6 @@
"event_location_changed": "Обновлено местоположение вашего события изменено",
"location_changed_event_type_subject": "Местоположение изменено: {{eventType}} с {{name}}, {{date}}",
"current_location": "Текущее местоположение",
"user_phone": "Ваш номер телефона",
"new_location": "Новое местоположение",
"session": "Сеанс",
"session_description": "Управление сеансом учетной записи",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Войдите в свой аккаунт Zapier и создайте новый Zap.</0><1>Выберите в качестве приложения-триггера Cal.com. Также выберите событие-триггер.</1><2>Выберите свою учетную запись и введите уникальный ключ API.</2><3>Проверьте триггер.</3><4>Готово!</4>",
"install_zapier_app": "Сначала установите приложение Zapier из App Store.",
"connect_apple_server": "Подключиться к серверу Apple",
"connect_caldav_server": "Подключение к CalDav (бета)",
"calendar_url": "URL-адрес календаря",
"apple_server_generate_password": "Сгенерируйте пароль для программы, чтобы использовать его в {{appName}}, по адресу",
"credentials_stored_encrypted": "Ваши учетные данные будут сохранены в зашифрованном виде.",
@ -1033,7 +1010,6 @@
"go_to": "Перейти: ",
"zapier_invite_link": "Ссылка с приглашением в Zapier",
"meeting_url_provided_after_confirmed": "После подтверждения события будет создан URL-адрес встречи.",
"attendees_name": "Имя участника",
"dynamically_display_attendee_or_organizer": "Динамически отображать имя участника, если событие просматриваете вы, или ваше имя, если его просматривает участник",
"event_location": "Местоположение события",
"reschedule_optional": "Причина переноса (дополнительно)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Подключить сервер Exchange 2016",
"custom_template": "Пользовательский шаблон",
"email_body": "Текст сообщения",
"subject": "Тема письма",
"text_message": "Текст сообщения",
"specific_issue": "Возникла конкретная проблема?",
"browse_our_docs": "просмотрите нашу документацию",
@ -1135,12 +1110,9 @@
"new_seat_title": "Кто-то добавился к событию",
"variable": "Переменная",
"event_name_variable": "Название события",
"organizer_name_variable": "Организатор",
"attendee_name_variable": "Участник",
"event_date_variable": "Дата события",
"event_time_variable": "Время события",
"location_variable": "Местоположение",
"additional_notes_variable": "Дополнительная информация",
"app_upgrade_description": "Чтобы использовать эту функцию, необходимо перейти на аккаунт Pro.",
"invalid_number": "Неверный номер телефона",
"navigate": "Перейти",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Настройте расписание с повторяющимися событиями",
"today": "сегодня",
"appearance": "Внешний вид",
"appearance_subtitle": "Настройте внешний вид страниц бронирования",
"my_account": "Мой аккаунт",
"general": "Общие",
"calendars": "Календари",
@ -1254,7 +1225,6 @@
"conferencing_description": "Настройка приложений для видеоконференций, используемых для проведения онлайн-встреч",
"add_conferencing_app": "Добавить приложение для видеоконференций",
"password_description": "Настройка паролей для аккаунта",
"2fa_description": "Настройка паролей для аккаунта",
"we_just_need_basic_info": "Для настройки вашего профиля необходимо указать основную информацию.",
"skip": "Пропустить",
"do_this_later": "Настроить позже",
@ -1278,7 +1248,6 @@
"event_date_info": "Дата события",
"event_time_info": "Время начала события",
"location_info": "Место проведения события",
"organizer_name_info": "Ваше имя",
"additional_notes_info": "Дополнительные заметки о бронировании",
"attendee_name_info": "Участник, на которого оформляется бронирование",
"to": "Кому",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Скопировать ссылку на форму",
"theme": "Тема",
"theme_applies_note": "Распространяется только на ваши публичные страницы бронирования",
"theme_light": "Светлая",
"theme_dark": "Темная",
"theme_system": "Системная",
"add_a_team": "Добавить команду",
"add_webhook_description": "Получайте оповещения в реальном времени, когда данные о встрече на {{appName}} изменяются",
@ -1352,7 +1319,6 @@
"enable_webhook": "Включить вебхук",
"add_webhook": "Добавить вебхук",
"webhook_edited_successfully": "Вебхук сохранен",
"webhooks_description": "Получайте оповещения в реальном времени, когда данные о встрече на {{appName}} изменяются",
"api_keys_description": "Генерация ключей API для доступа к аккаунту",
"new_api_key": "Новый ключ API",
"active": "Активный",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "В настоящее время вы используете бесплатный тарифный план",
"billing_freeplan_description": "В командах работается лучше. Расширяйте свои рабочие процессы при помощи циклического перебора и коллективных событий, а также создавайте расширенные формы маршрутизации",
"billing_freeplan_cta": "Попробовать",
"billing_manage_details_title": "Просмотр и управление платежными данными",
"billing_manage_details_description": "Просмотр и редактирование платежных реквизитов, а также отмена подписки.",
"billing_portal": "Портал биллинга",
"billing_help_title": "Нужно что-нибудь еще?",
"billing_help_description": "Если вам нужна дальнейшая помощь с оплатой счета, наша служба поддержки готова помочь.",
"billing_help_cta": "Обратиться в службу поддержки",
"ignore_special_characters_booking_questions": "Не используйте в идентификаторе вопроса о бронировании специальные символы. Используйте только буквы и цифры",
"retry": "Повторить",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Не удалось подключиться к календарю",
"booking_confirmation_success": "Бронирование подтверждено",
"booking_rejection_success": "Вы отказались от бронирования",
"booking_confirmation_fail": "Не удалось подтвердить бронирование",
"booking_tentative": "Предварительное бронирование",
"booking_accept_intent": "Нет, я хочу принять бронирование",
"we_wont_show_again": "Мы больше не будем показывать эту информацию",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "{{eventTypeTitle}} | Доступность",
"error_editing_availability": "Ошибка при редактировании доступности",
"dont_have_permission": "У вас нет разрешения на доступ к этому ресурсу.",
"saml_config": "Единый вход",
"saml_configuration_placeholder": "Пожалуйста, вставьте здесь метаданные SAML от вашего провайдера",
"saml_email_required": "Пожалуйста, введите адрес электронной почты, чтобы мы могли найти ваш SAML идентификатор провайдера",
"saml_sp_title": "Детали поставщика услуг",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "Идентификатор сущности SP",
"saml_sp_acs_url_copied": "URL-адрес ACS скопирован.",
"saml_sp_entity_id_copied": "Идентификатор сущности SP скопирован.",
"saml_btn_configure": "Настроить",
"add_calendar": "Добавить календарь",
"limit_future_bookings": "Ограничить дальнейшие бронирования",
"limit_future_bookings_description": "Указать дату, после которой нельзя забронировать это событие",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Да, удалить конфигурацию {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Удалить конфигурацию {{connectionType}}? Участники команды, входящие в Cal.com через {{connectionType}}, больше не смогут получить к нему доступ.",
"organizer_timezone": "Часовой пояс организатора",
"email_no_user_cta": "Создайте аккаунт",
"email_user_cta": "Посмотреть приглашение",
"email_no_user_invite_heading": "Вас пригласили в команду {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} пригласил(-а) вас в команду в {{appName}}. {{appName}} — это гибкий планировщик событий, с помощью которого пользователи и целые команды могут планировать встречи без утомительной переписки по электронной почте.",
@ -1648,7 +1606,6 @@
"create_event_on": "Создать событие в календаре",
"default_app_link_title": "Установить ссылку на приложение по умолчанию",
"default_app_link_description": "Если установить ссылку на приложение по умолчанию, она будет присваиваться всем вновь создаваемым событиям.",
"change_default_conferencing_app": "Использовать по умолчанию",
"organizer_default_conferencing_app": "Приложение организатора по умолчанию",
"under_maintenance": "Идет техническое обслуживание",
"under_maintenance_description": "Команда {{appName}} выполняет плановое техобслуживание. По вопросам обращайтесь в службу поддержки.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Не удалось подтвердить бронирование",
"not_enough_seats": "Недостаточно мест",
"form_builder_field_already_exists": "Поле с таким именем уже существует",
"form_builder_field_add_subtitle": "Настройка вопросов, задаваемых пользователю на странице бронирования",
"show_on_booking_page": "Показывать на странице бронирования",
"get_started_zapier_templates": "Начать работу с шаблонами Zapier",
"team_is_unpublished": "Команда {{team}} снята с публикации",
@ -1715,7 +1671,6 @@
"verification_code": "Код подтверждения",
"can_you_try_again": "Попробуйте указать другое время встречи.",
"verify": "Подтвердить",
"timezone_variable": "Часовой пояс",
"timezone_info": "Часовой пояс получателя",
"event_end_time_variable": "Время окончания события",
"event_end_time_info": "Время окончания события",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Перенесенные события",
"from_last_period": "с последнего периода",
"from_to_date_period": "С: {{startDate}} По: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Узнайте больше о работе команды",
"redirect_url_warning": "При использовании перенаправления страница успешного бронирования будет отключена. Не забудьте упомянуть «Бронирование подтверждено» на собственной странице оповещения об успешном бронировании.",
"event_trends": "Тренды событий",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Завершить бронирование",
"complete_your_booking_subject": "Завершите бронирование: {{title}}, {{date}}",
"confirm_your_details": "Подтвердите свои данные",
"never_expire": "Не ограничен",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Вы собираетесь получить с участника {{amount, currency}}. Продолжить?",
"charge_attendee": "Получить с участника {{amount, currency}}",

View File

@ -15,7 +15,6 @@
"check_your_email": "Proveri imejl",
"verify_email_page_body": "Poslali smo imejl na {{email}}. Važno je da potvrdite svoju imejl adresu da biste obezbedili najbolju isporuku imejla i kalendara od aplikacije {{appName}}.",
"verify_email_banner_body": "Potvrdite svoju imejl adresu da biste obezbedili najbolju isporuku imejla i kalendara od aplikacije {{appName}}.",
"verify_email_banner_button": "Pošaljite imejl",
"verify_email_email_header": "Potvrdite svoju imejl adresu",
"verify_email_email_button": "Potvrdi imejl",
"verify_email_email_body": "Potvrdite svoju imejl adresu klikom na dugme ispod.",
@ -87,13 +86,11 @@
"your_meeting_has_been_booked": "Sastanak je zakazan",
"event_type_has_been_rescheduled_on_time_date": "Ваш {{титле}} је померен за {{дате}}.",
"event_has_been_rescheduled": "Ažurirano - Vaš dogadjaj je odložen",
"request_reschedule_title_attendee": "Zahtev za promenu vremena rezervacije",
"request_reschedule_subtitle": "{{organizer}} je otkazao/la rezervaciju i tražio/la je da odaberete drugo vreme.",
"request_reschedule_title_organizer": "Zatražili ste da {{attendee}} promeni vreme rezervacije",
"request_reschedule_subtitle_organizer": "Otkazali ste rezervaciju i {{attendee}} treba da odabere novo vreme rezervacije sa vama.",
"rescheduled_event_type_subject": "Odloženo: {{eventType}} sa {{name}} datuma {{date}}",
"requested_to_reschedule_subject_attendee": "Promena vremena zahteva radnju: zakažite novo vreme za {{eventType}} sa {{name}}",
"reschedule_reason": "Razlog za promenu vremena",
"hi_user_name": "Zdravo {{name}}",
"ics_event_title": "{{eventType}} sa {{name}}",
"new_event_subject": "Novi dogadjaj: {{attendeeName}} - {{date}} - {{eventType}}",
@ -262,7 +259,6 @@
"welcome_to_calcom": "Dobrodošli na {{appName}}",
"welcome_instructions": "Recite nam kako da vas zovemo i u kojoj ste vremenskoj zoni. Možete ovo preurediti kasnije.",
"connect_caldav": "Povežite se na CalDav (Beta)",
"credentials_stored_and_encrypted": "Vaši akreditivi će biti sačuvani i pod enkrpicijom.",
"connect": "Poveži se",
"try_for_free": "Probaj besplatno",
"create_booking_link_with_calcom": "Napravite vaš lični link za rezervaciju sa {{appName}}",
@ -283,7 +279,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} i dalje mora da potvrdi ili odbije svaki od zakazanih ponavljajućih sastanaka.",
"meeting_is_scheduled": "Ovaj sastanak je rezervisan",
"meeting_is_scheduled_recurring": "Ponavljajući događaji su zakazani",
"submitted_recurring": "Vaš ponavljajući sastanak je poslat",
"booking_submitted": "Vaš upit za rezervaciju je upravo poslat",
"booking_submitted_recurring": "Vaš ponavljajući sastanak je poslat",
"booking_confirmed": "Vaša rezervacija je upravo potvrdjena",
@ -329,7 +324,6 @@
"booking_already_accepted_rejected": "Ova rezervacija je već prihvaćena ili odbijena",
"go_back_home": "Idite nazad na početnu stranicu",
"or_go_back_home": "Ili idite nazad na početnu stranicu",
"no_availability": "Nedostupni",
"no_meeting_found": "Sastanak nije nađen",
"no_meeting_found_description": "Ovaj sastanak ne postoji. Kontaktirajte admina sastanka za ažuriran link.",
"no_status_bookings_yet": "Još nema {{status}} rezervacija",
@ -461,7 +455,6 @@
"invalid_password_hint": "Lozinka mora da bude dugačka najmanje {{passwordLength}} znakova, da sadrži najmanje jedan broj i da ima mešavinu velikih i malih slova",
"incorrect_password": "Lozinka je netačna.",
"incorrect_username_password": "Korisničko ime ili lozinka su netačni.",
"24_h": "24 sata",
"use_setting": "Koristi podešavanje",
"am_pm": "am/pm",
"time_options": "Vremenske opcije",
@ -504,15 +497,11 @@
"booking_confirmation": "Potvrdite vaš {{eventTypeTitle}} sa {{profileName}}",
"booking_reschedule_confirmation": "Odložite vaš {{eventTypeTitle}} sa {{profileName}}",
"in_person_meeting": "Sastanak uživo ili preko online linka",
"attendee_in_person": "Lično (adresa polaznika)",
"in_person": "Lično (adresa organizatora)",
"link_meeting": "Link za sastanak",
"phone_call": "Broj telefona učesnika",
"your_number": "Vaš broj telefona",
"phone_number": "Broj Telefona",
"attendee_phone_number": "Broj telefona učesnika",
"organizer_phone_number": "Broj telefona organizatora",
"host_phone_number": "Vaš broj telefona",
"enter_phone_number": "Unesite broj telefona",
"reschedule": "Odloži",
"reschedule_this": "Ponovo rezerviši umesto toga",
@ -638,9 +627,6 @@
"new_event_type_btn": "Novi tip događaja",
"new_event_type_heading": "Naparavite svoj prvi tip događaja",
"new_event_type_description": "Tipovi događaja vam omogućavaju da podelite linkove koji pokazuju dostupne termine na vašem kalendaru i pomoću njih ljudi mogu da naprave rezervacije sa vama.",
"new_event_title": "Dodaj novi tip događaja",
"new_team_event": "Dodaj novi tip događaja za ovaj tim",
"new_event_description": "Napravite novi tip događaja koji će ljudi koristiti za rezervaciju.",
"event_type_created_successfully": "{{eventTypeTitle}} tip događaja uspešno napravljen",
"event_type_updated_successfully": "{{eventTypeTitle}} tip događaja uspešno ažuriran",
"event_type_deleted_successfully": "Tip događaja uspešno obrisan",
@ -809,7 +795,6 @@
"automation": "Automatizacija",
"configure_how_your_event_types_interact": "Konfigurišite način na koji tipovi događaja treba da budu u interakciji sa vašim kalendarima.",
"toggle_calendars_conflict": "Uključite kalendare koje želite da proverite da li imaju konflikta da biste sprečili dvostruka zakazivanja.",
"select_destination_calendar": "Napravi događaje na",
"connect_additional_calendar": "Poveži se sa dodatnim kalendarom",
"calendar_updated_successfully": "Kalendar je uspešno ažuriran",
"conferencing": "Konferencija",
@ -843,7 +828,6 @@
"number_apps_other": "Aplikacija: {{count}}",
"trending_apps": "Aplikacije u trendu",
"most_popular": "Najpopularnije",
"explore_apps": "{{category}} aplikacije",
"installed_apps": "Instalirane aplikacije",
"free_to_use_apps": "Besplatno",
"no_category_apps": "Nema {{category}} aplikacija",
@ -855,7 +839,6 @@
"no_category_apps_description_other": "Dodajte bilo koju vrstu aplikacije da biste uradili svakakve stvari",
"no_category_apps_description_web3": "Dodajte web3 aplikaciju na stranice za rezervacije",
"installed_app_calendar_description": "Podesite kalendar(e) da biste proverili da li postoje konflikti i time sprečili dvostruka zakazivanja.",
"installed_app_conferencing_description": "Dodajte vaše omiljene aplikacije za video konferenciju za vaše sastanke",
"installed_app_payment_description": "Konfigurišite koju vrstu servisa za obradu plaćanja želite da koristite prilikom naplate od vaših klijenata.",
"installed_app_analytics_description": "Konfigurišite koje ćete analitičke aplikacije da koristite za vaše stranice za rezervacije",
"installed_app_other_description": "Sve vaše instalirane aplikacije iz drugih kategorija.",
@ -881,7 +864,6 @@
"terms_of_service": "Uslovi korišćenja",
"remove": "Ukloni",
"add": "Dodaj",
"installed_one": "Instalirano",
"installed_other": "Instalirano {{count}} puta",
"verify_wallet": "Verifikuj Wallet",
"create_events_on": "Kreiraj događaje na",
@ -909,7 +891,6 @@
"availability_updated_successfully": "Распоред {{scheduleName}} је успешно ажуриран",
"schedule_deleted_successfully": "Raspored uspešno izbrisan",
"default_schedule_name": "Radno vreme",
"member_default_schedule": "Podrazumevani raspored člana",
"new_schedule_heading": "Napravi raspored dostupnosti",
"new_schedule_description": "Kreiranje rasporeda dostupnosti vam omogućava da upravljate dostupnošću za različite tipove događaja. Mogu se primeniti na jedan ili više tipova događaja.",
"requires_ownership_of_a_token": "Potrebno je vlasništvo tokena koji pripada sledećoj adresi:",
@ -946,8 +927,6 @@
"api_key_no_note": "API ključ bez imena",
"api_key_never_expires": "Ovaj API ključ nema datum isteka",
"edit_api_key": "Uredi API ključ",
"never_expire_key": "Nikada ne ističe",
"delete_api_key": "Opozovi API ključ",
"success_api_key_created": "API ključ je uspešno kreiran",
"success_api_key_edited": "API ključ je uspešno ažuriran",
"create": "Kreiraj",
@ -988,7 +967,6 @@
"event_location_changed": "Ažurirano - Promenjeno je mesto vašem događaju",
"location_changed_event_type_subject": "Promenjena lokacija: {{eventType}} sa {{name}} dana {{date}}",
"current_location": "Trenutna lokacija",
"user_phone": "Vaš broj telefona",
"new_location": "Nova lokacija",
"session": "Sesija",
"session_description": "Kontrolišite sesiju svog naloga",
@ -1014,7 +992,6 @@
"zapier_setup_instructions": "<0>Prijavite se na vaš Zapier nalog i kreirajte novi Zap.</0><1>Izaberite Cal.com kao vašu Trigger aplikaciju. Takođe izaberite i Trigger događaj.</1><2>Izaberite svoj nalog i unesite vaš jedinstveni API ključ.</2><3>Testirajte svoj Trigger.</3><4>Završili ste!</4>",
"install_zapier_app": "Prvo instalirajte aplikaciju Zapier iz App Store.",
"connect_apple_server": "Poveži se sa Apple serverom",
"connect_caldav_server": "Poveži se na CalDav (Beta)",
"calendar_url": "URL kalendara",
"apple_server_generate_password": "Generišite posebnu lozinku aplikacije za korišćenje sa {{appName}} na",
"credentials_stored_encrypted": "Vaši akreditivi će biti sačuvani i šifrovani.",
@ -1046,7 +1023,6 @@
"go_to": "Idi na: ",
"zapier_invite_link": "Link za pozivnicu za Zapier",
"meeting_url_provided_after_confirmed": "URL za sastanak će biti kreiran kada se događaj potvrdi.",
"attendees_name": "Ime učesnika",
"dynamically_display_attendee_or_organizer": "Dinamičko prikazivanje imena učesnika vama, ili prikazivanje vašeg imena učesniku",
"event_location": "Mesto događaja",
"reschedule_optional": "Razlog za zakazivanje (opciono)",
@ -1120,7 +1096,6 @@
"add_exchange2016": "Poveži Exchange 2016 Server",
"custom_template": "Prilagođeni predložak",
"email_body": "Telo imejla",
"subject": "Tema",
"text_message": "Tekst poruke",
"specific_issue": "Imate konkretan problem?",
"browse_our_docs": "pregledajte naša dokumenta",
@ -1148,12 +1123,9 @@
"new_seat_title": "Neko se dodao na događaj",
"variable": "Promenljiva",
"event_name_variable": "Naziv događaja",
"organizer_name_variable": "Organizator",
"attendee_name_variable": "Učesnik",
"event_date_variable": "Datum događaja",
"event_time_variable": "Vreme događaja",
"location_variable": "Lokacija",
"additional_notes_variable": "Dodatne beleške",
"app_upgrade_description": "Da biste koristili ovu funkciju, morate izvršiti nadogradnju na Pro nalog.",
"invalid_number": "Neispravan broj telefona",
"navigate": "Navigacija",
@ -1247,7 +1219,6 @@
"recurring_event_tab_description": "Podesi raspored koji se ponavlja",
"today": "danas",
"appearance": "Izgled",
"appearance_subtitle": "Upravljajte podešavanjima za izgled vaše rezervacije",
"my_account": "Moj nalog",
"general": "Opšte",
"calendars": "Kalendari",
@ -1267,7 +1238,6 @@
"conferencing_description": "Dodajte svoje omiljene aplikacije za video konferencije za vaše sastanke",
"add_conferencing_app": "Dodaj aplikaciju za konferenciju",
"password_description": "Upravljajte podešavanjima za lozinke vašeg naloga",
"2fa_description": "Upravljajte podešavanjima za lozinke vašeg naloga",
"we_just_need_basic_info": "Trebaju nam neke osnovne informacije da bismo podesili vaš profil.",
"skip": "Preskoči",
"do_this_later": "Uradite ovo kasnije",
@ -1291,7 +1261,6 @@
"event_date_info": "Datum događaja",
"event_time_info": "Vreme početka događaja",
"location_info": "Lokacija događaja",
"organizer_name_info": "Vaše ime",
"additional_notes_info": "Dodatne napomene o rezervaciji",
"attendee_name_info": "Ime osobe koja rezerviše",
"to": "Za",
@ -1355,8 +1324,6 @@
"copy_link_to_form": "Kopiraj vezu u formular",
"theme": "Tema",
"theme_applies_note": "Ovo se odnosi samo na vaše javne stranice za zakazivanje",
"theme_light": "Svetla",
"theme_dark": "Tamna",
"theme_system": "Sistemski podrazumevano",
"add_a_team": "Dodaj tim",
"add_webhook_description": "Primajte podatke o sastanku u realnom vremenu kada se nešto dogodi na {{appName}}",
@ -1365,7 +1332,6 @@
"enable_webhook": "Omogući Webhook",
"add_webhook": "Dodaj Webhook",
"webhook_edited_successfully": "Webhook je sačuvan",
"webhooks_description": "Primajte podatke o sastanku u realnom vremenu kada se nešto dogodi na {{appName}}",
"api_keys_description": "Generišite API ključeve za pristupanje svom nalogu",
"new_api_key": "Novi API ključ",
"active": "aktivno",
@ -1407,11 +1373,7 @@
"billing_freeplan_title": "Trenutno ste na BESPLATNOM planu",
"billing_freeplan_description": "Bolje radimo u timovima. Proširite svoje radne tokove sa kružnim i kolektivnim događajima i kreirajte napredne obrasce za rutiranje",
"billing_freeplan_cta": "Isprobajte sada",
"billing_manage_details_title": "Pregledajte detalje naplate i upravljajte njima",
"billing_manage_details_description": "Pogledajte i uredite vaše detalje naplate ili otkažite vašu pretplatu.",
"billing_portal": "Portal za naplatu",
"billing_help_title": "Treba li vam još nešto?",
"billing_help_description": "Ako vam treba pomoć sa naplatom, naš tim podrške je tu da pomogne.",
"billing_help_cta": "Obratite se podršci",
"ignore_special_characters_booking_questions": "Ignorišite specijalne znakove u vašim identifikatorima pitanja o zakazivanju. Koristite samo slova i brojeve",
"retry": "Pokušajte ponovo",
@ -1419,7 +1381,6 @@
"calendar_connection_fail": "Povezivanje sa kalendarom nije uspelo",
"booking_confirmation_success": "Potvrda rezervacije je uspešna",
"booking_rejection_success": "Odbijanje rezervacije je uspešno",
"booking_confirmation_fail": "Potvrda rezervacije nije uspela",
"booking_tentative": "Ovo je probna rezervacija",
"booking_accept_intent": "Ups, želim da prihvatim",
"we_wont_show_again": "Ovo nećemo ponovo prikazivati",
@ -1442,7 +1403,6 @@
"new_event_type_availability": "{{eventTypeTitle}} Dostupnost",
"error_editing_availability": "Greška prilikom uređivanja dostupnosti",
"dont_have_permission": "Nemate dozvolu da pristupite ovom resursu.",
"saml_config": "Pojedinačno prijavljivanje",
"saml_configuration_placeholder": "Molimo vas, nalepite SAML metadatu iz vašeg Identity Provider-a ovde",
"saml_email_required": "Molimo vas, unesite vašu e-poštu da bismo našli vaš SAML Identity Provider",
"saml_sp_title": "Informacije o pružaocu usluga",
@ -1451,7 +1411,6 @@
"saml_sp_entity_id": "ID SP entiteta",
"saml_sp_acs_url_copied": "ACS URL je kopiran!",
"saml_sp_entity_id_copied": "ID SP entiteta je kopiran!",
"saml_btn_configure": "Konfiguriši",
"add_calendar": "Dodajte kalendar",
"limit_future_bookings": "Ograničenje budućih rezervacija",
"limit_future_bookings_description": "Ograničite koliko daleko u budućnosti ovaj događaj može da se rezerviše",
@ -1631,7 +1590,6 @@
"delete_sso_configuration_confirmation": "Da, izbriši {{connectionType}} konfiguraciju",
"delete_sso_configuration_confirmation_description": "Da li ste sigurni da želite da izbrišete {{connectionType}} konfiguraciju? Članovi vašeg tima koji koriste {{connectionType}} prijavljivanje više neće moći da pristupe Cal.com-u.",
"organizer_timezone": "Vremenska zona organizatora",
"email_no_user_cta": "Napravite svoj nalog",
"email_user_cta": "Prikaži pozivnicu",
"email_no_user_invite_heading": "Pozvani ste da se pridružite timu u {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} vas je pozvao/la da se pridružite njihovom timu u {{appName}}. {{appName}} je planer za koordinaciju događaja koji omogućava vama i vašem timu da zakazujete sastanke bez dopisivanja imejlovima.",
@ -1661,7 +1619,6 @@
"create_event_on": "Kreirajte događaj na",
"default_app_link_title": "Podesite podrazumevani link aplikacije",
"default_app_link_description": "Podešavanje podrazumevanog linka aplikacije omogućava novokreiranim tipovima događaja da koriste link aplikacije koji ste postavili.",
"change_default_conferencing_app": "Postavi kao podrazumevano",
"organizer_default_conferencing_app": "Podrazumevana aplikacija organizatora",
"under_maintenance": "Ne radi zbog održavanja",
"under_maintenance_description": "Tim {{appName}} izvodi zakazano održavanje. Ako imate pitanja, obratite se korisničkoj podršci.",
@ -1676,7 +1633,6 @@
"booking_confirmation_failed": "Potvrda rezervacije nije uspela",
"not_enough_seats": "Nema dovoljno mesta",
"form_builder_field_already_exists": "Polje sa ovim imenom već postoji",
"form_builder_field_add_subtitle": "Prilagodite pitanja postavljana na stranici za zakazivanje",
"show_on_booking_page": "Prikaži na stranici zakazivanja",
"get_started_zapier_templates": "Započnite sa Zapier predlošcima",
"team_is_unpublished": "Opozvano je objavljivanje tima {{team}}",
@ -1728,7 +1684,6 @@
"verification_code": "Verifikacioni kôd",
"can_you_try_again": "Možete li da pokušate sa drugim terminom?",
"verify": "Verifikuj",
"timezone_variable": "Vremenska zona",
"timezone_info": "Vremenska zona primaoca",
"event_end_time_variable": "Vreme završetka događaja",
"event_end_time_info": "Vreme završetka događaja",
@ -1777,7 +1732,6 @@
"events_rescheduled": "Pomereni događaji",
"from_last_period": "iz prošlog perioda",
"from_to_date_period": "Od: {{startDate}} Do: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Saznajte više o aktivnosti vašeg tima",
"redirect_url_warning": "Dodavanje preusmeravanja će onemogućiti stranicu uspeha. Obavezno navedite „Zakazivanje potvrđeno“ na vašoj prilagođenoj stranici uspeha.",
"event_trends": "Trendovi događaja",
@ -1808,7 +1762,6 @@
"complete_your_booking": "Završite svoje zakazivanje",
"complete_your_booking_subject": "Završite svoje zakazivanje: {{title}} dana {{date}}",
"confirm_your_details": "Potvrdite svoje podatke",
"never_expire": "Nikada ne ističe",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Upravo ćete naplatiti polazniku {{amount, currency}}. Jeste li sigurni da želite da nastavite?",
"charge_attendee": "Naplatite polazniku {{amount, currency}}",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Slutför konfigurationen av ditt {{appName}}-konto! Du är bara några steg från att lösa alla dina schemaläggningsproblem.",
"have_any_questions": "Har du frågor? Vi är här för att hjälpa till.",
"reset_password_subject": "{{appName}}: Instruktioner för att återställa ditt lösenord",
"verify_email_banner_button": "Skicka e-post",
"event_declined_subject": "Avvisades: {{title}} kl. {{date}}",
"event_cancelled_subject": "Avbröt: {{title}} kl. {{date}}",
"event_request_declined": "Din bokningsförfrågan har avbjöts",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Ditt möte har bokats",
"event_type_has_been_rescheduled_on_time_date": "Din {{title}} har ändrats till {{date}}.",
"event_has_been_rescheduled": "Uppdatering - Din bokning har blivit omplanerad",
"request_reschedule_title_attendee": "Begäran om att boka om din bokning",
"request_reschedule_subtitle": "{{organizer}} har avbokat bokningen och bett dig att välja en annan tid.",
"request_reschedule_title_organizer": "Du har begärt att {{attendee}} ska boka om",
"request_reschedule_subtitle_organizer": "Du har avbokat bokningen och {{attendee}} ska välja en ny bokningstid hos dig.",
"rescheduled_event_type_subject": "Begäran om ny schemaläggning har skickats: {{eventType}} med {{name}} {{date}}",
"requested_to_reschedule_subject_attendee": "Åtgärd som krävs Tidsschema: Boka en ny tid för {{eventType}} hos {{name}}",
"reschedule_reason": "Anledning till ombokning",
"hi_user_name": "Hej {{name}}",
"ics_event_title": "{{eventType}} med {{name}}",
"new_event_subject": "Ny bokning: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Välkommen till {{appName}}",
"welcome_instructions": "Berätta för oss vad du ska kalla dig och låt oss veta vilken tidszon du befinner dig i. Du kommer att kunna redigera detta senare.",
"connect_caldav": "Anslut till CalDav (Beta)",
"credentials_stored_and_encrypted": "Dina uppgifter kommer att lagras och krypteras.",
"connect": "Anslut",
"try_for_free": "Prova gratis",
"create_booking_link_with_calcom": "Skapa din egen bokningslänk med {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} måste fortfarande bekräfta eller avvisa varje bokning av det återkommande mötet.",
"meeting_is_scheduled": "Mötet är schemalagt",
"meeting_is_scheduled_recurring": "De återkommande händelserna har schemalagts",
"submitted_recurring": "Ditt återkommande möte har skickats",
"booking_submitted": "Din bokning har skickats in",
"booking_submitted_recurring": "Ditt återkommande möte har skickats",
"booking_confirmed": "Din bokning har bekräftats",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Bokningen har redan accepterats eller avvisats",
"go_back_home": "Gå tillbaka hem",
"or_go_back_home": "Eller gå tillbaka hem",
"no_availability": "Otillgänglig",
"no_meeting_found": "Inget möte hittades",
"no_meeting_found_description": "Mötet finns inte. Kontakta mötesägaren för en uppdaterad länk.",
"no_status_bookings_yet": "Inga {{status}}-bokningar",
@ -448,7 +442,6 @@
"invalid_password_hint": "Lösenordet måste innehålla minst {{passwordLength}} tecken och har minst en siffra samt en blandning av versaler och gemener",
"incorrect_password": "Lösenordet är felaktigt.",
"incorrect_username_password": "Felaktigt användarnamn eller lösenord.",
"24_h": "24 timmar",
"use_setting": "Använd inställning",
"am_pm": "am/pm",
"time_options": "Tidsinställningar",
@ -491,15 +484,11 @@
"booking_confirmation": "Bekräfta {{eventTypeTitle}} med {{profileName}}",
"booking_reschedule_confirmation": "Omboka {{eventTypeTitle}} med {{profileName}}",
"in_person_meeting": "Länk eller fysiskt möte",
"attendee_in_person": "Personligen (deltagandeadress)",
"in_person": "Personligen (orgnanisatörsadress)",
"link_meeting": "Länka möte",
"phone_call": "Deltagarens telefonnummer",
"your_number": "Ditt telefonnummer",
"phone_number": "Telefonnummer",
"attendee_phone_number": "Deltagarens telefonnummer",
"organizer_phone_number": "Organisatörens telefonnummer",
"host_phone_number": "Ditt telefonnummer",
"enter_phone_number": "Fyll i telefonnummer",
"reschedule": "Omplanera",
"reschedule_this": "Omplanera istället",
@ -625,9 +614,6 @@
"new_event_type_btn": "Ny händelsetyp",
"new_event_type_heading": "Skapa din första händelsetyp",
"new_event_type_description": "Händelsetyper gör det möjligt för dig att dela länkar som visar din kalenders tillgängliga samt låter personer skapa bokningar med dig.",
"new_event_title": "Lägg till en ny händelsetyp",
"new_team_event": "Lägg till en ny teamhändelsetyp",
"new_event_description": "Skapa en ny händelsetyp för personer att boka tider med.",
"event_type_created_successfully": "{{eventTypeTitle}} har skapats",
"event_type_updated_successfully": "{{eventTypeTitle}} har uppdaterats",
"event_type_deleted_successfully": "Händelsetypen har raderats",
@ -796,7 +782,6 @@
"automation": "Automatisering",
"configure_how_your_event_types_interact": "Ställ in hur dina händelsetyper ska interagera med dina kalendrar.",
"toggle_calendars_conflict": "Ändra de kalendrar du vill kontrollera för konflikter för att förhindra dubbelbokningar.",
"select_destination_calendar": "Skapa händelser i",
"connect_additional_calendar": "Anslut ytterligare kalender",
"calendar_updated_successfully": "Kalendern har uppdaterats",
"conferencing": "Konferenser",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} appar",
"trending_apps": "Trendande appar",
"most_popular": "Mest populärt",
"explore_apps": "{{category}}-appar",
"installed_apps": "Installerade appar",
"free_to_use_apps": "Gratis",
"no_category_apps": "Inga {{category}}-appar",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Lägg till en annan typ av app för att göra alla möjliga saker",
"no_category_apps_description_web3": "Lägg till en web3-app för dina bokningssidor",
"installed_app_calendar_description": "Ställ in kalendrar att söka efter konflikter för att undvika dubbelbokningar.",
"installed_app_conferencing_description": "Lägg till dina favoritappar för videokonferenser för dina möten",
"installed_app_payment_description": "Konfigurera vilka betalningstjänster som ska användas när du debiterar dina kunder.",
"installed_app_analytics_description": "Konfigurera vilka analysappar som ska användas för dina bokningssidor",
"installed_app_other_description": "Alla dina installerade appar från andra kategorier.",
@ -868,7 +851,6 @@
"terms_of_service": "Användningsvillkor",
"remove": "Radera",
"add": "Lägg till",
"installed_one": "Installerad",
"installed_other": "{{count}} installerade",
"verify_wallet": "Verifiera plånbok",
"create_events_on": "Skapa händelser i",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Schemat för {{scheduleName}} har uppdaterats",
"schedule_deleted_successfully": "Schemat har tagits bort",
"default_schedule_name": "Arbetstider",
"member_default_schedule": "Medlemmens standardschema",
"new_schedule_heading": "Skapa ett tillgänglighetsschema",
"new_schedule_description": "Genom att skapa tillgänglighetsscheman kan du hantera tillgänglighet för olika händelsetyper. De kan tillämpas på en eller flera händelsetyper.",
"requires_ownership_of_a_token": "Kräver ägande av en token som tillhör följande adress:",
@ -933,8 +914,6 @@
"api_key_no_note": "Namnlös API-nyckel",
"api_key_never_expires": "Denna API-nyckel har inget förfallodatum",
"edit_api_key": "Redigera API-nyckel",
"never_expire_key": "Förfaller aldrig",
"delete_api_key": "Återkalla API-nyckel",
"success_api_key_created": "API-nyckeln har skapats",
"success_api_key_edited": "API-nyckeln har uppdaterats",
"create": "Skapa",
@ -975,7 +954,6 @@
"event_location_changed": "Uppdaterad - Ditt evenmang har bytt plats",
"location_changed_event_type_subject": "Plats ändrad: {{eventType}} med {{name}} den {{date}}",
"current_location": "Nuvarande plats",
"user_phone": "Ditt telefonnummer",
"new_location": "Ny plats",
"session": "Session",
"session_description": "Kontrollera din kontosession",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Logga in på ditt Zapier-konto och skapa en ny Zap.</0><1>Välj {{appName}} som din Trigger-app. Välj också en Trigger-händelse. /1><2>Välj ditt konto och ange sedan din unika API-nyckel.</2><3>Testa din Trigger.</3><4>Du är klar!</4>",
"install_zapier_app": "Installera först Zapier-appen i appbutiken.",
"connect_apple_server": "Anslut till Apple Server",
"connect_caldav_server": "Anslut till CalDav-server (Beta)",
"calendar_url": "Kalender-URL",
"apple_server_generate_password": "Skapa ett appspecifikt lösenord som du kan använda med {{appName}} på",
"credentials_stored_encrypted": "Dina uppgifter kommer att lagras och krypteras.",
@ -1033,7 +1010,6 @@
"go_to": "Gå till:",
"zapier_invite_link": "Zapier inbjudningslänk",
"meeting_url_provided_after_confirmed": "En mötes-URL kommer att skapas när evenemanget har bekräftats.",
"attendees_name": "Deltagarens namn",
"dynamically_display_attendee_or_organizer": "Visa dynamiskt deltagarens namn för dig, eller ditt namn om det visas av deltagaren",
"event_location": "Evenemangsplats",
"reschedule_optional": "Anledning till ombokning (frivilligt)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Anslut till Exchange 2016 Server",
"custom_template": "Anpassad mall",
"email_body": "Innehåll",
"subject": "E-postämne",
"text_message": "Textmeddelande",
"specific_issue": "Har du ett specifikt problem?",
"browse_our_docs": "bläddra i våra dokument",
@ -1135,12 +1110,9 @@
"new_seat_title": "Någon har lagt till sig själv i en händelse",
"variable": "Variabel",
"event_name_variable": "Händelsenamn",
"organizer_name_variable": "Arrangör",
"attendee_name_variable": "Deltagare",
"event_date_variable": "Händelsedatum",
"event_time_variable": "Händelsetid",
"location_variable": "Plats",
"additional_notes_variable": "Ytterligare inmatning",
"app_upgrade_description": "För att kunna använda den här funktionen måste du uppgradera till ett Pro-konto.",
"invalid_number": "Ogiltigt telefonnummer",
"navigate": "Navigera",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Konfigurera ett återkommande schema",
"today": "idag",
"appearance": "Utseende",
"appearance_subtitle": "Hantera inställningar för ditt bokningsutseende",
"my_account": "Mitt konto",
"general": "Allmänt",
"calendars": "Kalendrar",
@ -1254,7 +1225,6 @@
"conferencing_description": "Lägg till dina favoritappar för videokonferenser för möten",
"add_conferencing_app": "Lägg till konferensapp",
"password_description": "Hantera inställningar för dina kontolösenord",
"2fa_description": "Hantera inställningar för dina kontolösenord",
"we_just_need_basic_info": "Vi behöver bara lite grundläggande information för att ställa in din profil.",
"skip": "Hoppa över",
"do_this_later": "Gör detta senare",
@ -1278,7 +1248,6 @@
"event_date_info": "Datum för händelsen",
"event_time_info": "Händelsens starttid",
"location_info": "Händelsens plats",
"organizer_name_info": "Ditt namn",
"additional_notes_info": "Ytterligare bokningsanteckningar",
"attendee_name_info": "Personens bokningsnamn",
"to": "Till",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Kopiera länk till formulär",
"theme": "Tema",
"theme_applies_note": "Detta gäller endast för dina offentliga bokningssidor",
"theme_light": "Ljust",
"theme_dark": "Mörkt",
"theme_system": "Systemstandard",
"add_a_team": "Lägg till ett team",
"add_webhook_description": "Få mötesdata i realtid när något händer i {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "Aktivera webhook",
"add_webhook": "Lägg till webhook",
"webhook_edited_successfully": "Webhook sparad",
"webhooks_description": "Få mötesdata i realtid när något händer i {{appName}}",
"api_keys_description": "Generera API-nycklar för att komma åt ditt eget konto",
"new_api_key": "Ny API-nyckel",
"active": "aktiv",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Du använder för närvarande GRATIS-prenumerationen",
"billing_freeplan_description": "Vi arbetar bättre i team. Utöka dina arbetsflöden med Round Robin och kollektiva händelser och skapa avancerade omdirigeringsformulär",
"billing_freeplan_cta": "Testa nu",
"billing_manage_details_title": "Visa och hantera dina faktureringsuppgifter",
"billing_manage_details_description": "Visa och redigera dina faktureringsuppgifter samt avsluta din prenumeration.",
"billing_portal": "Faktureringsportal",
"billing_help_title": "Behöver du något annat?",
"billing_help_description": "Om du behöver mer hjälp med fakturering finns vårt supportteam här för att hjälpa till.",
"billing_help_cta": "Kontakta support",
"ignore_special_characters_booking_questions": "Ignorera specialtecken i din bokningsfrågeidentifierare. Använd endast bokstäver och siffror",
"retry": "Försök igen",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Det gick inte att ansluta kalender",
"booking_confirmation_success": "Bokningsbekräftelsen lyckades",
"booking_rejection_success": "Bokningen avvisades",
"booking_confirmation_fail": "Bokningsbekräftelsen misslyckades",
"booking_tentative": "Den här bokningen är preliminär",
"booking_accept_intent": "Hoppsan, jag vill acceptera",
"we_wont_show_again": "Vi kommer inte att visa detta igen",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Tillgänglighet till {{eventTypeTitle}}",
"error_editing_availability": "Fel vid redigering av tillgänglighet",
"dont_have_permission": "Du har inte behörighet att komma åt denna resurs.",
"saml_config": "Enkel inloggning",
"saml_configuration_placeholder": "Klistra in SAML-metadata från din identitetsleverantör här",
"saml_email_required": "Ange en e-postadress så att vi kan hitta din SAML identitetsleverantör",
"saml_sp_title": "Information om tjänstleverantör",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID för SP-enhet",
"saml_sp_acs_url_copied": "ACS-URL har kopierats!",
"saml_sp_entity_id_copied": "ID för SP-enhet har kopierats!",
"saml_btn_configure": "Konfigurera",
"add_calendar": "Lägg till kalender",
"limit_future_bookings": "Begränsa framtida bokningar",
"limit_future_bookings_description": "Begränsa hur långt in i framtiden evenemanget kan bokas",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Ja, ta bort {{connectionType}}-konfiguration",
"delete_sso_configuration_confirmation_description": "Vill du verkligen ta bort {{connectionType}}-konfigurationen? Dina teammedlemmar som använder {{connectionType}}-inloggning kan inte längre komma åt Cal.com.",
"organizer_timezone": "Organisatörens tidszon",
"email_no_user_cta": "Skapa ditt konto",
"email_user_cta": "Visa inbjudan",
"email_no_user_invite_heading": "Du är inbjuden att gå med i ett team på {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} har bjudit in dig att gå med i sitt team på {{appName}}. {{appName}} är en händelsejonglerande schemaläggare som du och ditt team kan använda för att planera möten utan att skicka e-post fram och tillbaka.",
@ -1648,7 +1606,6 @@
"create_event_on": "Skapa händelse i",
"default_app_link_title": "Skapa en standardapplänk",
"default_app_link_description": "Om du skapar en standardapplänk kan alla händelsetyper som nyligen skapats använda den applänk som du har angett.",
"change_default_conferencing_app": "Ange som standard",
"organizer_default_conferencing_app": "Arrangörens standardapp",
"under_maintenance": "Nere för underhåll",
"under_maintenance_description": "{{appName}}-teamet genomför planerat underhåll. Om du har några frågor kan du kontakta supporten.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Bokningsbekräftelsen misslyckades",
"not_enough_seats": "Inte tillräckligt med platser",
"form_builder_field_already_exists": "Det finns redan ett fält med det här namnet",
"form_builder_field_add_subtitle": "Anpassa frågorna som ställs på bokningssidan",
"show_on_booking_page": "Visa på bokningssidan",
"get_started_zapier_templates": "Kom igång med Zapier-mallar",
"team_is_unpublished": "{{team}} har avpublicerats",
@ -1715,7 +1671,6 @@
"verification_code": "Verifieringskod",
"can_you_try_again": "Kan du försöka igen med en annan tid?",
"verify": "Verifiera",
"timezone_variable": "Tidszon",
"timezone_info": "Tidszon för mottagande person",
"event_end_time_variable": "Händelsens sluttid",
"event_end_time_info": "Händelsens sluttid",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Ombokade händelser",
"from_last_period": "från senaste perioden",
"from_to_date_period": "Från: {{startDate}} till: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Läs mer om ditt teams aktivitet",
"redirect_url_warning": "Framgångssidan inaktiveras om du lägger till en omdirigering. Nämn \"Bokning bekräftad\" på din anpassade framgångssida.",
"event_trends": "Händelsetrender",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Slutför din bokning",
"complete_your_booking_subject": "Slutför din bokning: {{title}} {{date}}",
"confirm_your_details": "Bekräfta dina uppgifter",
"never_expire": "Förfaller aldrig",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Du är på väg att debitera deltagaren {{amount, currency}}. Är du säker på att du vill fortsätta?",
"charge_attendee": "Debitera deltagare {{amount, currency}}",

View File

@ -73,13 +73,11 @@
"your_meeting_has_been_booked": "உங்கள் சந்திப்பு பதிவு செய்யப்பட்டுள்ளது",
"event_type_has_been_rescheduled_on_time_date": "உங்கள் {{title}}, {{date}} க்கு மாற்றியமைக்கப்பட்டுள்ளது.",
"event_has_been_rescheduled": "புதுப்பிக்கப்பட்டது - உங்கள் நிகழ்வு மீண்டும் திட்டமிடப்பட்டது",
"request_reschedule_title_attendee": "உங்கள் முன்பதிவை மாற்றியமைக்க கோரிக்கை",
"request_reschedule_subtitle": "{{organizer}} முன்பதிவை ரத்துசெய்துவிட்டு, மற்றொரு நேரத்தைத் தேர்ந்தெடுக்கும்படி கோரியுள்ளார்.",
"request_reschedule_title_organizer": "நீங்கள் {{attendee}} ஐ மறுஅட்டவணைக்குக் கோரியுள்ளீர்கள்",
"request_reschedule_subtitle_organizer": "நீங்கள் முன்பதிவை ரத்து செய்துவிட்டீர்கள், {{attendee}} உங்களுடன் புதிய முன்பதிவு நேரத்தைத் தேர்ந்தெடுக்க வேண்டும்.",
"rescheduled_event_type_subject": "மறுஅட்டவணைக்கான கோரிக்கை அனுப்பப்பட்டது: {{eventType}} உடன் {{name}} உடன் {{date}}",
"requested_to_reschedule_subject_attendee": "மறுஅட்டவணை செயல் தேவை: {{eventType}} க்கு {{name}} உடன் புதிய நேரத்தை முன்பதிவு செய்யவும்",
"reschedule_reason": "மறு அட்டவணைக்கான காரணம்",
"hi_user_name": "வணக்கம் {{name}}",
"turn_on": "இயக்கவும்",
"email_no_user_invite_heading": "நீங்கள் {{appName}} குழுவில் சேர அழைக்கப்பட்டுள்ளீர்கள்",
@ -107,7 +105,6 @@
"attendee_no_longer_attending_subtitle": "{{name}} ரத்துசெய்யப்பட்டது. அதாவது இந்த நேர ஸ்லாட்டுக்கு ஒரு இருக்கை திறக்கப்பட்டுள்ளது",
"create_event_on": "நிகழ்வை உருவாக்கவும்",
"default_app_link_title": "இயல்புநிலை பயன்பாட்டு இணைப்பை அமைக்கவும்",
"change_default_conferencing_app": "இயல்புநிலைக்கு அமை",
"under_maintenance": "பராமரிப்புக்காக நிறுத்தம் செய்யப்பட்டுள்ளது",
"under_maintenance_description": "{{appName}} குழு திட்டமிடப்பட்ட பராமரிப்பைச் செய்கிறது. ஏதேனும் கேள்விகள் இருந்தால், உதவியை அழைக்கவும்.",
"event_type_seats": "{{numberOfSeats}} இருக்கைகள்",
@ -121,7 +118,6 @@
"booking_confirmation_failed": "முன்பதிவு உறுதிப்படுத்தல் தோல்வியடைந்தது",
"not_enough_seats": "போதுமான இருக்கைகள் இல்லை",
"form_builder_field_already_exists": "இந்தப் பெயரில் ஒரு புலம் ஏற்கனவே உள்ளது",
"form_builder_field_add_subtitle": "முன்பதிவு பக்கத்தில் கேட்கப்படும் கேள்விகளைத் தனிப்பயனாக்கவும்",
"get_started_zapier_templates": "ஜாப்பியர் டெம்ப்ளேட்களுடன் தொடங்கவும்",
"team_is_unpublished": "{{team}} வெளியிடப்படவில்லை",
"team_is_unpublished_description": "இந்தக் குழு இணைப்பு தற்போது கிடைக்கவில்லை. குழு உரிமையாளரைத் தொடர்பு கொண்டு இதை வெளியிடச் சொல்லவும்.",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "{{appName}} hesabınızın kurulumunu tamamlayın! Planlama konusunda yaşadığınız tüm sorunlarınızı çözmekten sadece birkaç adım uzaktasınız.",
"have_any_questions": "Sorularınız mı var? Size yardımcı olmak için buradayız.",
"reset_password_subject": "{{appName}}: Şifre sıfırlama talimatları",
"verify_email_banner_button": "E-posta gönder",
"event_declined_subject": "Reddedildi: {{title}}, {{date}} tarihinde",
"event_cancelled_subject": "İptal edildi: {{title}}, {{date}} tarihinde",
"event_request_declined": "Etkinlik talebiniz reddedildi",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Toplantı rezervasyonunuz yapıldı",
"event_type_has_been_rescheduled_on_time_date": "{{title}}, {{date}} olarak yeniden planlandı.",
"event_has_been_rescheduled": "Güncellendi - Etkinliğiniz yeniden planlandı",
"request_reschedule_title_attendee": "Rezervasyonunuz için yeniden planlama isteğinde bulunun",
"request_reschedule_subtitle": "{{organizer}} rezervasyonu iptal etti ve sizden başka bir saat seçmenizi istiyor.",
"request_reschedule_title_organizer": "{{attendee}} adlı kişiye yeniden planlama talebinde bulundunuz",
"request_reschedule_subtitle_organizer": "Rezervasyonu iptal ettiniz ve {{attendee}} isimli kişinin sizinle yeni bir rezervasyon saati belirlemesi gerekiyor.",
"rescheduled_event_type_subject": "Yeniden planlama isteği gönderildi: {{date}} tarihinde {{name}} ile {{eventType}}",
"requested_to_reschedule_subject_attendee": "Yeniden Planlama İşlemi Gerekiyor: Lütfen {{name}} ile {{eventType}} için yeni bir saat belirleyin",
"reschedule_reason": "Yeniden planlama nedeni",
"hi_user_name": "Merhaba {{name}}",
"ics_event_title": "{{name}} ile {{eventType}}",
"new_event_subject": "Yeni etkinlik: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "{{appName}}'a hoş geldiniz",
"welcome_instructions": "Bize adınızı ve hangi saat diliminde olduğunuzu söyleyin. Bu bilgileri daha sonra düzenleyebilirsiniz.",
"connect_caldav": "CalDav'a (Beta) bağlan",
"credentials_stored_and_encrypted": "Kimlik bilgileriniz saklanacak ve şifrelenecektir.",
"connect": "Bağlan",
"try_for_free": "Ücretsiz deneyin",
"create_booking_link_with_calcom": "{{appName}} ile kendi rezervasyon bağlantınızı oluşturun",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} isimli kullanıcının yinelenen toplantıyla ilgili her rezervasyonu onaylaması veya reddetmesi gerekiyor.",
"meeting_is_scheduled": "Toplantı planlandı",
"meeting_is_scheduled_recurring": "Yinelenen etkinlikler planlandı",
"submitted_recurring": "Yinelenen toplantınız gönderildi",
"booking_submitted": "Rezervasyonunuz gönderildi",
"booking_submitted_recurring": "Yinelenen toplantınız gönderildi",
"booking_confirmed": "Rezervasyonunuz onaylandı",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Bu rezervasyon zaten kabul edildi veya reddedildi",
"go_back_home": "Ana sayfaya geri dönün",
"or_go_back_home": "Veya ana sayfaya geri dönün",
"no_availability": "Uygun değil",
"no_meeting_found": "Toplantı Bulunamadı",
"no_meeting_found_description": "Bu toplantı mevcut değil. Güncel bir bağlantı için toplantı sahibiyle iletişime geçin.",
"no_status_bookings_yet": "{{status}} rezervasyonu yok",
@ -448,7 +442,6 @@
"invalid_password_hint": "Şifre en az {{passwordLength}} karakter uzunluğunda olmalı, en az bir rakam içermeli ve büyük ve küçük harflerin karışımından oluşmalıdır",
"incorrect_password": "Şifre hatalı.",
"incorrect_username_password": "Kullanıcı adı veya şifre yanlış.",
"24_h": "24 sa",
"use_setting": "Ayarı kullan",
"am_pm": "öö/ös",
"time_options": "Zaman seçenekleri",
@ -491,15 +484,11 @@
"booking_confirmation": "{{profileName}} ile {{eventTypeTitle}} etkinliğinizi onaylayın",
"booking_reschedule_confirmation": "{{profileName}} ile {{eventTypeTitle}} etkinliğinizi yeniden planlayın",
"in_person_meeting": "Yüz yüze görüşme",
"attendee_in_person": "Şahsen (Katılımcı Adresi)",
"in_person": "Şahsen (Organizatör Adresi)",
"link_meeting": "Bağlantılı toplantı",
"phone_call": "Katılımcı Telefon Numarası",
"your_number": "Telefon numaranız",
"phone_number": "Telefon Numarası",
"attendee_phone_number": "Katılımcı Telefon Numarası",
"organizer_phone_number": "Organizatör Telefon Numarası",
"host_phone_number": "Telefon Numaranız",
"enter_phone_number": "Telefon numarası girin",
"reschedule": "Yeniden planla",
"reschedule_this": "Bunun yerine yeniden planlayın",
@ -625,9 +614,6 @@
"new_event_type_btn": "Yeni etkinlik türü",
"new_event_type_heading": "İlk etkinlik türünüzü oluşturun",
"new_event_type_description": "Etkinlik türleri, takviminizde müsait zamanları gösteren bağlantıları paylaşmanıza ve kişilerin sizinle rezervasyon yapmalarına olanak tanır.",
"new_event_title": "Yeni bir etkinlik türü ekle",
"new_team_event": "Yeni bir ekip ekinliği türü ekle",
"new_event_description": "İnsanların rezervasyon yapabileceği yeni bir etkinlik türü oluşturun.",
"event_type_created_successfully": "{{eventTypeTitle}} etkinlik türü başarıyla oluşturuldu",
"event_type_updated_successfully": "{{eventTypeTitle}} etkinlik türü başarıyla güncellendi",
"event_type_deleted_successfully": "Etkinlik türü başarıyla silindi",
@ -796,7 +782,6 @@
"automation": "Otomasyon",
"configure_how_your_event_types_interact": "Etkinlik türlerinizin takvimlerinizle nasıl etkileşimde bulunması gerektiğini yapılandırın.",
"toggle_calendars_conflict": "Çifte rezervasyonu önlemek için çakışmaları kontrol etmek istediğiniz takvimleri değiştirin.",
"select_destination_calendar": "Şurada etkinlik oluştur:",
"connect_additional_calendar": "Ek takvim bağlayın",
"calendar_updated_successfully": "Takvim başarıyla güncellendi",
"conferencing": "Konferans",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} Uygulama",
"trending_apps": "Popüler Uygulamalar",
"most_popular": "En Popüler",
"explore_apps": "{{category}} uygulamaları",
"installed_apps": "Yüklü Uygulamalar",
"free_to_use_apps": "Ücretsiz",
"no_category_apps": "{{category}} uygulaması yok",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Her türlü işlemi yapmak için farklı bir uygulama ekleyin",
"no_category_apps_description_web3": "Rezervasyon sayfalarınız için bir web3 uygulaması ekleyin",
"installed_app_calendar_description": "Çifte rezervasyonları önlemek amacıyla çakışmaları kontrol etmek için takvimleri ayarlayın.",
"installed_app_conferencing_description": "Toplantılarınız için favori video konferans uygulamalarınızı ekleyin",
"installed_app_payment_description": "Müşterilerinizden ücret alırken hangi ödeme işleme hizmetlerinin kullanılacağını yapılandırın.",
"installed_app_analytics_description": "Rezervasyon sayfalarınız için hangi analiz uygulamalarını kullanacağınızı yapılandırın",
"installed_app_other_description": "Diğer kategorilerdeki tüm yüklü uygulamalarınız.",
@ -868,7 +851,6 @@
"terms_of_service": "Kullanım Koşulları",
"remove": "Kaldır",
"add": "Ekle",
"installed_one": "Yüklendi",
"installed_other": "{{count}} yüklü",
"verify_wallet": "Cüzdanı Doğrula",
"create_events_on": "Şurada etkinlik oluşturun:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "{{scheduleName}} planı başarıyla güncellendi",
"schedule_deleted_successfully": "Plan başarıyla silindi",
"default_schedule_name": "Çalışma Saatleri",
"member_default_schedule": "Üyenin varsayılan programı",
"new_schedule_heading": "Müsaitlik planı oluşturun",
"new_schedule_description": "Müsaitlik planları oluşturmak, farklı etkinlik türleri için müsaitlik durumunuzu yönetmenize olanak tanır. Planlar bir veya daha fazla etkinlik türüne uygulanabilir.",
"requires_ownership_of_a_token": "Aşağıdaki adrese ait bir token'a sahip olmak gereklidir:",
@ -933,8 +914,6 @@
"api_key_no_note": "İsimsiz API anahtarı",
"api_key_never_expires": "Bu API anahtarının son kullanma tarihi yok",
"edit_api_key": "API anahtarını düzenle",
"never_expire_key": "Süresiz kullanım",
"delete_api_key": "API anahtarını iptal et",
"success_api_key_created": "API anahtarı başarıyla oluşturuldu",
"success_api_key_edited": "API anahtarı başarıyla güncellendi",
"create": "Oluştur",
@ -975,7 +954,6 @@
"event_location_changed": "Güncellendi - Etkinliğinizin konumu değişti",
"location_changed_event_type_subject": "Konum Değiştirildi: {{date}} tarihinde {{name}} ile {{eventType}}",
"current_location": "Mevcut Konum",
"user_phone": "Telefon numaranız",
"new_location": "Yeni Konum",
"session": "Oturum",
"session_description": "Hesap oturumunuzu kontrol edin",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Zapier hesabınıza giriş yapın ve yeni bir Zap oluşturun.</0><1>Trigger uygulamanız olarak Cal.com'u seçin. Ayrıca bir Trigger etkinliği seçin.</1><2>Hesabınızı seçin ve ardından Benzersiz API Anahtarınızı girin.</2><3>Trigger'ınızı test edin.</3><4>Hazırsınız!</4 >",
"install_zapier_app": "Lütfen öncelikle App Store'dan Zapier uygulamasını yükleyin.",
"connect_apple_server": "Apple Sunucusuna Bağlanın",
"connect_caldav_server": "CalDav'a (Beta) bağlan",
"calendar_url": "Takvim URL'si",
"apple_server_generate_password": "Şurada {{appName}} ile kullanmak üzere uygulamaya özel bir şifre oluşturun:",
"credentials_stored_encrypted": "Kimlik bilgileriniz saklanacak ve şifrelenecektir.",
@ -1033,7 +1010,6 @@
"go_to": "Git: ",
"zapier_invite_link": "Zapier Davet Bağlantısı",
"meeting_url_provided_after_confirmed": "Etkinlik onaylandıktan sonra bir Toplantı URL'si oluşturulacak.",
"attendees_name": "Katılımcının adı",
"dynamically_display_attendee_or_organizer": "Kendiniz için katılımcınızın adını veya katılımcınız tarafından görüntüleniyorsa adınızı dinamik olarak gösterin",
"event_location": "Etkinliğin konumu",
"reschedule_optional": "Yeniden planlama nedeni (isteğe bağlı)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Exchange 2016 Sunucusunu Bağlanın",
"custom_template": "Özel şablon",
"email_body": "E-posta Gövdesi",
"subject": "E-posta konusu",
"text_message": "Metin mesajı",
"specific_issue": "Belirli bir sorununuz mu var?",
"browse_our_docs": "belgelerimize göz atın",
@ -1135,12 +1110,9 @@
"new_seat_title": "Biri kendini bir etkinliğe ekledi",
"variable": "Değişken",
"event_name_variable": "Etkinlik adı",
"organizer_name_variable": "Düzenleyen Kişi",
"attendee_name_variable": "Katılımcı",
"event_date_variable": "Etkinlik tarihi",
"event_time_variable": "Etkinlik saati",
"location_variable": "Konum",
"additional_notes_variable": "Ek notlar",
"app_upgrade_description": "Bu özelliği kullanmak için Pro hesabına geçmeniz gerekiyor.",
"invalid_number": "Geçersiz telefon numarası",
"navigate": "Gezin",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Yinelenen bir plan ayarlayın",
"today": "bugün",
"appearance": "Görünüm",
"appearance_subtitle": "Rezervasyon görünümünüz için ayarları yönetin",
"my_account": "Hesabım",
"general": "Genel",
"calendars": "Takvimler",
@ -1254,7 +1225,6 @@
"conferencing_description": "Toplantılarınız için favori video konferans uygulamalarınızı yönetin",
"add_conferencing_app": "Konferans Uygulaması Ekle",
"password_description": "Hesap şifreleriniz için ayarları yönetin",
"2fa_description": "Hesap şifreleriniz için ayarları yönetin",
"we_just_need_basic_info": "Profil kurulumunuzu almak için sadece bazı temel bilgilere ihtiyacımız var.",
"skip": "Atla",
"do_this_later": "Bunu daha sonra yap",
@ -1278,7 +1248,6 @@
"event_date_info": "Etkinlik tarihi",
"event_time_info": "Etkinlik başlama saati",
"location_info": "Etkinlik yeri",
"organizer_name_info": "Adınız",
"additional_notes_info": "Ek rezervasyon notları",
"attendee_name_info": "Rezervasyon yaptıran kişinin adı",
"to": "Kime",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Bağlantıyı forma kopyala",
"theme": "Tema",
"theme_applies_note": "Bu, sadece genel rezervasyon sayfalarınız için geçerlidir",
"theme_light": "Açık",
"theme_dark": "Koyu",
"theme_system": "Sistem varsayılanı",
"add_a_team": "Ekip ekle",
"add_webhook_description": "{{appName}}'da bir etkinlik gerçekleştiğinde gerçek zamanlı olarak toplantı verilerini alın",
@ -1352,7 +1319,6 @@
"enable_webhook": "Web kancasını etkinleştir",
"add_webhook": "Web kancası ekle",
"webhook_edited_successfully": "Web kancası kaydedildi",
"webhooks_description": "{{appName}}'da bir etkinlik gerçekleştiğinde gerçek zamanlı olarak toplantı verilerini alın",
"api_keys_description": "Kendi hesabınıza erişmek için API anahtarları oluşturun",
"new_api_key": "Yeni API anahtarı",
"active": "etkin",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Şu anda ÜCRETSİZ plandasınız",
"billing_freeplan_description": "Ekiplerde daha iyi çalışıyoruz. Round robin ve toplu etkinliklerle iş akışlarınızı genişletin ve gelişmiş yönlendirme formları oluşturun",
"billing_freeplan_cta": "Hemen deneyin",
"billing_manage_details_title": "Fatura bilgilerinizi görüntüleyin ve yönetin",
"billing_manage_details_description": "Fatura bilgilerinizi görüntüleyin ve düzenleyin veya aboneliğinizi iptal edin.",
"billing_portal": "Faturalandırma portalı",
"billing_help_title": "Başka bir şeye ihtiyacınız var mı?",
"billing_help_description": "Faturalandırma konusunda daha fazla yardıma ihtiyacınız olursa destek ekibimiz size yardımcı olmaya hazır.",
"billing_help_cta": "Destek ekibimize ulaşın",
"ignore_special_characters_booking_questions": "Rezervasyon sorusu tanımlayıcınızdaki özel karakterleri yok sayın. Yalnızca harf ve sayıları kullanın",
"retry": "Yeniden dene",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Takvim bağlantısı yapılamadı",
"booking_confirmation_success": "Rezervasyon onayı başarılı",
"booking_rejection_success": "Rezervasyon başarıyla reddedildi",
"booking_confirmation_fail": "Rezervasyon onayı yapılamadı",
"booking_tentative": "Bu rezervasyon geçicidir",
"booking_accept_intent": "Hay aksi, kabul etmek istiyorum",
"we_wont_show_again": "Bunu tekrar göstermeyeceğiz",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "{{eventTypeTitle}} Müsaitlik Durumu",
"error_editing_availability": "Uygunluk durumu düzenlenirken bir hata oluştu",
"dont_have_permission": "Bu kaynağa erişim izniniz yok.",
"saml_config": "Çoklu Oturum Açma",
"saml_configuration_placeholder": "Lütfen Kimlik Sağlayıcınızdan gelen SAML meta verilerini buraya yapıştırın",
"saml_email_required": "SAML Kimlik Sağlayıcınızı bulabilmemiz için lütfen bir e-posta girin",
"saml_sp_title": "Hizmet Sağlayıcı Bilgileri",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "SP Varlık Kimliği",
"saml_sp_acs_url_copied": "ACS URL'si kopyalandı!",
"saml_sp_entity_id_copied": "SP Varlık Kimliği kopyalandı!",
"saml_btn_configure": "Yapılandır",
"add_calendar": "Takvim Ekle",
"limit_future_bookings": "Gelecekteki rezervasyonları sınırla",
"limit_future_bookings_description": "Bu etkinlik için gelecekte kaç rezervasyon yapılabileceğini sınırlayın",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Evet, {{connectionType}} yapılandırmasını sil",
"delete_sso_configuration_confirmation_description": "{{connectionType}} yapılandırmasını silmek istediğinizden emin misiniz? {{connectionType}} girişini kullanan ekip üyeleriniz artık Cal.com'a erişemeyecek.",
"organizer_timezone": "Organizatörün saat dilimi",
"email_no_user_cta": "Hesabınızı oluşturun",
"email_user_cta": "Daveti görüntüle",
"email_no_user_invite_heading": "{{appName}} uygulamasındaki bir ekibe katılmaya davet edildiniz",
"email_no_user_invite_subheading": "{{invitedBy}}, sizi {{appName}} ekibine katılmaya davet etti. {{appName}}, size ve ekibinize e-posta iletişimine ihtiyaç duymadan toplantı planlama yapma olanağı sağlayan bir etkinlik planlayıcıdır.",
@ -1648,7 +1606,6 @@
"create_event_on": "Şu tarih için etkinlik oluşturun:",
"default_app_link_title": "Varsayılan uygulama bağlantısını ayarlayın",
"default_app_link_description": "Varsayılan uygulama bağlantısını ayarlamak, yeni oluşturulan tüm etkinlik türlerinin ayarladığınız uygulama bağlantısını kullanmasına olanak tanır.",
"change_default_conferencing_app": "Varsayılan olarak ayarla",
"organizer_default_conferencing_app": "Organizatörün varsayılan uygulaması",
"under_maintenance": "Bakımda",
"under_maintenance_description": "{{appName}} ekibi planlı bir bakım çalışması gerçekleştiriyor. Herhangi bir sorunuz varsa lütfen destek ekibiyle iletişime geçin.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Rezervasyon onayı yapılamadı",
"not_enough_seats": "Yeterli yer yok",
"form_builder_field_already_exists": "Bu ada sahip bir alan zaten var",
"form_builder_field_add_subtitle": "Rezervasyon sayfasında sorulan soruları özelleştirin",
"show_on_booking_page": "Rezervasyon sayfasında göster",
"get_started_zapier_templates": "Zapier şablonlarını kullanmaya başlayın",
"team_is_unpublished": "{{team}} paylaşılmadı",
@ -1715,7 +1671,6 @@
"verification_code": "Doğrulama kodu",
"can_you_try_again": "Başka bir saatle tekrar deneyebilir misiniz?",
"verify": "Doğrula",
"timezone_variable": "Saat dilimi",
"timezone_info": "Alıcının saat dilimi",
"event_end_time_variable": "Etkinlik bitiş saati",
"event_end_time_info": "Etkinlik bitiş saati",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Yeniden Planlanan Etkinlikler",
"from_last_period": "son dönemden itibaren",
"from_to_date_period": "Başlangıç: {{startDate}} Bitiş: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Ekibinizin aktivitesi hakkında daha fazla bilgi edinin",
"redirect_url_warning": "Yönlendirme eklemek başarı sayfasını devre dışı bırakır. Özel başarı sayfanızda \"Rezervasyon Onaylandı\" ifadesinden bahsetmeyi unutmayın.",
"event_trends": "Etkinlik Trendleri",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Rezervasyonunuzu tamamlayın",
"complete_your_booking_subject": "Rezervasyonunuzu tamamlayın: {{title}}, {{date}}",
"confirm_your_details": "Bilgilerinizi onaylayın",
"never_expire": "Süresiz kullanım",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Katılımcıdan {{amount, currency}} tahsil etmek üzeresiniz. Devam etmek istediğinizden emin misiniz?",
"charge_attendee": "Katılımcıdan {{amount, currency}} ücret tahsil edin",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Завершіть налаштування облікового запису {{appName}}! Ще кілька кроків, і всі проблеми з плануванням, які виникали у вас, буде вирішено.",
"have_any_questions": "Маєте запитання? Ми допоможемо.",
"reset_password_subject": "{{appName}}: інструкції зі скидання пароля",
"verify_email_banner_button": "Надіслати лист",
"event_declined_subject": "Відхилено: {{title}}, {{date}}",
"event_cancelled_subject": "Скасовано: {{title}}, {{date}}",
"event_request_declined": "Ваш запит на захід відхилено",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Вашу нараду заброньовано",
"event_type_has_been_rescheduled_on_time_date": "Ваш {{title}} перенесено на {{date}}.",
"event_has_been_rescheduled": "Оновлено ваш захід перенесено",
"request_reschedule_title_attendee": "Надіслати запит на перенесення бронювання",
"request_reschedule_subtitle": "{{organizer}} скасував(-ла) бронювання та попросив(-ла) вас вибрати інший час.",
"request_reschedule_title_organizer": "Ви попросили учасника {{attendee}} перенести бронювання",
"request_reschedule_subtitle_organizer": "Ви скасували бронювання. {{attendee}} має забронювати інший час.",
"rescheduled_event_type_subject": "Запит на перенесення надіслано: {{eventType}} «{{name}}», {{date}}",
"requested_to_reschedule_subject_attendee": "Потрібно перенести бронювання: забронюйте новий час для заходу «{{eventType}}» із користувачем {{name}}",
"reschedule_reason": "Причина перенесення",
"hi_user_name": "Привіт, {{name}}!",
"ics_event_title": "{{eventType}} «{{name}}»",
"new_event_subject": "Новий захід: {{attendeeName}} {{date}} {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Вітаємо в {{appName}}",
"welcome_instructions": "Скажіть, як вас звати та в якому ви часовому поясі. Ці дані можна буде змінити пізніше.",
"connect_caldav": "Підключитися до CalDav (бета)",
"credentials_stored_and_encrypted": "Ваші облікові дані буде збережено та зашифровано.",
"connect": "Підключитися",
"try_for_free": "Спробувати безкоштовно",
"create_booking_link_with_calcom": "Створіть власне посилання на бронювання в {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} усе одно має підтверджувати або відхиляти кожне бронювання періодичної наради.",
"meeting_is_scheduled": "Цю нараду заплановано",
"meeting_is_scheduled_recurring": "Періодичні заходи заплановано",
"submitted_recurring": "Вашу періодичну нараду надіслано",
"booking_submitted": "Ваше бронювання надіслано",
"booking_submitted_recurring": "Вашу періодичну нараду надіслано",
"booking_confirmed": "Ваше бронювання підтверджено",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Це бронювання вже прийнято або відхилено",
"go_back_home": "На головну",
"or_go_back_home": "Або поверніться на головну",
"no_availability": "Недоступно",
"no_meeting_found": "Нараду не знайдено",
"no_meeting_found_description": "Цієї наради не існує. Зверніться до власника наради по оновлене посилання.",
"no_status_bookings_yet": "Немає бронювань зі станом «{{status}}»",
@ -448,7 +442,6 @@
"invalid_password_hint": "Пароль має містити не менше ніж {{passwordLength}} символів: принаймні одну цифру та комбінацію великих і малих літер",
"incorrect_password": "Пароль неправильний.",
"incorrect_username_password": "Неправильне ім’я користувача або пароль.",
"24_h": "24 год",
"use_setting": "Використовувати налаштування",
"am_pm": "дп/пп",
"time_options": "Параметри часу",
@ -491,15 +484,11 @@
"booking_confirmation": "Підтвердьте свій захід ({{eventTypeTitle}}) із користувачем {{profileName}}",
"booking_reschedule_confirmation": "Перенесіть свій захід ({{eventTypeTitle}}) із користувачем {{profileName}}",
"in_person_meeting": "Посилання або особиста зустріч",
"attendee_in_person": "Особисто (адреса відвідувача)",
"in_person": "Особисто (адреса організатора)",
"link_meeting": "Нарада з посиланням",
"phone_call": "Номер телефону учасника",
"your_number": "Ваш номер телефону",
"phone_number": "Номер телефону",
"attendee_phone_number": "Номер телефону учасника",
"organizer_phone_number": "Телефон організатора",
"host_phone_number": "Ваш номер телефону",
"enter_phone_number": "Введіть номер телефону",
"reschedule": "Перенести",
"reschedule_this": "Натомість перенести",
@ -625,9 +614,6 @@
"new_event_type_btn": "Новий тип заходу",
"new_event_type_heading": "Створіть свій перший тип заходу",
"new_event_type_description": "За допомогою типів заходів ви можете ділитися посиланнями, що показують час, у який ви доступні, і дають змогу бронювати його.",
"new_event_title": "Додати новий тип заходу",
"new_team_event": "Додати новий тип заходу для команди",
"new_event_description": "Створіть новий тип заходу, на який люди зможуть бронювати час.",
"event_type_created_successfully": "Тип заходу «{{eventTypeTitle}}» створено",
"event_type_updated_successfully": "Тип заходу «{{eventTypeTitle}}» оновлено",
"event_type_deleted_successfully": "Тип заходу видалено",
@ -796,7 +782,6 @@
"automation": "Автоматизація",
"configure_how_your_event_types_interact": "Налаштуйте, як типи заходів мають взаємодіяти з вашими календарями.",
"toggle_calendars_conflict": "Увімкніть ті календарі, які потрібно перевірити на наявність конфліктів, щоб уникнути подвійних бронювань.",
"select_destination_calendar": "Створюйте заходи в календарі",
"connect_additional_calendar": "Підключити додатковий календар",
"calendar_updated_successfully": "Календар оновлено",
"conferencing": "Відеоконференції",
@ -830,7 +815,6 @@
"number_apps_other": "Додатків: {{count}}",
"trending_apps": "Популярні додатки",
"most_popular": "Найпопулярніше",
"explore_apps": "Додатки з категорії «{{category}}»",
"installed_apps": "Установлені додатки",
"free_to_use_apps": "Безкоштовні",
"no_category_apps": "{{category}} — немає додатків",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Додавайте інші додатки з різноманітними функціями",
"no_category_apps_description_web3": "Вибрати додаток web3 для своїх сторінок бронювання",
"installed_app_calendar_description": "Налаштуйте календарі, щоб перевіряти, чи немає конфліктів у розкладі, і уникати подвійних бронювань.",
"installed_app_conferencing_description": "Додавайте улюблені додатки для відеоконференцій, щоб проводити наради",
"installed_app_payment_description": "Укажіть, які служби обробки платежів використовувати, коли клієнти вам платять.",
"installed_app_analytics_description": "Указати аналітичні додатки для своїх сторінок бронювання",
"installed_app_other_description": "Усі ваші встановлені додатки з інших категорій.",
@ -868,7 +851,6 @@
"terms_of_service": "Умови користування",
"remove": "Вилучити",
"add": "Додати",
"installed_one": "Установлено",
"installed_other": "Установлено {{count}}",
"verify_wallet": "Пройдіть перевірку гаманця",
"create_events_on": "Створюйте заходи в календарі",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Розклад «{{scheduleName}}» оновлено",
"schedule_deleted_successfully": "Розклад видалено",
"default_schedule_name": "Робочі години",
"member_default_schedule": "Розклад учасника за замовчуванням",
"new_schedule_heading": "Створення розкладу доступності",
"new_schedule_description": "Розклад доступності дає змогу керувати своєю доступністю для участі в заходах різних типів. Його можна застосовувати як до одного, так і до кількох різних типів заходів.",
"requires_ownership_of_a_token": "Потрібен токен, що належить такій адресі:",
@ -933,8 +914,6 @@
"api_key_no_note": "Ключ API без назви",
"api_key_never_expires": "Цей ключ API діє безстроково",
"edit_api_key": "Редагувати ключ API",
"never_expire_key": "Діє безстроково",
"delete_api_key": "Відкликати ключ API",
"success_api_key_created": "Ключ API створено",
"success_api_key_edited": "Ключ API оновлено",
"create": "Створити",
@ -975,7 +954,6 @@
"event_location_changed": "Оновлено змінилося розташування заходу",
"location_changed_event_type_subject": "Змінено розташування: {{eventType}} «{{name}}», {{date}}",
"current_location": "Поточне розташування",
"user_phone": "Ваш номер телефону",
"new_location": "Нове розташування",
"session": "Сеанс",
"session_description": "Керуйте сеансом свого облікового запису",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Увійдіть в обліковий запис Zapier та створіть Zap.</0><1>Виберіть Cal.com як додаток Trigger, а також укажіть подію Trigger.</1><2>Виберіть свій обліковий запис і введіть унікальний ключ API.</2><3>Перевірте тригер.</3><4>Усе готово!</4>",
"install_zapier_app": "Спочатку встановіть додаток Zapier з App Store.",
"connect_apple_server": "Підключитися до сервера Apple",
"connect_caldav_server": "Підключитися до CalDav (бета)",
"calendar_url": "URL-адреса календаря",
"apple_server_generate_password": "Згенеруйте спеціальний пароль додатка для використання з {{appName}} за адресою",
"credentials_stored_encrypted": "Ваші облікові дані буде збережено та зашифровано.",
@ -1033,7 +1010,6 @@
"go_to": "Перейди до: ",
"zapier_invite_link": "Zapier Invite Link",
"meeting_url_provided_after_confirmed": "URL-адресу наради буде створено після підтвердження заходу.",
"attendees_name": "Ім’я відвідувача",
"dynamically_display_attendee_or_organizer": "Динамічно показувати ім’я учасника вам або ваше ім’я учаснику, який його переглядає",
"event_location": "Розташування заходу",
"reschedule_optional": "Причина перенесення (необов’язково)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Підключити сервер Exchange 2016",
"custom_template": "Користувацький шаблон",
"email_body": "Основний текст",
"subject": "Тема листа",
"text_message": "Текстове повідомлення",
"specific_issue": "Виникла конкретна проблема?",
"browse_our_docs": "переглянути нашу документацію",
@ -1135,12 +1110,9 @@
"new_seat_title": "Хтось додав себе в захід",
"variable": "Змінна",
"event_name_variable": "Назва заходу",
"organizer_name_variable": "Організатор",
"attendee_name_variable": "Учасник",
"event_date_variable": "Дата заходу",
"event_time_variable": "Час заходу",
"location_variable": "Розташування",
"additional_notes_variable": "Додаткові примітки",
"app_upgrade_description": "Щоб користуватися цією функцією, потрібен обліковий запис Pro.",
"invalid_number": "Недійсний номер телефону",
"navigate": "Перейти",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Налаштування розкладу з повторюваними заходами",
"today": "сьогодні",
"appearance": "Вигляд",
"appearance_subtitle": "Налаштуйте варіанти оформлення свого бронювання",
"my_account": "Мій обліковий запис",
"general": "Загальні",
"calendars": "Календарі",
@ -1254,7 +1225,6 @@
"conferencing_description": "Керуйте додатками для відеоконференцій і нарад",
"add_conferencing_app": "Додати застосунок для проведення конференцій",
"password_description": "Налаштуйте параметри паролів облікових записів",
"2fa_description": "Налаштуйте параметри паролів облікових записів",
"we_just_need_basic_info": "Щоб налаштувати ваш профіль, нам потрібні базові дані.",
"skip": "Пропустити",
"do_this_later": "Зробити це пізніше",
@ -1278,7 +1248,6 @@
"event_date_info": "Дата заходу",
"event_time_info": "Час початку заходу",
"location_info": "Місце проведення заходу",
"organizer_name_info": "Ваше ім’я",
"additional_notes_info": "Додаткові примітки щодо бронювання",
"attendee_name_info": "Ім’я особи, яка бронює",
"to": "Кому",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Копіювати посилання на форму",
"theme": "Тема",
"theme_applies_note": "Застосовується тільки до ваших загальнодоступних сторінок бронювання",
"theme_light": "Світла",
"theme_dark": "Темна",
"theme_system": "Стандартне системне значення",
"add_a_team": "Додати команду",
"add_webhook_description": "Отримуйте дані про наради в реальному часі, коли в {{appName}} щось відбувається",
@ -1352,7 +1319,6 @@
"enable_webhook": "Увімкнути вебгук",
"add_webhook": "Додати вебгук",
"webhook_edited_successfully": "Вебгук збережено",
"webhooks_description": "Отримуйте дані про наради в реальному часі, коли в {{appName}} щось відбувається",
"api_keys_description": "Створюйте ключі API, щоб отримувати доступ до свого облікового запису",
"new_api_key": "Новий ключ API",
"active": "активний",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Зараз ви використовуєте БЕЗКОШТОВНИЙ план",
"billing_freeplan_description": "Краще працювати в команді. Доповніть свої робочі процеси циклічними й колективними заходами та створюйте складніші форми переспрямовування.",
"billing_freeplan_cta": "Спробувати",
"billing_manage_details_title": "Переглядайте свої дані для виставлення рахунків і керуйте ними",
"billing_manage_details_description": "Тут ви можете переглянути й відредагувати свої дані для виставлення рахунків, а також скасувати підписку.",
"billing_portal": "Портал виставлення рахунків",
"billing_help_title": "Потрібно щось інше?",
"billing_help_description": "Якщо вам потрібна додаткова допомога з виставленням рахунків, наша служба підтримки готова її надати.",
"billing_help_cta": "Звернутися в службу підтримки",
"ignore_special_characters_booking_questions": "Пропускайте спеціальні символи в ідентифікаторі запитання про бронювання та використовуйте лише літери й цифри",
"retry": "Повторити",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Не вдалося підключитися до календаря",
"booking_confirmation_success": "Бронювання підтверджено",
"booking_rejection_success": "Бронювання відхилено",
"booking_confirmation_fail": "Не вдалося підтвердити бронювання",
"booking_tentative": "Це попереднє бронювання",
"booking_accept_intent": "Ні, я хочу прийняти",
"we_wont_show_again": "Ми більше не показуватимемо це",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Доступність: {{eventTypeTitle}}",
"error_editing_availability": "Помилка редагування відомостей про доступність",
"dont_have_permission": "У вас немає дозволу на доступ до цього ресурсу.",
"saml_config": "Єдиний вхід",
"saml_configuration_placeholder": "Вставте тут метадані SAML від свого постачальника посвідчень",
"saml_email_required": "Введіть електронну адресу, щоб ми могли знайти вашого постачальника посвідчень SAML",
"saml_sp_title": "Дані постачальника послуг",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID сутності SP",
"saml_sp_acs_url_copied": "URL-адресу ACS скопійовано!",
"saml_sp_entity_id_copied": "ID сутності SP скопійовано!",
"saml_btn_configure": "Налаштувати",
"add_calendar": "Додати календар",
"limit_future_bookings": "Обмежити майбутні бронювання",
"limit_future_bookings_description": "Указати, наскільки заздалегідь можна забронювати цей захід",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Так, видалити конфігурацію {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Справді видалити конфігурацію {{connectionType}}? Учасники вашої команди, які входять через {{connectionType}}, не зможуть ввійти в Cal.com.",
"organizer_timezone": "Часовий пояс організатора",
"email_no_user_cta": "Створіть власний обліковий запис",
"email_user_cta": "Переглянути запрошення",
"email_no_user_invite_heading": "Вас запрошено приєднатися до команди в {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} запрошує вас приєднатися до команди в {{appName}}. {{appName}} — планувальник подій, який дає змогу вам і вашій команді планувати зустрічі без тривалої переписки електронною поштою.",
@ -1648,7 +1606,6 @@
"create_event_on": "Створити захід у календарі",
"default_app_link_title": "Установити посилання на додаток за замовчуванням",
"default_app_link_description": "Посилання на додаток за замовчуванням використовуватиметься для всіх новостворених типів подій.",
"change_default_conferencing_app": "Установити за замовчуванням",
"organizer_default_conferencing_app": "Додаток організації за замовчуванням",
"under_maintenance": "На обслуговуванні",
"under_maintenance_description": "Команда {{appName}} здійснює планове обслуговування. Якщо маєте запитання, зверніться в службу підтримки.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Не вдалося підтвердити бронювання",
"not_enough_seats": "Недостатньо місць",
"form_builder_field_already_exists": "Поле з такою назвою вже існує",
"form_builder_field_add_subtitle": "Налаштуйте запитання, відповіді на які потрібно буде надати на сторінці бронювання",
"show_on_booking_page": "Показувати на сторінці бронювання",
"get_started_zapier_templates": "Розпочніть роботу із шаблонами Zapier",
"team_is_unpublished": "Публікацію команди «{{team}}» скасовано",
@ -1715,7 +1671,6 @@
"verification_code": "Код перевірки",
"can_you_try_again": "Виберіть інший час і повторіть спробу.",
"verify": "Перевірити",
"timezone_variable": "Часовий пояс",
"timezone_info": "Часовий пояс одержувача",
"event_end_time_variable": "Час завершення заходу",
"event_end_time_info": "Час завершення заходу",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Перенесені заходи",
"from_last_period": "після останнього періоду",
"from_to_date_period": "З: {{startDate}} До: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Дізнайтеся більше про активність своєї команди",
"redirect_url_warning": "Якщо додати переспрямування, сторінка з результатом бронювання не з’являтиметься. Переконайтеся, що ви додали текст «Бронювання підтверджено» на свою сторінку з результатом бронювання.",
"event_trends": "Тенденції заходів",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Завершіть бронювання",
"complete_your_booking_subject": "Завершіть бронювання: {{title}} від {{date}}",
"confirm_your_details": "Підтвердьте ваші дані",
"never_expire": "Немає терміну дії",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Ви збираєтеся списати кошти з рахунку учасника: {{amount, currency}}. Бажаєте продовжити?",
"charge_attendee": "Списати з рахунку учасника {{amount, currency}}",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "Hoàn tất thiết lập tài khoản của bạn trong {{appName}}! Bạn chỉ còn vài bước nữa là giải quyết được mọi vấn đề về việc lên lịch kế hoạch.",
"have_any_questions": "Có câu hỏi? Chúng tôi luôn ở đây để giúp bạn.",
"reset_password_subject": "{{appName}}: Hướng dẫn thay đổi mật khẩu",
"verify_email_banner_button": "Gửi email",
"event_declined_subject": "Đã từ chối: {{title}} tại {{date}}",
"event_cancelled_subject": "Đã huỷ: {{title}} tại {{date}}",
"event_request_declined": "Lời mời sự kiện của bạn đã bị từ chối",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "Cuộc họp của bạn đã được đặt",
"event_type_has_been_rescheduled_on_time_date": "{{title}} của bạn đã được chuyển sang ngày {{date}}.",
"event_has_been_rescheduled": "Đã cập nhật - Sự kiện của bạn đã được đổi",
"request_reschedule_title_attendee": "Yêu cầu xếp lại lịch đặt chỗ của bạn",
"request_reschedule_subtitle": "{{organizer}} đã huỷ đặt chỗ đó và yêu cầu bạn chọn thời gian khác.",
"request_reschedule_title_organizer": "Bạn đã yêu cầu {{attendee}} xếp lại lịch",
"request_reschedule_subtitle_organizer": "Bạn đã huỷ mục đặt chỗ này và {{attendee}} nên chọn thời gian đặt chỗ mới với bạn.",
"rescheduled_event_type_subject": "Đã gửi yêu cầu xếp lại lịch: {{eventType}} với {{name}} lúc {{date}}",
"requested_to_reschedule_subject_attendee": "Thao tác cần làm để xếp lại lịch: Vui lòng đặt thời gian mới cho {{eventType}} với {{name}}",
"reschedule_reason": "Lý do xếp lại lịch",
"hi_user_name": "Xin chào {{name}}",
"ics_event_title": "{{eventType}} với {{name}}",
"new_event_subject": "Sự kiện mới: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "Chào mừng đến với {{appName}}",
"welcome_instructions": "Hãy cho chúng tôi biết tên và múi giờ của bạn. Bạn có thể chỉnh sửa cả hai sau này.",
"connect_caldav": "Kết nối với CalDav (Beta)",
"credentials_stored_and_encrypted": "Thông tin đăng nhập của bạn sẽ được lưu trữ và mã hóa.",
"connect": "Kết nối",
"try_for_free": "Dùng thử miễn phí",
"create_booking_link_with_calcom": "Tạo liên kết đặt lịch hẹn của riêng bạn với {{appName}}",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} vẫn cần xác nhận hoặc từ chối mỗi cuộc đặt hẹn cho cuộc họp định kỳ.",
"meeting_is_scheduled": "Cuộc họp này đã được lên lịch",
"meeting_is_scheduled_recurring": "Những sự kiện định kỳ đã được lên lịch",
"submitted_recurring": "Cuộc họp định kỳ của bạn đã được gửi đi",
"booking_submitted": "Lịch hẹn của bạn đã được gửi",
"booking_submitted_recurring": "Cuộc họp định kỳ của bạn đã được gửi đi",
"booking_confirmed": "Lịch hẹn của bạn đã được xác nhận",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "Lịch hẹn này đã được chấp nhận hoặc từ chối",
"go_back_home": "Trở về trang chủ",
"or_go_back_home": "Hoặc trở về trang chủ",
"no_availability": "Không khả dụng",
"no_meeting_found": "Không tìm thấy cuộc họp",
"no_meeting_found_description": "Cuộc họp này không tồn tại. Liên hệ với chủ trì cuộc họp để có liên kết mới.",
"no_status_bookings_yet": "Chưa có lịch hẹn {{status}} nào",
@ -448,7 +442,6 @@
"invalid_password_hint": "Mật khẩu phải có tối thiểu {{passwordLength}} ký tự chứa ít nhất một con số và phải kết hợp chữ cái in hoa lẫn in thường",
"incorrect_password": "Mật khẩu không đúng.",
"incorrect_username_password": "Sai tên người dùng hoặc sai mật khẩu.",
"24_h": "24h",
"use_setting": "Sử dụng cài đặt",
"am_pm": "\u001dam/pm",
"time_options": "Tùy chọn thời gian",
@ -491,15 +484,11 @@
"booking_confirmation": "Xác nhận {{eventTypeTitle}} của bạn với {{profileName}}",
"booking_reschedule_confirmation": "Lên lịch lại {{eventTypeTitle}} của bạn với {{profileName}}",
"in_person_meeting": "Gặp mặt trực tiếp",
"attendee_in_person": "Đích thân (địa chỉ người tham gia)",
"in_person": "Đích thân (địa chỉ người tổ chức)",
"link_meeting": "Liên kết cuộc họp",
"phone_call": "Số điện thoại của người tham gia",
"your_number": "Số điện thoại của bạn",
"phone_number": "Số điện thoại",
"attendee_phone_number": "Số điện thoại của người tham gia",
"organizer_phone_number": "Số điện thoại người tổ chức",
"host_phone_number": "Số điện thoại của bạn",
"enter_phone_number": "Nhập số điện thoại",
"reschedule": "Thay đổi lịch hẹn",
"reschedule_this": "Thay đổi lịch hẹn",
@ -625,9 +614,6 @@
"new_event_type_btn": "Loại sự kiện mới",
"new_event_type_heading": "Tạo loại sự kiện đầu tiên của bạn",
"new_event_type_description": "Các loại sự kiện giúp bạn chia sẻ liên kết hiển thị thời gian có sẵn trên lịch của bạn và cho phép mọi người đặt lịch hẹn với bạn.",
"new_event_title": "Thêm một loại sự kiện mới",
"new_team_event": "Thêm một loại sự kiện mới cho nhóm",
"new_event_description": "Tạo một loại sự kiện mới để mọi người đặt lịch hẹn.",
"event_type_created_successfully": "Đã tạo thành công loại sự kiện {{eventTypeTitle}}",
"event_type_updated_successfully": "Đã cập nhật thành công loại sự kiện {{eventTypeTitle}}",
"event_type_deleted_successfully": "Đã xóa thành công loại sự kiện",
@ -796,7 +782,6 @@
"automation": "Tự động hóa",
"configure_how_your_event_types_interact": "Định các loại sự kiện của bạn nên tương tác như thế nào với lịch của bạn.",
"toggle_calendars_conflict": "Bật lịch mà bạn muốn kiểm tra trùng ngày để tránh đặt lịch hẹn trùng.",
"select_destination_calendar": "Tạo sự kiện trên",
"connect_additional_calendar": "Kết nối lịch bổ sung",
"calendar_updated_successfully": "Đã cập nhật lịch thành công",
"conferencing": "Hội nghị",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} ứng dụng",
"trending_apps": "Ứng dụng thịnh hành",
"most_popular": "Phổ biến nhất",
"explore_apps": "{{category}} ứng dụng",
"installed_apps": "Ứng dụng đã cài đặt",
"free_to_use_apps": "Miễn phí",
"no_category_apps": "Không có ứng dụng {{category}}",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "Thêm loại ứng dụng khác để làm mọi loại công việc",
"no_category_apps_description_web3": "Thêm một ứng dụng web3 cho những trang lịch hẹn của bạn",
"installed_app_calendar_description": "Đặt (các) lịch làm nhiệm vụ kiểm tra xung đột nhằm ngăn tình trạng đặt lịch trùng.",
"installed_app_conferencing_description": "Thêm ứng dụng hội nghị video mà bạn yêu thích để phục vụ cho các cuộc họp",
"installed_app_payment_description": "Cấu hình loại dịch vụ xử lí thanh toán nào sẽ được dùng đến khi thu phí khách hàng.",
"installed_app_analytics_description": "Cấu hình ứng dụng phân tích nào để sử dụng cho những trang lịch hẹn của bạn",
"installed_app_other_description": "Tất cả những ứng dụng bạn đã cài từ những danh mục khác.",
@ -868,7 +851,6 @@
"terms_of_service": "Điều khoản dịch vụ",
"remove": "Xoá",
"add": "Thêm",
"installed_one": "Đã cài đặt",
"installed_other": "Đã cài đặt {{count}} lần",
"verify_wallet": "Xác minh Ví",
"create_events_on": "Tạo sự kiện trên",
@ -896,7 +878,6 @@
"availability_updated_successfully": "Đã cập nhật thành công lịch {{scheduleName}}",
"schedule_deleted_successfully": "Đã xóa lịch thành công",
"default_schedule_name": "Giờ làm việc",
"member_default_schedule": "Lịch biểu mặc định của thành viên",
"new_schedule_heading": "Tạo lịch khả dụng",
"new_schedule_description": "Tạo lịch khả dụng cho phép bạn quản lý tình trạng \bkhả dụng trên các loại sự kiện. Chúng có thể được áp dụng cho một hoặc nhiều loại sự kiện.",
"requires_ownership_of_a_token": "Yêu cầu quyền sở hữu mã token thuộc địa chỉ sau:",
@ -933,8 +914,6 @@
"api_key_no_note": "Khoá API vô danh",
"api_key_never_expires": "Khoá API này không có ngày hết hiệu lực",
"edit_api_key": "Sửa khóa API",
"never_expire_key": "Không bao giờ hết hiệu lực",
"delete_api_key": "Thu hồi khóa API",
"success_api_key_created": "Khoá API được tạo thành công",
"success_api_key_edited": "Khoá API được cập nhật thành công",
"create": "Tạo",
@ -975,7 +954,6 @@
"event_location_changed": "Đã cập nhật - Sự kiện của bạn đã thay đổi địa điểm",
"location_changed_event_type_subject": "Địa điểm thay đổi: {{eventType}} với {{name}} vào {{date}}",
"current_location": "Địa điểm hiện tại",
"user_phone": "Số điện thoại của bạn",
"new_location": "Địa điểm mới",
"session": "Phiên",
"session_description": "Kiểm soát phiên tài khoản của bạn",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>Đăng nhập vào tài khoản Zapier của bạn và tạo một Zap mới.</0><1>Chọn {{appName}} làm ứng dụng Trigger của bạn. Đồng thời chọn một sự kiện Trigger.</1><2>Chọn tài khoản của bạn và sau đó điền vào Khoá API đặc trưng.</2><3>Thử nghiệm Trigger của bạn.</3><4>Bạn đã xong!</4>",
"install_zapier_app": "Trước tiên hãy cài đặt ứng dụng Zapier trong App Store.",
"connect_apple_server": "Kết nối với Máy chủ Apple",
"connect_caldav_server": "Kết nối với CalDav (Beta)",
"calendar_url": "URL lịch",
"apple_server_generate_password": "Tạo một mật khẩu chuyên dùng cho ứng dụng để sử dụng với {{appName}} tại",
"credentials_stored_encrypted": "Thông tin đăng nhập của bạn sẽ được lưu trữ và mã hóa.",
@ -1033,7 +1010,6 @@
"go_to": "Đến: ",
"zapier_invite_link": "Liên kết mời Zapier",
"meeting_url_provided_after_confirmed": "Một URL Họp sẽ được tạo sau khi sự kiện này được xác nhận.",
"attendees_name": "Tên người tham dự",
"dynamically_display_attendee_or_organizer": "Hiển thị linh động tên người tham dự cho bạn thấy, hoặc hiển thị tên bạn nếu tên đó được thấy bởi người tham dự",
"event_location": "Địa điểm sự kiện",
"reschedule_optional": "Lí do xếp lịch lại (tuỳ chọn)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "Kết nối Exchange 2016 Server",
"custom_template": "Mẫu tuỳ chỉnh",
"email_body": "Nội dung email",
"subject": "Tiêu đề",
"text_message": "Tin nhắn văn bản",
"specific_issue": "Có một vấn đề cụ thể?",
"browse_our_docs": "duyệt tài liệu của chúng tôi",
@ -1135,12 +1110,9 @@
"new_seat_title": "Ai đó đã tự thêm chính họ vào một sự kiện",
"variable": "Biến số",
"event_name_variable": "Tên sự kiện",
"organizer_name_variable": "Tên nhà tổ chức",
"attendee_name_variable": "Tên người tham dự",
"event_date_variable": "Ngày sự kiện",
"event_time_variable": "Thời gian sự kiện",
"location_variable": "Vị trí",
"additional_notes_variable": "Ghi chú bổ sung",
"app_upgrade_description": "Để sử dụng tính năng này, bạn cần nâng cấp lên tài khoản Pro.",
"invalid_number": "Số điện thoại không hợp lệ",
"navigate": "Điều hướng",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "Thiết lập lịch hẹn lặp lại",
"today": "hôm nay",
"appearance": "Hiển thị",
"appearance_subtitle": "Quản lí cài đặt cho sự xuất hiện lịch hẹn của bạn",
"my_account": "Tài khoản của tôi",
"general": "Tổng quan",
"calendars": "Lịch",
@ -1254,7 +1225,6 @@
"conferencing_description": "Quản lí ứng dụng hội nghị video dùng cho các cuộc họp",
"add_conferencing_app": "Thêm ứng dụng hội nghị",
"password_description": "Quản lí cài đặt cho mật khẩu tài khoản",
"2fa_description": "Quản lí cài đặt cho mật khẩu tài khoản",
"we_just_need_basic_info": "Chúng tôi chỉ cần một số thông tin cơ bản để thiết lập hồ sơ của bạn.",
"skip": "Bỏ qua",
"do_this_later": "Làm việc này sau",
@ -1278,7 +1248,6 @@
"event_date_info": "Ngày sự kiện",
"event_time_info": "Thời gian bắt đầu sự kiện",
"location_info": "Địa điểm sự kiện",
"organizer_name_info": "Tên của bạn",
"additional_notes_info": "Ghi chú thêm cho lịch hẹn",
"attendee_name_info": "Tên người tham gia lịch hẹn",
"to": "Đến",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "Sao chép liên kết vào biểu mẫu",
"theme": "Chủ đề",
"theme_applies_note": "Cái này chỉ áp dụng cho trang lịch hẹn công khai của bạn",
"theme_light": "Sáng",
"theme_dark": "Tối",
"theme_system": "Mặc định của hệ thống",
"add_a_team": "Thêm một nhóm",
"add_webhook_description": "Nhận dữ liệu cuộc họp theo thời gian thực khi có hoạt động diễn ra ở {{appName}}",
@ -1352,7 +1319,6 @@
"enable_webhook": "Kích hoạt Webhook",
"add_webhook": "Thêm Webhook",
"webhook_edited_successfully": "Webhook đã lưu",
"webhooks_description": "Nhận dữ liệu cuộc họp theo thời gian thực khi có hoạt động diễn ra ở {{appName}}",
"api_keys_description": "Tạo khóa API để dùng cho việc truy cập tài khoản chính mình",
"new_api_key": "Khoá API mới",
"active": "đang hoạt động",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "Bạn hiện đang sử dụng gói MIỄN PHÍ",
"billing_freeplan_description": "Chúng tôi hoạt động tốt hơn theo nhóm. Mở rộng tiến độ công việc của bạn bằng round-robin và các sự kiện tập thể và tạo những biểu mẫu định hướng nâng cao",
"billing_freeplan_cta": "Thử ngay",
"billing_manage_details_title": "Xem và quản lý chi tiết thanh toán của bạn",
"billing_manage_details_description": "Xem và chỉnh sửa chi tiết thanh toán của bạn, cũng như hủy đăng ký gói của bạn.",
"billing_portal": "Cổng thanh toán",
"billing_help_title": "Cần gì nữa không?",
"billing_help_description": "Nếu bạn cần thêm bất kỳ trợ giúp nào về thanh toán, nhóm hỗ trợ của chúng tôi luôn sẵn sàng trợ giúp.",
"billing_help_cta": "Liên hệ với bộ phận hỗ trợ",
"ignore_special_characters_booking_questions": "Bỏ qua những ký tự đặc biệt trong mã định danh câu hỏi lịch hẹn. Chỉ dùng chữ cái và số",
"retry": "Thử lại",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "Kết nối lịch bất thành",
"booking_confirmation_success": "Xác nhận lịch hẹn thành công",
"booking_rejection_success": "Từ chối lịch hẹn thành công",
"booking_confirmation_fail": "Xác nhận lịch hẹn không thành công",
"booking_tentative": "Lịch hẹn này chưa được xác nhận",
"booking_accept_intent": "Úi, tôi muốn chấp thuận",
"we_wont_show_again": "Chúng tôi sẽ không hiển thị cái này nữa",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "Tình trạng trống lịch của {{eventTypeTitle}}",
"error_editing_availability": "Lỗi sửa tình trạng trống lịch",
"dont_have_permission": "Bạn không có quyền truy cập tài nguyên này.",
"saml_config": "Cấu hình Đăng nhập một lần",
"saml_configuration_placeholder": "Vui lòng dán metadata SAML từ Nhà cung cấp danh tính của bạn tại đây",
"saml_email_required": "Vui lòng nhập email để chúng tôi có thể tìm thấy Nhà cung cấp danh tính SAML của bạn",
"saml_sp_title": "Chi tiết nhà cung cấp dịch vụ",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "ID của thực thể SP",
"saml_sp_acs_url_copied": "URL ACS đã được sao chép!",
"saml_sp_entity_id_copied": "ID của thực thể SP đã được sao chép!",
"saml_btn_configure": "Cấu hình",
"add_calendar": "Thêm lịch",
"limit_future_bookings": "Hạn chế lịch hẹn trong tương lai",
"limit_future_bookings_description": "Hạn chế khoảng cách trong tương lai mà sự kiện này có thể được đặt lịch hẹn",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "Có, xoá cấu hình {{connectionType}}",
"delete_sso_configuration_confirmation_description": "Bạn có chắc chắn muốn xóa cấu hình {{connectionType}} không? Các thành viên trong nhóm của bạn sử dụng thông tin đăng nhập {{connectionType}} sẽ không thể truy cập vào Cal.com được nữa.",
"organizer_timezone": "Múi giờ của người tổ chức",
"email_no_user_cta": "Tạo tài khoản của bạn",
"email_user_cta": "Xem lời mời",
"email_no_user_invite_heading": "Bạn đã được mời gia nhập nhóm trên {{appName}}",
"email_no_user_invite_subheading": "{{invitedBy}} đã mời bạn gia nhập nhóm của họ trên {{appName}}. {{appName}} là công cụ lên lịch sắp xếp sự kiện cho phép bạn và nhóm bạn lên lịch các cuộc gặp mà không cần trao đổi email nhiều.",
@ -1648,7 +1606,6 @@
"create_event_on": "Tạo sự kiện vào",
"default_app_link_title": "Đặt một liên kết ứng dụng mặc định",
"default_app_link_description": "Thao tác đặt liên kết ứng dụng mặc định sẽ giúp cho phép tất cả các loại sự kiện mới tạo có thể dùng liên kết ứng dụng mà bạn đã đặt.",
"change_default_conferencing_app": "Đặt làm mặc định",
"organizer_default_conferencing_app": "Ứng dụng mặc định của nhà tổ chức",
"under_maintenance": "Tạm ngừng để bảo trì",
"under_maintenance_description": "Nhóm {{appName}} đang thực hiện việc bảo trì theo lịch. Nếu bạn có thắc mắc gì, vui lòng liên hệ bộ phận hỗ trợ.",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "Xác nhận lịch hẹn không thành công",
"not_enough_seats": "Không đủ chỗ",
"form_builder_field_already_exists": "Đã tồn tại một trường có tên này",
"form_builder_field_add_subtitle": "Tùy chỉnh các câu hỏi ở trang đặt lịch hẹn",
"show_on_booking_page": "Hiện trên trang lịch hẹn",
"get_started_zapier_templates": "Bắt đầu với các mẫu Zapier",
"team_is_unpublished": "{{team}} chưa được công bố",
@ -1715,7 +1671,6 @@
"verification_code": "Mã xác minh",
"can_you_try_again": "Bạn có thể thử lại lúc khác được chứ?",
"verify": "Xác minh",
"timezone_variable": "Múi giờ",
"timezone_info": "Múi giờ của người nhận",
"event_end_time_variable": "Thời gian kết thúc sự kiện",
"event_end_time_info": "Thời gian kết thúc sự kiện",
@ -1764,7 +1719,6 @@
"events_rescheduled": "Những sự kiện đã đặt lịch lại",
"from_last_period": "từ thời gian gần nhất",
"from_to_date_period": "Từ: {{startDate}} Đến: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "Tìm hiểu thêm về hoạt động của nhóm bạn",
"redirect_url_warning": "Thêm mục chuyển hướng sẽ tắt đi trang thành công. Hãy bảo đảm có đề cập \"Lịch hẹn đã xác nhận\" trên trang thành công tuỳ chỉnh riêng của bạn.",
"event_trends": "Xu hướng sự kiện",
@ -1795,7 +1749,6 @@
"complete_your_booking": "Hoàn thành lịch hẹn của bạn",
"complete_your_booking_subject": "Hoàn thành lịch hẹn của bạn: {{title}} vào {{date}}",
"confirm_your_details": "Xác nhận các chi tiết của bạn",
"never_expire": "Không bao giờ hết hiệu lực",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "Bạn sắp sửa thu phí người tham gia một khoản {{amount, currency}}. Bạn có chắc chắn muốn tiếp tục?",
"charge_attendee": "Thu phí người tham gia một khoản {{amount, currency}}",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "完成您的 {{appName}} 账户设置!您距离解决所有日程安排问题仅几步之遥。",
"have_any_questions": "有疑问?获取我们的帮助。",
"reset_password_subject": "{{appName}}: 重置密码教程",
"verify_email_banner_button": "发送电子邮件",
"event_declined_subject": "拒绝:{{title}} 在 {{date}}",
"event_cancelled_subject": "取消:{{title}} 在 {{date}}",
"event_request_declined": "您的活动预约请求已被拒绝",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "您的会议已预定",
"event_type_has_been_rescheduled_on_time_date": "您的 {{title}} 已改期至 {{date}}。",
"event_has_been_rescheduled": "已更新 - 您的活动已被重新安排",
"request_reschedule_title_attendee": "请求重新安排您的预约",
"request_reschedule_subtitle": "{{organizer}} 取消了预约并要求您选择其他时间。",
"request_reschedule_title_organizer": "您已请求 {{attendee}} 重新安排",
"request_reschedule_subtitle_organizer": "您已取消预约,{{attendee}} 应该与您一起选择新的预约时间。",
"rescheduled_event_type_subject": "重新安排请求已发送: 和 {{name}} 在 {{date}} 的 {{eventType}}",
"requested_to_reschedule_subject_attendee": "需要重新安排操作: 请为名称为 {{name}} 的 {{eventType}} 预约新的时间",
"reschedule_reason": "重新安排的原因",
"hi_user_name": "您好 {{name}}",
"ics_event_title": "与 {{name}} 的 {{eventType}}",
"new_event_subject": "新活动: {{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "欢迎使用 {{appName}}",
"welcome_instructions": "告诉我们如何称呼您,您在哪个时区。您可以稍后编辑这些。",
"connect_caldav": "连接到 CalDav 服务器",
"credentials_stored_and_encrypted": "您的凭据将被加密存储。",
"connect": "连接",
"try_for_free": "免费试用",
"create_booking_link_with_calcom": "用 {{appName}} 创建您自己的预约链接",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} 仍然需要确认或拒绝每个定期会议预约。",
"meeting_is_scheduled": "该会议已安排",
"meeting_is_scheduled_recurring": "定期活动已被安排",
"submitted_recurring": "您的定期会议已提交",
"booking_submitted": "您的预约已经提交",
"booking_submitted_recurring": "您的定期会议已提交",
"booking_confirmed": "您的预约已经确认",
@ -331,7 +326,6 @@
"booking_already_accepted_rejected": "此预约已被接受或拒绝",
"go_back_home": "返回首页",
"or_go_back_home": "或者返回首页",
"no_availability": "不可预约",
"no_meeting_found": "未找到会议",
"no_meeting_found_description": "此会议不存在。联系会议所有者获取更新后的链接。",
"no_status_bookings_yet": "暂无 {{status}} 预约",
@ -460,7 +454,6 @@
"invalid_password_hint": "密码必须是至少 {{passwordLength}} 个字符长,包含至少一个数字,并且是大写和小写字母混合",
"incorrect_password": "密码不正确。",
"incorrect_username_password": "用户名或密码不正确。",
"24_h": "24 小时制",
"use_setting": "使用设置",
"am_pm": "12小时制",
"time_options": "时间选项",
@ -503,15 +496,11 @@
"booking_confirmation": "确认您和 {{profileName}} 的 {{eventTypeTitle}}",
"booking_reschedule_confirmation": "重新安排您和 {{profileName}} 的 {{eventTypeTitle}}",
"in_person_meeting": "线上或线下会议",
"attendee_in_person": "本人(参与者地址)",
"in_person": "本人(组织者地址)",
"link_meeting": "线上会议",
"phone_call": "参与者电话号码",
"your_number": "您的电话号码",
"phone_number": "电话号码",
"attendee_phone_number": "参与者电话号码",
"organizer_phone_number": "组织者电话号码",
"host_phone_number": "您的电话号码",
"enter_phone_number": "输入电话号码",
"reschedule": "重新安排",
"reschedule_this": "改为重新安排",
@ -637,9 +626,6 @@
"new_event_type_btn": "新建活动类型",
"new_event_type_heading": "创建您的第一个活动类型",
"new_event_type_description": "活动类型使您能够分享关于您日历上可用时间的链接,并能让人们和您预约。",
"new_event_title": "添加一个新的活动类型",
"new_team_event": "添加一个新的团队活动类型",
"new_event_description": "创建一个新的活动类型以让他人预约。",
"event_type_created_successfully": "{{eventTypeTitle}} 活动类型创建成功",
"event_type_updated_successfully": "{{eventTypeTitle}} 活动类型更新成功",
"event_type_deleted_successfully": "活动类型删除成功",
@ -808,7 +794,6 @@
"automation": "自动化",
"configure_how_your_event_types_interact": "配置您的活动类型与日历的交互方式。",
"toggle_calendars_conflict": "切换要检查冲突的日历,以防止重复预约。",
"select_destination_calendar": "创建活动于",
"connect_additional_calendar": "连接其他日历",
"calendar_updated_successfully": "日历已成功更新",
"conferencing": "会议",
@ -842,7 +827,6 @@
"number_apps_other": "{{count}} 个应用",
"trending_apps": "热门应用",
"most_popular": "最热门",
"explore_apps": "{{category}}应用",
"installed_apps": "已安装的应用",
"free_to_use_apps": "免费",
"no_category_apps": "无{{category}}应用",
@ -854,7 +838,6 @@
"no_category_apps_description_other": "添加任何其他类型的应用以执行各种操作",
"no_category_apps_description_web3": "为您的预约页面添加 web3 应用",
"installed_app_calendar_description": "设置日历以检查冲突,防止重复预约。",
"installed_app_conferencing_description": "添加您喜欢的视频会议应用以用于开会",
"installed_app_payment_description": "配置向客户收费时要使用的支付处理服务。",
"installed_app_analytics_description": "配置将用于您的预约页面的分析应用",
"installed_app_other_description": "所有属于其他类别的已安装应用。",
@ -880,7 +863,6 @@
"terms_of_service": "服务条款",
"remove": "移除",
"add": "添加",
"installed_one": "已安装",
"installed_other": "已安装 {{count}} 次",
"verify_wallet": "验证钱包",
"create_events_on": "活动创建于:",
@ -908,7 +890,6 @@
"availability_updated_successfully": "{{scheduleName}} 日程更新成功",
"schedule_deleted_successfully": "已成功删除时间表",
"default_schedule_name": "工作时间",
"member_default_schedule": "成员的默认日程安排",
"new_schedule_heading": "创建可预约时间表",
"new_schedule_description": "通过创建可预约的时间表,可以管理不同活动类型的可预约时间。这些时间表可以应用于一个或多个活动类型。",
"requires_ownership_of_a_token": "需要属于以下地址的令牌的所有权:",
@ -945,8 +926,6 @@
"api_key_no_note": "未命名 API 密钥",
"api_key_never_expires": "此 API 密钥没有过期日期",
"edit_api_key": "编辑 API 密钥",
"never_expire_key": "永不过期",
"delete_api_key": "撤销 API 密钥",
"success_api_key_created": "API 密钥已成功创建",
"success_api_key_edited": "API 密钥已成功更新",
"create": "创建",
@ -987,7 +966,6 @@
"event_location_changed": "已更新 - 您的活动更改了位置",
"location_changed_event_type_subject": "位置已更改: 和 {{name}} 在 {{date}} 的 {{eventType}}",
"current_location": "当前位置",
"user_phone": "您的电话号码",
"new_location": "新位置",
"session": "会议",
"session_description": "控制您的账户会议",
@ -1013,7 +991,6 @@
"zapier_setup_instructions": "<0>登录您的 Zapier 帐户并创建新的 Zap。</0><1>将 Cal.com 选择为 Trigger 应用。同时选择一个 Trigger 事件。</1><2>选择您的帐户,然后输入您的唯一 API 密钥。</2><3>测试您的 Trigger。</3><4>设置完毕!</4>",
"install_zapier_app": "请首先从 App Store 安装 Zapier 应用。",
"connect_apple_server": "连接到 Apple 服务器",
"connect_caldav_server": "连接到 CalDav 服务器",
"calendar_url": "日历链接",
"apple_server_generate_password": "生成应用特定的密码以将 {{appName}} 配合用于",
"credentials_stored_encrypted": "您的凭据将被加密存储。",
@ -1045,7 +1022,6 @@
"go_to": "转到:",
"zapier_invite_link": "Zapier 邀请链接",
"meeting_url_provided_after_confirmed": "一旦确认活动,即会创建会议链接。",
"attendees_name": "参与者姓名",
"dynamically_display_attendee_or_organizer": "动态显示参与者的姓名,如果参与者查看,则显示您的姓名",
"event_location": "活动的位置",
"reschedule_optional": "重新安排的原因(可选)",
@ -1119,7 +1095,6 @@
"add_exchange2016": "连接 Exchange 2016 Server",
"custom_template": "自定义模板",
"email_body": "电子邮件正文",
"subject": "电子邮件主题",
"text_message": "文本消息",
"specific_issue": "有特定问题?",
"browse_our_docs": "浏览我们的文档",
@ -1147,12 +1122,9 @@
"new_seat_title": "有人将自己添加到活动中",
"variable": "变量",
"event_name_variable": "活动名称",
"organizer_name_variable": "组织者",
"attendee_name_variable": "参与者",
"event_date_variable": "活动日期",
"event_time_variable": "活动时间",
"location_variable": "位置",
"additional_notes_variable": "附加备注",
"app_upgrade_description": "要使用此功能,您需要升级到专业版帐户。",
"invalid_number": "电话号码无效",
"navigate": "导航",
@ -1246,7 +1218,6 @@
"recurring_event_tab_description": "设置重复时间表",
"today": "今天",
"appearance": "外观",
"appearance_subtitle": "管理预约页面外观的设置",
"my_account": "我的账户",
"general": "常规",
"calendars": "日历",
@ -1266,7 +1237,6 @@
"conferencing_description": "为您的会议添加最喜欢的视频会议应用",
"add_conferencing_app": "添加会议应用",
"password_description": "管理账户密码的设置",
"2fa_description": "管理账户密码的设置",
"we_just_need_basic_info": "我们只需要一些基本信息来设置您的个人资料。",
"skip": "跳过",
"do_this_later": "以后再说",
@ -1290,7 +1260,6 @@
"event_date_info": "活动日期",
"event_time_info": "活动开始时间",
"location_info": "活动位置",
"organizer_name_info": "您的姓名",
"additional_notes_info": "预约附加说明",
"attendee_name_info": "预约人的姓名",
"to": "至",
@ -1354,8 +1323,6 @@
"copy_link_to_form": "将链接复制到表格",
"theme": "主题",
"theme_applies_note": "这仅适用于您的公开预约页面",
"theme_light": "浅色",
"theme_dark": "深色",
"theme_system": "系统默认设置",
"add_a_team": "添加团队",
"add_webhook_description": "当 {{appName}} 上有活动时实时接收会议数据",
@ -1364,7 +1331,6 @@
"enable_webhook": "启用 Webhook",
"add_webhook": "添加 Webhook",
"webhook_edited_successfully": "Webhook 已保存",
"webhooks_description": "当 {{appName}} 上有活动时实时接收会议数据",
"api_keys_description": "生成用于访问您自己账户的 API 密钥",
"new_api_key": "新 API 密钥",
"active": "活动",
@ -1406,11 +1372,7 @@
"billing_freeplan_title": "您目前正在使用免费计划",
"billing_freeplan_description": "团队合作效率高。通过轮流模式和集体活动可拓展工作流程,并可制作高级途径表格",
"billing_freeplan_cta": "立即试用",
"billing_manage_details_title": "查看和管理您的账单详情",
"billing_manage_details_description": "查看和编辑您的账单详情,以及取消您的订阅。",
"billing_portal": "计费门户",
"billing_help_title": "还有其他需要?",
"billing_help_description": "如果您在支付帐单时需要任何进一步的帮助,我们的支持团队随时为您提供。",
"billing_help_cta": "联系支持",
"ignore_special_characters_booking_questions": "忽略您的预约问题标识符中的特殊字符。仅使用字母和数字",
"retry": "重试",
@ -1418,7 +1380,6 @@
"calendar_connection_fail": "日历连接失败",
"booking_confirmation_success": "预约确认成功",
"booking_rejection_success": "预约拒绝成功",
"booking_confirmation_fail": "预约确认失败",
"booking_tentative": "此预约为暂定",
"booking_accept_intent": "哎呀,我想要接受",
"we_wont_show_again": "我们不会再显示此内容",
@ -1441,7 +1402,6 @@
"new_event_type_availability": "{{eventTypeTitle}} 可预约时间",
"error_editing_availability": "编辑可预约时间时出错",
"dont_have_permission": "您无权访问此资源。",
"saml_config": "单点登录",
"saml_configuration_placeholder": "请将从身份提供商获取的 SAML metadata 粘贴到这里",
"saml_email_required": "请输入您的邮箱,以便我们找到您的 SAML 身份提供商",
"saml_sp_title": "服务提供商详细信息",
@ -1450,7 +1410,6 @@
"saml_sp_entity_id": "SP 实体 ID",
"saml_sp_acs_url_copied": "ACS 链接已复制!",
"saml_sp_entity_id_copied": "SP 实体 ID 已复制!",
"saml_btn_configure": "配置",
"add_calendar": "添加日历",
"limit_future_bookings": "限制未来预约",
"limit_future_bookings_description": "限制在未来多久可以预约此活动",
@ -1630,7 +1589,6 @@
"delete_sso_configuration_confirmation": "是,删除 {{connectionType}} 配置",
"delete_sso_configuration_confirmation_description": "确定要删除 {{connectionType}} 配置吗?使用 {{connectionType}} 登录的团队成员将无法再访问 Cal.com。",
"organizer_timezone": "组织者时区",
"email_no_user_cta": "创建您的账户",
"email_user_cta": "查看邀请",
"email_no_user_invite_heading": "您已被邀请在 {{appName}} 加入一个团队",
"email_no_user_invite_subheading": "{{invitedBy}} 已邀请您加入他们在 {{appName}} 上的团队。{{appName}} 是一个活动安排调度程序,让您和您的团队无需通过电子邮件沟通即可安排会议。",
@ -1660,7 +1618,6 @@
"create_event_on": "创建活动于",
"default_app_link_title": "设置默认应用链接",
"default_app_link_description": "设置默认应用链接可以让所有新创建的活动类型使用您设置的应用链接。",
"change_default_conferencing_app": "设置为默认",
"organizer_default_conferencing_app": "组织者的默认应用",
"under_maintenance": "停机维护",
"under_maintenance_description": "{{appName}} 团队正在进行计划维护。如果您有任何疑问,请联系支持。",
@ -1676,7 +1633,6 @@
"booking_confirmation_failed": "预约确认失败",
"not_enough_seats": "位置不足",
"form_builder_field_already_exists": "具有此名称的字段已存在",
"form_builder_field_add_subtitle": "自定义预约页面上提出的问题",
"show_on_booking_page": "在预约页面上显示",
"get_started_zapier_templates": "开始使用 Zapier 模板",
"team_is_unpublished": "{{team}} 已被取消发布",
@ -1728,7 +1684,6 @@
"verification_code": "验证码",
"can_you_try_again": "可否用不同的时间再次尝试?",
"verify": "验证",
"timezone_variable": "时区",
"timezone_info": "接收人的时区",
"event_end_time_variable": "活动结束时间",
"event_end_time_info": "活动结束时间",
@ -1777,7 +1732,6 @@
"events_rescheduled": "已重新安排的活动",
"from_last_period": "从上一时段开始",
"from_to_date_period": "开始日期: {{startDate}} 结束日期: {{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "详细了解团队的活动",
"redirect_url_warning": "添加重定向将禁用成功页面。请确保在您的自定义成功页面上提及“预约已确认”。",
"event_trends": "活动趋势",
@ -1817,7 +1771,6 @@
"one_day": "1 天",
"seven_days": "7 天",
"thirty_days": "30 天",
"never_expire": "永不过期",
"team_invite_received": "您已被邀请加入 {{teamName}}",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "您即将向参与者收取费用 {{amount, currency}}。您确定要继续吗?",

View File

@ -11,7 +11,6 @@
"calcom_explained_new_user": "設定好您的 {{appName}} 帳號!再完成幾個步驟,就能解決您所有的預定問題。",
"have_any_questions": "有問題嗎?我們隨時在此幫助。",
"reset_password_subject": "{{appName}}: 重新設置密碼說明",
"verify_email_banner_button": "傳送電子郵件",
"event_declined_subject": "已拒絕:{{date}} 與 {{title}}",
"event_cancelled_subject": "已取消:{{date}} 與 {{title}}",
"event_request_declined": "活動請求遭到拒絕",
@ -78,13 +77,11 @@
"your_meeting_has_been_booked": "會議已經預定",
"event_type_has_been_rescheduled_on_time_date": "您的 {{title}} 已改期至 {{date}}。",
"event_has_been_rescheduled": "已更新 - 已經重新預定活動時間",
"request_reschedule_title_attendee": "要求重新安排您的預約",
"request_reschedule_subtitle": "{{organizer}} 已取消預約,並要求您選擇其他時間。",
"request_reschedule_title_organizer": "您已要求 {{attendee}} 重新預約",
"request_reschedule_subtitle_organizer": "您已取消預約,{{attendee}} 應和您重新挑選新的預約時間。",
"rescheduled_event_type_subject": "已送出重新預定的申請:在 {{date}} 與 {{name}} 的 {{eventType}}",
"requested_to_reschedule_subject_attendee": "需進行重新預約操作:請為與 {{name}} 的 {{eventType}} 預訂新時間",
"reschedule_reason": "重新預約的原因",
"hi_user_name": "哈囉 {{name}}",
"ics_event_title": "與 {{name}} 的 {{eventType}}",
"new_event_subject": "新活動:{{attendeeName}} - {{date}} - {{eventType}}",
@ -252,7 +249,6 @@
"welcome_to_calcom": "歡迎使用 {{appName}}",
"welcome_instructions": "請告訴我們要如何稱呼,以及所在的時區。之後也可以編輯。",
"connect_caldav": "連至 CalDav (Beta)",
"credentials_stored_and_encrypted": "機密訊息已使用加密來保存。",
"connect": "連結",
"try_for_free": "免費試用",
"create_booking_link_with_calcom": "以 {{appName}} 建立自己的預約連結",
@ -273,7 +269,6 @@
"user_needs_to_confirm_or_reject_booking_recurring": "{{user}} 仍需確認或拒絕定期會議的每個預約。",
"meeting_is_scheduled": "會議時間已預定",
"meeting_is_scheduled_recurring": "定期活動已預定",
"submitted_recurring": "您的定期會議已提交",
"booking_submitted": "已提出預約",
"booking_submitted_recurring": "您的定期會議已提交",
"booking_confirmed": "預約已確認",
@ -319,7 +314,6 @@
"booking_already_accepted_rejected": "已接受或拒絕此預約",
"go_back_home": "回到首頁",
"or_go_back_home": "或者回到首頁",
"no_availability": "未開放",
"no_meeting_found": "找不到會議",
"no_meeting_found_description": "會議不存在。請聯繫會議主持人取得新連結。",
"no_status_bookings_yet": "暫無 {{status}} 的預約",
@ -448,7 +442,6 @@
"invalid_password_hint": "密碼長度至少要有 {{passwordLength}} 個字元,其中包含至少一個數字和大小寫字母組合",
"incorrect_password": "密碼不正確。",
"incorrect_username_password": "使用者名稱或密碼不正確。",
"24_h": "24 小時",
"use_setting": "使用設定",
"am_pm": "上午/下午",
"time_options": "時間選項",
@ -491,15 +484,11 @@
"booking_confirmation": "向 {{profileName}} 確認{{eventTypeTitle}}。",
"booking_reschedule_confirmation": "向 {{profileName}} 重新預定{{eventTypeTitle}}",
"in_person_meeting": "實體會議",
"attendee_in_person": "親自赴會 (與會者地址)",
"in_person": "親自赴會 (主辦者地址)",
"link_meeting": "線上會議",
"phone_call": "與會者電話",
"your_number": "您的電話號碼",
"phone_number": "電話號碼",
"attendee_phone_number": "與會者電話號碼",
"organizer_phone_number": "主辦者電話號碼",
"host_phone_number": "您的電話號碼",
"enter_phone_number": "輸入電話號碼",
"reschedule": "重新預定",
"reschedule_this": "改為重新預約",
@ -625,9 +614,6 @@
"new_event_type_btn": "新增活動類型",
"new_event_type_heading": "新增第一個活動類型",
"new_event_type_description": "活動類型可以用來分享行事曆開放時段的連結,讓人們進行預約。",
"new_event_title": "新增活動類型",
"new_team_event": "新增團隊的活動類型",
"new_event_description": "新增讓人們可以預約時段的活動類型。",
"event_type_created_successfully": "成功新增活動類型 {{eventTypeTitle}}",
"event_type_updated_successfully": "成功更新活動類型 {{eventTypeTitle}}",
"event_type_deleted_successfully": "成功刪除活動類型",
@ -796,7 +782,6 @@
"automation": "自動化",
"configure_how_your_event_types_interact": "設定活動類型跟行事曆互動的方式。",
"toggle_calendars_conflict": "切換您想要檢查衝突的行事曆來避免重複預約。",
"select_destination_calendar": "新增活動於",
"connect_additional_calendar": "連結額外的行事曆",
"calendar_updated_successfully": "成功更新行事曆",
"conferencing": "開會",
@ -830,7 +815,6 @@
"number_apps_other": "{{count}} 個應用程式",
"trending_apps": "熱門應用程式",
"most_popular": "最熱門",
"explore_apps": "{{category}}應用程式",
"installed_apps": "已安裝的應用程式",
"free_to_use_apps": "免費",
"no_category_apps": "沒有{{category}}應用程式",
@ -842,7 +826,6 @@
"no_category_apps_description_other": "新增任何其他類型的應用程式以完成各種操作",
"no_category_apps_description_web3": "為您的預約頁面加入 web3 應用程式",
"installed_app_calendar_description": "設定行事曆來檢查衝突,以避免重複預約。",
"installed_app_conferencing_description": "新增您愛用的視訊會議應用程式",
"installed_app_payment_description": "設定向客戶收費時要使用的付款處理服務。",
"installed_app_analytics_description": "設定要為您的預約頁面使用哪些分析應用程式",
"installed_app_other_description": "其他類別的所有已安裝應用程式。",
@ -868,7 +851,6 @@
"terms_of_service": "服務條款",
"remove": "移除",
"add": "新增",
"installed_one": "已安裝",
"installed_other": "已安裝 {{count}} 個",
"verify_wallet": "驗證錢包",
"create_events_on": "建立活動時間:",
@ -896,7 +878,6 @@
"availability_updated_successfully": "{{scheduleName}} 日程更新成功",
"schedule_deleted_successfully": "成功刪除行程表",
"default_schedule_name": "工作時間",
"member_default_schedule": "成員的預設行程表",
"new_schedule_heading": "新增開放時間行程表",
"new_schedule_description": "新增開放時間行程表,就可以管理每個活動類型的開放時間。可以用在單一或多個活動類型。",
"requires_ownership_of_a_token": "必須有屬於以下位址的 Token 所有權:",
@ -933,8 +914,6 @@
"api_key_no_note": "未命名的 API 金鑰",
"api_key_never_expires": "此 API 金鑰無到期日",
"edit_api_key": "編輯 API 金鑰",
"never_expire_key": "永不過期",
"delete_api_key": "撤銷 API 金鑰",
"success_api_key_created": "成功建立 API 金鑰",
"success_api_key_edited": "成功更新 API 金鑰",
"create": "建立",
@ -975,7 +954,6 @@
"event_location_changed": "已更新 - 您的活動已變更地點",
"location_changed_event_type_subject": "地點已變更:{{date}} 與 {{name}} 的{{eventType}}",
"current_location": "目前地點",
"user_phone": "您的電話號碼",
"new_location": "新地點",
"session": "工作階段",
"session_description": "控制您的帳號工作階段",
@ -1001,7 +979,6 @@
"zapier_setup_instructions": "<0>登入您的 Zapier 帳號並建立新的 Zap。</0><1>選取 {{appName}} 作為您的 Trigger 應用程式,也請一併選擇 Trigger 事件。</1><2>選擇您的帳號,然後輸入您的唯一 API 金鑰。</2><3>測試您的 Trigger。</3><4>一切就大功告成了!</4>",
"install_zapier_app": "請先到 App Store 安裝 Zapier 應用程式。",
"connect_apple_server": "連結到 Apple 伺服器",
"connect_caldav_server": "連至 CalDav (Beta)",
"calendar_url": "行事曆 URL",
"apple_server_generate_password": "請前往下列位置產生搭配 {{appName}} 使用的應用程式專用密碼",
"credentials_stored_encrypted": "您的憑證資料已儲存並加密。",
@ -1033,7 +1010,6 @@
"go_to": "前往: ",
"zapier_invite_link": "Zapier Invite Link",
"meeting_url_provided_after_confirmed": "活動一經確認後,即會建立會議網址。",
"attendees_name": "與會者姓名",
"dynamically_display_attendee_or_organizer": "為您動態顯示與會者的姓名,若與會者查看,則會顯示您的姓名",
"event_location": "活動地點",
"reschedule_optional": "重新預約的原因 (選填)",
@ -1107,7 +1083,6 @@
"add_exchange2016": "連結 Exchange 2016 伺服器",
"custom_template": "自訂範本",
"email_body": "電子郵件內文",
"subject": "電子郵件主旨",
"text_message": "簡訊",
"specific_issue": "有特定問題嗎?",
"browse_our_docs": "瀏覽我們的文件",
@ -1135,12 +1110,9 @@
"new_seat_title": "有人將自己加入活動中",
"variable": "變數",
"event_name_variable": "活動名稱",
"organizer_name_variable": "主辦者姓名",
"attendee_name_variable": "與會者姓名",
"event_date_variable": "活動日期",
"event_time_variable": "活動時間",
"location_variable": "地點",
"additional_notes_variable": "備註",
"app_upgrade_description": "您必須升級至專業版帳號才能使用此功能。",
"invalid_number": "電話號碼無效",
"navigate": "導覽",
@ -1234,7 +1206,6 @@
"recurring_event_tab_description": "設定重複行程表",
"today": "今天",
"appearance": "外觀",
"appearance_subtitle": "管理預約外觀設定",
"my_account": "我的帳號",
"general": "一般",
"calendars": "行事曆",
@ -1254,7 +1225,6 @@
"conferencing_description": "為您的會議加入最愛的視訊會議應用程式",
"add_conferencing_app": "新增會議應用程式",
"password_description": "管理帳號密碼設定",
"2fa_description": "管理帳號密碼設定",
"we_just_need_basic_info": "我們只需要一些基本資料,就能完成您的個人資料設定。",
"skip": "略過",
"do_this_later": "稍後再說",
@ -1278,7 +1248,6 @@
"event_date_info": "活動日期",
"event_time_info": "活動開始時間",
"location_info": "活動地點",
"organizer_name_info": "您的姓名",
"additional_notes_info": "預約額外備註",
"attendee_name_info": "預約人姓名",
"to": "至",
@ -1342,8 +1311,6 @@
"copy_link_to_form": "複製連結至表單",
"theme": "主題",
"theme_applies_note": "這只適用於您的公開預約頁面",
"theme_light": "淺色",
"theme_dark": "暗色",
"theme_system": "系統預設",
"add_a_team": "新增團隊",
"add_webhook_description": "當 {{appName}} 上有活動進行時,即時收到會議資料",
@ -1352,7 +1319,6 @@
"enable_webhook": "啟用 Webhook",
"add_webhook": "新增 Webhook",
"webhook_edited_successfully": "Webhook 已儲存",
"webhooks_description": "當 {{appName}} 上有活動進行時,即時收到會議資料",
"api_keys_description": "產生用於存取您帳號的 API 金鑰",
"new_api_key": "新 API 金鑰",
"active": "啟用中",
@ -1394,11 +1360,7 @@
"billing_freeplan_title": "您目前使用的是免費方案",
"billing_freeplan_description": "團隊合作效率佳。使用循環制和集體活動來擴展您的工作流程,並製作進階版引導表單",
"billing_freeplan_cta": "立即試用",
"billing_manage_details_title": "檢視與管理付費細節",
"billing_manage_details_description": "檢視與編輯付費細節,以及取消訂閱。",
"billing_portal": "付費入口網站",
"billing_help_title": "還需要什麼嗎?",
"billing_help_description": "若您需要關於付費的進一步協助,我們的支援團隊會隨時幫助您。",
"billing_help_cta": "聯絡支援",
"ignore_special_characters_booking_questions": "忽略預約問題識別項中的特殊字元。只使用字母和數字",
"retry": "重試",
@ -1406,7 +1368,6 @@
"calendar_connection_fail": "行事曆連線失敗",
"booking_confirmation_success": "預約確認成功",
"booking_rejection_success": "預約拒絕成功",
"booking_confirmation_fail": "預約確認失敗",
"booking_tentative": "此預約為暫定",
"booking_accept_intent": "唉呀,我想接受",
"we_wont_show_again": "我們不會再顯示此訊息",
@ -1429,7 +1390,6 @@
"new_event_type_availability": "{{eventTypeTitle}} 開放時間",
"error_editing_availability": "編輯開放時間時發生錯誤",
"dont_have_permission": "您沒有權限存取此資源。",
"saml_config": "SAML 設定",
"saml_configuration_placeholder": "請把 Identity Provider 的 SAML Metadata 貼到這裡。",
"saml_email_required": "請輸入讓我們可以找到 SAML Identity Provider 的電子郵件",
"saml_sp_title": "服務供應方詳細資訊",
@ -1438,7 +1398,6 @@
"saml_sp_entity_id": "SP 實體 ID",
"saml_sp_acs_url_copied": "已複製ACS 網址!",
"saml_sp_entity_id_copied": "已複製 SP 實體 ID",
"saml_btn_configure": "設定",
"add_calendar": "新增行事曆",
"limit_future_bookings": "限制日後的預約",
"limit_future_bookings_description": "限制此活動後續最晚可預約的時間",
@ -1618,7 +1577,6 @@
"delete_sso_configuration_confirmation": "是,刪除 {{connectionType}} 設定",
"delete_sso_configuration_confirmation_description": "確定要刪除 {{connectionType}} 設定?使用 {{connectionType}} 登入的團隊成員將再也無法存取 Cal.com。",
"organizer_timezone": "主辦者時區",
"email_no_user_cta": "新增帳號",
"email_user_cta": "檢視邀請",
"email_no_user_invite_heading": "您已獲邀加入 {{appName}} 上的團隊",
"email_no_user_invite_subheading": "{{invitedBy}} 已邀請您加入對方在 {{appName}} 上的團隊。{{appName}} 是活動多工排程工具,可讓您和您的團隊無須透過繁複的電子郵件往來就能輕鬆預定會議。",
@ -1648,7 +1606,6 @@
"create_event_on": "活動建立日期",
"default_app_link_title": "設定預設應用程式連結",
"default_app_link_description": "設定預設應用程式連結,即可讓所有全新建立的活動類型使用您設定的應用程式連結。",
"change_default_conferencing_app": "設為預設",
"organizer_default_conferencing_app": "主辦者的預設應用程式",
"under_maintenance": "維修停機中",
"under_maintenance_description": "{{appName}} 團隊正在執行預定維修。如有任何疑問,請聯絡支援團隊。",
@ -1663,7 +1620,6 @@
"booking_confirmation_failed": "預約確認失敗",
"not_enough_seats": "座位不足",
"form_builder_field_already_exists": "已存在使用此名稱的欄位",
"form_builder_field_add_subtitle": "自訂預約頁面上的提問問題",
"show_on_booking_page": "在預約頁面上顯示",
"get_started_zapier_templates": "開始使用 Zapier 範本",
"team_is_unpublished": "已取消發佈 {{team}}",
@ -1715,7 +1671,6 @@
"verification_code": "驗證碼",
"can_you_try_again": "您可以再試試其他時間嗎?",
"verify": "驗證",
"timezone_variable": "時區",
"timezone_info": "接收人的時區",
"event_end_time_variable": "活動結束時間",
"event_end_time_info": "活動結束時間",
@ -1764,7 +1719,6 @@
"events_rescheduled": "已重新預定的活動",
"from_last_period": "從上一個時段",
"from_to_date_period": "開始:{{startDate}} 結束:{{endDate}}",
"analytics_for_organisation": "Insights",
"subtitle_analytics": "進一步瞭解您的團隊活動",
"redirect_url_warning": "加入重新導向功能會停用成功頁面。請務必在自訂的成功頁面中註明「預約已確認」。",
"event_trends": "活動趨勢",
@ -1795,7 +1749,6 @@
"complete_your_booking": "完成您的預約",
"complete_your_booking_subject": "完成您的預約:{{date}} 的 {{title}}",
"confirm_your_details": "確認詳細資料",
"never_expire": "永不過期",
"currency_string": "{{amount, currency}}",
"charge_card_dialog_body": "您即將向與會者收取 {{amount, currency}}。確定要繼續嗎?",
"charge_attendee": "向與會者收取 {{amount, currency}}",

View File

@ -34,8 +34,7 @@ export default function AppCard({
"border-subtle mb-4",
app.isInstalled ? "mt-2" : "mt-6",
"rounded-md border",
!app.enabled && "grayscale",
"bg-red-400"
!app.enabled && "grayscale"
)}>
<div className={classNames(app.isInstalled ? "p-4 text-sm sm:p-4" : "px-5 py-4 text-sm sm:px-5")}>
<div className="flex w-full flex-col gap-2 sm:flex-row sm:gap-0">

View File

@ -33,7 +33,7 @@ export default function CalDavCalendarSetup() {
/>
</div>
<div className="flex w-10/12 flex-col">
<h1 className="text-default">{t("connect_caldav_server")}</h1>
<h1 className="text-default">{t("connect_caldav")}</h1>
<div className="mt-1 text-sm">{t("credentials_stored_encrypted")}</div>
<div className="my-2 mt-3">
<Form

View File

@ -74,7 +74,7 @@ export const defaultLocations: DefaultEventLocationType[] = [
{
default: true,
type: DefaultEventLocationTypeEnum.AttendeeInPerson,
label: "attendee_in_person",
label: "in_person_attendee_address",
variable: "address",
organizerInputType: null,
messageForOrganizer: "Cal will ask your invitee to enter an address before scheduling.",

View File

@ -180,7 +180,10 @@ export const sendDeclinedEmails = async (calEvent: CalendarEvent) => {
await Promise.all(emailsToSend);
};
export const sendCancelledEmails = async (calEvent: CalendarEvent) => {
export const sendCancelledEmails = async (
calEvent: CalendarEvent,
eventNameObject: Pick<EventNameObjectType, "eventName">
) => {
const emailsToSend: Promise<unknown>[] = [];
emailsToSend.push(sendEmail(() => new OrganizerCancelledEmail({ calEvent })));
@ -193,7 +196,24 @@ export const sendCancelledEmails = async (calEvent: CalendarEvent) => {
emailsToSend.push(
...calEvent.attendees.map((attendee) => {
return sendEmail(() => new AttendeeCancelledEmail(calEvent, attendee));
return sendEmail(
() =>
new AttendeeCancelledEmail(
{
...calEvent,
title: getEventName({
...eventNameObject,
t: attendee.language.translate,
attendeeName: attendee.name,
host: calEvent.organizer.name,
eventType: calEvent.type,
...(calEvent.responses && { bookingFields: calEvent.responses }),
...(calEvent.location && { location: calEvent.location }),
}),
},
attendee
)
);
})
);

View File

@ -8,7 +8,7 @@ export const AttendeeWasRequestedToRescheduleEmail = (
return (
<OrganizerScheduledEmail
t={t}
title="request_reschedule_title_attendee"
title="request_reschedule_booking"
subtitle={
<>
{t("request_reschedule_subtitle", {

View File

@ -67,7 +67,7 @@ export const BaseScheduledEmail = (
<Info
label={t(
props.calEvent.cancellationReason.startsWith("$RCH$")
? "reschedule_reason"
? "reason_for_reschedule"
: "cancellation_reason"
)}
description={

View File

@ -67,9 +67,7 @@ export const TeamInviteEmail = (
</p>
<div style={{ display: "flex", justifyContent: "center" }}>
<CallToAction
label={props.language(props.isCalcomMember ? "email_user_cta" : "email_not_cal_member_cta", {
entity: props.language(props.isOrg ? "organization" : "team").toLowerCase(),
})}
label={props.language(props.isCalcomMember ? "email_user_cta" : "create_your_account")}
href={props.joinLink}
endIconName="linkIcon"
/>

View File

@ -1,6 +1,6 @@
import type { TFunction } from "next-i18next";
import { APP_NAME, SUPPORT_MAIL_ADDRESS } from "@calcom/lib/constants";
import { APP_NAME, COMPANY_NAME, SUPPORT_MAIL_ADDRESS } from "@calcom/lib/constants";
import { BaseEmailHtml, CallToAction } from "../components";
@ -50,7 +50,7 @@ export const VerifyAccountEmail = (
style={{ color: "#3E3E3E" }}
target="_blank"
rel="noreferrer">
<>{props.language("the_calcom_team")}</>
<>{props.language("the_calcom_team", { companyName: COMPANY_NAME })}</>
</a>
</>
</p>

View File

@ -1,6 +1,6 @@
import type { TFunction } from "next-i18next";
import { APP_NAME } from "@calcom/lib/constants";
import { APP_NAME, COMPANY_NAME } from "@calcom/lib/constants";
import { renderEmail } from "../";
import BaseEmail from "./_base-email";
@ -43,7 +43,10 @@ ${this.verifyAccountInput.language("hi_user_name", { name: this.verifyAccountInp
${this.verifyAccountInput.language("verify_email_email_body", { appName: APP_NAME })}
${this.verifyAccountInput.language("verify_email_email_link_text")}
${this.verifyAccountInput.verificationEmailLink}
${this.verifyAccountInput.language("happy_scheduling")} ${this.verifyAccountInput.language("the_calcom_team")}
${this.verifyAccountInput.language("happy_scheduling")} ${this.verifyAccountInput.language(
"the_calcom_team",
{ companyName: COMPANY_NAME }
)}
`.replace(/(<([^>]+)>)/gi, "");
}
}

View File

@ -86,7 +86,7 @@ export default class AttendeeWasRequestedToRescheduleEmail extends OrganizerSche
protected getTextBody(): string {
return `
${this.t("request_reschedule_title_attendee")}
${this.t("request_reschedule_booking")}
${this.t("request_reschedule_subtitle", {
organizer: this.calEvent.organizer.name,
})},

View File

@ -5,9 +5,8 @@ import StickyBox from "react-sticky-box";
import { shallow } from "zustand/shallow";
import classNames from "@calcom/lib/classNames";
import { useLocale } from "@calcom/lib/hooks/useLocale";
import useMediaQuery from "@calcom/lib/hooks/useMediaQuery";
import { BookerLayouts, bookerLayoutOptions } from "@calcom/prisma/zod-utils";
import { BookerLayouts, defaultBookerLayoutSettings } from "@calcom/prisma/zod-utils";
import { AvailableTimeSlots } from "./components/AvailableTimeSlots";
import { BookEventForm } from "./components/BookEventForm";
@ -35,7 +34,6 @@ const BookerComponent = ({
rescheduleBooking,
hideBranding = false,
}: BookerProps) => {
const { t } = useLocale();
const isMobile = useMediaQuery("(max-width: 768px)");
const isTablet = useMediaQuery("(max-width: 1024px)");
const timeslotsRef = useRef<HTMLDivElement>(null);
@ -51,10 +49,7 @@ const BookerComponent = ({
shallow
);
const extraDays = layout === BookerLayouts.COLUMN_VIEW ? (isTablet ? 2 : 4) : 0;
const bookerLayouts = event.data?.profile?.bookerLayouts || {
defaultLayout: BookerLayouts.MONTH_VIEW,
enabledLayouts: bookerLayoutOptions,
};
const bookerLayouts = event.data?.profile?.bookerLayouts || defaultBookerLayoutSettings;
const animationScope = useBookerResizeAnimation(layout, bookerState);

View File

@ -32,7 +32,7 @@ export function Header({
[setLayout]
);
if (isMobile || !enabledLayouts || enabledLayouts.length <= 1) return null;
if (isMobile || !enabledLayouts) return null;
// Only reason we create this component, is because it is used 3 times in this component,
// and this way we can't forget to update one of the props in all places :)
@ -42,6 +42,7 @@ export function Header({
// In month view we only show the layout toggle.
if (isMonthView) {
if (enabledLayouts.length <= 1) return null;
return (
<div className="fixed top-3 right-3 z-10">
<LayoutToggleWithData />
@ -73,22 +74,24 @@ export function Header({
/>
</ButtonGroup>
</div>
<div className="ml-auto flex gap-3">
<TimeFormatToggle />
<div className="fixed top-4 right-4">
<LayoutToggleWithData />
</div>
{/*
{enabledLayouts.length > 1 && (
<div className="ml-auto flex gap-3">
<TimeFormatToggle />
<div className="fixed top-4 right-4">
<LayoutToggleWithData />
</div>
{/*
This second layout toggle is hidden, but needed to reserve the correct spot in the DIV
for the fixed toggle above to fit into. If we wouldn't make it fixed in this view, the transition
would be really weird, because the element is positioned fixed in the month view, and then
when switching layouts wouldn't anymmore, causing it to animate from the center to the top right,
while it actuall already was on place. That's why we have this element twice.
*/}
<div className="pointer-events-none opacity-0" aria-hidden>
<LayoutToggleWithData />
<div className="pointer-events-none opacity-0" aria-hidden>
<LayoutToggleWithData />
</div>
</div>
</div>
)}
</div>
);
}

View File

@ -136,7 +136,7 @@ export const EventDetails = ({ event, blocks = defaultEventDetailsBlocks }: Even
);
case EventDetailBlocks.OCCURENCES:
if (!event.requiresConfirmation || !event.recurringEvent) return null;
if (!event.recurringEvent) return null;
return (
<EventMetaBlock key={block} icon={RefreshCcw}>

View File

@ -241,7 +241,7 @@ export const ensureBookingInputsHaveSystemFields = ({
],
},
{
defaultLabel: "reschedule_reason",
defaultLabel: "reason_for_reschedule",
type: "textarea",
editable: "system-but-optional",
name: "rescheduleReason",

View File

@ -65,6 +65,7 @@ async function getBookingToDelete(id: number | undefined, uid: string | undefine
teamId: true,
recurringEvent: true,
title: true,
eventName: true,
description: true,
requiresConfirmation: true,
price: true,
@ -656,7 +657,7 @@ async function handler(req: CustomRequest) {
await Promise.all(prismaPromises.concat(apiDeletes));
await sendCancelledEmails(evt);
await sendCancelledEmails(evt, { eventName: bookingToDelete?.eventType?.eventName });
req.statusCode = 200;
return { message: "Booking successfully cancelled." };

View File

@ -66,7 +66,7 @@ const DestinationCalendarSelector = ({
width: "100%",
display: "flex",
":before": {
content: `'${t("select_destination_calendar")}:'`,
content: `'${t("create_events_on")}:'`,
display: "block",
marginRight: 8,
},
@ -121,12 +121,12 @@ const DestinationCalendarSelector = ({
const queryDestinationCalendar = query.data.destinationCalendar;
return (
<div className="relative" title={`${t("select_destination_calendar")}: ${selectedOption?.label || ""}`}>
<div className="relative" title={`${t("create_events_on")}: ${selectedOption?.label || ""}`}>
<Select
name="primarySelectedCalendar"
placeholder={
!hidePlaceholder ? (
`${t("select_destination_calendar")}`
`${t("create_events_on")}`
) : (
<span className="text-default min-w-0 overflow-hidden truncate whitespace-nowrap">
{t("default_calendar_selected")}{" "}

View File

@ -81,7 +81,7 @@ export default function ApiKeyDialogForm({
</div>
<span className="text-muted text-sm">
{apiKeyDetails.neverExpires
? t("never_expire_key")
? t("never_expires")
: `${t("expires")} ${apiKeyDetails?.expiresAt?.toLocaleDateString()}`}
</span>
</div>
@ -140,7 +140,7 @@ export default function ApiKeyDialogForm({
control={form.control}
render={({ field: { onChange, value } }) => (
<Switch
label={t("never_expire_key")}
label={t("never_expires")}
onCheckedChange={onChange}
checked={value}
disabled={!!defaultValues}

View File

@ -28,7 +28,7 @@ export default function SSOConfiguration({ teamId }: { teamId: number | null })
if (errorMessage) {
return (
<>
<Meta title={t("saml_config")} description={t("saml_description")} />
<Meta title={t("sso_configuration")} description={t("saml_description")} />
<Alert severity="warning" message={t(errorMessage)} className="mb-4 " />
</>
);

View File

@ -49,7 +49,7 @@ export default function InviteLinkSettingsModal(props: InvitationLinkSettingsMod
{ value: 1, label: t("one_day") },
{ value: 7, label: t("seven_days") },
{ value: 30, label: t("thirty_days") },
{ value: undefined, label: t("never_expire") },
{ value: undefined, label: t("never_expires") },
];
}, [t]);

View File

@ -105,7 +105,7 @@ export default function TeamList(props: Props) {
icon={<Edit className="h-5 w-5 text-purple-700" />}
variant="basic"
title={t("appearance")}
description={t("appearance_subtitle")}
description={t("appearance_description")}
actionButton={{
href: "/settings/teams/" + team.id + "/appearance",
child: t("edit"),

View File

@ -120,14 +120,14 @@ const ProfileView = () => {
<ThemeLabel
variant="light"
value="light"
label={t("theme_light")}
label={t("light")}
defaultChecked={team.theme === "light"}
register={form.register}
/>
<ThemeLabel
variant="dark"
value="dark"
label={t("theme_dark")}
label={t("dark")}
defaultChecked={team.theme === "dark"}
register={form.register}
/>

View File

@ -17,8 +17,8 @@ const BillingView = () => {
<Meta title={t("team_billing")} description={t("team_billing_description")} />
<div className="text-default flex flex-col text-sm sm:flex-row">
<div>
<h2 className="font-medium">{t("billing_manage_details_title")}</h2>
<p>{t("billing_manage_details_description")}</p>
<h2 className="font-medium">{t("view_and_manage_billing_details")}</h2>
<p>{t("view_and_edit_billing_details")}</p>
</div>
<div className="flex-shrink-0 pt-3 sm:ml-auto sm:pt-0 sm:pl-3">
<Button color="primary" href={billingHref} target="_blank" EndIcon={ExternalLink}>

View File

@ -86,7 +86,7 @@ const WorkflowListItem = (props: ItemProps) => {
workflow.steps.forEach((step) => {
switch (step.action) {
case WorkflowActions.EMAIL_HOST:
sendTo.add(t("organizer_name_variable"));
sendTo.add(t("organizer"));
break;
case WorkflowActions.EMAIL_ATTENDEE:
sendTo.add(t("attendee_name_variable"));

View File

@ -674,7 +674,7 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) {
<div className="mb-6">
<div className="flex items-center">
<Label className={classNames("flex-none", props.readOnly ? "mb-2" : "mb-0")}>
{t("subject")}
{t("email_subject")}
</Label>
{!props.readOnly && (
<div className="flex-grow text-right">

View File

@ -63,7 +63,13 @@ const publicEventSelect = Prisma.validator<Prisma.EventTypeSelect>()({
},
},
},
owner: true,
owner: {
select: {
weekStart: true,
username: true,
name: true,
},
},
hidden: true,
});

View File

@ -425,11 +425,8 @@ export const FormBuilder = function FormBuilder({
})
}>
<DialogContent className="max-h-none p-0" data-testid="edit-field-dialog">
<div className="h-auto max-h-[85vh] overflow-auto px-8 pt-8 pb-10">
<DialogHeader
title={t("add_a_booking_question")}
subtitle={t("form_builder_field_add_subtitle")}
/>
<div className="h-auto max-h-[85vh] overflow-auto px-8 pt-8 pb-7">
<DialogHeader title={t("add_a_booking_question")} subtitle={t("booking_questions_description")} />
<Form
id="form-builder"
form={fieldForm}
@ -481,7 +478,7 @@ export const FormBuilder = function FormBuilder({
options={FieldTypes.filter((f) => !f.systemOnly)}
label={t("input_type")}
classNames={{
menuList: () => "min-h-[27.25rem]",
menuList: () => "min-h-[22.25rem] ",
}}
/>
<InputField

View File

@ -7,7 +7,7 @@ import { Controller, useFormContext } from "react-hook-form";
import { useFlagMap } from "@calcom/features/flags/context/provider";
import { classNames } from "@calcom/lib";
import { useLocale } from "@calcom/lib/hooks/useLocale";
import { BookerLayouts } from "@calcom/prisma/zod-utils";
import { BookerLayouts, defaultBookerLayoutSettings } from "@calcom/prisma/zod-utils";
import { bookerLayoutOptions, type BookerLayoutSettings } from "@calcom/prisma/zod-utils";
import useMeQuery from "@calcom/trpc/react/hooks/useMeQuery";
import { Label, Checkbox, Button } from "@calcom/ui";
@ -85,19 +85,28 @@ const BookerLayoutFields = ({ settings, onChange, showUserSettings }: BookerLayo
// Converts the settings array into a boolean object, which can be used as form values.
const toggleValues: BookerLayoutState = bookerLayoutOptions.reduce((layouts, layout) => {
layouts[layout] = !shownSettings?.enabledLayouts
? true
? defaultBookerLayoutSettings.enabledLayouts.indexOf(layout) > -1
: shownSettings.enabledLayouts.indexOf(layout) > -1;
return layouts;
}, {} as BookerLayoutState);
const onLayoutToggleChange = useCallback(
(changedLayout: BookerLayouts, checked: boolean) => {
const newEnabledLayouts = Object.keys(toggleValues).filter((layout) => {
if (changedLayout === layout) return checked === true;
return toggleValues[layout as BookerLayouts] === true;
}) as BookerLayouts[];
const isDefaultLayoutToggledOff = newEnabledLayouts.indexOf(defaultLayout) === -1;
const firstEnabledLayout = newEnabledLayouts[0];
onChange({
enabledLayouts: Object.keys(toggleValues).filter((layout) => {
if (changedLayout === layout) return checked === true;
return toggleValues[layout as BookerLayouts] === true;
}) as BookerLayouts[],
defaultLayout,
enabledLayouts: newEnabledLayouts,
// If default layout is toggled off, we set the default layout to the first enabled layout
// if there's none enabled, we set it to month view.
defaultLayout: isDefaultLayoutToggledOff
? firstEnabledLayout || BookerLayouts.MONTH_VIEW
: defaultLayout,
});
},
[defaultLayout, onChange, toggleValues]
@ -149,6 +158,7 @@ const BookerLayoutFields = ({ settings, onChange, showUserSettings }: BookerLayo
))}
</div>
<div
hidden={Object.values(toggleValues).filter((value) => value === true).length <= 1}
className={classNames(
"transition-opacity",
disableFields && "pointer-events-none opacity-40",
@ -162,7 +172,8 @@ const BookerLayoutFields = ({ settings, onChange, showUserSettings }: BookerLayo
onValueChange={(layout: BookerLayouts) => onDefaultLayoutChange(layout)}>
{bookerLayoutOptions.map((layout) => (
<RadioGroup.Item
className="aria-checked:bg-emphasis hover:bg-subtle focus:bg-subtle w-full rounded-[4px] p-1 text-sm transition-colors"
className="aria-checked:bg-emphasis hover:[&:not(:disabled)]:bg-subtle focus:[&:not(:disabled)]:bg-subtle w-full rounded-[4px] p-1 text-sm transition-colors disabled:cursor-not-allowed disabled:opacity-40"
disabled={toggleValues[layout] === false}
key={layout}
value={layout}>
{t(`bookerlayout_${layout}`)}

View File

@ -98,7 +98,7 @@ const tabs: VerticalTabItemProps[] = [
tabs.find((tab) => {
// Add "SAML SSO" to the tab
if (tab.name === "security" && !HOSTED_CAL_FEATURES) {
tab.children?.push({ name: "saml_config", href: "/settings/security/sso" });
tab.children?.push({ name: "sso_configuration", href: "/settings/security/sso" });
}
});
@ -321,7 +321,7 @@ const SettingsSidebarContainer = ({
/>
{HOSTED_CAL_FEATURES && (
<VerticalTabItem
name={t("saml_config")}
name={t("sso_configuration")}
href={`/settings/teams/${team.id}/sso`}
textClassNames="px-3 text-emphasis font-medium text-sm"
disableChevron

View File

@ -25,7 +25,7 @@ function VerifyEmailBanner() {
mutation.mutate();
showToast(t("email_sent"), "success");
}}>
{t("verify_email_banner_button")}
{t("send_email")}
</Button>
}
/>

View File

@ -39,7 +39,7 @@ const WebhooksView = () => {
<>
<Meta
title="Webhooks"
description={t("webhooks_description", { appName: APP_NAME })}
description={t("add_webhook_description", { appName: APP_NAME })}
CTA={data && data.webhookGroups.length > 0 ? <NewWebhookButton profiles={profiles} /> : <></>}
/>
<div>

View File

@ -55,6 +55,12 @@ export const bookerLayouts = z
})
.nullable();
export const defaultBookerLayoutSettings = {
defaultLayout: BookerLayouts.MONTH_VIEW,
// if the user has no explicit layouts set (not in user profile and not in event settings), all layouts are enabled.
enabledLayouts: bookerLayoutOptions,
};
export type BookerLayoutSettings = z.infer<typeof bookerLayouts>;
export const RequiresConfirmationThresholdUnits: z.ZodType<UnitTypeLongPlural> = z.enum(["hours", "minutes"]);

View File

@ -215,6 +215,7 @@ export const deleteCredentialHandler = async ({ ctx, input }: DeleteCredentialOp
bookingFields: true,
seatsPerTimeSlot: true,
seatsShowAttendees: true,
eventName: true,
},
},
uid: true,
@ -273,32 +274,37 @@ export const deleteCredentialHandler = async ({ ctx, input }: DeleteCredentialOp
const attendeesList = await Promise.all(attendeesListPromises);
const tOrganizer = await getTranslation(booking?.user?.locale ?? "en", "common");
await sendCancelledEmails({
type: booking?.eventType?.title as string,
title: booking.title,
description: booking.description,
customInputs: isPrismaObjOrUndefined(booking.customInputs),
...getCalEventResponses({
bookingFields: booking.eventType?.bookingFields ?? null,
booking,
}),
startTime: booking.startTime.toISOString(),
endTime: booking.endTime.toISOString(),
organizer: {
email: booking?.user?.email as string,
name: booking?.user?.name ?? "Nameless",
timeZone: booking?.user?.timeZone as string,
language: { translate: tOrganizer, locale: booking?.user?.locale ?? "en" },
await sendCancelledEmails(
{
type: booking?.eventType?.title as string,
title: booking.title,
description: booking.description,
customInputs: isPrismaObjOrUndefined(booking.customInputs),
...getCalEventResponses({
bookingFields: booking.eventType?.bookingFields ?? null,
booking,
}),
startTime: booking.startTime.toISOString(),
endTime: booking.endTime.toISOString(),
organizer: {
email: booking?.user?.email as string,
name: booking?.user?.name ?? "Nameless",
timeZone: booking?.user?.timeZone as string,
language: { translate: tOrganizer, locale: booking?.user?.locale ?? "en" },
},
attendees: attendeesList,
uid: booking.uid,
recurringEvent: parseRecurringEvent(booking.eventType?.recurringEvent),
location: booking.location,
destinationCalendar: booking.destinationCalendar || booking.user?.destinationCalendar,
cancellationReason: "Payment method removed by organizer",
seatsPerTimeSlot: booking.eventType?.seatsPerTimeSlot,
seatsShowAttendees: booking.eventType?.seatsShowAttendees,
},
attendees: attendeesList,
uid: booking.uid,
recurringEvent: parseRecurringEvent(booking.eventType?.recurringEvent),
location: booking.location,
destinationCalendar: booking.destinationCalendar || booking.user?.destinationCalendar,
cancellationReason: "Payment method removed by organizer",
seatsPerTimeSlot: booking.eventType?.seatsPerTimeSlot,
seatsShowAttendees: booking.eventType?.seatsShowAttendees,
});
{
eventName: booking?.eventType?.eventName,
}
);
}
});
}

View File

@ -4,10 +4,12 @@ import type { NextApiResponse, GetServerSidePropsContext } from "next";
import stripe from "@calcom/app-store/stripepayment/lib/server";
import { getPremiumPlanProductId } from "@calcom/app-store/stripepayment/lib/utils";
import hasKeyInMetadata from "@calcom/lib/hasKeyInMetadata";
import { getTranslation } from "@calcom/lib/server";
import { checkUsername } from "@calcom/lib/server/checkUsername";
import { resizeBase64Image } from "@calcom/lib/server/resizeBase64Image";
import slugify from "@calcom/lib/slugify";
import { updateWebUser as syncServicesUpdateWebUser } from "@calcom/lib/sync/SyncServiceManager";
import { validateBookerLayouts } from "@calcom/lib/validateBookerLayouts";
import { prisma } from "@calcom/prisma";
import { userMetadata } from "@calcom/prisma/zod-utils";
import type { TrpcSessionUser } from "@calcom/trpc/server/trpc";
@ -32,6 +34,13 @@ export const updateProfileHandler = async ({ ctx, input }: UpdateProfileOptions)
};
let isPremiumUsername = false;
const layoutError = validateBookerLayouts(input?.metadata?.defaultBookerLayouts || null);
if (layoutError) {
const t = await getTranslation("en", "common");
throw new TRPCError({ code: "BAD_REQUEST", message: t(layoutError) });
}
if (input.username) {
const username = slugify(input.username);
// Only validate if we're changing usernames

View File

@ -70,7 +70,7 @@ function CategoryTab({ selectedCategory, categories, searchText }: CategoryTabPr
<h2 className="text-emphasis hidden text-base font-semibold leading-none sm:block">
{searchText
? t("search")
: t("explore_apps", {
: t("category_apps", {
category:
(selectedCategory && selectedCategory[0].toUpperCase() + selectedCategory.slice(1)) ||
t("all_apps"),