diff --git a/app/Actions/Jetstream/UserProfile.php b/app/Actions/Jetstream/UserProfile.php index 71be31244ae..da5d34aeeb5 100644 --- a/app/Actions/Jetstream/UserProfile.php +++ b/app/Actions/Jetstream/UserProfile.php @@ -35,10 +35,10 @@ public function __invoke(Request $request, array $data): array $data['userTokens'] = $request->user()->userTokens()->get(); $data['webauthnKeys'] = $webauthnKeys; - $data['locales'] = collect(config('lang-detector.languages'))->map(fn (string $locale) => [ + $data['locales'] = collect(config('localizer.supported_locales'))->map(fn (string $locale) => [ 'id' => $locale, 'name' => __('auth.lang', [], $locale), - ]); + ])->sortByCollator('name'); $data['layoutData'] = VaultIndexViewHelper::layoutData(); diff --git a/app/Console/Commands/Local/MonicaLocalize.php b/app/Console/Commands/Local/MonicaLocalize.php index 4f30a7c5e81..3fa1bb66dfe 100644 --- a/app/Console/Commands/Local/MonicaLocalize.php +++ b/app/Console/Commands/Local/MonicaLocalize.php @@ -3,9 +3,11 @@ namespace App\Console\Commands\Local; use Illuminate\Console\Command; +use Illuminate\Support\Facades\File; use Illuminate\Support\Facades\Storage; +use Illuminate\Support\Str; +use Illuminate\Translation\MessageSelector; use Stichoza\GoogleTranslate\GoogleTranslate; -use Symfony\Component\Finder\Finder; use function Safe\json_decode; use function Safe\json_encode; @@ -19,7 +21,10 @@ class MonicaLocalize extends Command * * @var string */ - protected $signature = 'monica:localize'; + protected $signature = 'monica:localize + {--update : Update the current locales.} + {--remove-missing : Remove missing translations.} + {--restart : Restart translation of all messages.}'; /** * The console command description. @@ -33,11 +38,42 @@ class MonicaLocalize extends Command */ public function handle(): void { - $locales = config('localizer.supported_locales'); - array_shift($locales); - $this->call('localize', ['lang' => implode(',', $locales)]); + $this->googleTranslate = (new GoogleTranslate())->setSource('en'); + + $locales = $langs = config('localizer.supported_locales'); + + $this->updateLocales($locales); + + array_shift($langs); + $this->call('localize', [ + 'lang' => implode(',', $langs), + '--remove-missing' => $this->option('remove-missing'), + ]); $this->loadTranslations($locales); + + $this->fixPagination($locales); + } + + private function updateLocales(array $locales): void + { + $currentLocales = Storage::disk('lang')->directories(); + + if ($this->option('update')) { + $this->info('Updating locales...'); + $this->call('lang:update'); + } + + $newLocales = collect($locales)->diff($currentLocales); + + foreach ($newLocales as $locale) { + try { + $this->info('Adding locale: '.$locale); + $this->call('lang:add', ['locales' => Str::replace('-', '_', $locale)]); + } catch (\LaravelLang\Publisher\Exceptions\UnknownLocaleCodeException) { + $this->warn('Locale not recognize: '.$locale); + } + } } /** @@ -45,40 +81,124 @@ public function handle(): void */ private function loadTranslations(array $locales): void { - $path = lang_path(); - $finder = new Finder(); - $finder->in($path)->name(['*.json'])->files(); - $this->googleTranslate = new GoogleTranslate(); + foreach ($locales as $locale) { + $this->info('Loading locale: '.$locale); - foreach ($finder as $file) { - $locale = $file->getFilenameWithoutExtension(); + $content = Storage::disk('lang')->get($locale.'.json'); + $strings = json_decode($content, true); + $this->translateStrings($locale, $strings); + } + } - if (! in_array($locale, $locales)) { - continue; + private function translateStrings(string $locale, array $strings) + { + try { + if ($locale !== 'en') { + $this->googleTranslate->setTarget($this->getTarget($locale)); + + foreach ($strings as $index => $value) { + if ($value === '' || $this->option('restart')) { + // we store the translated string in the array + $strings[$index] = $this->translate($locale, $index); + } + } } + } finally { - $this->info('loading locale: '.$locale); - $jsonString = $file->getContents(); - $strings = json_decode($jsonString, true); + $strings = collect($strings)->map(fn ($value) => Str::replace(['\''], ['’'], $value))->all(); - $this->translateStrings($locale, $strings); + // now we need to save the array back to the file + ksort($strings, SORT_NATURAL | SORT_FLAG_CASE); + + Storage::disk('lang')->put($locale.'.json', json_encode($strings, JSON_PRETTY_PRINT | JSON_UNESCAPED_UNICODE | JSON_UNESCAPED_SLASHES)); } } - private function translateStrings(string $locale, array $strings) + private function getTarget($locale) + { + // Google Translate knows Norwegian locale as 'no' instead of 'nn' + return $locale === 'nn' ? 'no' : $locale; + } + + private function translate(string $locale, string $text): string + { + $result = Str::contains($text, '|') + ? $this->translateCount($locale, $text) + : $this->translateText($text); + + $this->info('translating: `'.$text.'` to `'.$result.'`'); + + return $result; + } + + private function translateText(string $text): string + { + $str = Str::of($text); + $match = $str->matchAll('/(?:\w+)/'); + + // replace the placeholders with a generic string + if ($match->count() > 0) { + $replacements = $match->map(fn ($item, $index) => "{{#$index}}"); + $str = $str->replace($match->toArray(), $replacements->toArray()); + } + + $translated = $this->googleTranslate->translate((string) $str); + + // replace the generic string with the placeholders + if ($match->count() > 0) { + $translated = Str::replace($replacements->toArray(), $match->toArray(), $translated); + } + + $translated = Str::replace(['\''], ['’'], $translated); + + return $translated; + } + + private function translateCount(string $locale, string $text): string { - foreach ($strings as $index => $value) { - if ($value === '') { - $this->googleTranslate->setTarget($locale); - $translated = $this->googleTranslate->translate($index); - $this->info('translating: `'.$index.'` to `'.$translated.'`'); - - // we store the translated string in the array - $strings[$index] = $translated; + $strings = collect(explode('|', $text)); + $result = collect([]); + + for ($i = 0; $i < 100; $i++) { + + // Get the plural index for the given locale and count. + $j = app(MessageSelector::class)->getPluralIndex($locale, $i); + + if (! $result->has($j)) { + // Update the translation for the given plural index. + if ($j >= $strings->count()) { + $message = $strings[$strings->count() - 1]; + } elseif (! $result->has($j)) { + $message = $strings[$j]; + } + + // Replace the count placeholder with the actual count. + $replaced = Str::replace(':count', (string) $i, $message); + + $translated = $this->translateText($replaced); + + // Replace back with the placeholder + if (Str::contains($translated, (string) $i)) { + $translated = Str::replace((string) $i, ':count', $translated); + } else { + $translated = $this->translateText($message); + } + + $result->put($j, $translated); } } - // now we need to save the array back to the file - Storage::disk('lang')->put($locale.'.json', json_encode($strings, JSON_PRETTY_PRINT | JSON_UNESCAPED_UNICODE)); + return $result->sortKeys()->implode('|'); + } + + private function fixPagination(array $locales): void + { + foreach ($locales as $locale) { + $pagination = Storage::disk('lang')->get($locale.DIRECTORY_SEPARATOR.'pagination.php'); + + $pagination = Str::replace(['« ', ' »'], ['❮ ', ' ❯'], $pagination); + + Storage::disk('lang')->put($locale.DIRECTORY_SEPARATOR.'pagination.php', $pagination); + } } } diff --git a/app/Domains/Settings/ManageUserPreferences/Web/ViewHelpers/UserPreferencesIndexViewHelper.php b/app/Domains/Settings/ManageUserPreferences/Web/ViewHelpers/UserPreferencesIndexViewHelper.php index bdca787cc54..8571024e3f5 100644 --- a/app/Domains/Settings/ManageUserPreferences/Web/ViewHelpers/UserPreferencesIndexViewHelper.php +++ b/app/Domains/Settings/ManageUserPreferences/Web/ViewHelpers/UserPreferencesIndexViewHelper.php @@ -196,11 +196,11 @@ public static function dtoLocale(User $user): array 'name' => self::language($user->locale), 'dir' => htmldir(), 'locales' => collect(config('localizer.supported_locales')) - ->map(fn ($locale) => [ + ->map(fn (string $locale) => [ 'id' => $locale, 'name' => self::language($locale), ]) - ->sortByCollator(fn ($value) => $value['name']), + ->sortByCollator('name'), 'url' => [ 'store' => route('settings.preferences.locale.store'), ], diff --git a/config/localizer.php b/config/localizer.php index 8f13640cc1b..82b581d03d0 100644 --- a/config/localizer.php +++ b/config/localizer.php @@ -6,9 +6,9 @@ * The locales you wish to support. * English HAS TO be the first language of the array. */ - 'supported_locales' => ['en', 'bn', 'ca', 'da', 'de', 'es', 'el', 'fr', - 'he', 'hi', 'it', 'ja', 'ml', 'nl', 'no', 'pa', 'pl', 'pt', 'ro', - 'ru', 'sv', 'te', 'tr', 'ur', 'vi', 'zh', + 'supported_locales' => ['en', 'ar', 'bn', 'ca', 'da', 'de', 'es', 'el', + 'fr', 'he', 'hi', 'it', 'ja', 'ml', 'nl', 'nn', 'pa', 'pl', 'pt', + 'pt_BR', 'ro', 'ru', 'sv', 'te', 'tr', 'ur', 'vi', 'zh_CN', 'zh_TW', ], /** diff --git a/database/migrations/2023_10_06_064814_rename_locales.php b/database/migrations/2023_10_06_064814_rename_locales.php new file mode 100644 index 00000000000..ba90c776db8 --- /dev/null +++ b/database/migrations/2023_10_06_064814_rename_locales.php @@ -0,0 +1,16 @@ +update(['locale' => 'nn']); + User::where('locale', 'zh')->update(['locale' => 'zh_CN']); + } +}; diff --git a/lang/ar.json b/lang/ar.json new file mode 100644 index 00000000000..3fa1088484b --- /dev/null +++ b/lang/ar.json @@ -0,0 +1,1283 @@ +{ + "(and :count more error)": "(و :count خطأ إضافي)", + "(and :count more errors)": "(و :count أخطاء إضافية)", + "(Help)": "(يساعد)", + "+ add a contact": "+ إضافة جهة اتصال", + "+ add another": "+ إضافة آخر", + "+ add another photo": "+ إضافة صورة أخرى", + "+ add description": "+ إضافة الوصف", + "+ add distance": "+ إضافة مسافة", + "+ add emotion": "+ إضافة العاطفة", + "+ add reason": "+ أضف السبب", + "+ add summary": "+ إضافة ملخص", + "+ add title": "+ إضافة عنوان", + "+ change date": "+ تغيير التاريخ", + "+ change template": "+ تغيير القالب", + "+ create a group": "+ إنشاء مجموعة", + "+ gender": "+ الجنس", + "+ last name": "+ الاسم الأخير", + "+ maiden name": "+ الاسم قبل الزواج", + "+ middle name": "+ الاسم الأوسط", + "+ nickname": "+ اللقب", + "+ note": "+ ملاحظة", + "+ number of hours slept": "+ عدد ساعات النوم", + "+ prefix": "+ البادئة", + "+ pronoun": "+ ضمير", + "+ suffix": "+ لاحقة", + ":count contact|:count contacts": ":count اتصال|:count اتصالات|:count جهات اتصال|:count اتصالات|:count جهة اتصال", + ":count hour slept|:count hours slept": ":count ساعة نوم|:count ساعة نمت|:count ساعة نمت|:count ساعات نوم|:count ساعة نوم", + ":count min read": ":count دقيقة قراءة", + ":count post|:count posts": ":count مشاركة|:count مشاركة|:count مشاركات|:count مشاركات|:count مشاركة", + ":count template section|:count template sections": ":count قسم القالب|:count أقسام القالب|:count أقسام القالب|:count أقسام القالب|:count قسم القالب", + ":count word|:count words": ":count كلمة|:count كلمة|:count كلمات|:count كلمات|:count كلمة", + ":distance km": ":distance كم", + ":distance miles": ":distance ميل", + ":file at line :line": ":file في السطر :line", + ":file in :class at line :line": ":file في :class في السطر :line", + ":Name called": "تم الاتصال بـ :Name", + ":Name called, but I didn’t answer": "اتصل :Name لكني لم أرد", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": "يدعوك :UserName للانضمام إلى Monica، وهو نظام إدارة علاقات عملاء (CRM) شخصي مفتوح المصدر، مصمم لمساعدتك في توثيق علاقاتك.", + "Accept Invitation": "قبول الدعوة", + "Accept invitation and create your account": "اقبل الدعوة وقم بإنشاء حسابك", + "Account and security": "الحساب والأمن", + "Account settings": "إعدادت الحساب", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "معلومات الاتصال يمكن النقر عليها. على سبيل المثال، يمكن النقر على رقم الهاتف وتشغيل التطبيق الافتراضي على جهاز الكمبيوتر الخاص بك. إذا كنت لا تعرف البروتوكول الخاص بالنوع الذي تقوم بإضافته، فيمكنك ببساطة حذف هذا الحقل.", + "Activate": "تفعيل", + "Activity feed": "خلاصة النشاط", + "Activity in this vault": "النشاط في هذا القبو", + "Add": "إضافة", + "add a call reason type": "إضافة نوع سبب الاتصال", + "Add a contact": "أضف جهة اتصال", + "Add a contact information": "إضافة معلومات الاتصال", + "Add a date": "أضف تاريخا", + "Add additional security to your account using a security key.": "أضف أمانًا إضافيًا إلى حسابك باستخدام مفتاح الأمان.", + "Add additional security to your account using two factor authentication.": "أضف أمانًا إضافيًا إلى حسابك باستخدام المصادقة الثنائية.", + "Add a document": "أضف مستندًا", + "Add a due date": "أضف تاريخ الاستحقاق", + "Add a gender": "أضف الجنس", + "Add a gift occasion": "إضافة مناسبة هدية", + "Add a gift state": "إضافة حالة هدية", + "Add a goal": "أضف هدفا", + "Add a group type": "أضف نوع المجموعة", + "Add a header image": "أضف صورة رأسية", + "Add a label": "أضف تصنيفًا", + "Add a life event": "إضافة حدث الحياة", + "Add a life event category": "أضف فئة حدث الحياة", + "add a life event type": "إضافة نوع حدث الحياة", + "Add a module": "أضف وحدة نمطية", + "Add an address": "أضف عنوانا", + "Add an address type": "أضف نوع العنوان", + "Add an email address": "أضف عنوان بريد إلكتروني", + "Add an email to be notified when a reminder occurs.": "أضف بريدًا إلكترونيًا ليتم إعلامك عند حدوث تذكير.", + "Add an entry": "أضف إدخالاً", + "add a new metric": "إضافة مقياس جديد", + "Add a new team member to your team, allowing them to collaborate with you.": "أضف عضوًا جديدًا إلى فريقك، مما يتيح لهم التعاون معك.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "أضف تاريخًا مهمًا لتتذكر ما يهمك بشأن هذا الشخص، مثل تاريخ الميلاد أو تاريخ الوفاة.", + "Add a note": "أضف ملاحظة", + "Add another life event": "أضف حدثًا آخر في الحياة", + "Add a page": "أضف صفحة", + "Add a parameter": "أضف معلمة", + "Add a pet": "أضف حيوانًا أليفًا", + "Add a photo": "إضافة صورة", + "Add a photo to a journal entry to see it here.": "أضف صورة إلى إدخال دفتر اليومية لمشاهدتها هنا.", + "Add a post template": "إضافة قالب منشور", + "Add a pronoun": "أضف ضميرًا", + "add a reason": "أضف سببا", + "Add a relationship": "أضف علاقة", + "Add a relationship group type": "أضف نوع مجموعة العلاقة", + "Add a relationship type": "أضف نوع العلاقة", + "Add a religion": "إضافة الدين", + "Add a reminder": "أضف تذكيرًا", + "add a role": "إضافة دور", + "add a section": "إضافة قسم", + "Add a tag": "أضف علامة", + "Add a task": "أضف مهمة", + "Add a template": "أضف قالبًا", + "Add at least one module.": "أضف وحدة واحدة على الأقل.", + "Add a type": "إضافة نوع", + "Add a user": "إضافة مستخدم", + "Add a vault": "أضف قبوًا", + "Add date": "إضافة تاريخ", + "Added.": "تمت الإضافة.", + "added a contact information": "تمت إضافة معلومات الاتصال", + "added an address": "تمت إضافة عنوان", + "added an important date": "تمت إضافة تاريخ مهم", + "added a pet": "وأضاف حيوان أليف", + "added the contact to a group": "تمت إضافة جهة الاتصال إلى مجموعة", + "added the contact to a post": "تمت إضافة جهة الاتصال إلى إحدى المشاركات", + "added the contact to the favorites": "تمت إضافة جهة الاتصال إلى المفضلة", + "Add genders to associate them to contacts.": "أضف أجناسًا لربطها بجهات الاتصال.", + "Add loan": "أضف القرض", + "Add one now": "أضف واحدة الآن", + "Add photos": "إضافة الصور", + "Address": "عنوان", + "Addresses": "عناوين", + "Address type": "نوع العنوان", + "Address types": "أنواع العناوين", + "Address types let you classify contact addresses.": "تتيح لك أنواع العناوين تصنيف عناوين الاتصال.", + "Add Team Member": "إضافة عضو للفريق", + "Add to group": "إضافة إلى المجموعة", + "Administrator": "المدير", + "Administrator users can perform any action.": "المدراء بإمكانهم تنفيذ أي إجراء.", + "a father-son relation shown on the father page,": "علاقة الأب والابن المعروضة على صفحة الأب،", + "after the next occurence of the date.": "بعد حدوث التاريخ التالي.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "المجموعة عبارة عن شخصين أو أكثر معًا. يمكن أن تكون عائلة أو أسرة أو نادي رياضي. كل ما هو مهم بالنسبة لك.", + "All contacts in the vault": "جميع جهات الاتصال في القبو", + "All files": "كل الملفات", + "All groups in the vault": "جميع المجموعات في القبو", + "All journal metrics in :name": "جميع مقاييس اليومية في :name", + "All of the people that are part of this team.": "جميع الأشخاص الذين هم جزء من هذا الفريق.", + "All rights reserved.": "جميع الحقوق محفوظة.", + "All tags": "جميع العلامات", + "All the address types": "جميع أنواع العناوين", + "All the best,": "أتمنى لك كل خير،", + "All the call reasons": "جميع أسباب الدعوة", + "All the cities": "جميع المدن", + "All the companies": "جميع الشركات", + "All the contact information types": "جميع أنواع معلومات الاتصال", + "All the countries": "جميع البلدان", + "All the currencies": "جميع العملات", + "All the files": "جميع الملفات", + "All the genders": "جميع الأجناس", + "All the gift occasions": "جميع مناسبات الهدايا", + "All the gift states": "جميع الهدايا تنص على", + "All the group types": "جميع أنواع المجموعة", + "All the important dates": "جميع التواريخ الهامة", + "All the important date types used in the vault": "جميع أنواع التاريخ الهامة المستخدمة في القبو", + "All the journals": "جميع المجلات", + "All the labels used in the vault": "جميع التسميات المستخدمة في القبو", + "All the notes": "جميع الملاحظات", + "All the pet categories": "جميع فئات الحيوانات الأليفة", + "All the photos": "كل الصور", + "All the planned reminders": "جميع التذكيرات المخطط لها", + "All the pronouns": "جميع الضمائر", + "All the relationship types": "جميع أنواع العلاقات", + "All the religions": "جميع الأديان", + "All the reports": "جميع التقارير", + "All the slices of life in :name": "كل شرائح الحياة في :name", + "All the tags used in the vault": "جميع العلامات المستخدمة في القبو", + "All the templates": "جميع القوالب", + "All the vaults": "جميع الخزائن", + "All the vaults in the account": "جميع الخزائن الموجودة في الحساب", + "All users and vaults will be deleted immediately,": "سيتم حذف جميع المستخدمين والخزائن على الفور،", + "All users in this account": "جميع المستخدمين في هذا الحساب", + "Already registered?": "لديك حساب مسبقا؟", + "Already used on this page": "تم استخدامها بالفعل في هذه الصفحة", + "A new verification link has been sent to the email address you provided during registration.": "تم إرسال رابط تحقق جديد إلى عنوان البريد الإلكتروني الذي قدمته أثناء التسجيل.", + "A new verification link has been sent to the email address you provided in your profile settings.": "تم إرسال رابط تحقق جديد إلى عنوان البريد الإلكتروني الذي قمت بتعيينه في إعدادات الملف الشخصي.", + "A new verification link has been sent to your email address.": "تم إرسال رابط تحقق جديد إلى بريدك الإلكتروني.", + "Anniversary": "عيد", + "Apartment, suite, etc…": "شقة، جناح، الخ...", + "API Token": "رمز API", + "API Token Permissions": "أذونات رمز API", + "API Tokens": "رموز API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "تسمح رموز API لخدمات الطرف الثالث بالمصادقة مع تطبيقنا نيابة عنك.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "يحدد قالب المنشور كيفية عرض محتوى المنشور. يمكنك تحديد أي عدد تريده من القوالب، واختيار القالب الذي يجب استخدامه في أي مشاركة.", + "Archive": "أرشيف", + "Archive contact": "أرشفة جهة الاتصال", + "archived the contact": "أرشفة جهة الاتصال", + "Are you sure? The address will be deleted immediately.": "هل أنت متأكد؟ سيتم حذف العنوان على الفور.", + "Are you sure? This action cannot be undone.": "هل أنت متأكد؟ لا يمكن التراجع عن هذا الإجراء.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "هل أنت متأكد؟ سيؤدي هذا إلى حذف جميع أسباب الاتصال من هذا النوع لجميع جهات الاتصال التي كانت تستخدمه.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "هل أنت متأكد؟ سيؤدي هذا إلى حذف كافة العلاقات من هذا النوع لجميع جهات الاتصال التي كانت تستخدمه.", + "Are you sure? This will delete the contact information permanently.": "هل أنت متأكد؟ سيؤدي هذا إلى حذف معلومات الاتصال نهائيًا.", + "Are you sure? This will delete the document permanently.": "هل أنت متأكد؟ سيؤدي هذا إلى حذف المستند نهائيًا.", + "Are you sure? This will delete the goal and all the streaks permanently.": "هل أنت متأكد؟ سيؤدي هذا إلى حذف الهدف وجميع الخطوط بشكل دائم.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "هل أنت متأكد؟ سيؤدي هذا إلى إزالة أنواع العناوين من جميع جهات الاتصال، لكنه لن يحذف جهات الاتصال نفسها.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "هل أنت متأكد؟ سيؤدي هذا إلى إزالة أنواع معلومات الاتصال من كافة جهات الاتصال، لكنه لن يحذف جهات الاتصال نفسها.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "هل أنت متأكد؟ سيؤدي هذا إلى إزالة الأجناس من جميع جهات الاتصال، لكنه لن يحذف جهات الاتصال نفسها.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "هل أنت متأكد؟ سيؤدي هذا إلى إزالة القالب من كافة جهات الاتصال، لكنه لن يحذف جهات الاتصال نفسها.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "هل أنت متأكد أنك تريد حذف هذا الفريق؟ بمجرد حذف الفريق ، سيتم حذف جميع مصادره وبياناته نهائيًا.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "هل ترغب بحذف حسابك بالتأكيد؟ بمجرد حذف حسابك، سيتم حذف جميع البيانات المتعلقة به نهائياً. الرجاء إدخال كلمة المرور الخاصة بك لتأكيد رغبتك في حذف حسابك بشكل دائم.", + "Are you sure you would like to archive this contact?": "هل أنت متأكد أنك تريد أرشفة جهة الاتصال هذه؟", + "Are you sure you would like to delete this API token?": "هل أنت متأكد أنك تريد حذف رمز API المميز؟", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "هل أنت متأكد أنك تريد حذف جهة الاتصال هذه؟ سيؤدي هذا إلى إزالة كل ما نعرفه عن جهة الاتصال هذه.", + "Are you sure you would like to delete this key?": "هل أنت متأكد أنك تريد حذف هذا المفتاح؟", + "Are you sure you would like to leave this team?": "هل أنت متأكد أنك تريد مغادرة هذا الفريق؟", + "Are you sure you would like to remove this person from the team?": "هل أنت متأكد أنك تريد إزالة هذا الشخص من الفريق؟", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "تتيح لك شريحة من الحياة تجميع المشاركات حسب شيء ذي معنى بالنسبة لك. أضف شريحة من الحياة في منشور لرؤيتها هنا.", + "a son-father relation shown on the son page.": "علاقة الابن والأب تظهر على صفحة الابن.", + "assigned a label": "تم تعيين تسمية", + "Association": "منظمة", + "At": "في", + "at ": "في", + "Ate": "أكل", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "يحدد القالب كيفية عرض جهات الاتصال. يمكنك الحصول على أي عدد تريده من النماذج - يتم تحديدها في إعدادات حسابك. ومع ذلك، قد ترغب في تحديد قالب افتراضي بحيث يكون لدى جميع جهات الاتصال الخاصة بك في هذا المخزن هذا القالب بشكل افتراضي.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "يتكون القالب من صفحات، وفي كل صفحة هناك وحدات. إن كيفية عرض البيانات أمر متروك لك تمامًا.", + "Atheist": "ملحد", + "At which time should we send the notification, when the reminder occurs?": "في أي وقت يجب أن نرسل الإشعار عند حدوث التذكير؟", + "Audio-only call": "مكالمة صوتية فقط", + "Auto saved a few seconds ago": "تم الحفظ تلقائيًا قبل بضع ثوانٍ", + "Available modules:": "الوحدات المتاحة:", + "Avatar": "الصورة الرمزية", + "Avatars": "الآلهة", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "قبل المتابعة، هل يمكنك التحقق من بريدك الإلكتروني بالضغط على الرابط الذي أرسلناه لك الآن عبر البريد الإلكتروني؟ إذا لم يصلك البريد الإلكتروني، فيسعدنا أن نرسل لك بريداً إلكترونياً غيره بكل سرور.", + "best friend": "أفضل صديق", + "Bird": "طائر", + "Birthdate": "تاريخ الميلاد", + "Birthday": "عيد ميلاد", + "Body": "جسم", + "boss": "رئيس", + "Bought": "مُشترى", + "Breakdown of the current usage": "انهيار الاستخدام الحالي", + "brother/sister": "أخ / أخت", + "Browser Sessions": "جلسات المتصفح", + "Buddhist": "بوذي", + "Business": "عمل", + "By last updated": "بواسطة آخر تحديث", + "Calendar": "تقويم", + "Call reasons": "أسباب الدعوة", + "Call reasons let you indicate the reason of calls you make to your contacts.": "تتيح لك أسباب الاتصال الإشارة إلى سبب المكالمات التي تجريها مع جهات الاتصال الخاصة بك.", + "Calls": "المكالمات", + "Cancel": "إلغاء", + "Cancel account": "إلغاء حساب", + "Cancel all your active subscriptions": "قم بإلغاء جميع اشتراكاتك النشطة", + "Cancel your account": "قم بإلغاء حسابك", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "يمكنه فعل كل شيء، بما في ذلك إضافة مستخدمين آخرين أو إزالتهم، وإدارة الفواتير وإغلاق الحساب.", + "Can do everything, including adding or removing other users.": "يمكن أن يفعل كل شيء، بما في ذلك إضافة أو إزالة مستخدمين آخرين.", + "Can edit data, but can’t manage the vault.": "يمكنه تحرير البيانات، لكن لا يمكنه إدارة المخزن.", + "Can view data, but can’t edit it.": "يمكنه عرض البيانات، لكن لا يمكنه تحريرها.", + "Can’t be moved or deleted": "لا يمكن نقلها أو حذفها", + "Cat": "قطة", + "Categories": "فئات", + "Chandler is in beta.": "تشاندلر في مرحلة تجريبية.", + "Change": "يتغير", + "Change date": "تغيير التاريخ", + "Change permission": "تغيير الإذن", + "Changes saved": "تم حفظ التغييرات", + "Change template": "تغيير القالب", + "Child": "طفل", + "child": "طفل", + "Choose": "يختار", + "Choose a color": "اختيار اللون", + "Choose an existing address": "اختر عنوانًا موجودًا", + "Choose an existing contact": "اختر جهة اتصال موجودة", + "Choose a template": "اختر قالبًا", + "Choose a value": "اختر قيمة", + "Chosen type:": "النوع المختار:", + "Christian": "مسيحي", + "Christmas": "عيد الميلاد", + "City": "مدينة", + "Click here to re-send the verification email.": "اضغط هنا لإعادة إرسال بريد التحقق.", + "Click on a day to see the details": "انقر على يوم لرؤية التفاصيل", + "Close": "إغلاق", + "close edit mode": "إغلاق وضع التحرير", + "Club": "النادي", + "Code": "الرمز", + "colleague": "زميل", + "Companies": "شركات", + "Company name": "اسم الشركة", + "Compared to Monica:": "مقارنة بـ Monica:", + "Configure how we should notify you": "قم بتكوين الطريقة التي يجب أن نخطرك بها", + "Confirm": "تأكيد", + "Confirm Password": "تأكيد كلمة المرور", + "Connect": "يتصل", + "Connected": "متصل", + "Connect with your security key": "تواصل مع مفتاح الأمان الخاص بك", + "Contact feed": "تغذية الاتصال", + "Contact information": "معلومات الاتصال", + "Contact informations": "معلومات الاتصال", + "Contact information types": "أنواع معلومات الاتصال", + "Contact name": "اسم جهة الاتصال", + "Contacts": "جهات الاتصال", + "Contacts in this post": "جهات الاتصال في هذا المنصب", + "Contacts in this slice": "جهات الاتصال في هذه الشريحة", + "Contacts will be shown as follow:": "سيتم عرض جهات الاتصال على النحو التالي:", + "Content": "محتوى", + "Copied.": "نسخ.", + "Copy": "ينسخ", + "Copy value into the clipboard": "انسخ القيمة إلى الحافظة", + "Could not get address book data.": "تعذر الحصول على بيانات دفتر العناوين.", + "Country": "دولة", + "Couple": "زوج", + "cousin": "ابن عم", + "Create": "إنشاء", + "Create account": "إنشاء حساب", + "Create Account": "إنشاء حساب", + "Create a contact": "قم بإنشاء جهة اتصال", + "Create a contact entry for this person": "قم بإنشاء إدخال جهة اتصال لهذا الشخص", + "Create a journal": "إنشاء مجلة", + "Create a journal metric": "إنشاء مقياس مجلة", + "Create a journal to document your life.": "قم بإنشاء مجلة لتوثيق حياتك.", + "Create an account": "إنشاء حساب", + "Create a new address": "أنشئ عنوانًا جديدًا", + "Create a new team to collaborate with others on projects.": "أنشئ فريقًا جديدًا للتعاون مع الآخرين في المشاريع.", + "Create API Token": "إنشاء رمز API", + "Create a post": "إنشاء مشاركة", + "Create a reminder": "إنشاء تذكير", + "Create a slice of life": "اصنع شريحة من الحياة", + "Create at least one page to display contact’s data.": "إنشاء صفحة واحدة على الأقل لعرض بيانات جهة الاتصال.", + "Create at least one template to use Monica.": "قم بإنشاء قالب واحد على الأقل لاستخدام Monica.", + "Create a user": "إنشاء مستخدم", + "Create a vault": "إنشاء قبو", + "Created.": "تم الإنشاء.", + "created a goal": "خلق هدفا", + "created the contact": "تم إنشاء جهة الاتصال", + "Create label": "إنشاء تسمية", + "Create new label": "إنشاء تسمية جديدة", + "Create new tag": "إنشاء علامة جديدة", + "Create New Team": "إنشاء فريق جديد", + "Create Team": "إنشاء فريق", + "Currencies": "العملات", + "Currency": "عملة", + "Current default": "الافتراضي الحالي", + "Current language:": "اللغة الحالية:", + "Current Password": "كلمة المرور الحالية", + "Current site used to display maps:": "الموقع الحالي المستخدم لعرض الخرائط:", + "Current streak": "العلامة الحالية", + "Current timezone:": "المنطقة الزمنية الحالية:", + "Current way of displaying contact names:": "الطريقة الحالية لعرض أسماء جهات الاتصال:", + "Current way of displaying dates:": "الطريقة الحالية لعرض التواريخ:", + "Current way of displaying distances:": "الطريقة الحالية لعرض المسافات:", + "Current way of displaying numbers:": "الطريقة الحالية لعرض الأرقام:", + "Customize how contacts should be displayed": "تخصيص كيفية عرض جهات الاتصال", + "Custom name order": "ترتيب الاسم المخصص", + "Daily affirmation": "التأكيد اليومي", + "Dashboard": "لوحة التحكم", + "date": "تاريخ", + "Date of the event": "تاريخ الحدث", + "Date of the event:": "تاريخ الحدث:", + "Date type": "نوع التاريخ", + "Date types are essential as they let you categorize dates that you add to a contact.": "تعد أنواع التاريخ ضرورية لأنها تتيح لك تصنيف التواريخ التي تضيفها إلى جهة اتصال.", + "Day": "يوم", + "day": "يوم", + "Deactivate": "إلغاء التنشيط", + "Deceased date": "تاريخ المتوفى", + "Default template": "القالب الافتراضي", + "Default template to display contacts": "القالب الافتراضي لعرض جهات الاتصال", + "Delete": "حذف", + "Delete Account": "حذف الحساب", + "Delete a new key": "حذف مفتاح جديد", + "Delete API Token": "حذف رمز API", + "Delete contact": "حذف اتصال", + "deleted a contact information": "حذف معلومات الاتصال", + "deleted a goal": "حذفت هدفا", + "deleted an address": "حذفت عنوانا", + "deleted an important date": "حذف تاريخ مهم", + "deleted a note": "حذف ملاحظة", + "deleted a pet": "حذف حيوان أليف", + "Deleted author": "المؤلف المحذوف", + "Delete group": "حذف المجموعة", + "Delete journal": "حذف المجلة", + "Delete Team": "حذف الفريق", + "Delete the address": "احذف العنوان", + "Delete the photo": "احذف الصورة", + "Delete the slice": "احذف الشريحة", + "Delete the vault": "احذف الخزينة", + "Delete your account on https://customers.monicahq.com.": "احذف حسابك على https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "حذف المخزن يعني حذف جميع البيانات الموجودة داخل هذا المخزن إلى الأبد. ليس هناك عودة الى الوراء. يرجى التأكد.", + "Description": "وصف", + "Detail of a goal": "تفاصيل الهدف", + "Details in the last year": "التفاصيل في العام الماضي", + "Disable": "تعطيل", + "Disable all": "أوقف عمل الكل", + "Disconnect": "قطع الاتصال", + "Discuss partnership": "مناقشة الشراكة", + "Discuss recent purchases": "مناقشة المشتريات الأخيرة", + "Dismiss": "رفض", + "Display help links in the interface to help you (English only)": "عرض روابط المساعدة في الواجهة لمساعدتك (باللغة الإنجليزية فقط)", + "Distance": "مسافة", + "Documents": "وثائق", + "Dog": "كلب", + "Done.": "تم.", + "Download": "تحميل", + "Download as vCard": "قم بالتنزيل بتنسيق vCard", + "Drank": "شربوا", + "Drove": "قاد", + "Due and upcoming tasks": "المهام المستحقة والقادمة", + "Edit": "يحرر", + "edit": "يحرر", + "Edit a contact": "تحرير جهة اتصال", + "Edit a journal": "تحرير مجلة", + "Edit a post": "تحرير مشاركة", + "edited a note": "تحرير ملاحظة", + "Edit group": "تحرير المجموعة", + "Edit journal": "تحرير المجلة", + "Edit journal information": "تحرير معلومات المجلة", + "Edit journal metrics": "تحرير مقاييس المجلة", + "Edit names": "تحرير الأسماء", + "Editor": "المحرر", + "Editor users have the ability to read, create, and update.": "المحررون لديهم القدرة على القراءة والإنشاء والتحديث.", + "Edit post": "تعديل المنشور", + "Edit Profile": "تعديل الملف الشخصي", + "Edit slice of life": "تحرير شريحة من الحياة", + "Edit the group": "تحرير المجموعة", + "Edit the slice of life": "تحرير شريحة من الحياة", + "Email": "البريد الإلكتروني", + "Email address": "عنوان البريد الإلكتروني", + "Email address to send the invitation to": "عنوان البريد الإلكتروني لإرسال الدعوة إليه", + "Email Password Reset Link": "رابط إعادة تعيين كلمة مرور عبر البريد الإلكتروني", + "Enable": "تفعيل", + "Enable all": "تمكين الكل", + "Ensure your account is using a long, random password to stay secure.": "تأكد من أن حسابك يستخدم كلمة مرور طويلة وعشوائية للبقاء آمنًا.", + "Enter a number from 0 to 100000. No decimals.": "أدخل رقمًا من 0 إلى 100000. لا توجد أرقام عشرية.", + "Events this month": "أحداث هذا الشهر", + "Events this week": "أحداث هذا الأسبوع", + "Events this year": "أحداث هذا العام", + "Every": "كل", + "ex-boyfriend": "صديقها السابق", + "Exception:": "استثناء:", + "Existing company": "الشركة القائمة", + "External connections": "اتصالات خارجية", + "Facebook": "فيسبوك", + "Family": "عائلة", + "Family summary": "ملخص العائلة", + "Favorites": "المفضلة", + "Female": "أنثى", + "Files": "ملفات", + "Filter": "منقي", + "Filter list or create a new label": "تصفية القائمة أو إنشاء تصنيف جديد", + "Filter list or create a new tag": "تصفية القائمة أو إنشاء علامة جديدة", + "Find a contact in this vault": "ابحث عن جهة اتصال في هذا القبو", + "Finish enabling two factor authentication.": "الانتهاء من تمكين المصادقة الثنائية.", + "First name": "الاسم الأول", + "First name Last name": "الاسم الاول الاسم الاخير", + "First name Last name (nickname)": "الاسم الأول الاسم الأخير (اللقب)", + "Fish": "سمكة", + "Food preferences": "أذواقهم الغذائية", + "for": "ل", + "For:": "ل:", + "For advice": "للنصيحة", + "Forbidden": "محظور", + "Forgot your password?": "نسيت كلمة المرور؟", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "نسيت كلمة المرور؟ لا توجد مشكلة. ما عليك سوى إخبارنا بعنوان بريدك الإلكتروني وسنرسل لك عبره رابط إعادة تعيين كلمة المرور الذي سيسمح لك باختيار كلمة مرور جديدة.", + "For your security, please confirm your password to continue.": "لحمايتك، يرجى تأكيد كلمة المرور الخاصة بك للمتابعة.", + "Found": "وجد", + "Friday": "جمعة", + "Friend": "صديق", + "friend": "صديق", + "From A to Z": "من الألف إلى الياء", + "From Z to A": "من ي إلى أ", + "Gender": "جنس", + "Gender and pronoun": "الجنس والضمير", + "Genders": "الجنسين", + "Gift occasions": "مناسبات الهدايا", + "Gift occasions let you categorize all your gifts.": "تتيح لك مناسبات الهدايا تصنيف جميع هداياك.", + "Gift states": "دول الهدية", + "Gift states let you define the various states for your gifts.": "تتيح لك حالات الهدايا تحديد الحالات المختلفة لهداياك.", + "Give this email address a name": "قم بتسمية عنوان البريد الإلكتروني هذا", + "Goals": "الأهداف", + "Go back": "عُد", + "godchild": "إبن او إبنة بالمعمودية", + "godparent": "عرابة", + "Google Maps": "خرائط جوجل", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "تقدم خرائط جوجل أفضل دقة وتفاصيل، ولكنها ليست مثالية من وجهة نظر الخصوصية.", + "Got fired": "طردت", + "Go to page :page": "الإنتقال إلى الصفحة :page", + "grand child": "الطفل الكبير", + "grand parent": "الوالد الكبير", + "Great! You have accepted the invitation to join the :team team.": "رائع! لقد قبلت الدعوة للإنضمام إلى فريق :team.", + "Group journal entries together with slices of life.": "قم بتجميع إدخالات دفتر اليومية مع شرائح من الحياة.", + "Groups": "مجموعات", + "Groups let you put your contacts together in a single place.": "تتيح لك المجموعات تجميع جهات الاتصال الخاصة بك معًا في مكان واحد.", + "Group type": "نوع المجموعة", + "Group type: :name": "نوع المجموعة: :name", + "Group types": "أنواع المجموعة", + "Group types let you group people together.": "تتيح لك أنواع المجموعات تجميع الأشخاص معًا.", + "Had a promotion": "كان ترقية", + "Hamster": "الهامستر", + "Have a great day,": "أتمنى لك يوماً عظيماً،", + "he/him": "هو / له", + "Hello!": "أهلاً بك!", + "Help": "يساعد", + "Hi :name": "مرحبًا :name", + "Hinduist": "هندوسي", + "History of the notification sent": "تاريخ الإخطار المرسل", + "Hobbies": "هوايات", + "Home": "بيت", + "Horse": "حصان", + "How are you?": "كيف حالك؟", + "How could I have done this day better?": "كيف كان بإمكاني أن أفعل هذا اليوم بشكل أفضل؟", + "How did you feel?": "كيف شعرت؟", + "How do you feel right now?": "كيف تشعر الان؟", + "however, there are many, many new features that didn't exist before.": "ومع ذلك، هناك العديد والعديد من الميزات الجديدة التي لم تكن موجودة من قبل.", + "How much money was lent?": "كم من المال تم إقراضه؟", + "How much was lent?": "كم تم إقراضه؟", + "How often should we remind you about this date?": "كم مرة يجب أن نذكرك بهذا التاريخ؟", + "How should we display dates": "كيف يجب أن نعرض التواريخ", + "How should we display distance values": "كيف ينبغي لنا أن نعرض قيم المسافة", + "How should we display numerical values": "كيف ينبغي لنا أن نعرض القيم العددية", + "I agree to the :terms and :policy": "أوافق على :terms و:policy", + "I agree to the :terms_of_service and :privacy_policy": "أوافق على :terms_of_service و :privacy_policy", + "I am grateful for": "أنا ممتن ل", + "I called": "اتصلت", + "I called, but :name didn’t answer": "اتصلت لكن :name لم يرد", + "Idea": "فكرة", + "I don’t know the name": "لا أعرف الاسم", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "إذا لزم الأمر، يمكنك تسجيل الخروج من جميع جلسات المتصفح الأخرى عبر جميع أجهزتك. بعض جلساتك الأخيرة مذكورة أدناه؛ ومع ذلك، قد لا تكون هذه القائمة شاملة. إذا شعرت أنه تم اختراق حسابك، فيجب عليك أيضًا تحديث كلمة المرور الخاصة بك.", + "If the date is in the past, the next occurence of the date will be next year.": "إذا كان التاريخ في الماضي، فإن التواجد التالي للتاريخ سيكون في العام التالي.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "إذا كنت تواجه مشكلة في النقر على الزر \":actionText \"، يمكنك نسخ عنوان URL أدناه\n وألصقه في متصفح الويب:", + "If you already have an account, you may accept this invitation by clicking the button below:": "إذا كان لديك حساب بالفعل، فيمكنك قبول هذه الدعوة بالضغط على الزر أدناه:", + "If you did not create an account, no further action is required.": "إذا لم تقم بإنشاء حساب ، فلا يلزم اتخاذ أي إجراء آخر.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "إذا لم تتوقع تلقي دعوة إلى هذا الفريق، فيمكنك تجاهل هذا البريد الإلكتروني.", + "If you did not request a password reset, no further action is required.": "إذا لم تقم بطلب استعادة كلمة المرور، لا تحتاج القيام بأي إجراء.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "إذا لم يكن لديك حساب، يمكنك إنشاء حساب بالضغط على الزر أدناه. بعد إنشاء حساب، يمكنك الضغط على زر قبول الدعوة في هذا البريد الإلكتروني لقبول دعوة الفريق:", + "If you’ve received this invitation by mistake, please discard it.": "إذا تلقيت هذه الدعوة عن طريق الخطأ، فيرجى تجاهلها.", + "I know the exact date, including the year": "أعرف التاريخ بالضبط، بما في ذلك السنة", + "I know the name": "أنا أعرف الاسم", + "Important dates": "تواريخ مهمة", + "Important date summary": "ملخص تاريخ مهم", + "in": "في", + "Information": "معلومة", + "Information from Wikipedia": "المعلومات من ويكيبيديا", + "in love with": "في حب", + "Inspirational post": "وظيفة ملهمة", + "Invalid JSON was returned from the route.": "تم إرجاع JSON غير صالح من المسار.", + "Invitation sent": "دعوة التي وجهت", + "Invite a new user": "دعوة مستخدم جديد", + "Invite someone": "قم بدعوة شخص ما", + "I only know a number of years (an age, for example)": "لا أعرف سوى عدد من السنوات (العمر مثلاً)", + "I only know the day and month, not the year": "أنا أعرف فقط اليوم والشهر، وليس السنة", + "it misses some of the features, the most important ones being the API and gift management,": "فهو يفتقد بعض الميزات، وأهمها واجهة برمجة التطبيقات وإدارة الهدايا،", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "يبدو أنه لا توجد قوالب في الحساب حتى الآن. الرجاء إضافة قالب على الأقل إلى حسابك أولاً، ثم ربط هذا القالب بجهة الاتصال هذه.", + "Jew": "اليهودي", + "Job information": "معلومات مهمة", + "Job position": "وظيفه", + "Journal": "مجلة", + "Journal entries": "إدخالات دفتر اليومية", + "Journal metrics": "مقاييس المجلة", + "Journal metrics let you track data accross all your journal entries.": "تتيح لك مقاييس دفتر اليومية تتبع البيانات عبر جميع إدخالات دفتر اليومية الخاصة بك.", + "Journals": "المجلات", + "Just because": "فقط لأن", + "Just to say hello": "فقط أن أقول مرحبا", + "Key name": "اسم المفتاح", + "kilometers (km)": "كيلومتر (كم)", + "km": "كم", + "Label:": "ملصق:", + "Labels": "تسميات", + "Labels let you classify contacts using a system that matters to you.": "تتيح لك التصنيفات تصنيف جهات الاتصال باستخدام النظام الذي يهمك.", + "Language of the application": "لغة التطبيق", + "Last active": "آخر نشاط", + "Last active :date": "آخر نشاط :date", + "Last name": "اسم العائلة", + "Last name First name": "اسم العائلة الاسم الأول", + "Last updated": "آخر تحديث", + "Last used": "آخر استخدام", + "Last used :date": "آخر استخدام :date", + "Leave": "مغادرة", + "Leave Team": "مغادرة الفريق", + "Life": "حياة", + "Life & goals": "أهداف الحياة", + "Life events": "أحداث الحياة", + "Life events let you document what happened in your life.": "تتيح لك أحداث الحياة توثيق ما حدث في حياتك.", + "Life event types:": "أنواع أحداث الحياة:", + "Life event types and categories": "أنواع وفئات أحداث الحياة", + "Life metrics": "مقاييس الحياة", + "Life metrics let you track metrics that are important to you.": "تتيح لك مقاييس الحياة تتبع المقاييس التي تهمك.", + "LinkedIn": "ينكدين", + "List of addresses": "قائمة العناوين", + "List of addresses of the contacts in the vault": "قائمة عناوين جهات الاتصال الموجودة في القبو", + "List of all important dates": "قائمة بجميع التواريخ الهامة", + "Loading…": "تحميل…", + "Load previous entries": "تحميل الإدخالات السابقة", + "Loans": "القروض", + "Locale default: :value": "اللغة الافتراضية: :value", + "Log a call": "تسجيل مكالمة", + "Log details": "تفاصيل السجل", + "logged the mood": "سجلت المزاج", + "Log in": "تسجيل الدخول", + "Login": "تسجيل الدخول", + "Login with:": "تسجيل الدخول مع:", + "Log Out": "تسجيل الخروج", + "Logout": "تسجيل الخروج", + "Log Out Other Browser Sessions": "تسجيل الخروج من جلساتك على المتصفحات الأخرى", + "Longest streak": "أطول أثر", + "Love": "حب", + "loved by": "محبوب من", + "lover": "عاشق", + "Made from all over the world. We ❤️ you.": "مصنوعة من جميع أنحاء العالم. نحن ❤️أنت.", + "Maiden name": "الاسم قبل الزواج", + "Male": "ذكر", + "Manage Account": "إدارة الحساب", + "Manage accounts you have linked to your Customers account.": "إدارة الحسابات التي قمت بربطها بحساب العملاء الخاص بك.", + "Manage address types": "إدارة أنواع العناوين", + "Manage and log out your active sessions on other browsers and devices.": "إدارة جلساتك النشطة والخروج منها على المتصفحات والأجهزة الأخرى.", + "Manage API Tokens": "إدارة رموز API", + "Manage call reasons": "إدارة أسباب الاتصال", + "Manage contact information types": "إدارة أنواع معلومات الاتصال", + "Manage currencies": "إدارة العملات", + "Manage genders": "إدارة الجنسين", + "Manage gift occasions": "إدارة مناسبات الهدايا", + "Manage gift states": "إدارة حالات الهدايا", + "Manage group types": "إدارة أنواع المجموعات", + "Manage modules": "إدارة الوحدات", + "Manage pet categories": "إدارة فئات الحيوانات الأليفة", + "Manage post templates": "إدارة قوالب النشر", + "Manage pronouns": "إدارة الضمائر", + "Manager": "مدير", + "Manage relationship types": "إدارة أنواع العلاقات", + "Manage religions": "إدارة الأديان", + "Manage Role": "إدارة الصلاحيات", + "Manage storage": "ادارة المساحة", + "Manage Team": "إدارة الفريق", + "Manage templates": "إدارة القوالب", + "Manage users": "ادارة المستخدمين", + "Mastodon": "مستودون", + "Maybe one of these contacts?": "ربما واحدة من هذه الاتصالات؟", + "mentor": "مُرشِد", + "Middle name": "الاسم الأوسط", + "miles": "اميال", + "miles (mi)": "ميل (ميل)", + "Modules in this page": "الوحدات في هذه الصفحة", + "Monday": "الاثنين", + "Monica. All rights reserved. 2017 — :date.": "Monica. كل الحقوق محفوظة. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica هو برنامج مفتوح المصدر، تم إنشاؤه بواسطة مئات الأشخاص من جميع أنحاء العالم.", + "Monica was made to help you document your life and your social interactions.": "تم إنشاء Monica لمساعدتك في توثيق حياتك وتفاعلاتك الاجتماعية.", + "Month": "شهر", + "month": "شهر", + "Mood in the year": "المزاج في السنة", + "Mood tracking events": "أحداث تتبع الحالة المزاجية", + "Mood tracking parameters": "معلمات تتبع الحالة المزاجية", + "More details": "المزيد من التفاصيل", + "More errors": "المزيد من الأخطاء", + "Move contact": "نقل الاتصال", + "Muslim": "مسلم", + "Name": "الاسم", + "Name of the pet": "اسم الحيوان الأليف", + "Name of the reminder": "اسم التذكير", + "Name of the reverse relationship": "اسم العلاقة العكسية", + "Nature of the call": "طبيعة المكالمة", + "nephew/niece": "ابن أخ / ابنة", + "New Password": "كلمة مرور جديدة", + "New to Monica?": "هل أنت جديد في Monica؟", + "Next": "التالي", + "Nickname": "كنية", + "nickname": "كنية", + "No cities have been added yet in any contact’s addresses.": "لم تتم إضافة أي مدن حتى الآن في عناوين أي جهة اتصال.", + "No contacts found.": "لم يتم العثور على جهات اتصال.", + "No countries have been added yet in any contact’s addresses.": "لم تتم إضافة أي دولة حتى الآن في عناوين أي جهة اتصال.", + "No dates in this month.": "لا يوجد تواريخ في هذا الشهر.", + "No description yet.": "لا يوجد وصف بعد.", + "No groups found.": "لم يتم العثور على مجموعات.", + "No keys registered yet": "لم يتم تسجيل أي مفاتيح حتى الآن", + "No labels yet.": "لا توجد تصنيفات حتى الآن.", + "No life event types yet.": "لا توجد أنواع أحداث الحياة حتى الآن.", + "No notes found.": "لم يتم العثور على أي ملاحظات.", + "No results found": "لم يتم العثور على نتائج", + "No role": "لا دور", + "No roles yet.": "لا يوجد أدوار بعد.", + "No tasks.": "لا توجد مهام.", + "Notes": "ملحوظات", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "لاحظ أن إزالة وحدة نمطية من الصفحة لن يؤدي إلى حذف البيانات الفعلية الموجودة على صفحات الاتصال الخاصة بك. سوف يخفيه ببساطة.", + "Not Found": "غير متوفر", + "Notification channels": "قنوات الإخطار", + "Notification sent": "تم إرسال الإشعار", + "Not set": "غير مضبوط", + "No upcoming reminders.": "لا توجد تذكيرات قادمة.", + "Number of hours slept": "عدد ساعات النوم", + "Numerical value": "القيمة العددية", + "of": "من", + "Offered": "تقدم", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "بمجرد حذف الفريق، سيتم حذف جميع مصادره وبياناته نهائيًا. قبل حذف هذا الفريق ، يرجى تنزيل أي بيانات أو معلومات بخصوص هذا الفريق ترغب في الاحتفاظ بها.", + "Once you cancel,": "بمجرد الإلغاء،", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "بمجرد النقر فوق زر الإعداد أدناه، سيتعين عليك فتح Telegram باستخدام الزر الذي سنوفره لك. سيؤدي هذا إلى تحديد موقع روبوت Monica Telegram لك.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "بمجرد حذف حسابك، سيتم حذف جميع مصادره وبياناته نهائياً. قبل حذف حسابك، يرجى تنزيل أي بيانات أو معلومات ترغب في الاحتفاظ بها.", + "Only once, when the next occurence of the date occurs.": "مرة واحدة فقط، عند حدوث التكرار التالي للتاريخ.", + "Oops! Something went wrong.": "أُووبس! هناك خطأ ما.", + "Open Street Maps": "فتح خرائط الشوارع", + "Open Street Maps is a great privacy alternative, but offers less details.": "تعد Open Street Maps بديلاً رائعًا للخصوصية، ولكنها تقدم تفاصيل أقل.", + "Open Telegram to validate your identity": "افتح Telegram للتحقق من هويتك", + "optional": "خياري", + "Or create a new one": "أو إنشاء واحدة جديدة", + "Or filter by type": "أو التصفية حسب النوع", + "Or remove the slice": "أو إزالة الشريحة", + "Or reset the fields": "أو إعادة تعيين الحقول", + "Other": "آخر", + "Out of respect and appreciation": "من باب الإحترام والتقدير", + "Page Expired": "الصفحة منتهية الصلاحية", + "Pages": "الصفحات", + "Pagination Navigation": "التنقل بين الصفحات", + "Parent": "الأبوين", + "parent": "الأبوين", + "Participants": "مشاركون", + "Partner": "شريك", + "Part of": "جزء من", + "Password": "كلمة المرور", + "Payment Required": "مطلوب الدفع", + "Pending Team Invitations": "دعوات معلقة للإنضمام لفريق", + "per/per": "لكل / لكل", + "Permanently delete this team.": "احذف هذا الفريق بشكل دائم.", + "Permanently delete your account.": "احذف حسابك بشكل دائم.", + "Permission for :name": "إذن لـ :name", + "Permissions": "الأذونات", + "Personal": "شخصي", + "Personalize your account": "إضفاء الطابع الشخصي على حسابك", + "Pet categories": "فئات الحيوانات الأليفة", + "Pet categories let you add types of pets that contacts can add to their profile.": "تتيح لك فئات الحيوانات الأليفة إضافة أنواع الحيوانات الأليفة التي يمكن لجهات الاتصال إضافتها إلى ملفاتهم الشخصية.", + "Pet category": "فئة الحيوانات الأليفة", + "Pets": "حيوانات أليفة", + "Phone": "هاتف", + "Photo": "صورة", + "Photos": "الصور", + "Played basketball": "لعبت كرة السلة", + "Played golf": "لعبت الجولف", + "Played soccer": "لعبت كرة القدم", + "Played tennis": "لعبت التنس", + "Please choose a template for this new post": "الرجاء اختيار قالب لهذا المنصب الجديد", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "الرجاء اختيار نموذج واحد أدناه لإخبار Monica بكيفية عرض جهة الاتصال هذه. تتيح لك القوالب تحديد البيانات التي يجب عرضها على صفحة الاتصال.", + "Please click the button below to verify your email address.": "يرجى النقر على الزر أدناه للتحقق من عنوان بريدك الإلكتروني.", + "Please complete this form to finalize your account.": "يرجى إكمال هذا النموذج لإنهاء حسابك.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "يرجى تأكيد الوصول إلى حسابك عن طريق إدخال أحد رموز الاسترداد المخصصة لحالات الطوارئ.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "يرجى تأكيد الوصول إلى حسابك عن طريق إدخال رمز المصادقة المقدم من تطبيق المصادقة الخاص بك.", + "Please confirm access to your account by validating your security key.": "يرجى تأكيد الوصول إلى حسابك عن طريق التحقق من صحة مفتاح الأمان الخاص بك.", + "Please copy your new API token. For your security, it won't be shown again.": "يرجى نسخ رمز API الجديد الخاص بك. من أجل أمانك، لن يتم عرضه مرة أخرى.", + "Please copy your new API token. For your security, it won’t be shown again.": "يرجى نسخ رمز API الجديد الخاص بك. حفاظًا على أمانك، لن يتم عرضه مرة أخرى.", + "Please enter at least 3 characters to initiate a search.": "الرجاء إدخال 3 أحرف على الأقل لبدء البحث.", + "Please enter your password to cancel the account": "الرجاء إدخال كلمة المرور الخاصة بك لإلغاء الحساب", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "الرجاء إدخال كلمة المرور الخاصة بك لتأكيد رغبتك في تسجيل الخروج من جلسات المتصفح الأخرى عبر جميع أجهزتك.", + "Please indicate the contacts": "يرجى الإشارة إلى جهات الاتصال", + "Please join Monica": "يرجى الانضمام Monica", + "Please provide the email address of the person you would like to add to this team.": "يرجى كتابة عنوان البريد الإلكتروني للشخص الذي ترغب بإضافته إلى هذا الفريق.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "يرجى قراءة الوثائق الخاصة بنا لمعرفة المزيد حول هذه الميزة والمتغيرات التي يمكنك الوصول إليها.", + "Please select a page on the left to load modules.": "الرجاء تحديد صفحة على اليسار لتحميل الوحدات.", + "Please type a few characters to create a new label.": "الرجاء كتابة بضعة أحرف لإنشاء تسمية جديدة.", + "Please type a few characters to create a new tag.": "الرجاء كتابة بضعة أحرف لإنشاء علامة جديدة.", + "Please validate your email address": "يرجى التحقق من صحة عنوان البريد الإلكتروني الخاص بك", + "Please verify your email address": "يرجى التحقق من عنوان البريد الإلكتروني الخاص بك", + "Postal code": "رمز بريدي", + "Post metrics": "مقاييس النشر", + "Posts": "دعامات", + "Posts in your journals": "المشاركات في المجلات الخاصة بك", + "Post templates": "قوالب النشر", + "Prefix": "بادئة", + "Previous": "سابق", + "Previous addresses": "العناوين السابقة", + "Privacy Policy": "سياسة الخصوصية", + "Profile": "الملف الشخصي", + "Profile and security": "الملف الشخصي والأمن", + "Profile Information": "معلومات الملف الشخصي", + "Profile of :name": "الملف الشخصي لـ :name", + "Profile page of :name": "صفحة الملف الشخصي لـ :name", + "Pronoun": "ضمير", + "Pronouns": "الضمائر", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "الضمائر هي في الأساس الطريقة التي نعرّف بها أنفسنا بعيدًا عن اسمنا. إنها الطريقة التي يشير بها شخص ما إليك في المحادثة.", + "protege": "المحمي", + "Protocol": "بروتوكول", + "Protocol: :name": "البروتوكول: :name", + "Province": "مقاطعة", + "Quick facts": "حقائق سريعة", + "Quick facts let you document interesting facts about a contact.": "تتيح لك الحقائق السريعة توثيق الحقائق المثيرة للاهتمام حول جهة الاتصال.", + "Quick facts template": "قالب الحقائق السريعة", + "Quit job": "ترك الوظيفة", + "Rabbit": "أرنب", + "Ran": "جرى", + "Rat": "فأر", + "Read :count time|Read :count times": "إقرأ :count مرة|اقرأ :count مرات|اقرأ :count مرات|اقرأ :count مرات|اقرأ :count مرة", + "Record a loan": "سجل القرض", + "Record your mood": "سجل حالتك المزاجية", + "Recovery Code": "رمز الاسترداد", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "بغض النظر عن مكان تواجدك في العالم، قم بعرض التواريخ وفقًا لمنطقتك الزمنية.", + "Regards": "مع التحية", + "Regenerate Recovery Codes": "إعادة إنشاء رموز الاسترداد", + "Register": "تسجيل", + "Register a new key": "تسجيل مفتاح جديد", + "Register a new key.": "تسجيل مفتاح جديد.", + "Regular post": "البريد العادي", + "Regular user": "المستخدم العادي", + "Relationships": "العلاقات", + "Relationship types": "أنواع العلاقات", + "Relationship types let you link contacts and document how they are connected.": "تتيح لك أنواع العلاقات ربط جهات الاتصال وتوثيق كيفية اتصالها.", + "Religion": "دِين", + "Religions": "الأديان", + "Religions is all about faith.": "الأديان هي كل شيء عن الإيمان.", + "Remember me": "تذكرني", + "Reminder for :name": "تذكير لـ :name", + "Reminders": "تذكيرات", + "Reminders for the next 30 days": "تذكير للأيام الثلاثين القادمة", + "Remind me about this date every year": "اذكروني بهذا التاريخ من كل عام", + "Remind me about this date just once, in one year from now": "ذكرني بهذا التاريخ مرة واحدة فقط، بعد عام من الآن", + "Remove": "حذف", + "Remove avatar": "إزالة الصورة الرمزية", + "Remove cover image": "إزالة صورة الغلاف", + "removed a label": "تمت إزالة التصنيف", + "removed the contact from a group": "إزالة جهة الاتصال من المجموعة", + "removed the contact from a post": "تمت إزالة جهة الاتصال من إحدى المشاركات", + "removed the contact from the favorites": "إزالة جهة الاتصال من المفضلة", + "Remove Photo": "حذف الصورة", + "Remove Team Member": "حذف عضو الفريق", + "Rename": "إعادة تسمية", + "Reports": "التقارير", + "Reptile": "الزواحف", + "Resend Verification Email": "إعادة ارسال بريد التحقق", + "Reset Password": "استعادة كلمة المرور", + "Reset Password Notification": "تنبيه استعادة كلمة المرور", + "results": "نتيجة", + "Retry": "أعد المحاولة", + "Revert": "يرجع", + "Rode a bike": "ركب دراجة", + "Role": "صلاحية", + "Roles:": "الأدوار:", + "Roomates": "زملاء السكن", + "Saturday": "السبت", + "Save": "حفظ", + "Saved.": "تم الحفظ.", + "Saving in progress": "جارٍ الحفظ", + "Searched": "بحثت", + "Searching…": "يبحث…", + "Search something": "ابحث عن شيء ما", + "Search something in the vault": "ابحث عن شيء ما في القبو", + "Sections:": "الأقسام:", + "Security keys": "مفاتيح الأمان", + "Select a group or create a new one": "حدد مجموعة أو أنشئ مجموعة جديدة", + "Select A New Photo": "اختيار صورة جديدة", + "Select a relationship type": "حدد نوع العلاقة", + "Send invitation": "إرسال دعوة", + "Send test": "إرسال الاختبار", + "Sent at :time": "تم الإرسال في :time", + "Server Error": "خطأ في الإستضافة", + "Service Unavailable": "الخدمة غير متوفرة", + "Set as default": "تعيين كافتراضي", + "Set as favorite": "تعيين كمفضل", + "Settings": "إعدادات", + "Settle": "يستقر", + "Setup": "يثبت", + "Setup Key": "مفتاح الإعداد", + "Setup Key:": "مفتاح الإعداد:", + "Setup Telegram": "إعداد برقية", + "she/her": "هي / لها", + "Shintoist": "الشنتوية", + "Show Calendar tab": "إظهار علامة تبويب التقويم", + "Show Companies tab": "إظهار علامة تبويب الشركات", + "Show completed tasks (:count)": "إظهار المهام المكتملة (:count)", + "Show Files tab": "إظهار علامة التبويب الملفات", + "Show Groups tab": "إظهار علامة تبويب المجموعات", + "Showing": "عرض", + "Showing :count of :total results": "عرض :count من :total نتيجة", + "Showing :first to :last of :total results": "عرض :first إلى :last من :total نتيجة", + "Show Journals tab": "إظهار علامة تبويب المجلات", + "Show Recovery Codes": "إظهار رموز الاسترداد", + "Show Reports tab": "إظهار علامة تبويب التقارير", + "Show Tasks tab": "إظهار علامة تبويب المهام", + "significant other": "هامة أخرى", + "Sign in to your account": "تسجيل الدخول إلى حسابك", + "Sign up for an account": "التسجيل للحصول على حساب", + "Sikh": "السيخ", + "Slept :count hour|Slept :count hours": "ينام :count ساعة|نمت :count ساعة|نمت :count ساعة|نمت :count ساعات|نمت :count ساعة", + "Slice of life": "شريحة من الحياة", + "Slices of life": "شرائح من الحياة", + "Small animal": "الحيوانات الصغيرة", + "Social": "اجتماعي", + "Some dates have a special type that we will use in the software to calculate an age.": "بعض التواريخ لها نوع خاص سنستخدمه في البرنامج لحساب العمر.", + "So… it works 😼": "إذن... إنه يعمل 😼", + "Sport": "رياضة", + "spouse": "زوج", + "Statistics": "إحصائيات", + "Storage": "تخزين", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "قم بالاحتفاظ برموز الاسترداد هذه في مكان آمن. يمكن استخدامها لاستعادة الوصول إلى حسابك في حالة فقدان جهاز المصادقة الثنائية الخاص بك.", + "Submit": "يُقدِّم", + "subordinate": "المرؤوس", + "Suffix": "لاحقة", + "Summary": "ملخص", + "Sunday": "الأحد", + "Switch role": "تبديل الدور", + "Switch Teams": "تبديل الفرق", + "Tabs visibility": "رؤية علامات التبويب", + "Tags": "العلامات", + "Tags let you classify journal posts using a system that matters to you.": "تتيح لك العلامات تصنيف منشورات اليومية باستخدام النظام الذي يهمك.", + "Taoist": "طاوي", + "Tasks": "مهام", + "Team Details": "تفاصيل الفريق", + "Team Invitation": "دعوة الفريق", + "Team Members": "أعضاء الفريق", + "Team Name": "اسم الفريق", + "Team Owner": "مالك الفريق", + "Team Settings": "إعدادات الفريق", + "Telegram": "برقية", + "Templates": "قوالب", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "تتيح لك القوالب تخصيص البيانات التي يجب عرضها على جهات الاتصال الخاصة بك. يمكنك تحديد أي عدد تريده من القوالب، واختيار القالب الذي يجب استخدامه على جهة الاتصال.", + "Terms of Service": "شروط الاستخدام", + "Test email for Monica": "اختبار البريد الإلكتروني لMonica", + "Test email sent!": "تم إرسال البريد الإلكتروني التجريبي!", + "Thanks,": "شكرًا،", + "Thanks for giving Monica a try.": "شكرا لإعطاء Monica المحاولة.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "شكرا لتسجيلك! قبل البدء، هل يمكنك التحقق من عنوان بريدك الإلكتروني عن طريق النقر على الرابط الذي أرسلناه إليك للتو عبر البريد الإلكتروني؟ إذا لم تتلق رسالة البريد الإلكتروني، فسنرسل لك بكل سرور رسالة أخرى.", + "The :attribute must be at least :length characters.": ":Attribute يجب أن يتألف على الأقل من :length خانة.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute يجب أن يتألف على الأقل من :length خانة وأن تحتوي على رقم واحد على الأقل.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute يجب أن يتألف على الأقل من :length خانة وأن يحتوي على حرف خاص واحد على الأقل.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute يجب أن يتألف على الأقل من :length خانة وأن يحتوي على الأقل على حرف خاص ورقم.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute يجب أن يتألف على الأقل من :length خانة وأن يحتوي على حرف كبير واحد، رقم واحد، وحرف خاص واحد على الأقل.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute يجب أن يتألف على الأقل من :length خانة وأن يحتوي على حرف كبير واحد على الأقل.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute يجب أن يتألف على الأقل من :length خانة وأن يحتوي على حرف كبير واحد ورقم واحد على الأقل.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute يجب أن يتألف على الأقل من :length خانة وأن يحتوي على حرف كبير واحد وحرف خاص واحد على الأقل.", + "The :attribute must be a valid role.": ":Attribute يجب أن تكون صلاحية فاعلة.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "سيتم حذف بيانات الحساب نهائيًا من خوادمنا خلال 30 يومًا ومن جميع النسخ الاحتياطية خلال 60 يومًا.", + "The address type has been created": "تم إنشاء نوع العنوان", + "The address type has been deleted": "تم حذف نوع العنوان", + "The address type has been updated": "تم تحديث نوع العنوان", + "The call has been created": "تم إنشاء المكالمة", + "The call has been deleted": "تم حذف المكالمة", + "The call has been edited": "تم تحرير المكالمة", + "The call reason has been created": "تم إنشاء سبب الاتصال", + "The call reason has been deleted": "تم حذف سبب المكالمة", + "The call reason has been updated": "تم تحديث سبب الاتصال", + "The call reason type has been created": "تم إنشاء نوع سبب الاتصال", + "The call reason type has been deleted": "تم حذف نوع سبب الاتصال", + "The call reason type has been updated": "تم تحديث نوع سبب الاتصال", + "The channel has been added": "تم اضافة القناة", + "The channel has been updated": "تم تحديث القناة", + "The contact does not belong to any group yet.": "جهة الاتصال لا تنتمي إلى أي مجموعة حتى الآن.", + "The contact has been added": "تمت إضافة جهة الاتصال", + "The contact has been deleted": "تم حذف جهة الاتصال", + "The contact has been edited": "تم تحرير جهة الاتصال", + "The contact has been removed from the group": "تمت إزالة جهة الاتصال من المجموعة", + "The contact information has been created": "تم إنشاء معلومات الاتصال", + "The contact information has been deleted": "تم حذف معلومات الاتصال", + "The contact information has been edited": "تم تعديل معلومات الاتصال", + "The contact information type has been created": "تم إنشاء نوع معلومات جهة الاتصال", + "The contact information type has been deleted": "تم حذف نوع معلومات جهة الاتصال", + "The contact information type has been updated": "تم تحديث نوع معلومات الاتصال", + "The contact is archived": "تم أرشفة جهة الاتصال", + "The currencies have been updated": "تم تحديث العملات", + "The currency has been updated": "تم تحديث العملة", + "The date has been added": "تمت إضافة التاريخ", + "The date has been deleted": "تم حذف التاريخ", + "The date has been updated": "تم تحديث التاريخ", + "The document has been added": "تمت إضافة المستند", + "The document has been deleted": "تم حذف المستند", + "The email address has been deleted": "لقد تم حذف عنوان البريد الإلكتروني", + "The email has been added": "تمت إضافة البريد الإلكتروني", + "The email is already taken. Please choose another one.": "البريد الإلكتروني مأخوذ بالفعل. الرجاء اختيار واحد آخر.", + "The gender has been created": "تم إنشاء الجنس", + "The gender has been deleted": "تم حذف الجنس", + "The gender has been updated": "تم تحديث الجنس", + "The gift occasion has been created": "تم إنشاء مناسبة الهدية", + "The gift occasion has been deleted": "تم حذف مناسبة الهدية", + "The gift occasion has been updated": "تم تحديث مناسبة الهدية", + "The gift state has been created": "تم إنشاء حالة الهدية", + "The gift state has been deleted": "تم حذف حالة الهدية", + "The gift state has been updated": "تم تحديث حالة الهدية", + "The given data was invalid.": "البيانات المدخلة غير صالحة.", + "The goal has been created": "تم إنشاء الهدف", + "The goal has been deleted": "تم حذف الهدف", + "The goal has been edited": "تم تعديل الهدف", + "The group has been added": "تمت إضافة المجموعة", + "The group has been deleted": "تم حذف المجموعة", + "The group has been updated": "تم تحديث المجموعة", + "The group type has been created": "تم إنشاء نوع المجموعة", + "The group type has been deleted": "تم حذف نوع المجموعة", + "The group type has been updated": "تم تحديث نوع المجموعة", + "The important dates in the next 12 months": "التواريخ المهمة في الـ 12 شهرًا القادمة", + "The job information has been saved": "تم حفظ معلومات الوظيفة", + "The journal lets you document your life with your own words.": "تتيح لك المجلة توثيق حياتك بكلماتك الخاصة.", + "The keys to manage uploads have not been set in this Monica instance.": "لم يتم تعيين مفاتيح إدارة التحميلات في مثيل Monica هذا.", + "The label has been added": "تمت إضافة التسمية", + "The label has been created": "تم إنشاء التسمية", + "The label has been deleted": "تم حذف التسمية", + "The label has been updated": "تم تحديث التسمية", + "The life metric has been created": "تم إنشاء مقياس الحياة", + "The life metric has been deleted": "تم حذف مقياس الحياة", + "The life metric has been updated": "تم تحديث مقياس الحياة", + "The loan has been created": "تم إنشاء القرض", + "The loan has been deleted": "تم حذف القرض", + "The loan has been edited": "تم تعديل القرض", + "The loan has been settled": "تمت تسوية القرض", + "The loan is an object": "القرض كائن", + "The loan is monetary": "القرض نقدي", + "The module has been added": "تمت إضافة الوحدة", + "The module has been removed": "تمت إزالة الوحدة", + "The note has been created": "تم إنشاء المذكرة", + "The note has been deleted": "تم حذف المذكرة", + "The note has been edited": "تم تعديل المذكرة", + "The notification has been sent": "تم إرسال الإخطار", + "The operation either timed out or was not allowed.": "انتهت مهلة العملية أو لم يتم السماح بها.", + "The page has been added": "تمت إضافة الصفحة", + "The page has been deleted": "تم حذف الصفحة", + "The page has been updated": "تم تحديث الصفحة", + "The password is incorrect.": "كلمة المرور غير صحيحة.", + "The pet category has been created": "تم إنشاء فئة الحيوانات الأليفة", + "The pet category has been deleted": "تم حذف فئة الحيوانات الأليفة", + "The pet category has been updated": "تم تحديث فئة الحيوانات الأليفة", + "The pet has been added": "تمت إضافة الحيوان الأليف", + "The pet has been deleted": "تم حذف الحيوان الأليف", + "The pet has been edited": "تم تحرير الحيوان الأليف", + "The photo has been added": "تمت إضافة الصورة", + "The photo has been deleted": "تم حذف الصورة", + "The position has been saved": "تم حفظ الموقف", + "The post template has been created": "تم إنشاء قالب المشاركة", + "The post template has been deleted": "تم حذف قالب المشاركة", + "The post template has been updated": "تم تحديث قالب المشاركة", + "The pronoun has been created": "تم إنشاء الضمير", + "The pronoun has been deleted": "تم حذف الضمير", + "The pronoun has been updated": "تم تحديث الضمير", + "The provided password does not match your current password.": "كلمة المرور التي قمت بإدخالها لا تطابق كلمة المرور الحالية.", + "The provided password was incorrect.": "كلمة المرور التي قمت بإدخالها غير صحيحة.", + "The provided two factor authentication code was invalid.": "كود المصادقة الثنائية الذي قمت بإدخاله غير صالح.", + "The provided two factor recovery code was invalid.": "كود استرداد المصادقة الثنائية الذي قمت بإدخاله غير صالح.", + "There are no active addresses yet.": "لا توجد عناوين نشطة حتى الآن.", + "There are no calls logged yet.": "لا توجد مكالمات مسجلة حتى الآن.", + "There are no contact information yet.": "لا توجد معلومات الاتصال بعد.", + "There are no documents yet.": "لا توجد وثائق حتى الآن.", + "There are no events on that day, future or past.": "لا توجد أحداث في ذلك اليوم، المستقبل أو الماضي.", + "There are no files yet.": "لا توجد ملفات حتى الآن.", + "There are no goals yet.": "لا توجد أهداف حتى الآن.", + "There are no journal metrics.": "لا توجد مقاييس للمجلة.", + "There are no loans yet.": "لا توجد قروض حتى الآن.", + "There are no notes yet.": "لا توجد ملاحظات حتى الآن.", + "There are no other users in this account.": "لا يوجد مستخدمون آخرون في هذا الحساب.", + "There are no pets yet.": "لا توجد حيوانات أليفة حتى الآن.", + "There are no photos yet.": "لا توجد صور حتى الآن.", + "There are no posts yet.": "لا توجد مشاركات حتى الآن.", + "There are no quick facts here yet.": "لا توجد حقائق سريعة هنا حتى الآن.", + "There are no relationships yet.": "لا توجد علاقات بعد.", + "There are no reminders yet.": "لا توجد تذكيرات حتى الآن.", + "There are no tasks yet.": "لا توجد مهام حتى الآن.", + "There are no templates in the account. Go to the account settings to create one.": "لا توجد قوالب في الحساب. انتقل إلى إعدادات الحساب لإنشاء واحد.", + "There is no activity yet.": "لا يوجد نشاط حتى الان.", + "There is no currencies in this account.": "لا توجد عملات في هذا الحساب.", + "The relationship has been added": "تمت إضافة العلاقة", + "The relationship has been deleted": "تم حذف العلاقة", + "The relationship type has been created": "تم إنشاء نوع العلاقة", + "The relationship type has been deleted": "تم حذف نوع العلاقة", + "The relationship type has been updated": "تم تحديث نوع العلاقة", + "The religion has been created": "لقد خلق الدين", + "The religion has been deleted": "تم حذف الدين", + "The religion has been updated": "تم تحديث الدين", + "The reminder has been created": "تم إنشاء التذكير", + "The reminder has been deleted": "تم حذف التذكير", + "The reminder has been edited": "تم تعديل التذكير", + "The response is not a streamed response.": "الاستجابة ليست استجابة متدفقة.", + "The response is not a view.": "الاستجابة ليست صفحة عرض.", + "The role has been created": "تم إنشاء الدور", + "The role has been deleted": "تم حذف الدور", + "The role has been updated": "تم تحديث الدور", + "The section has been created": "تم إنشاء القسم", + "The section has been deleted": "تم حذف القسم", + "The section has been updated": "تم تحديث القسم", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "تمت دعوة هؤلاء الأشخاص إلى فريقك وتم إرسال دعوة عبر البريد الإلكتروني إليهم. يمكنهم الإنضمام إلى الفريق عن طريق قبول دعوة البريد الإلكتروني.", + "The tag has been added": "تمت إضافة العلامة", + "The tag has been created": "تم إنشاء العلامة", + "The tag has been deleted": "تم حذف العلامة", + "The tag has been updated": "تم تحديث العلامة", + "The task has been created": "تم إنشاء المهمة", + "The task has been deleted": "تم حذف المهمة", + "The task has been edited": "تم تحرير المهمة", + "The team's name and owner information.": "اسم الفريق ومعلومات المالك.", + "The Telegram channel has been deleted": "تم حذف قناة التلجرام", + "The template has been created": "تم إنشاء القالب", + "The template has been deleted": "تم حذف القالب", + "The template has been set": "تم تعيين القالب", + "The template has been updated": "تم تحديث القالب", + "The test email has been sent": "تم إرسال البريد الإلكتروني التجريبي", + "The type has been created": "تم إنشاء النوع", + "The type has been deleted": "تم حذف النوع", + "The type has been updated": "تم تحديث النوع", + "The user has been added": "تمت إضافة المستخدم", + "The user has been deleted": "تم حذف المستخدم", + "The user has been removed": "تمت إزالة المستخدم", + "The user has been updated": "تم تحديث المستخدم", + "The vault has been created": "تم إنشاء القبو", + "The vault has been deleted": "تم حذف الخزنة", + "The vault have been updated": "تم تحديث القبو", + "they/them": "هم / لهم", + "This address is not active anymore": "هذا العنوان لم يعد نشطا بعد الآن", + "This device": "هذا الجهاز", + "This email is a test email to check if Monica can send an email to this email address.": "يعد هذا البريد الإلكتروني بمثابة بريد إلكتروني تجريبي للتحقق مما إذا كان بإمكان Monica إرسال بريد إلكتروني إلى عنوان البريد الإلكتروني هذا.", + "This is a secure area of the application. Please confirm your password before continuing.": "هذه منطقة آمنة للتطبيق. يرجى تأكيد كلمة المرور الخاصة بك قبل المتابعة.", + "This is a test email": "هذه رسالة بريد إلكتروني تجريبية", + "This is a test notification for :name": "هذا إشعار اختباري لـ :name", + "This key is already registered. It’s not necessary to register it again.": "تم تسجيل هذا المفتاح بالفعل. ليس من الضروري تسجيله مرة أخرى.", + "This link will open in a new tab": "سيتم فتح هذا الرابط في علامة تبويب جديدة", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "تعرض هذه الصفحة جميع الإشعارات التي تم إرسالها في هذه القناة في الماضي. إنه في المقام الأول بمثابة وسيلة لتصحيح الأخطاء في حالة عدم تلقي الإشعار الذي قمت بإعداده.", + "This password does not match our records.": "كلمة المرور لا تتطابق مع سجلاتنا.", + "This password reset link will expire in :count minutes.": "ستنتهي صلاحية رابط استعادة كلمة المرور خلال :count دقيقة.", + "This post has no content yet.": "هذه المشاركة لا تحتوي على محتوى حتى الآن.", + "This provider is already associated with another account": "هذا الموفر مرتبط بالفعل بحساب آخر", + "This site is open source.": "هذا الموقع مفتوح المصدر.", + "This template will define what information are displayed on a contact page.": "سيحدد هذا القالب المعلومات التي يتم عرضها على صفحة الاتصال.", + "This user already belongs to the team.": "هذا المستخدم ينتمي بالفعل إلى الفريق.", + "This user has already been invited to the team.": "تمت دعوة هذا المستخدم بالفعل إلى الفريق.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "سيكون هذا المستخدم جزءًا من حسابك، لكنه لن يتمكن من الوصول إلى جميع الخزائن الموجودة في هذا الحساب إلا إذا منحت حق الوصول المحدد إليها. سيكون هذا الشخص قادرًا على إنشاء خزائن أيضًا.", + "This will immediately:": "وهذا على الفور:", + "Three things that happened today": "ثلاثة أشياء حدثت اليوم", + "Thursday": "يوم الخميس", + "Timezone": "وحدة زمنية", + "Title": "عنوان", + "to": "إلى", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "لإنهاء تمكين المصادقة الثنائية، قم بسمح رمز الاستجابة السريعة التالي باستخدام تطبيق المصادقة بهاتفك أو قم بإدخال مفتاح الإعداد وأدخل رمز OTP الذي تم إنشاؤه.", + "Toggle navigation": "إظهار/إخفاء القائمة", + "To hear their story": "لسماع قصتهم", + "Token Name": "اسم الرمز", + "Token name (for your reference only)": "اسم الرمز المميز (للرجوع إليه فقط)", + "Took a new job": "حصلت على وظيفة جديدة", + "Took the bus": "أخذت الحافلة", + "Took the metro": "أخذت المترو", + "Too Many Requests": "طلبات كثيرة جدًا", + "To see if they need anything": "لمعرفة ما إذا كانوا بحاجة إلى أي شيء", + "To start, you need to create a vault.": "للبدء، تحتاج إلى إنشاء قبو.", + "Total:": "المجموع:", + "Total streaks": "مجموع الشرائط", + "Track a new metric": "تتبع مقياسًا جديدًا", + "Transportation": "مواصلات", + "Tuesday": "يوم الثلاثاء", + "Two-factor Confirmation": "التأكيد الثنائي", + "Two Factor Authentication": "المصادقة الثنائية", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "لقد تم تمكين المصادقة الثنائية لحسابك. قم بمسح رمز الاستجابة السريعة التالي باستخدام تطبيق المصادقة بهاتفك أو قم بإدخال مفتاح الإعداد.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "تم الآن تمكين المصادقة الثنائية. قم بمسح رمز الاستجابة السريعة التالي باستخدام تطبيق المصادقة الخاص بهاتفك أو أدخل مفتاح الإعداد.", + "Type": "يكتب", + "Type:": "يكتب:", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "اكتب أي شيء في المحادثة مع روبوت Monica. يمكن أن يكون \"البدء\" على سبيل المثال.", + "Types": "أنواع", + "Type something": "اطبع شيئا", + "Unarchive contact": "إلغاء أرشفة جهة الاتصال", + "unarchived the contact": "تم إلغاء أرشفة جهة الاتصال", + "Unauthorized": "غير مصرّح", + "uncle/aunt": "عم / خالة", + "Undefined": "غير معرف", + "Unexpected error on login.": "خطأ غير متوقع عند تسجيل الدخول.", + "Unknown": "غير معروف", + "unknown action": "عمل غير معروف", + "Unknown age": "عمر غير معروف", + "Unknown name": "اسم غير معروف", + "Update": "تحديث", + "Update a key.": "تحديث مفتاح.", + "updated a contact information": "تم تحديث معلومات الاتصال", + "updated a goal": "تم تحديث الهدف", + "updated an address": "تم تحديث عنوان", + "updated an important date": "تم تحديث تاريخ مهم", + "updated a pet": "تحديث حيوان أليف", + "Updated on :date": "تم التحديث بتاريخ :date", + "updated the avatar of the contact": "تم تحديث الصورة الرمزية لجهة الاتصال", + "updated the contact information": "تم تحديث معلومات الاتصال", + "updated the job information": "تم تحديث معلومات الوظيفة", + "updated the religion": "تحديث الدين", + "Update Password": "تحديث كلمة المرور", + "Update your account's profile information and email address.": "قم بتحديث معلومات ملفك الشخصي وبريدك الإلكتروني.", + "Upload photo as avatar": "تحميل الصورة كصورة رمزية", + "Use": "يستخدم", + "Use an authentication code": "استخدم رمز المصادقة", + "Use a recovery code": "استخدم رمز الاسترداد", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "استخدم مفتاح الأمان (Webauthn أو FIDO) لزيادة أمان حسابك.", + "User preferences": "خيارات المستخدم", + "Users": "المستخدمين", + "User settings": "إعدادات المستخدم", + "Use the following template for this contact": "استخدم القالب التالي لجهة الاتصال هذه", + "Use your password": "استخدم كلمة المرور الخاصة بك", + "Use your security key": "استخدم مفتاح الأمان الخاص بك", + "Validating key…": "جارٍ التحقق من المفتاح...", + "Value copied into your clipboard": "تم نسخ القيمة إلى الحافظة الخاصة بك", + "Vaults contain all your contacts data.": "تحتوي الخزائن على جميع بيانات جهات الاتصال الخاصة بك.", + "Vault settings": "إعدادات الخزنة", + "ve/ver": "لقد / الإصدار", + "Verification email sent": "تم إرسال رسالة التحقق بالبريد الإلكتروني", + "Verified": "تم التحقق", + "Verify Email Address": "التحقق من عنوان البريد الإلكتروني", + "Verify this email address": "تحقق من هذا البريد الألكتروني", + "Version :version — commit [:short](:url).": "الإصدار :version — الالتزام [:short](:url).", + "Via Telegram": "عبر برقية", + "Video call": "مكالمة فيديو", + "View": "منظر", + "View all": "عرض الكل", + "View details": "عرض التفاصيل", + "Viewer": "مشاهد", + "View history": "عرض السجل", + "View log": "سجل عرض", + "View on map": "عرض على الخريطة", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "انتظر بضع ثواني حتى تتعرف Monica (التطبيق) عليك. سنرسل إليك إشعارًا مزيفًا لمعرفة ما إذا كان يعمل أم لا.", + "Waiting for key…": "في انتظار المفتاح...", + "Walked": "مشى", + "Wallpaper": "ورق الجدران", + "Was there a reason for the call?": "هل كان هناك سبب للمكالمة؟", + "Watched a movie": "شاهدت فيلما", + "Watched a tv show": "شاهدت برنامجا تلفزيونيا", + "Watched TV": "شاهدت التلفاز شوهد التلفاز", + "Watch Netflix every day": "شاهد نتفليكس كل يوم", + "Ways to connect": "طرق الاتصال", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "يدعم WebAuthn الاتصالات الآمنة فقط. يرجى تحميل هذه الصفحة بنظام https.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "نحن نسميها علاقة، وعلاقتها العكسية. لكل علاقة تحددها، تحتاج إلى تحديد نظيرتها.", + "Wedding": "قِرَان", + "Wednesday": "الأربعاء", + "We hope you'll like it.": "نأمل أن تنال إعجابك.", + "We hope you will like what we’ve done.": "نأمل أن يعجبك ما فعلناه.", + "Welcome to Monica.": "مرحبا بكم في Monica.", + "Went to a bar": "ذهبت إلى الحانة", + "We support Markdown to format the text (bold, lists, headings, etc…).": "نحن ندعم Markdown لتنسيق النص (غامق، قوائم، عناوين، إلخ...).", + "We were unable to find a registered user with this email address.": "لم نتمكن من العثور على مستخدم مسجل بهذا البريد الإلكتروني.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "سنرسل بريدًا إلكترونيًا إلى عنوان البريد الإلكتروني هذا والذي ستحتاج إلى تأكيده قبل أن نتمكن من إرسال إشعارات إلى هذا العنوان.", + "What happens now?": "ماذا يحدث الآن؟", + "What is the loan?": "ما هو القرض؟", + "What permission should :name have?": "ما الإذن الذي يجب أن يتمتع به :name؟", + "What permission should the user have?": "ما الإذن الذي يجب أن يحصل عليه المستخدم؟", + "Whatsapp": "واتس اب", + "What should we use to display maps?": "ماذا يجب أن نستخدم لعرض الخرائط؟", + "What would make today great?": "ما الذي يجعل اليوم عظيما؟", + "When did the call happened?": "متى حدثت المكالمة؟", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "عند تمكين المصادقة الثنائية، ستتم مطالبتك برمز آمن وعشوائي أثناء المصادقة. يمكنك الحصول على هذا الرمز من تطبيق Google Authenticator بهاتفك.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "عند تمكين المصادقة الثنائية، سيُطلب منك رمزًا آمنًا وعشوائيًا أثناء المصادقة. يمكنك استرداد هذا الرمز المميز من تطبيق Authenticator بهاتفك.", + "When was the loan made?": "متى تم القرض؟", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "عندما تحدد علاقة بين جهتي اتصال، على سبيل المثال علاقة الأب والابن، تقوم Monica بإنشاء علاقتين، واحدة لكل جهة اتصال:", + "Which email address should we send the notification to?": "ما هو عنوان البريد الإلكتروني الذي يجب أن نرسل الإشعار إليه؟", + "Who called?": "الذي اتصل؟", + "Who makes the loan?": "من الذي يقدم القرض؟", + "Whoops!": "عذراً!", + "Whoops! Something went wrong.": "عذرًا! هناك خطأ ما.", + "Who should we invite in this vault?": "من يجب أن ندعوه في هذا القبو؟", + "Who the loan is for?": "لمن القرض؟", + "Wish good day": "أتمنى يوم جيد", + "Work": "عمل", + "Write the amount with a dot if you need decimals, like 100.50": "اكتب المبلغ بنقطة إذا كنت بحاجة إلى أعداد عشرية، مثل 100.50", + "Written on": "وكتب على", + "wrote a note": "كتب ملاحظة", + "xe/xem": "xe / xem", + "year": "سنة", + "Years": "سنين", + "You are here:": "أنت هنا:", + "You are invited to join Monica": "أنت مدعو للانضمام إلى Monica", + "You are receiving this email because we received a password reset request for your account.": "لقد استلمت هذا الإيميل لأننا استقبلنا طلباً لاستعادة كلمة مرور حسابك.", + "you can't even use your current username or password to sign in,": "ولا يمكنك حتى استخدام اسم المستخدم أو كلمة المرور الحالية لتسجيل الدخول،", + "you can't import any data from your current Monica account(yet),": "لا يمكنك استيراد أي بيانات من حساب Monica الحالي الخاص بك (حتى الآن)،", + "You can add job information to your contacts and manage the companies here in this tab.": "يمكنك إضافة معلومات الوظيفة إلى جهات الاتصال الخاصة بك وإدارة الشركات هنا في علامة التبويب هذه.", + "You can add more account to log in to our service with one click.": "يمكنك إضافة المزيد من الحسابات لتسجيل الدخول إلى خدمتنا بنقرة واحدة.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "يمكن أن يتم إعلامك من خلال قنوات مختلفة: رسائل البريد الإلكتروني، ورسالة Telegram، على Facebook. انت صاحب القرار.", + "You can change that at any time.": "يمكنك تغيير ذلك في أي وقت.", + "You can choose how you want Monica to display dates in the application.": "يمكنك اختيار الطريقة التي تريد أن تعرض بها Monica التواريخ في التطبيق.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "يمكنك اختيار العملات التي يجب تمكينها في حسابك، والعملات التي لا ينبغي تمكينها.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "يمكنك تخصيص كيفية عرض جهات الاتصال وفقًا لذوقك/ثقافتك. ربما ترغب في استخدام جيمس بوند بدلاً من بوند جيمس. هنا، يمكنك تحديد ذلك في الإرادة.", + "You can customize the criteria that let you track your mood.": "يمكنك تخصيص المعايير التي تتيح لك تتبع حالتك المزاجية.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "يمكنك نقل جهات الاتصال بين الخزائن. هذا التغيير فوري. يمكنك فقط نقل جهات الاتصال إلى الخزائن التي أنت جزء منها. ستنتقل معها جميع بيانات جهات الاتصال.", + "You cannot remove your own administrator privilege.": "لا يمكنك إزالة امتياز المسؤول الخاص بك.", + "You don’t have enough space left in your account.": "ليس لديك مساحة كافية في حسابك.", + "You don’t have enough space left in your account. Please upgrade.": "ليس لديك مساحة كافية في حسابك. يرجى الترقية.", + "You have been invited to join the :team team!": "لقد تمت دعوتك للإنضمام إلى فريق :team!", + "You have enabled two factor authentication.": "لقد قمت بتمكين المصادقة الثنائية.", + "You have not enabled two factor authentication.": "لم تقم بتمكين المصادقة الثنائية.", + "You have not setup Telegram in your environment variables yet.": "لم تقم بإعداد Telegram في متغيرات البيئة الخاصة بك حتى الآن.", + "You haven’t received a notification in this channel yet.": "لم تتلق إشعارًا في هذه القناة حتى الآن.", + "You haven’t setup Telegram yet.": "لم تقم بإعداد Telegram بعد.", + "You may accept this invitation by clicking the button below:": "يمكنك قبول هذه الدعوة بالضغط على الزر أدناه:", + "You may delete any of your existing tokens if they are no longer needed.": "يمكنك حذف أي من الرموز المميزة الموجودة لديك إذا لم تعد هناك حاجة إليها.", + "You may not delete your personal team.": "لا يمكنك حذف فريقك الشخصي.", + "You may not leave a team that you created.": "لا يمكنك مغادرة الفريق الذي أنشأته.", + "You might need to reload the page to see the changes.": "قد تحتاج إلى إعادة تحميل الصفحة لرؤية التغييرات.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "تحتاج إلى قالب واحد على الأقل حتى يتم عرض جهات الاتصال. بدون القالب، لن تعرف Monica المعلومات التي يجب أن تعرضها.", + "Your account current usage": "الاستخدام الحالي لحسابك", + "Your account has been created": "لقد تم إنشاء حسابك", + "Your account is linked": "حسابك مرتبط", + "Your account limits": "حدود حسابك", + "Your account will be closed immediately,": "سيتم إغلاق حسابك على الفور،", + "Your browser doesn’t currently support WebAuthn.": "متصفحك لا يدعم WebAuthn حاليًا.", + "Your email address is unverified.": "لم يتم التحقق من عنوان بريدك الإلكتروني.", + "Your life events": "أحداث حياتك", + "Your mood has been recorded!": "تم تسجيل حالتك المزاجية!", + "Your mood that day": "حالتك المزاجية في ذلك اليوم", + "Your mood that you logged at this date": "حالتك المزاجية التي قمت بتسجيلها في هذا التاريخ", + "Your mood this year": "مزاجك هذا العام", + "Your name here will be used to add yourself as a contact.": "سيتم استخدام اسمك هنا لإضافة نفسك كجهة اتصال.", + "You wanted to be reminded of the following:": "أردت أن أذكرك بما يلي:", + "You WILL still have to delete your account on Monica or OfficeLife.": "سيظل يتعين عليك حذف حسابك على Monica أو OfficeLife.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "لقد تمت دعوتك لاستخدام عنوان البريد الإلكتروني هذا في Monica، وهو نظام إدارة علاقات العملاء (CRM) شخصي مفتوح المصدر، حتى نتمكن من استخدامه لإرسال إشعارات إليك.", + "ze/hir": "زي / هير", + "⚠️ Danger zone": "⚠️منطقة الخطر", + "🌳 Chalet": "🌳شاليه", + "🏠 Secondary residence": "🏠 الإقامة الثانوية", + "🏡 Home": "🏡 المنزل", + "🏢 Work": "🏢 العمل", + "🔔 Reminder: :label for :contactName": "🔔 تذكير: :label لـ :contactName", + "😀 Good": "😀 جيد", + "😁 Positive": "😁 إيجابي", + "😐 Meh": "😐 ميه", + "😔 Bad": "💔 سيء", + "😡 Negative": "😡 سلبي", + "😩 Awful": "😩 فظيعة", + "😶‍🌫️ Neutral": "😶‍🌫️ محايد", + "🥳 Awesome": "🥳رائع" +} \ No newline at end of file diff --git a/lang/ar/auth.php b/lang/ar/auth.php new file mode 100644 index 00000000000..7d0c13da50f --- /dev/null +++ b/lang/ar/auth.php @@ -0,0 +1,8 @@ + 'بيانات الاعتماد هذه غير متطابقة مع البيانات المسجلة لدينا.', + 'lang' => 'العربية', + 'password' => 'كلمة المرور غير صحيحة.', + 'throttle' => 'عدد كبير جدا من محاولات الدخول. يرجى المحاولة مرة أخرى بعد :seconds ثانية.', +]; diff --git a/lang/no/format.php b/lang/ar/format.php similarity index 100% rename from lang/no/format.php rename to lang/ar/format.php diff --git a/lang/ar/http-statuses.php b/lang/ar/http-statuses.php new file mode 100644 index 00000000000..5fb29f47708 --- /dev/null +++ b/lang/ar/http-statuses.php @@ -0,0 +1,82 @@ + 'خطأ غير معروف', + '100' => 'استمر', + '101' => 'تبديل البروتوكولات', + '102' => 'معالجة', + '200' => 'حسنا', + '201' => 'خلقت', + '202' => 'وافقت', + '203' => 'غير موثوقة المعلومات', + '204' => 'لا يوجد محتوى', + '205' => 'إعادة تعيين المحتوى', + '206' => 'محتوى جزئي', + '207' => 'متعددة الحالة', + '208' => 'ذكرت بالفعل', + '226' => 'أنا معتاد', + '300' => 'خيارات متعددة', + '301' => 'انتقل بشكل دائم', + '302' => 'وجدت', + '303' => 'انظر الآخر', + '304' => 'غير معدل', + '305' => 'استخدام بروكسي', + '307' => 'إعادة التوجيه المؤقتة', + '308' => 'إعادة التوجيه الدائم', + '400' => 'اقتراح غير جيد', + '401' => 'غير مصرح', + '402' => 'الدفع مطلوب', + '403' => 'ممنوع', + '404' => 'الصفحة غير موجودة', + '405' => 'الطريقة غير مسموحة', + '406' => 'غير مقبول', + '407' => 'مصادقة الوكيل مطلوبة', + '408' => 'طلب المهلة', + '409' => 'نزاع', + '410' => 'ذهب', + '411' => 'المدة المطلوبة', + '412' => 'فشل الشرط المسبق', + '413' => 'الحمولة كبيرة جدا', + '414' => 'URI طويل جدا', + '415' => 'نوع الوسائط غير مدعوم', + '416' => 'نطاق غير مقبول', + '417' => 'توقع فشل', + '418' => 'أنا إبريق الشاي', + '419' => 'انتهت الجلسة', + '421' => 'طلب خاطئ', + '422' => 'كيان غير قابل للمعاملة', + '423' => 'مقفل', + '424' => 'فشل التبعية', + '425' => 'مبكر جدا', + '426' => 'الترقية مطلوبة', + '428' => 'الشرط المسبق مطلوب', + '429' => 'طلبات كثيرة جدا', + '431' => 'طلب حقول العنوان كبيرة جدًا', + '444' => 'تم إغلاق الاتصال دون استجابة', + '449' => 'أعد المحاولة', + '451' => 'غير متوفر للأسباب القانونية', + '499' => 'طلب العميل مغلق', + '500' => 'خطأ في الخادم الداخلي', + '501' => 'لم تنفذ', + '502' => 'مدخل خاطأ', + '503' => 'نمط الصيانة', + '504' => 'غمازة', + '505' => 'إصدار HTTP غير مدعوم', + '506' => 'البديل يتفاوض أيضا', + '507' => 'تخزين غير كاف', + '508' => 'حلقة اكتشفت', + '509' => 'تجاوز عرض النطاق الترددي', + '510' => 'غير ممتدة', + '511' => 'مصادقة الشبكة المطلوبة', + '520' => 'خطأ غير معروف', + '521' => 'خادم الويب هو أسفل', + '522' => 'انتهت مدة الاتصال', + '523' => 'المنشأ غير قابل للوصول', + '524' => 'انتهت المهلة', + '525' => 'أخفق مصافحة SSL', + '526' => 'شهادة SSL غير صالحة', + '527' => 'خطأ Railgun', + '598' => 'خطأ في مهلة قراءة الشبكة', + '599' => 'خطأ مهلة الاتصال بالشبكة', + 'unknownError' => 'خطأ غير معروف', +]; diff --git a/lang/ar/pagination.php b/lang/ar/pagination.php new file mode 100644 index 00000000000..7c5c6e615ae --- /dev/null +++ b/lang/ar/pagination.php @@ -0,0 +1,6 @@ + 'التالي ❯', + 'previous' => '❮ السابق', +]; diff --git a/lang/ar/passwords.php b/lang/ar/passwords.php new file mode 100644 index 00000000000..f34ac756499 --- /dev/null +++ b/lang/ar/passwords.php @@ -0,0 +1,9 @@ + 'تمت إعادة تعيين كلمة المرور!', + 'sent' => 'تم إرسال تفاصيل استعادة كلمة المرور الخاصة بك إلى بريدك الإلكتروني!', + 'throttled' => 'الرجاء الانتظار قبل إعادة المحاولة.', + 'token' => 'رمز استعادة كلمة المرور الذي أدخلته غير صحيح.', + 'user' => 'لم يتم العثور على أيّ حسابٍ بهذا العنوان الإلكتروني.', +]; diff --git a/lang/ar/validation.php b/lang/ar/validation.php new file mode 100644 index 00000000000..68c710bdfbb --- /dev/null +++ b/lang/ar/validation.php @@ -0,0 +1,215 @@ + 'يجب قبول :attribute.', + 'accepted_if' => 'يجب قبول :attribute في حالة :other يساوي :value.', + 'active_url' => 'حقل :attribute لا يُمثّل رابطًا صحيحًا.', + 'after' => 'يجب على حقل :attribute أن يكون تاريخًا لاحقًا للتاريخ :date.', + 'after_or_equal' => 'حقل :attribute يجب أن يكون تاريخاً لاحقاً أو مطابقاً للتاريخ :date.', + 'alpha' => 'يجب أن لا يحتوي حقل :attribute سوى على حروف.', + 'alpha_dash' => 'يجب أن لا يحتوي حقل :attribute سوى على حروف، أرقام ومطّات.', + 'alpha_num' => 'يجب أن يحتوي حقل :attribute على حروفٍ وأرقامٍ فقط.', + 'array' => 'يجب أن يكون حقل :attribute ًمصفوفة.', + 'ascii' => 'يجب أن يحتوي الحقل :attribute فقط على أحرف أبجدية رقمية أحادية البايت ورموز.', + 'attributes' => [ + 'address' => 'العنوان', + 'age' => 'العمر', + 'amount' => 'الكمية', + 'area' => 'المنطقة', + 'available' => 'مُتاح', + 'birthday' => 'عيد الميلاد', + 'body' => 'المُحتوى', + 'city' => 'المدينة', + 'content' => 'المُحتوى', + 'country' => 'الدولة', + 'created_at' => 'تاريخ الإنشاء', + 'creator' => 'المنشئ', + 'current_password' => 'كلمة المرور الحالية', + 'date' => 'التاريخ', + 'date_of_birth' => 'تاريخ الميلاد', + 'day' => 'اليوم', + 'deleted_at' => 'تاريخ الحذف', + 'description' => 'الوصف', + 'district' => 'الحي', + 'duration' => 'المدة', + 'email' => 'البريد الالكتروني', + 'excerpt' => 'المُلخص', + 'filter' => 'تصفية', + 'first_name' => 'الاسم الأول', + 'gender' => 'النوع', + 'group' => 'مجموعة', + 'hour' => 'ساعة', + 'image' => 'صورة', + 'last_name' => 'اسم العائلة', + 'lesson' => 'درس', + 'line_address_1' => 'العنوان 1', + 'line_address_2' => 'العنوان 2', + 'message' => 'الرسالة', + 'middle_name' => 'الاسم الأوسط', + 'minute' => 'دقيقة', + 'mobile' => 'الجوال', + 'month' => 'الشهر', + 'name' => 'الاسم', + 'national_code' => 'الرمز الدولي', + 'number' => 'الرقم', + 'password' => 'كلمة المرور', + 'password_confirmation' => 'تأكيد كلمة المرور', + 'phone' => 'الهاتف', + 'photo' => 'الصورة', + 'postal_code' => 'الرمز البريدي', + 'price' => 'السعر', + 'province' => 'المحافظة', + 'recaptcha_response_field' => 'حقل استجابة recaptcha', + 'remember' => 'تذكير', + 'restored_at' => 'تاريخ الاستعادة', + 'result_text_under_image' => 'نص النتيجة أسفل الصورة', + 'role' => 'الصلاحية', + 'second' => 'ثانية', + 'sex' => 'الجنس', + 'short_text' => 'نص مختصر', + 'size' => 'الحجم', + 'state' => 'الولاية', + 'street' => 'الشارع', + 'student' => 'طالب', + 'subject' => 'الموضوع', + 'teacher' => 'معلّم', + 'terms' => 'الأحكام', + 'test_description' => 'وصف الاختبار', + 'test_locale' => 'لغة الاختبار', + 'test_name' => 'اسم الاختبار', + 'text' => 'نص', + 'time' => 'الوقت', + 'title' => 'اللقب', + 'updated_at' => 'تاريخ التحديث', + 'username' => 'اسم المُستخدم', + 'year' => 'السنة', + ], + 'before' => 'يجب على حقل :attribute أن يكون تاريخًا سابقًا للتاريخ :date.', + 'before_or_equal' => 'حقل :attribute يجب أن يكون تاريخا سابقا أو مطابقا للتاريخ :date.', + 'between' => [ + 'array' => 'يجب أن يحتوي حقل :attribute على عدد من العناصر بين :min و :max.', + 'file' => 'يجب أن يكون حجم ملف حقل :attribute بين :min و :max كيلوبايت.', + 'numeric' => 'يجب أن تكون قيمة حقل :attribute بين :min و :max.', + 'string' => 'يجب أن يكون عدد حروف نّص حقل :attribute بين :min و :max.', + ], + 'boolean' => 'يجب أن تكون قيمة حقل :attribute إما true أو false .', + 'can' => 'الحقل :attribute يحتوي على قيمة غير مصرّح بها.', + 'confirmed' => 'حقل التأكيد غير مُطابق للحقل :attribute.', + 'current_password' => 'كلمة المرور غير صحيحة.', + 'date' => 'حقل :attribute ليس تاريخًا صحيحًا.', + 'date_equals' => 'يجب أن يكون حقل :attribute مطابقاً للتاريخ :date.', + 'date_format' => 'لا يتوافق حقل :attribute مع الشكل :format.', + 'decimal' => 'يجب أن يحتوي الحقل :attribute على :decimal منزلة/منازل عشرية.', + 'declined' => 'يجب رفض :attribute.', + 'declined_if' => 'يجب رفض :attribute عندما يكون :other بقيمة :value.', + 'different' => 'يجب أن يكون الحقلان :attribute و :other مُختلفين.', + 'digits' => 'يجب أن يحتوي حقل :attribute على :digits رقمًا/أرقام.', + 'digits_between' => 'يجب أن يحتوي حقل :attribute بين :min و :max رقمًا/أرقام .', + 'dimensions' => 'الحقل:attribute يحتوي على أبعاد صورة غير صالحة.', + 'distinct' => 'للحقل :attribute قيمة مُكرّرة.', + 'doesnt_end_with' => 'الحقل :attribute يجب ألّا ينتهي بأحد القيم التالية: :values.', + 'doesnt_start_with' => 'الحقل :attribute يجب ألّا يبدأ بأحد القيم التالية: :values.', + 'email' => 'يجب أن يكون حقل :attribute عنوان بريد إلكتروني صحيح البُنية.', + 'ends_with' => 'يجب أن ينتهي حقل :attribute بأحد القيم التالية: :values', + 'enum' => 'حقل :attribute المختار غير صالح.', + 'exists' => 'القيمة المحددة :attribute غير موجودة.', + 'file' => 'الحقل :attribute يجب أن يكون ملفا.', + 'filled' => 'حقل :attribute إجباري.', + 'gt' => [ + 'array' => 'يجب أن يحتوي حقل :attribute على أكثر من :value عناصر/عنصر.', + 'file' => 'يجب أن يكون حجم ملف حقل :attribute أكبر من :value كيلوبايت.', + 'numeric' => 'يجب أن تكون قيمة حقل :attribute أكبر من :value.', + 'string' => 'يجب أن يكون طول نّص حقل :attribute أكثر من :value حروفٍ/حرفًا.', + ], + 'gte' => [ + 'array' => 'يجب أن يحتوي حقل :attribute على الأقل على :value عُنصرًا/عناصر.', + 'file' => 'يجب أن يكون حجم ملف حقل :attribute على الأقل :value كيلوبايت.', + 'numeric' => 'يجب أن تكون قيمة حقل :attribute مساوية أو أكبر من :value.', + 'string' => 'يجب أن يكون طول نص حقل :attribute على الأقل :value حروفٍ/حرفًا.', + ], + 'image' => 'يجب أن يكون حقل :attribute صورةً.', + 'in' => 'حقل :attribute غير موجود.', + 'integer' => 'يجب أن يكون حقل :attribute عددًا صحيحًا.', + 'in_array' => 'حقل :attribute غير موجود في :other.', + 'ip' => 'يجب أن يكون حقل :attribute عنوان IP صحيحًا.', + 'ipv4' => 'يجب أن يكون حقل :attribute عنوان IPv4 صحيحًا.', + 'ipv6' => 'يجب أن يكون حقل :attribute عنوان IPv6 صحيحًا.', + 'json' => 'يجب أن يكون حقل :attribute نصًا من نوع JSON.', + 'lowercase' => 'يجب أن يحتوي الحقل :attribute على حروف صغيرة.', + 'lt' => [ + 'array' => 'يجب أن يحتوي حقل :attribute على أقل من :value عناصر/عنصر.', + 'file' => 'يجب أن يكون حجم ملف حقل :attribute أصغر من :value كيلوبايت.', + 'numeric' => 'يجب أن تكون قيمة حقل :attribute أصغر من :value.', + 'string' => 'يجب أن يكون طول نّص حقل :attribute أقل من :value حروفٍ/حرفًا.', + ], + 'lte' => [ + 'array' => 'يجب أن لا يحتوي حقل :attribute على أكثر من :value عناصر/عنصر.', + 'file' => 'يجب أن لا يتجاوز حجم ملف حقل :attribute :value كيلوبايت.', + 'numeric' => 'يجب أن تكون قيمة حقل :attribute مساوية أو أصغر من :value.', + 'string' => 'يجب أن لا يتجاوز طول نّص حقل :attribute :value حروفٍ/حرفًا.', + ], + 'mac_address' => 'الحقل :attribute يجب أن يكون عنوان MAC صالحاً.', + 'max' => [ + 'array' => 'يجب أن لا يحتوي حقل :attribute على أكثر من :max عناصر/عنصر.', + 'file' => 'يجب أن لا يتجاوز حجم ملف حقل :attribute :max كيلوبايت.', + 'numeric' => 'يجب أن تكون قيمة حقل :attribute مساوية أو أصغر من :max.', + 'string' => 'يجب أن لا يتجاوز طول نّص حقل :attribute :max حروفٍ/حرفًا.', + ], + 'max_digits' => 'يجب ألا يحتوي الحقل :attribute على أكثر من :max رقم/أرقام.', + 'mimes' => 'يجب أن يكون ملفًا من نوع : :values.', + 'mimetypes' => 'يجب أن يكون ملفًا من نوع : :values.', + 'min' => [ + 'array' => 'يجب أن يحتوي حقل :attribute على الأقل على :min عُنصرًا/عناصر.', + 'file' => 'يجب أن يكون حجم ملف حقل :attribute على الأقل :min كيلوبايت.', + 'numeric' => 'يجب أن تكون قيمة حقل :attribute مساوية أو أكبر من :min.', + 'string' => 'يجب أن يكون طول نص حقل :attribute على الأقل :min حروفٍ/حرفًا.', + ], + 'min_digits' => 'يجب أن يحتوي الحقل :attribute على الأقل :min رقم/أرقام.', + 'missing' => 'يجب أن يكون الحقل :attribute مفقوداً.', + 'missing_if' => 'يجب أن يكون الحقل :attribute مفقوداً عندما :other يساوي :value.', + 'missing_unless' => 'يجب أن يكون الحقل :attribute مفقوداً ما لم يكن :other يساوي :value.', + 'missing_with' => 'يجب أن يكون الحقل :attribute مفقوداً عند توفر :values.', + 'missing_with_all' => 'يجب أن يكون الحقل :attribute مفقوداً عند توفر :values.', + 'multiple_of' => 'حقل :attribute يجب أن يكون من مضاعفات :value', + 'not_in' => 'عنصر الحقل :attribute غير صحيح.', + 'not_regex' => 'صيغة حقل :attribute غير صحيحة.', + 'numeric' => 'يجب على حقل :attribute أن يكون رقمًا.', + 'password' => [ + 'letters' => 'يجب أن يحتوي حقل :attribute على حرف واحد على الأقل.', + 'mixed' => 'يجب أن يحتوي حقل :attribute على حرف كبير وحرف صغير على الأقل.', + 'numbers' => 'يجب أن يحتوي حقل :attribute على رقمٍ واحدٍ على الأقل.', + 'symbols' => 'يجب أن يحتوي حقل :attribute على رمزٍ واحدٍ على الأقل.', + 'uncompromised' => 'حقل :attribute ظهر في بيانات مُسربة. الرجاء اختيار :attribute مختلف.', + ], + 'present' => 'يجب تقديم حقل :attribute.', + 'prohibited' => 'حقل :attribute محظور.', + 'prohibited_if' => 'حقل :attribute محظور إذا كان :other هو :value.', + 'prohibited_unless' => 'حقل :attribute محظور ما لم يكن :other ضمن :values.', + 'prohibits' => 'الحقل :attribute يحظر تواجد الحقل :other.', + 'regex' => 'صيغة حقل :attribute غير صحيحة.', + 'required' => 'حقل :attribute مطلوب.', + 'required_array_keys' => 'الحقل :attribute يجب أن يحتوي على مدخلات لـ: :values.', + 'required_if' => 'حقل :attribute مطلوب في حال ما إذا كان :other يساوي :value.', + 'required_if_accepted' => 'الحقل :attribute مطلوب عند قبول الحقل :other.', + 'required_unless' => 'حقل :attribute مطلوب في حال ما لم يكن :other يساوي :values.', + 'required_with' => 'حقل :attribute مطلوب إذا توفّر :values.', + 'required_without' => 'حقل :attribute مطلوب إذا لم يتوفّر :values.', + 'required_without_all' => 'حقل :attribute مطلوب إذا لم يتوفّر :values.', + 'required_with_all' => 'حقل :attribute مطلوب إذا توفّر :values.', + 'same' => 'يجب أن يتطابق حقل :attribute مع :other.', + 'size' => [ + 'array' => 'يجب أن يحتوي حقل :attribute على :size عنصرٍ/عناصر بالضبط.', + 'file' => 'يجب أن يكون حجم ملف حقل :attribute :size كيلوبايت.', + 'numeric' => 'يجب أن تكون قيمة حقل :attribute مساوية لـ :size.', + 'string' => 'يجب أن يحتوي نص حقل :attribute على :size حروفٍ/حرفًا بالضبط.', + ], + 'starts_with' => 'يجب أن يبدأ حقل :attribute بأحد القيم التالية: :values', + 'string' => 'يجب أن يكون حقل :attribute نصًا.', + 'timezone' => 'يجب أن يكون حقل :attribute نطاقًا زمنيًا صحيحًا.', + 'ulid' => 'حقل :attribute يجب أن يكون بصيغة ULID سليمة.', + 'unique' => 'قيمة حقل :attribute مُستخدمة من قبل.', + 'uploaded' => 'فشل في تحميل الـ :attribute.', + 'uppercase' => 'يجب أن يحتوي الحقل :attribute على حروف كبيرة.', + 'url' => 'صيغة رابط حقل :attribute غير صحيحة.', + 'uuid' => 'حقل :attribute يجب أن يكون بصيغة UUID سليمة.', +]; diff --git a/lang/bn.json b/lang/bn.json index 0aa95bae34c..160c12a74d2 100644 --- a/lang/bn.json +++ b/lang/bn.json @@ -1,6 +1,6 @@ { - "(and :count more error)": "(এবং: আরো ত্রুটি গণনা)", - "(and :count more errors)": "(এবং: আরো ত্রুটি গণনা)", + "(and :count more error)": "(এবং আরও :count টি ত্রুটি)", + "(and :count more errors)": "(এবং আরও :count টি ত্রুটিসমূহ)", "(Help)": "(সাহায্য)", "+ add a contact": "+ একটি পরিচিতি যোগ করুন", "+ add another": "+ আরেকটি যোগ করুন", @@ -22,21 +22,21 @@ "+ note": "+ নোট", "+ number of hours slept": "+ ঘুমানোর ঘন্টার সংখ্যা", "+ prefix": "+ উপসর্গ", - "+ pronoun": "+ ঝোঁক", + "+ pronoun": "+ সর্বনাম", "+ suffix": "+ প্রত্যয়", - ":count contact|:count contacts": ":গণনা যোগাযোগ|:পরিচিতি গণনা করুন", - ":count hour slept|:count hours slept": ":গণনা ঘন্টা ঘুমায়|:গণনা ঘন্টা ঘুমানো", - ":count min read": ": মিনিট পড়া গণনা করুন", - ":count post|:count posts": ":গণনা পোস্ট|:গণনা পোস্ট", - ":count template section|:count template sections": ":গণনা টেমপ্লেট বিভাগ|:গণনা টেমপ্লেট বিভাগ", - ":count word|:count words": ":শব্দ গণনা|:শব্দ গণনা করুন", - ":distance km": ": দূরত্ব কিমি", - ":distance miles": ": দূরত্ব মাইল", - ":file at line :line": ": লাইনে ফাইল : লাইন", - ":file in :class at line :line": ":file in :class at line :line", - ":Name called": ": নাম বলা হয়", - ":Name called, but I didn’t answer": ": নাম ডাকলাম, কিন্তু উত্তর দিলাম না", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName আপনাকে মনিকাতে যোগ দিতে আমন্ত্রণ জানিয়েছে, একটি ওপেন সোর্স ব্যক্তিগত CRM, যা আপনাকে আপনার সম্পর্ক নথিভুক্ত করতে সাহায্য করার জন্য ডিজাইন করা হয়েছে৷", + ":count contact|:count contacts": ":count পরিচিতি|:count পরিচিতি", + ":count hour slept|:count hours slept": ":count ঘণ্টা ঘুমিয়েছি|:count ঘন্টা ঘুমানো", + ":count min read": ":count মিনিট পড়া", + ":count post|:count posts": ":countটি পোস্ট|:count পোস্ট", + ":count template section|:count template sections": ":count টেমপ্লেট বিভাগ|:count টেমপ্লেট বিভাগ", + ":count word|:count words": ":count শব্দ|:count শব্দ", + ":distance km": ":distance কিমি", + ":distance miles": ":distance মাইল", + ":file at line :line": ":file লাইনে :line", + ":file in :class at line :line": ":line লাইনে :class :file", + ":Name called": ":Name কল করেছে", + ":Name called, but I didn’t answer": ":Name কল, কিন্তু আমি উত্তর করিনি", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName আপনাকে Monica সাথে যোগ দিতে আমন্ত্রণ জানিয়েছে, একটি ওপেন সোর্স ব্যক্তিগত CRM, যা আপনাকে আপনার সম্পর্ক নথিভুক্ত করতে সাহায্য করার জন্য ডিজাইন করা হয়েছে৷", "Accept Invitation": "আমন্ত্রণ গ্রহণ", "Accept invitation and create your account": "আমন্ত্রণ গ্রহণ করুন এবং আপনার অ্যাকাউন্ট তৈরি করুন", "Account and security": "অ্যাকাউন্ট এবং নিরাপত্তা", @@ -71,7 +71,7 @@ "Add an email to be notified when a reminder occurs.": "একটি অনুস্মারক ঘটলে অবহিত করার জন্য একটি ইমেল যোগ করুন।", "Add an entry": "একটি এন্ট্রি যোগ করুন", "add a new metric": "একটি নতুন মেট্রিক যোগ করুন", - "Add a new team member to your team, allowing them to collaborate with you.": "আপনার দলে একজন নতুন দলের সদস্য যোগ করুন, তাদের আপনার সাথে সহযোগিতা করার অনুমতি দিন।", + "Add a new team member to your team, allowing them to collaborate with you.": "আপনার দলে একজন নতুন সদস্য যোগ করুন, তারা আপনার সাথে সহযোগিতা করতে সক্ষম হবেন।", "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "এই ব্যক্তির সম্পর্কে আপনার কাছে কী গুরুত্বপূর্ণ তা মনে রাখতে একটি গুরুত্বপূর্ণ তারিখ যোগ করুন, যেমন একটি জন্মতারিখ বা একটি মৃত তারিখ।", "Add a note": "একটি নোট যোগ করো", "Add another life event": "জীবনের আরেকটি ঘটনা যোগ করুন", @@ -106,7 +106,7 @@ "added the contact to a group": "একটি গ্রুপে পরিচিতি যোগ করা হয়েছে", "added the contact to a post": "একটি পোস্টে পরিচিতি যোগ করা হয়েছে৷", "added the contact to the favorites": "প্রিয়তে পরিচিতি যোগ করা হয়েছে", - "Add genders to associate them to contacts.": "তাদের পরিচিতির সাথে যুক্ত করতে লিঙ্গ যোগ করুন।", + "Add genders to associate them to contacts.": "পরিচিতিতে তাদের যুক্ত করতে লিঙ্গ যোগ করুন।", "Add loan": "ঋণ যোগ করুন", "Add one now": "এখন একটি যোগ করুন", "Add photos": "ছবি যুক্ত করো", @@ -115,19 +115,19 @@ "Address type": "ঠিকানার ধরন", "Address types": "ঠিকানার ধরন", "Address types let you classify contact addresses.": "ঠিকানার ধরন আপনাকে যোগাযোগের ঠিকানা শ্রেণীবদ্ধ করতে দেয়।", - "Add Team Member": "দলের সদস্য যোগ করুন", + "Add Team Member": "দলে সদস্য যোগ করুন", "Add to group": "গ্রুপে যোগ করুন", "Administrator": "প্রশাসক", - "Administrator users can perform any action.": "অ্যাডমিনিস্ট্রেটর ব্যবহারকারীরা যে কোনো কাজ করতে পারেন।", + "Administrator users can perform any action.": "প্রশাসক ব্যবহারকারীরা যে কোন কাজ করতে পারেন।", "a father-son relation shown on the father page,": "পিতা-পুত্রের সম্পর্ক পিতার পাতায় দেখানো হয়েছে,", "after the next occurence of the date.": "তারিখের পরবর্তী ঘটনার পর।", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "একটি দল দুই বা ততোধিক লোক একসাথে। এটি একটি পরিবার, একটি পরিবার, একটি ক্রীড়া ক্লাব হতে পারে। যাই হোক না কেন আপনার জন্য গুরুত্বপূর্ণ.", "All contacts in the vault": "ভল্টে সমস্ত পরিচিতি", "All files": "সকল নথি", "All groups in the vault": "ভল্টে সব দল", - "All journal metrics in :name": "সমস্ত জার্নাল মেট্রিক্স :নামে", - "All of the people that are part of this team.": "এই দলের অংশ যারা মানুষ সব.", - "All rights reserved.": "সমস্ত অধিকার সংরক্ষিত.", + "All journal metrics in :name": "সমস্ত জার্নাল মেট্রিক্স :name এ", + "All of the people that are part of this team.": "এই দলের অংশ যারা।", + "All rights reserved.": "সমস্ত অধিকার সংরক্ষিত।", "All tags": "সব ট্যাগ", "All the address types": "সব ধরনের ঠিকানা", "All the best,": "শুভকামনা,", @@ -154,24 +154,24 @@ "All the relationship types": "সমস্ত সম্পর্কের ধরন", "All the religions": "সব ধর্ম", "All the reports": "সব রিপোর্ট", - "All the slices of life in :name": "জীবনের সমস্ত স্লাইস :নামে", + "All the slices of life in :name": "জীবনের সমস্ত অংশ :name এ", "All the tags used in the vault": "ভল্টে ব্যবহৃত সমস্ত ট্যাগ", "All the templates": "সমস্ত টেমপ্লেট", "All the vaults": "সব খিলান", "All the vaults in the account": "খাতার সব খিলান", "All users and vaults will be deleted immediately,": "সমস্ত ব্যবহারকারী এবং ভল্ট অবিলম্বে মুছে ফেলা হবে,", "All users in this account": "এই অ্যাকাউন্টের সমস্ত ব্যবহারকারী", - "Already registered?": "ইতিমধ্যে নিবন্ধভুক্ত?", + "Already registered?": "ইতিমধ্যে নিবন্ধন করেছেন?", "Already used on this page": "ইতিমধ্যে এই পৃষ্ঠায় ব্যবহার করা হয়েছে", "A new verification link has been sent to the email address you provided during registration.": "নিবন্ধনের সময় আপনার দেওয়া ইমেল ঠিকানায় একটি নতুন যাচাইকরণ লিঙ্ক পাঠানো হয়েছে।", - "A new verification link has been sent to the email address you provided in your profile settings.": "আপনার প্রোফাইল সেটিংসে আপনার দেওয়া ইমেল ঠিকানায় একটি নতুন যাচাইকরণ লিঙ্ক পাঠানো হয়েছে৷", - "A new verification link has been sent to your email address.": "আপনার ইমেল ঠিকানায় একটি নতুন যাচাইকরণ লিঙ্ক পাঠানো হয়েছে৷", + "A new verification link has been sent to the email address you provided in your profile settings.": "আপনার প্রোফাইল সেটিংসে আপনার দেওয়া ইমেল ঠিকানায় একটি নতুন যাচাইকরণ লিঙ্ক পাঠানো হয়েছে।", + "A new verification link has been sent to your email address.": "আপনার ইমেল ঠিকানায় একটি নতুন যাচাইকরণ লিঙ্ক পাঠানো হয়েছে।", "Anniversary": "বার্ষিকী", "Apartment, suite, etc…": "অ্যাপার্টমেন্ট, স্যুট, ইত্যাদি…", - "API Token": "API টোকেন", - "API Token Permissions": "API টোকেন অনুমতি", - "API Tokens": "API টোকেন", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API টোকেনগুলি তৃতীয় পক্ষের পরিষেবাগুলিকে আপনার পক্ষে আমাদের আবেদনের সাথে প্রমাণীকরণ করার অনুমতি দেয়৷", + "API Token": "এপিআই টোকেন", + "API Token Permissions": "এপিআই টোকেন পারমিশন", + "API Tokens": "এপিআই টোকেনগুলি", + "API tokens allow third-party services to authenticate with our application on your behalf.": "এপিআই টোকেন তৃতীয় পক্ষের সেবা গ্রহনের জন্য আপনার পক্ষ থেকে আমাদের আবেদন প্রমাণ করার অনুমতি দেয়।", "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "একটি পোস্ট টেমপ্লেট সংজ্ঞায়িত করে কিভাবে একটি পোস্টের বিষয়বস্তু প্রদর্শিত হবে। আপনি যতগুলি চান ততগুলি টেমপ্লেট সংজ্ঞায়িত করতে পারেন এবং কোন পোস্টে কোন টেমপ্লেট ব্যবহার করা উচিত তা চয়ন করতে পারেন৷", "Archive": "সংরক্ষণাগার", "Archive contact": "আর্কাইভ যোগাযোগ", @@ -184,17 +184,17 @@ "Are you sure? This will delete the document permanently.": "তুমি কি নিশ্চিত? এটি স্থায়ীভাবে নথিটি মুছে ফেলবে।", "Are you sure? This will delete the goal and all the streaks permanently.": "তুমি কি নিশ্চিত? এটি স্থায়ীভাবে লক্ষ্য এবং সমস্ত স্ট্রীক মুছে ফেলবে।", "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "তুমি কি নিশ্চিত? এটি সমস্ত পরিচিতি থেকে ঠিকানার ধরনগুলি সরিয়ে দেবে, তবে পরিচিতিগুলিকে মুছে ফেলবে না৷", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "তুমি কি নিশ্চিত? এটি সমস্ত পরিচিতি থেকে যোগাযোগের তথ্যের প্রকারগুলিকে সরিয়ে দেবে, তবে পরিচিতিগুলিকে মুছে ফেলবে না।", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "তুমি কি নিশ্চিত? এটি সমস্ত পরিচিতি থেকে যোগাযোগের তথ্যের ধরনগুলিকে সরিয়ে দেবে, তবে পরিচিতিগুলিকে মুছে ফেলবে না।", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "তুমি কি নিশ্চিত? এটি সমস্ত পরিচিতি থেকে লিঙ্গ মুছে ফেলবে, তবে পরিচিতিগুলিকে মুছে ফেলবে না।", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "তুমি কি নিশ্চিত? এটি সমস্ত পরিচিতি থেকে টেমপ্লেট মুছে ফেলবে, তবে পরিচিতিগুলিকে মুছে ফেলবে না।", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "আপনি কি এই দলটিকে মুছে দেওয়ার বিষয়ে নিশ্চিত? একবার একটি দল মুছে ফেলা হলে, তার সমস্ত সংস্থান এবং ডেটা স্থায়ীভাবে মুছে যাবে৷", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "আপনি আপনার অ্যাকাউন্ট মুছে ফেলতে চান আপনি কি নিশ্চিত? একবার আপনার অ্যাকাউন্ট মুছে ফেলা হলে, এর সমস্ত সংস্থান এবং ডেটা স্থায়ীভাবে মুছে যাবে। আপনি স্থায়ীভাবে আপনার অ্যাকাউন্ট মুছে ফেলতে চান তা নিশ্চিত করতে দয়া করে আপনার পাসওয়ার্ড লিখুন।", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "আপনি কি নিশ্চিতরূপে এই দল মুছে ফেলতে ইচ্ছুক? একটি দল একবার মুছে ফেলা হলে, তার সব রিসোর্স ও তথ্য স্থায়ীভাবে মুছে ফেলা হবে।", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "আপনি কি নিশ্চিতরূপে আপনার অ্যাকাউন্ট মুছে ফেলতে ইচ্ছুক? আপনার অ্যাকাউন্ট, রিসোর্স ও তথ্য সব স্থায়ীভাবে মুছে ফেলা হবে। আপনি স্থায়ীভাবে আপনার অ্যাকাউন্ট মুছে ফেলতে চান তা নিশ্চিত করার জন্য আপনার পাসওয়ার্ড লিখুন।", "Are you sure you would like to archive this contact?": "আপনি কি নিশ্চিত আপনি এই পরিচিতি সংরক্ষণাগার করতে চান?", - "Are you sure you would like to delete this API token?": "আপনি কি এই API টোকেন মুছে ফেলার বিষয়ে নিশ্চিত?", + "Are you sure you would like to delete this API token?": "আপনি কি নিশ্চিত যে আপনি এই এপিআই টোকেন মুছতে চান?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "আপনি কি নিশ্চিত আপনি এই পরিচিতি মুছে দিতে চান? এটি এই পরিচিতি সম্পর্কে আমরা যা জানি তা সরিয়ে ফেলবে।", "Are you sure you would like to delete this key?": "আপনি কি এই কী মুছে ফেলার বিষয়ে নিশ্চিত?", - "Are you sure you would like to leave this team?": "আপনি কি নিশ্চিত আপনি এই দল ছেড়ে যেতে চান?", - "Are you sure you would like to remove this person from the team?": "আপনি কি এই ব্যক্তিকে দল থেকে সরানোর বিষয়ে নিশ্চিত?", + "Are you sure you would like to leave this team?": "আপনি কি নিশ্চিত যে আপনি এই দল ছেড়ে চলে যেতে চান?", + "Are you sure you would like to remove this person from the team?": "আপনি কি নিশ্চিত যে আপনি দল থেকে এই ব্যক্তির অপসারণ চান?", "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "জীবনের একটি অংশ আপনাকে আপনার জন্য অর্থপূর্ণ কিছু দ্বারা গ্রুপ পোস্ট করতে দেয়। এটি এখানে দেখতে একটি পোস্টে জীবনের একটি স্লাইস যোগ করুন।", "a son-father relation shown on the son page.": "ছেলের পৃষ্ঠায় ছেলে-পিতার সম্পর্ক দেখানো হয়েছে।", "assigned a label": "একটি লেবেল বরাদ্দ করা হয়েছে", @@ -211,7 +211,7 @@ "Available modules:": "উপলব্ধ মডিউল:", "Avatar": "অবতার", "Avatars": "অবতার", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "চালিয়ে যাওয়ার আগে, আমরা এইমাত্র আপনাকে ইমেল করেছি সেই লিঙ্কটিতে ক্লিক করে আপনি কি আপনার ইমেল ঠিকানা যাচাই করতে পারেন? আপনি যদি ইমেলটি না পেয়ে থাকেন, আমরা আনন্দের সাথে আপনাকে আরেকটি পাঠাব।", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "অব্যাহত রাখার আগে, আমার এই মাত্র আপনাকে যে লিঙ্কটি ইমেইল করেছি তাতে ক্লিক করার মাধ্যমে আপনার ইমেইল ঠিকানাটি যাচাই করতে পারেন? আপনি যদি ইমেল না পেয়ে থাকেন তবে আমরা আনন্দের সাথে আপনাকে অন্যটি পাঠাব।", "best friend": "ভাল বন্ধু", "Bird": "পাখি", "Birthdate": "জন্ম তারিখ", @@ -220,7 +220,7 @@ "boss": "বস", "Bought": "কিনলেন", "Breakdown of the current usage": "বর্তমান ব্যবহারের ভাঙ্গন", - "brother\/sister": "ভাই বোন", + "brother/sister": "ভাই/বোন", "Browser Sessions": "ব্রাউজার সেশন", "Buddhist": "বৌদ্ধ", "Business": "ব্যবসা", @@ -229,11 +229,11 @@ "Call reasons": "কল কারণ", "Call reasons let you indicate the reason of calls you make to your contacts.": "কলের কারণ আপনাকে আপনার পরিচিতিতে কল করার কারণ নির্দেশ করতে দেয়।", "Calls": "কল", - "Cancel": "বাতিল করুন", + "Cancel": "বাতিল করা হয়েছে", "Cancel account": "অ্যাকাউন্ট বাতিল করুন", "Cancel all your active subscriptions": "আপনার সমস্ত সক্রিয় সদস্যতা বাতিল করুন", "Cancel your account": "আপনার অ্যাকাউন্ট বাতিল করুন", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "অন্যান্য ব্যবহারকারীদের যোগ করা বা সরানো, বিলিং পরিচালনা এবং অ্যাকাউন্ট বন্ধ করা সহ সবকিছু করতে পারে।", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "অন্যান্য ব্যবহারকারীদের যোগ করা বা অপসারণ, বিলিং পরিচালনা এবং অ্যাকাউন্ট বন্ধ করা সহ সবকিছু করতে পারে।", "Can do everything, including adding or removing other users.": "অন্যান্য ব্যবহারকারীদের যোগ করা বা সরানো সহ সবকিছু করতে পারে।", "Can edit data, but can’t manage the vault.": "ডেটা সম্পাদনা করতে পারে, কিন্তু ভল্ট পরিচালনা করতে পারে না।", "Can view data, but can’t edit it.": "ডেটা দেখতে পারে, কিন্তু সম্পাদনা করতে পারে না।", @@ -258,7 +258,7 @@ "Christian": "খ্রিস্টান", "Christmas": "বড়দিন", "City": "শহর", - "Click here to re-send the verification email.": "যাচাইকরণ ইমেল পুনরায় পাঠাতে এখানে ক্লিক করুন.", + "Click here to re-send the verification email.": "যাচাইকরণ ইমেল পুনরায় পাঠাতে এখানে ক্লিক করুন।", "Click on a day to see the details": "বিস্তারিত দেখতে একটি দিন ক্লিক করুন", "Close": "বন্ধ", "close edit mode": "সম্পাদনা মোড বন্ধ করুন", @@ -267,7 +267,7 @@ "colleague": "সহকর্মী", "Companies": "কোম্পানিগুলো", "Company name": "কোমপানির নাম", - "Compared to Monica:": "মনিকার তুলনায়:", + "Compared to Monica:": "Monica তুলনায়:", "Configure how we should notify you": "আমরা আপনাকে কিভাবে অবহিত করব তা কনফিগার করুন", "Confirm": "নিশ্চিত করুন", "Confirm Password": "পাসওয়ার্ড নিশ্চিত করুন", @@ -291,9 +291,9 @@ "Country": "দেশ", "Couple": "দম্পতি", "cousin": "কাজিন", - "Create": "সৃষ্টি", + "Create": "তৈরি করুন", "Create account": "হিসাব তৈরি কর", - "Create Account": "হিসাব তৈরি কর", + "Create Account": "অ্যাকাউন্ট তৈরি করুন", "Create a contact": "একটি পরিচিতি তৈরি করুন", "Create a contact entry for this person": "এই ব্যক্তির জন্য একটি যোগাযোগ এন্ট্রি তৈরি করুন", "Create a journal": "একটি জার্নাল তৈরি করুন", @@ -301,13 +301,13 @@ "Create a journal to document your life.": "আপনার জীবন নথিভুক্ত করার জন্য একটি জার্নাল তৈরি করুন।", "Create an account": "একটি অ্যাকাউন্ট তৈরি করুন", "Create a new address": "একটি নতুন ঠিকানা তৈরি করুন", - "Create a new team to collaborate with others on projects.": "প্রকল্পগুলিতে অন্যদের সাথে সহযোগিতা করার জন্য একটি নতুন দল তৈরি করুন।", - "Create API Token": "API টোকেন তৈরি করুন", + "Create a new team to collaborate with others on projects.": "প্রকল্পে অন্যদের সঙ্গে সহযোগিতা করার জন্য একটি নতুন দল তৈরি করুন।", + "Create API Token": "কম্পিউটার কোড", "Create a post": "একটি পোস্ট তৈরি করুন", "Create a reminder": "একটি অনুস্মারক তৈরি করুন", "Create a slice of life": "জীবনের একটি টুকরা তৈরি করুন", "Create at least one page to display contact’s data.": "পরিচিতির ডেটা প্রদর্শন করতে কমপক্ষে একটি পৃষ্ঠা তৈরি করুন।", - "Create at least one template to use Monica.": "মনিকা ব্যবহার করার জন্য অন্তত একটি টেমপ্লেট তৈরি করুন।", + "Create at least one template to use Monica.": "Monica ব্যবহার করার জন্য অন্তত একটি টেমপ্লেট তৈরি করুন।", "Create a user": "একটি ব্যবহারকারী তৈরি করুন", "Create a vault": "একটি খিলান তৈরি করুন", "Created.": "তৈরি হয়েছে।", @@ -317,7 +317,7 @@ "Create new label": "নতুন লেবেল তৈরি করুন", "Create new tag": "নতুন ট্যাগ তৈরি করুন", "Create New Team": "নতুন দল তৈরি করুন", - "Create Team": "দল তৈরি", + "Create Team": "নতুন পরিচিতি", "Currencies": "মুদ্রা", "Currency": "মুদ্রা", "Current default": "বর্তমান ডিফল্ট", @@ -345,10 +345,10 @@ "Deceased date": "মৃত তারিখ", "Default template": "ডিফল্ট টেমপ্লেট", "Default template to display contacts": "পরিচিতি প্রদর্শনের জন্য ডিফল্ট টেমপ্লেট", - "Delete": "মুছে ফেলা", - "Delete Account": "হিসাব মুছে ফেলা", + "Delete": "মুছে ফেলা হবে", + "Delete Account": "অ্যাকাউন্ট মুছে ফেলুন", "Delete a new key": "একটি নতুন কী মুছুন", - "Delete API Token": "API টোকেন মুছুন", + "Delete API Token": "এপিআই টোকেন মুছুন", "Delete contact": "পরিচিতি মুছুন", "deleted a contact information": "একটি যোগাযোগের তথ্য মুছে ফেলা হয়েছে", "deleted a goal": "একটি গোল মুছে ফেলেছে", @@ -359,17 +359,17 @@ "Deleted author": "মুছে ফেলা লেখক", "Delete group": "গ্রুপ মুছুন", "Delete journal": "জার্নাল মুছুন", - "Delete Team": "দল মুছুন", + "Delete Team": "দল মুছে ফেলো", "Delete the address": "ঠিকানা মুছে দিন", "Delete the photo": "ছবি মুছে দিন", "Delete the slice": "স্লাইস মুছুন", "Delete the vault": "ভল্ট মুছুন", - "Delete your account on https:\/\/customers.monicahq.com.": "https:\/\/customers.monicahq.com এ আপনার অ্যাকাউন্ট মুছুন।", + "Delete your account on https://customers.monicahq.com.": "https://customers.monicahq.com এ আপনার অ্যাকাউন্ট মুছুন।", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "ভল্টটি মুছে ফেলার অর্থ এই ভল্টের সমস্ত ডেটা চিরতরে মুছে ফেলা। আর ফিরে দেখতে হবে না. দয়া করে নিশ্চিত হন।", "Description": "বর্ণনা", "Detail of a goal": "একটি লক্ষ্য বিস্তারিত", "Details in the last year": "গত বছরের বিস্তারিত", - "Disable": "নিষ্ক্রিয় করুন", + "Disable": "নিষ্ক্রিয়", "Disable all": "সব বিকল করে দাও", "Disconnect": "সংযোগ বিচ্ছিন্ন করুন", "Discuss partnership": "অংশীদারিত্ব নিয়ে আলোচনা করুন", @@ -379,7 +379,7 @@ "Distance": "দূরত্ব", "Documents": "নথিপত্র", "Dog": "কুকুর", - "Done.": "সম্পন্ন.", + "Done.": "হয়ে গেছে।", "Download": "ডাউনলোড করুন", "Download as vCard": "vCard হিসেবে ডাউনলোড করুন", "Drank": "পান", @@ -397,19 +397,19 @@ "Edit journal metrics": "জার্নাল মেট্রিক্স সম্পাদনা করুন", "Edit names": "নাম সম্পাদনা করুন", "Editor": "সম্পাদক", - "Editor users have the ability to read, create, and update.": "সম্পাদক ব্যবহারকারীদের পড়ার, তৈরি এবং আপডেট করার ক্ষমতা রয়েছে।", + "Editor users have the ability to read, create, and update.": "সম্পাদক ব্যবহারকারীরা পড়ার, তৈরির, এবং সম্পাদনা করার ক্ষমতা রাখে।", "Edit post": "পোস্ট সম্পাদনা করুন", - "Edit Profile": "জীবন বৃত্তান্ত সম্পাদনা", + "Edit Profile": "প্রোফাইল সম্পাদনা", "Edit slice of life": "জীবনের টুকরা সম্পাদনা করুন", "Edit the group": "গ্রুপটি সম্পাদনা করুন", "Edit the slice of life": "জীবনের টুকরা সম্পাদনা করুন", - "Email": "ইমেইল", + "Email": "ই-মেইল", "Email address": "ইমেইল ঠিকানা", "Email address to send the invitation to": "আমন্ত্রণ পাঠাতে ইমেল ঠিকানা", - "Email Password Reset Link": "ইমেল পাসওয়ার্ড রিসেট লিঙ্ক", - "Enable": "সক্ষম করুন", + "Email Password Reset Link": "ইমেল পাসওয়ার্ড রিসেট লিংক", + "Enable": "সক্রিয় করুন", "Enable all": "সব সক্রিয় করুন", - "Ensure your account is using a long, random password to stay secure.": "আপনার অ্যাকাউন্ট সুরক্ষিত থাকার জন্য একটি দীর্ঘ, এলোমেলো পাসওয়ার্ড ব্যবহার করছে তা নিশ্চিত করুন।", + "Ensure your account is using a long, random password to stay secure.": "নিরাপদ রাখতে, আপনার অ্যাাকাউন্টে দীর্ঘ, এলোমেলো পাসওয়ার্ডের ব্যাবহার নিশ্চিত করুন।", "Enter a number from 0 to 100000. No decimals.": "0 থেকে 100000 পর্যন্ত একটি সংখ্যা লিখুন। কোন দশমিক নেই।", "Events this month": "এই মাসের ঘটনা", "Events this week": "এই সপ্তাহের ঘটনা", @@ -419,6 +419,7 @@ "Exception:": "ব্যতিক্রম:", "Existing company": "বিদ্যমান কোম্পানি", "External connections": "বাহ্যিক সংযোগ", + "Facebook": "ফেসবুক", "Family": "পরিবার", "Family summary": "পারিবারিক সারাংশ", "Favorites": "প্রিয়", @@ -438,10 +439,9 @@ "For:": "জন্য:", "For advice": "উপদেশের জন্য", "Forbidden": "নিষিদ্ধ", - "Forgot password?": "পাসওয়ার্ড ভুলে গেছেন?", - "Forgot your password?": "আপনি কি পাসওয়ার্ড ভুলে গেছেন?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "আপনি কি পাসওয়ার্ড ভুলে গেছেন? সমস্যা নেই. শুধু আপনার ইমেল ঠিকানা আমাদের জানান এবং আমরা আপনাকে একটি পাসওয়ার্ড রিসেট লিঙ্ক ইমেল করব যা আপনাকে একটি নতুন চয়ন করার অনুমতি দেবে৷", - "For your security, please confirm your password to continue.": "আপনার নিরাপত্তার জন্য, চালিয়ে যেতে আপনার পাসওয়ার্ড নিশ্চিত করুন.", + "Forgot your password?": "আপনার পাসওয়ার্ড ভুলে গেছেন?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "আপনার পাসওয়ার্ড ভুলে গেছেন? সমস্যা নেই, শুধু আমাদের আপনার ই-মেইল ঠিকানা জানান এবং আমরা আপনাকে একটি পাসওয়ার্ড রিসেট লিঙ্ক ইমেইল করবো, সেটি আপনাকে একটি নতুন পাসওয়ার্ড নির্বাচন করার অনুমতি দেবে।", + "For your security, please confirm your password to continue.": "আপনার নিরাপত্তার জন্য, অনুগ্রহ করে আপনার পাসওয়ার্ড নিশ্চিত করে চালিয়ে যান৷", "Found": "পাওয়া গেছে", "Friday": "শুক্রবার", "Friend": "বন্ধু", @@ -451,7 +451,6 @@ "Gender": "লিঙ্গ", "Gender and pronoun": "লিঙ্গ এবং সর্বনাম", "Genders": "লিঙ্গ", - "Gift center": "উপহার কেন্দ্র", "Gift occasions": "উপহার উপলক্ষ", "Gift occasions let you categorize all your gifts.": "উপহারের অনুষ্ঠানগুলি আপনাকে আপনার সমস্ত উপহারকে শ্রেণিবদ্ধ করতে দেয়।", "Gift states": "উপহার রাষ্ট্র", @@ -464,25 +463,25 @@ "Google Maps": "গুগল মানচিত্র", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google মানচিত্র সর্বোত্তম নির্ভুলতা এবং বিবরণ অফার করে, তবে এটি গোপনীয়তার দৃষ্টিকোণ থেকে আদর্শ নয়।", "Got fired": "বহিস্কার", - "Go to page :page": "পৃষ্ঠায় যান:পৃষ্ঠা", + "Go to page :page": "পাতা :page এ যান", "grand child": "নাতি", "grand parent": "পিতামাতা", - "Great! You have accepted the invitation to join the :team team.": "দারুণ! আপনি :team দলে যোগদানের আমন্ত্রণ গ্রহণ করেছেন।", + "Great! You have accepted the invitation to join the :team team.": "খুব ভালো! আপনি :team দলে যোগদানের জন্য আমন্ত্রণ গ্রহণ করেছেন।", "Group journal entries together with slices of life.": "গ্রুপ জার্নাল এন্ট্রি একসাথে জীবনের টুকরা সঙ্গে.", "Groups": "গোষ্ঠী", "Groups let you put your contacts together in a single place.": "গোষ্ঠীগুলি আপনাকে আপনার পরিচিতিগুলিকে এক জায়গায় একত্রিত করতে দেয়৷", "Group type": "গ্রুপ প্রকার", - "Group type: :name": "গ্রুপ প্রকার: :নাম", + "Group type: :name": "গ্রুপ প্রকার: :name", "Group types": "গ্রুপ প্রকার", "Group types let you group people together.": "গোষ্ঠীর প্রকারগুলি আপনাকে লোকেদের একত্রিত করতে দেয়।", "Had a promotion": "পদোন্নতি ছিল", "Hamster": "হ্যামস্টার", "Have a great day,": "দিন শুভ হোক,", - "he\/him": "সে\/তাকে", + "he/him": "সে/তাকে", "Hello!": "হ্যালো!", "Help": "সাহায্য", - "Hi :name": "হাই : নাম", - "Hinduist": "হিন্দু", + "Hi :name": "হাই :name", + "Hinduist": "হিন্দুত্ববাদী", "History of the notification sent": "প্রেরিত বিজ্ঞপ্তির ইতিহাস", "Hobbies": "শখ", "Home": "বাড়ি", @@ -498,22 +497,22 @@ "How should we display dates": "কিভাবে আমরা তারিখ প্রদর্শন করা উচিত", "How should we display distance values": "কিভাবে আমরা দূরত্ব মান প্রদর্শন করা উচিত", "How should we display numerical values": "কিভাবে আমরা সংখ্যাসূচক মান প্রদর্শন করা উচিত", - "I agree to the :terms and :policy": "আমি : শর্তাবলী এবং : নীতিতে সম্মত৷", - "I agree to the :terms_of_service and :privacy_policy": "আমি :terms_of_service এবং :privacy_policy এর সাথে সম্মত", + "I agree to the :terms and :policy": "আমি :terms এবং :policy এর সাথে সম্মত", + "I agree to the :terms_of_service and :privacy_policy": "আমি একমত :terms_অফ_অফসিস এবং :privacy_টানফ", "I am grateful for": "আমি জন্য কৃতজ্ঞ", "I called": "আমি ডাকলাম", - "I called, but :name didn’t answer": "আমি ডাকলাম, কিন্তু :নাম উত্তর দিল না", + "I called, but :name didn’t answer": "আমি কল করেছি, কিন্তু :name উত্তর দেয়নি", "Idea": "ধারণা", "I don’t know the name": "নাম জানি না", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "প্রয়োজনে, আপনি আপনার সমস্ত ডিভাইস জুড়ে আপনার অন্যান্য ব্রাউজার সেশন থেকে লগ আউট করতে পারেন৷ আপনার সাম্প্রতিক সেশনগুলির কিছু নীচে তালিকাভুক্ত করা হয়েছে; যাইহোক, এই তালিকাটি সম্পূর্ণ নাও হতে পারে। আপনি যদি মনে করেন আপনার অ্যাকাউন্টের সাথে আপস করা হয়েছে, তাহলে আপনার পাসওয়ার্ডও আপডেট করা উচিত।", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "প্রয়োজনে, আপনি আপনার সকল ডিভাইস এ আপনার অন্যান্য ব্রাউজার সেশন লগ আউট করতে পারেন ৷ আপনার সাম্প্রতিক সেশনগুলির কিছু নীচে তালিকাভুক্ত করা হয়েছে; যাইহোক, এই তালিকাটি সম্পূর্ণ নাও হতে পারে। আপনি যদি মনে করেন আপনার অ্যাকাউন্টের সাথে আপস করা হয়েছে, তাহলে আপনার পাসওয়ার্ডও আপডেট করা উচিত।", "If the date is in the past, the next occurence of the date will be next year.": "যদি তারিখটি অতীতে থাকে তবে তারিখের পরবর্তী ঘটনাটি পরের বছর হবে।", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "আপনার যদি \":actionText\" বোতামে ক্লিক করতে সমস্যা হয়, তাহলে নিচের URLটি কপি করে পেস্ট করুন\nআপনার ওয়েব ব্রাউজারে:", - "If you already have an account, you may accept this invitation by clicking the button below:": "আপনার যদি ইতিমধ্যেই একটি অ্যাকাউন্ট থাকে, তাহলে আপনি নীচের বোতামটি ক্লিক করে এই আমন্ত্রণটি গ্রহণ করতে পারেন:", - "If you did not create an account, no further action is required.": "আপনি যদি একটি অ্যাকাউন্ট তৈরি না করে থাকেন, তাহলে আর কোনো পদক্ষেপের প্রয়োজন নেই৷", - "If you did not expect to receive an invitation to this team, you may discard this email.": "আপনি যদি এই টিমের কাছে একটি আমন্ত্রণ পাওয়ার আশা না করেন তবে আপনি এই ইমেলটি বাতিল করতে পারেন৷", - "If you did not request a password reset, no further action is required.": "আপনি যদি পাসওয়ার্ড রিসেট করার অনুরোধ না করে থাকেন, তাহলে আর কোনো পদক্ষেপের প্রয়োজন নেই।", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "আপনার যদি একটি অ্যাকাউন্ট না থাকে, তাহলে আপনি নীচের বোতামে ক্লিক করে একটি তৈরি করতে পারেন৷ একটি অ্যাকাউন্ট তৈরি করার পরে, আপনি দলের আমন্ত্রণ গ্রহণ করতে এই ইমেলের আমন্ত্রণ গ্রহণ বোতামে ক্লিক করতে পারেন:", - "If you’ve received this invitation by mistake, please discard it.": "আপনি যদি ভুলবশত এই আমন্ত্রণটি পেয়ে থাকেন তবে দয়া করে এটি বাতিল করুন৷", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "আপনার যদি \":actionText\" বোতামে ক্লিক করতে সমস্যা হয়, তাহলে নিচের URL টি কপি করে পেস্ট করুন\nআপনার ওয়েব ব্রাউজারে:", + "If you already have an account, you may accept this invitation by clicking the button below:": "যদি আপনি ইতিমধ্যে একটি একাউন্ট আছে, আপনি নিচের বাটনে ক্লিক করে এই আমন্ত্রণ গ্রহণ করতে পারে:", + "If you did not create an account, no further action is required.": "আপনি যদি একটি একাউন্ট তৈরি না করে থাকেন তাহলে, কোনো পদক্ষেপ প্রয়োজন বোধ করা হয় ।", + "If you did not expect to receive an invitation to this team, you may discard this email.": "আপনি যদি এই দলের একটি আমন্ত্রণ গ্রহণ না আশা, আপনি এই ইমেইল বাতিল করতে পারে ।", + "If you did not request a password reset, no further action is required.": "আপনি একটি পাসওয়ার্ড রিসেট অনুরোধ না করে থাকেন তাহলে, কোনো পদক্ষেপ প্রয়োজন বোধ করা হয় ।", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "আপনি যদি কোন একাউন্ট না থাকে, আপনি নিচের বাটনে ক্লিক করে এক তৈরি করতে পারেন । একটি অ্যাকাউন্ট তৈরি করার পর, আপনি দলের আমন্ত্রণ গ্রহণ করার জন্য এই ইমেইল আমন্ত্রণ গ্রহণযোগ্যতা বাটন ক্লিক করতে পারেন:", + "If you’ve received this invitation by mistake, please discard it.": "আপনি যদি ভুলবশত এই আমন্ত্রণটি পেয়ে থাকেন, তাহলে অনুগ্রহ করে এটি বাতিল করুন।", "I know the exact date, including the year": "আমি সাল সহ সঠিক তারিখ জানি", "I know the name": "নাম জানি", "Important dates": "গুরুত্বপূর্ন তারিখগুলো", @@ -523,6 +522,7 @@ "Information from Wikipedia": "উইকিপিডিয়া থেকে তথ্য", "in love with": "প্রেমে", "Inspirational post": "অনুপ্রেরণামূলক পোস্ট", + "Invalid JSON was returned from the route.": "রাউট থেকে অবৈধ JSON এসেছে।", "Invitation sent": "আমন্ত্রণ পাঠান", "Invite a new user": "একজন নতুন ব্যবহারকারীকে আমন্ত্রণ জানান", "Invite someone": "কাউকে আমন্ত্রণ জানান", @@ -548,14 +548,14 @@ "Labels let you classify contacts using a system that matters to you.": "লেবেলগুলি আপনাকে আপনার কাছে গুরুত্বপূর্ণ এমন একটি সিস্টেম ব্যবহার করে পরিচিতিগুলিকে শ্রেণীবদ্ধ করতে দেয়৷", "Language of the application": "আবেদনের ভাষা", "Last active": "সর্বশেষ সক্রিয়", - "Last active :date": "সর্বশেষ সক্রিয়:তারিখ", + "Last active :date": "সর্বশেষ সক্রিয় :date", "Last name": "নামের শেষাংশ", "Last name First name": "শেষ নাম প্রথম নাম", "Last updated": "সর্বশেষ সংষ্করণ", - "Last used": "সর্বশেষ ব্যবহৃত", - "Last used :date": "সর্বশেষ ব্যবহার করা হয়েছে:তারিখ", - "Leave": "ছেড়ে দিন", - "Leave Team": "দল ছেড়ে দিন", + "Last used": "সর্বশেষ ব্যবহার", + "Last used :date": "সর্বশেষ ব্যবহার করা হয়েছে :date", + "Leave": "ত্যাগ", + "Leave Team": "দল ত্যাগ করুন", "Life": "জীবন", "Life & goals": "জীবনের লক্ষ্য", "Life events": "জীবনের ঘটনা", @@ -564,7 +564,7 @@ "Life event types and categories": "জীবন ঘটনা প্রকার এবং বিভাগ", "Life metrics": "লাইফ মেট্রিক্স", "Life metrics let you track metrics that are important to you.": "লাইফ মেট্রিক্স আপনাকে আপনার জন্য গুরুত্বপূর্ণ মেট্রিক্স ট্র্যাক করতে দেয়।", - "Link to documentation": "ডকুমেন্টেশন লিঙ্ক", + "LinkedIn": "লিঙ্কডইন", "List of addresses": "ঠিকানার তালিকা", "List of addresses of the contacts in the vault": "ভল্টে পরিচিতির ঠিকানার তালিকা", "List of all important dates": "সমস্ত গুরুত্বপূর্ণ তারিখের তালিকা", @@ -575,12 +575,12 @@ "Log a call": "একটি কল লগ", "Log details": "লগ বিবরণ", "logged the mood": "মেজাজ লগ", - "Log in": "প্রবেশ করুন", - "Login": "প্রবেশ করুন", + "Log in": "লগইন করুন", + "Login": "লগইন", "Login with:": "লগইন করুন:", - "Log Out": "প্রস্থান", - "Logout": "প্রস্থান", - "Log Out Other Browser Sessions": "অন্যান্য ব্রাউজার সেশন লগ আউট করুন", + "Log Out": "লগ-আউট", + "Logout": "লগ-আউট", + "Log Out Other Browser Sessions": "অন্য ব্রাউজার সেশনে লগ আউট করুন", "Longest streak": "দীর্ঘতম ধারা", "Love": "ভালবাসা", "loved by": "দ্বারা প্রিয়", @@ -591,8 +591,8 @@ "Manage Account": "অ্যাকাউন্ট পরিচালনা", "Manage accounts you have linked to your Customers account.": "আপনার গ্রাহকদের অ্যাকাউন্টের সাথে আপনার লিঙ্ক করা অ্যাকাউন্টগুলি পরিচালনা করুন৷", "Manage address types": "ঠিকানার ধরন পরিচালনা করুন", - "Manage and log out your active sessions on other browsers and devices.": "অন্যান্য ব্রাউজার এবং ডিভাইসগুলিতে আপনার সক্রিয় সেশনগুলি পরিচালনা এবং লগ আউট করুন৷", - "Manage API Tokens": "API টোকেন পরিচালনা করুন", + "Manage and log out your active sessions on other browsers and devices.": "অন্যান্য ব্রাউজার এবং ডিভাইসগুলিতে আপনার সক্রিয় সেশনগুলি পরিচালনা এবং লগ আউট করুন ৷", + "Manage API Tokens": "এপিআই টোকেন পরিচালনা", "Manage call reasons": "কলের কারণগুলি পরিচালনা করুন", "Manage contact information types": "যোগাযোগের তথ্য প্রকার পরিচালনা করুন", "Manage currencies": "মুদ্রা পরিচালনা করুন", @@ -607,11 +607,12 @@ "Manager": "ম্যানেজার", "Manage relationship types": "সম্পর্কের ধরন পরিচালনা করুন", "Manage religions": "ধর্ম পরিচালনা করুন", - "Manage Role": "ভূমিকা পরিচালনা করুন", + "Manage Role": "ভূমিকা পরিচালনা", "Manage storage": "স্টোরেজ পরিচালনা করুন", - "Manage Team": "দল পরিচালনা করুন", + "Manage Team": "দল পরিচালনা", "Manage templates": "টেমপ্লেট পরিচালনা করুন", "Manage users": "ব্যবহারকারীদের ম্যানেজ করুন", + "Mastodon": "মাস্টোডন", "Maybe one of these contacts?": "হয়তো এই পরিচিতি এক?", "mentor": "পরামর্শদাতা", "Middle name": "মধ্য নাম", @@ -619,9 +620,9 @@ "miles (mi)": "মাইল (মাই)", "Modules in this page": "এই পৃষ্ঠায় মডিউল", "Monday": "সোমবার", - "Monica. All rights reserved. 2017 — :date.": "মনিকা। সমস্ত অধিকার সংরক্ষিত. 2017 — : তারিখ।", - "Monica is open source, made by hundreds of people from all around the world.": "মনিকা হল ওপেন সোর্স, সারা বিশ্বের শত শত মানুষ তৈরি করেছে।", - "Monica was made to help you document your life and your social interactions.": "মনিকা আপনাকে আপনার জীবন এবং আপনার সামাজিক মিথস্ক্রিয়া নথিভুক্ত করতে সাহায্য করার জন্য তৈরি করা হয়েছিল।", + "Monica. All rights reserved. 2017 — :date.": "Monica। সমস্ত অধিকার সংরক্ষিত. 2017 — :date।", + "Monica is open source, made by hundreds of people from all around the world.": "Monica হল ওপেন সোর্স, সারা বিশ্বের শত শত মানুষ তৈরি করেছে।", + "Monica was made to help you document your life and your social interactions.": "Monica আপনাকে আপনার জীবন এবং আপনার সামাজিক মিথস্ক্রিয়া নথিভুক্ত করতে সাহায্য করার জন্য তৈরি করা হয়েছিল।", "Month": "মাস", "month": "মাস", "Mood in the year": "মেজাজ ২০১২ সালে", @@ -636,9 +637,9 @@ "Name of the reminder": "রিমাইন্ডারের নাম", "Name of the reverse relationship": "বিপরীত সম্পর্কের নাম", "Nature of the call": "কলের প্রকৃতি", - "nephew\/niece": "ভাগিনা ভাগ্নি", + "nephew/niece": "ভাগিনা/ভাগ্নি", "New Password": "নতুন পাসওয়ার্ড", - "New to Monica?": "মনিকা নতুন?", + "New to Monica?": "Monica নতুন?", "Next": "পরবর্তী", "Nickname": "ডাকনাম", "nickname": "ডাকনাম", @@ -647,7 +648,7 @@ "No countries have been added yet in any contact’s addresses.": "কোনো পরিচিতির ঠিকানায় এখনো কোনো দেশ যোগ করা হয়নি।", "No dates in this month.": "এই মাসে কোন তারিখ নেই।", "No description yet.": "এখনো কোনো বর্ণনা নেই।", - "No groups found.": "কোন দল পাওয়া যায়নি।", + "No groups found.": "কোনো দল পাওয়া যায়নি।", "No keys registered yet": "কোন কী এখনো নিবন্ধিত", "No labels yet.": "এখনও কোন লেবেল নেই.", "No life event types yet.": "এখনও কোন জীবন ঘটনা প্রকার.", @@ -658,46 +659,46 @@ "No tasks.": "কোনো কাজ নেই।", "Notes": "মন্তব্য", "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "মনে রাখবেন যে একটি পৃষ্ঠা থেকে একটি মডিউল সরানো আপনার পরিচিতি পৃষ্ঠাগুলির প্রকৃত ডেটা মুছে ফেলবে না। এটি কেবল এটি লুকিয়ে রাখবে।", - "Not Found": "পাওয়া যায়নি", + "Not Found": "পাওয়া যায় নি", "Notification channels": "বিজ্ঞপ্তি চ্যানেল", "Notification sent": "বিজ্ঞপ্তি পাঠানো হয়েছে", "Not set": "সেট না", "No upcoming reminders.": "কোনো আসন্ন অনুস্মারক নেই।", "Number of hours slept": "কত ঘন্টা ঘুমিয়েছে", "Numerical value": "সংখ্যাগত মান", - "of": "এর", + "of": "সর্বমোট", "Offered": "অফার করা হয়েছে", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "একবার একটি দল মুছে ফেলা হলে, তার সমস্ত সংস্থান এবং ডেটা স্থায়ীভাবে মুছে যাবে৷ এই দলটি মুছে ফেলার আগে, অনুগ্রহ করে এই টিম সম্পর্কিত যে কোনও ডেটা বা তথ্য ডাউনলোড করুন যা আপনি ধরে রাখতে চান।", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "একবার একটি দল মুছে ফেলা হলে, তার সমস্ত রিসোর্সসমূহ এবং ডেটা স্থায়ীভাবে মুছে যাবে৷ এই দলটি মুছে ফেলার আগে, অনুগ্রহ করে এই টিম সম্পর্কিত যে কোনও ডেটা বা তথ্য ডাউনলোড করুন যা আপনি রেখে দিতে চান।", "Once you cancel,": "একবার বাতিল করলে,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "একবার আপনি নীচের সেটআপ বোতামটি ক্লিক করলে, আমরা আপনাকে যে বোতামটি সরবরাহ করব তা দিয়ে আপনাকে টেলিগ্রাম খুলতে হবে। এটি আপনার জন্য মনিকা টেলিগ্রাম বট সনাক্ত করবে।", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "একবার আপনার অ্যাকাউন্ট মুছে ফেলা হলে, এর সমস্ত সংস্থান এবং ডেটা স্থায়ীভাবে মুছে যাবে। আপনার অ্যাকাউন্ট মুছে ফেলার আগে, আপনি ধরে রাখতে চান এমন কোনো ডেটা বা তথ্য ডাউনলোড করুন।", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "একবার আপনি নীচের সেটআপ বোতামটি ক্লিক করলে, আমরা আপনাকে যে বোতামটি সরবরাহ করব তা দিয়ে আপনাকে টেলিগ্রাম খুলতে হবে। এটি আপনার জন্য Monica টেলিগ্রাম বট সনাক্ত করবে।", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "একবার আপনার অ্যাকাউন্ট মুছে ফেলা হলে, এর সমস্ত রিসোর্সসমূহ এবং ডেটা স্থায়ীভাবে মুছে যাবে। আপনার অ্যাকাউন্ট মুছে ফেলার আগে, আপনি রেখে দিতে চান এমন কোনো ডেটা বা তথ্য ডাউনলোড করে রাখুন।", "Only once, when the next occurence of the date occurs.": "শুধুমাত্র একবার, যখন তারিখের পরবর্তী ঘটনা ঘটে।", "Oops! Something went wrong.": "উফ! কিছু ভুল হয়েছে.", "Open Street Maps": "রাস্তার মানচিত্র খুলুন", - "Open Street Maps is a great privacy alternative, but offers less details.": "ওপেন স্ট্রিট ম্যাপ একটি দুর্দান্ত গোপনীয়তার বিকল্প, তবে কম বিবরণ দেয়।", + "Open Street Maps is a great privacy alternative, but offers less details.": "খোলা রাস্তার মানচিত্র একটি দুর্দান্ত গোপনীয়তার বিকল্প, তবে কম বিবরণ দেয়।", "Open Telegram to validate your identity": "আপনার পরিচয় যাচাই করতে টেলিগ্রাম খুলুন", "optional": "ঐচ্ছিক", "Or create a new one": "অথবা একটি নতুন তৈরি করুন", "Or filter by type": "অথবা প্রকার অনুসারে ফিল্টার করুন", - "Or remove the slice": "অথবা স্লাইস মুছে ফেলুন", + "Or remove the slice": "অথবা স্লাইস সরান", "Or reset the fields": "অথবা ক্ষেত্রগুলি রিসেট করুন", "Other": "অন্যান্য", "Out of respect and appreciation": "সম্মান এবং প্রশংসার বাইরে", - "Page Expired": "পৃষ্ঠার মেয়াদ শেষ", + "Page Expired": "মেয়াদউত্তীর্ণ", "Pages": "পাতা", - "Pagination Navigation": "পেজিনেশন নেভিগেশন", + "Pagination Navigation": "পত্রাঙ্ক ন্যাভিগেশন", "Parent": "অভিভাবক", "parent": "অভিভাবক", "Participants": "অংশগ্রহণকারীরা", "Partner": "অংশীদার", "Part of": "অংশ বিশেষ", "Password": "পাসওয়ার্ড", - "Payment Required": "অর্থপ্রদান আবশ্যক", - "Pending Team Invitations": "মুলতুবি টিম আমন্ত্রণ", - "per\/per": "জন্য জন্য", - "Permanently delete this team.": "স্থায়ীভাবে এই দল মুছে দিন.", - "Permanently delete your account.": "স্থায়ীভাবে আপনার অ্যাকাউন্ট মুছে ফেলুন.", - "Permission for :name": "এর জন্য অনুমতি: নাম", + "Payment Required": "পেমেন্ট আবশ্যক", + "Pending Team Invitations": "অপেক্ষারত দলের আমন্ত্রণ", + "per/per": "প্রতি/প্রতি", + "Permanently delete this team.": "স্থায়ীভাবে এই দল মুছে ।", + "Permanently delete your account.": "স্থায়ীভাবে আপনার অ্যাকাউন্ট মুছে দিন ।", + "Permission for :name": ":Name এর জন্য অনুমতি", "Permissions": "অনুমতি", "Personal": "ব্যক্তিগত", "Personalize your account": "আপনার অ্যাকাউন্ট ব্যক্তিগতকৃত", @@ -713,21 +714,21 @@ "Played soccer": "ফুটবল খেলেছিলাম", "Played tennis": "টেনিস খেলেছিলাম", "Please choose a template for this new post": "এই নতুন পোস্টের জন্য একটি টেমপ্লেট চয়ন করুন", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "এই পরিচিতিটি কীভাবে প্রদর্শিত হবে তা মনিকাকে জানাতে অনুগ্রহ করে নীচের একটি টেমপ্লেট চয়ন করুন৷ টেমপ্লেট আপনাকে সংজ্ঞায়িত করতে দেয় যে যোগাযোগ পৃষ্ঠায় কোন ডেটা প্রদর্শিত হবে।", - "Please click the button below to verify your email address.": "আপনার ইমেল ঠিকানা যাচাই করতে নীচের বোতামে ক্লিক করুন.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "এই পরিচিতিটি কীভাবে প্রদর্শিত হবে তা Monicaকে জানাতে দয়া করে নীচের একটি টেমপ্লেট চয়ন করুন৷ টেমপ্লেট আপনাকে সংজ্ঞায়িত করতে দেয় যে যোগাযোগ পৃষ্ঠায় কোন ডেটা প্রদর্শিত হবে।", + "Please click the button below to verify your email address.": "আপনার ইমেল ঠিকানা যাচাই করার জন্য নিচের বাটনে ক্লিক করুন ।", "Please complete this form to finalize your account.": "আপনার অ্যাকাউন্ট চূড়ান্ত করতে এই ফর্মটি পূরণ করুন.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "আপনার জরুরী পুনরুদ্ধারের কোডগুলির একটি প্রবেশ করান করে আপনার অ্যাকাউন্টে অ্যাক্সেস নিশ্চিত করুন৷", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "অনুগ্রহ করে আপনার প্রমাণীকরণকারী অ্যাপ্লিকেশন দ্বারা প্রদত্ত প্রমাণীকরণ কোড প্রবেশ করে আপনার অ্যাকাউন্টে অ্যাক্সেস নিশ্চিত করুন৷", + "Please confirm access to your account by entering one of your emergency recovery codes.": "আপনার জরুরী পুনরুদ্ধারের কোড এক লিখে আপনার অ্যাকাউন্টে অ্যাক্সেস নিশ্চিত করুন ।", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "আপনার প্রমাণকারী অ্যাপ্লিকেশনের দ্বারা প্রদত্ত প্রমাণীকরণ কোড লিখে আপনার অ্যাকাউন্টে অ্যাক্সেস নিশ্চিত করুন ।", "Please confirm access to your account by validating your security key.": "আপনার নিরাপত্তা কী যাচাই করে আপনার অ্যাকাউন্টে অ্যাক্সেস নিশ্চিত করুন।", - "Please copy your new API token. For your security, it won't be shown again.": "অনুগ্রহ করে আপনার নতুন API টোকেন অনুলিপি করুন। আপনার নিরাপত্তার জন্য, এটি আর দেখানো হবে না।", + "Please copy your new API token. For your security, it won't be shown again.": "আপনার নতুন এপিআই টোকেন কপি করুন । আপনার নিরাপত্তার জন্য, এটা আবার দেখানো হবে না ।", "Please copy your new API token. For your security, it won’t be shown again.": "অনুগ্রহ করে আপনার নতুন API টোকেন অনুলিপি করুন। আপনার নিরাপত্তার জন্য, এটি আর দেখানো হবে না।", "Please enter at least 3 characters to initiate a search.": "একটি অনুসন্ধান শুরু করতে অনুগ্রহ করে কমপক্ষে 3টি অক্ষর লিখুন৷", "Please enter your password to cancel the account": "অ্যাকাউন্ট বাতিল করতে আপনার পাসওয়ার্ড লিখুন", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "আপনি আপনার সমস্ত ডিভাইস জুড়ে আপনার অন্যান্য ব্রাউজার সেশন থেকে লগ আউট করতে চান তা নিশ্চিত করতে দয়া করে আপনার পাসওয়ার্ড লিখুন৷", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "আপনি আপনার সকল ডিভাইস থেকে আপনার অন্য ব্রাউজার সেশন লগ আউট করতে চান তা নিশ্চিত করার জন্য আপনার পাসওয়ার্ড লিখুন ।", "Please indicate the contacts": "পরিচিতি নির্দেশ করুন", - "Please join Monica": "মনিকা যোগ দিন", - "Please provide the email address of the person you would like to add to this team.": "আপনি এই দলে যোগ করতে চান এমন ব্যক্তির ইমেল ঠিকানা প্রদান করুন।", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "এই বৈশিষ্ট্য সম্পর্কে আরও জানতে এবং কোন ভেরিয়েবলগুলিতে আপনার অ্যাক্সেস আছে অনুগ্রহ করে আমাদের ডকুমেন্টেশন<\/link> পড়ুন।", + "Please join Monica": "Monica যোগ দিন", + "Please provide the email address of the person you would like to add to this team.": "আপনি এই দলের যোগ করতে চাই ব্যক্তির ইমেল ঠিকানা প্রদান করুন ।", + "Please read our documentation to know more about this feature, and which variables you have access to.": "এই বৈশিষ্ট্য সম্পর্কে আরও জানতে এবং কোন ভেরিয়েবলগুলিতে আপনার অ্যাক্সেস আছে অনুগ্রহ করে আমাদের ডকুমেন্টেশন পড়ুন।", "Please select a page on the left to load modules.": "মডিউল লোড করতে দয়া করে বাম দিকে একটি পৃষ্ঠা নির্বাচন করুন৷", "Please type a few characters to create a new label.": "একটি নতুন লেবেল তৈরি করতে অনুগ্রহ করে কয়েকটি অক্ষর টাইপ করুন৷", "Please type a few characters to create a new tag.": "একটি নতুন ট্যাগ তৈরি করতে অনুগ্রহ করে কয়েকটি অক্ষর টাইপ করুন৷", @@ -744,15 +745,15 @@ "Privacy Policy": "গোপনীয়তা নীতি", "Profile": "প্রোফাইল", "Profile and security": "প্রোফাইল এবং নিরাপত্তা", - "Profile Information": "জীবন তথ্য", - "Profile of :name": "এর প্রোফাইল : নাম", - "Profile page of :name": "প্রোফাইল পৃষ্ঠা :নাম", - "Pronoun": "তারা ঝোঁক", + "Profile Information": "প্রোফাইল তথ্য", + "Profile of :name": ":Name এর প্রোফাইল", + "Profile page of :name": ":Name এর প্রোফাইল পৃষ্ঠা", + "Pronoun": "সর্বনাম", "Pronouns": "সর্বনাম", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "সর্বনামগুলি মূলত কীভাবে আমরা আমাদের নাম ছাড়াও নিজেদেরকে চিহ্নিত করি। কথোপকথনে কেউ আপনাকে কীভাবে উল্লেখ করে।", "protege": "প্রোটেজ", "Protocol": "প্রোটোকল", - "Protocol: :name": "প্রোটোকল: :নাম", + "Protocol: :name": "প্রোটোকল: :name", "Province": "প্রদেশ", "Quick facts": "দ্রুত ঘটনা", "Quick facts let you document interesting facts about a contact.": "দ্রুত তথ্য আপনাকে একটি পরিচিতি সম্পর্কে আকর্ষণীয় তথ্য নথিভুক্ত করতে দেয়।", @@ -761,13 +762,13 @@ "Rabbit": "খরগোশ", "Ran": "দৌড়ে গেল", "Rat": "ইঁদুর", - "Read :count time|Read :count times": "পড়ুন : কাউন্ট টাইম | পড়ুন : গুনুন বার৷", + "Read :count time|Read :count times": ":count বার পঠিত|:count বার পঠিত", "Record a loan": "একটি ঋণ রেকর্ড", "Record your mood": "আপনার মেজাজ রেকর্ড করুন", - "Recovery Code": "রিকভারি কোড", + "Recovery Code": "পুনরুদ্ধারের কোড", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "আপনি বিশ্বের যেখানেই থাকুন না কেন, আপনার নিজস্ব টাইমজোনে তারিখগুলি প্রদর্শন করুন৷", "Regards": "শুভেচ্ছা", - "Regenerate Recovery Codes": "পুনরুদ্ধার কোড পুনর্জন্ম", + "Regenerate Recovery Codes": "পুনরূত্পাদিত পুনরুদ্ধারের কোড", "Register": "নিবন্ধন", "Register a new key": "একটি নতুন কী নিবন্ধন করুন", "Register a new key.": "একটি নতুন কী নিবন্ধন করুন।", @@ -779,25 +780,25 @@ "Religion": "ধর্ম", "Religions": "ধর্মসমূহ", "Religions is all about faith.": "ধর্ম মানেই বিশ্বাস।", - "Remember me": "আমাকে মনে কর", - "Reminder for :name": "এর জন্য অনুস্মারক: নাম", + "Remember me": "আমাকে মনে রাখুন", + "Reminder for :name": ":Name এর জন্য অনুস্মারক", "Reminders": "অনুস্মারক", "Reminders for the next 30 days": "পরবর্তী 30 দিনের জন্য অনুস্মারক", "Remind me about this date every year": "প্রতি বছর এই তারিখ সম্পর্কে আমাকে মনে করিয়ে দিন", "Remind me about this date just once, in one year from now": "এখন থেকে এক বছরে শুধু একবার এই তারিখ সম্পর্কে আমাকে মনে করিয়ে দিন", - "Remove": "অপসারণ", + "Remove": "সরিয়ে ফেলুন", "Remove avatar": "অবতার সরান", "Remove cover image": "কভার ইমেজ সরান", "removed a label": "একটি লেবেল সরানো হয়েছে", "removed the contact from a group": "একটি গ্রুপ থেকে পরিচিতি সরান", "removed the contact from a post": "একটি পোস্ট থেকে পরিচিতি সরান", "removed the contact from the favorites": "প্রিয় থেকে পরিচিতি সরানো হয়েছে", - "Remove Photo": "ছবি সরান", + "Remove Photo": "তালিকা মুছে ফেলো", "Remove Team Member": "দলের সদস্য সরান", "Rename": "নাম পরিবর্তন করুন", "Reports": "রিপোর্ট", "Reptile": "সরীসৃপ", - "Resend Verification Email": "যাচাইকরণ ইমেল পুনরায় পাঠান", + "Resend Verification Email": "যাচাই ইমেইল পুনরায় পাঠান", "Reset Password": "পাসওয়ার্ড রিসেট করুন", "Reset Password Notification": "পাসওয়ার্ড বিজ্ঞপ্তি রিসেট করুন", "results": "ফলাফল", @@ -806,10 +807,10 @@ "Rode a bike": "সাইকেল চালান", "Role": "ভূমিকা", "Roles:": "ভূমিকা:", - "Roomates": "হামাগুড়ি দিচ্ছে", + "Roomates": "রুমমেট", "Saturday": "শনিবার", "Save": "সংরক্ষণ", - "Saved.": "সংরক্ষিত.", + "Saved.": "সংরক্ষিত ।", "Saving in progress": "সংরক্ষণ চলছে", "Searched": "অনুসন্ধান করা হয়েছে", "Searching…": "অনুসন্ধান করা হচ্ছে...", @@ -822,9 +823,9 @@ "Select a relationship type": "একটি সম্পর্কের ধরন নির্বাচন করুন", "Send invitation": "আগমনবার্তা পাঠানো", "Send test": "পরীক্ষা পাঠান", - "Sent at :time": "সময়ে পাঠানো হয়েছে", - "Server Error": "সার্ভার সমস্যা", - "Service Unavailable": "সেবা প্রদান করা যাচ্ছে না", + "Sent at :time": ":time এ পাঠানো হয়েছে", + "Server Error": "সার্ভারের ত্রুটি", + "Service Unavailable": "সার্ভিস উপলব্ধ নয়", "Set as default": "ডিফল্ট হিসেবে সেট করুন", "Set as favorite": "প্রিয় হিসাবে সেট করুন", "Settings": "সেটিংস", @@ -833,74 +834,72 @@ "Setup Key": "সেটআপ কী", "Setup Key:": "সেটআপ কী:", "Setup Telegram": "টেলিগ্রাম সেটআপ করুন", - "she\/her": "সে\/তার", + "she/her": "সে/তার", "Shintoist": "শিন্টোবাদী", "Show Calendar tab": "ক্যালেন্ডার ট্যাব দেখান", "Show Companies tab": "কোম্পানি ট্যাব দেখান", - "Show completed tasks (:count)": "সম্পন্ন কাজগুলি দেখান (:গণনা)", + "Show completed tasks (:count)": "সমাপ্ত কাজগুলি দেখান (:count)", "Show Files tab": "ফাইল ট্যাব দেখান", "Show Groups tab": "গ্রুপ ট্যাব দেখান", - "Showing": "দেখাচ্ছে", - "Showing :count of :total results": "দেখানো হচ্ছে:মোট ফলাফলের সংখ্যা", - "Showing :first to :last of :total results": "দেখানো হচ্ছে :প্রথম থেকে :শেষের :মোট ফলাফল৷", + "Showing": "প্রদর্শন করা হচ্ছে", + "Showing :count of :total results": ":totalটি ফলাফলের মধ্যে :countটি দেখানো হচ্ছে৷", + "Showing :first to :last of :total results": ":total ফলাফলের মধ্যে :first থেকে :last পর্যন্ত দেখানো হচ্ছে৷", "Show Journals tab": "জার্নাল ট্যাব দেখান", - "Show Recovery Codes": "রিকভারি কোড দেখান", + "Show Recovery Codes": "পুনরুদ্ধারের কোড প্রদর্শন", "Show Reports tab": "রিপোর্ট ট্যাব দেখান", "Show Tasks tab": "টাস্ক ট্যাব দেখান", "significant other": "উল্লেখযোগ্য অন্যান্য", "Sign in to your account": "আপনার অ্যাকাউন্টে সাইন ইন করুন", "Sign up for an account": "অ্যাকাউন্ট খুলুন", "Sikh": "শিখ", - "Slept :count hour|Slept :count hours": "ঘুমানো:ঘন্টা গণনা|ঘুমানো:গণনা ঘন্টা", + "Slept :count hour|Slept :count hours": ":count ঘণ্টা ঘুমিয়েছেন|:count ঘন্টা ঘুমিয়েছে", "Slice of life": "এক খন্ড জীবন", "Slices of life": "জীবনের টুকরো টুকরো", "Small animal": "ছোট প্রাণী", "Social": "সামাজিক", "Some dates have a special type that we will use in the software to calculate an age.": "কিছু তারিখের একটি বিশেষ প্রকার আছে যা আমরা একটি বয়স গণনা করতে সফ্টওয়্যারে ব্যবহার করব।", - "Sort contacts": "পরিচিতি সাজান", - "So… it works 😼": "তাই... এটা কাজ করে 😼", + "So… it works 😼": "তাই… এটা কাজ করে 😼", "Sport": "খেলা", "spouse": "পত্নী", "Statistics": "পরিসংখ্যান", "Storage": "স্টোরেজ", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "একটি নিরাপদ পাসওয়ার্ড ম্যানেজারে এই পুনরুদ্ধার কোডগুলি সংরক্ষণ করুন৷ আপনার দুটি ফ্যাক্টর প্রমাণীকরণ ডিভাইস হারিয়ে গেলে সেগুলি আপনার অ্যাকাউন্টে অ্যাক্সেস পুনরুদ্ধার করতে ব্যবহার করা যেতে পারে।", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "একটি নিরাপদ পাসওয়ার্ড ম্যানেজার এই পুনরুদ্ধারের কোড সংরক্ষণ । আপনার দুই ফ্যাক্টর প্রমাণীকরণ ডিভাইস নষ্ট হয়, তাহলে তারা আপনার অ্যাকাউন্টে অ্যাক্সেস পুনরুদ্ধার করতে ব্যবহার করা যেতে পারে ।", "Submit": "জমা দিন", "subordinate": "অধীনস্থ", "Suffix": "প্রত্যয়", "Summary": "সারসংক্ষেপ", "Sunday": "রবিবার", "Switch role": "ভূমিকা পরিবর্তন করুন", - "Switch Teams": "দল পরিবর্তন করুন", + "Switch Teams": "দলসমূহ পরিবর্তন", "Tabs visibility": "ট্যাব দৃশ্যমানতা", "Tags": "ট্যাগ", "Tags let you classify journal posts using a system that matters to you.": "ট্যাগগুলি আপনাকে আপনার জন্য গুরুত্বপূর্ণ এমন একটি সিস্টেম ব্যবহার করে জার্নাল পোস্টগুলিকে শ্রেণীবদ্ধ করতে দেয়।", "Taoist": "তাওবাদী", "Tasks": "কাজ", "Team Details": "দলের বিবরণ", - "Team Invitation": "টিম আমন্ত্রণ", - "Team Members": "দলের সদস্যরা", + "Team Invitation": "দলের আমন্ত্রণ", + "Team Members": "দলের সদস্যগণ", "Team Name": "দলের নাম", "Team Owner": "দলের মালিক", - "Team Settings": "টিম সেটিংস", + "Team Settings": "টিম সেটিংসমূহ", "Telegram": "টেলিগ্রাম", "Templates": "টেমপ্লেট", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "টেমপ্লেটগুলি আপনাকে আপনার পরিচিতিতে কোন ডেটা প্রদর্শন করা উচিত তা কাস্টমাইজ করতে দেয়। আপনি যতগুলি চান ততগুলি টেমপ্লেট সংজ্ঞায়িত করতে পারেন এবং কোন টেমপ্লেটটি কোন পরিচিতিতে ব্যবহার করা উচিত তা চয়ন করতে পারেন৷", - "Terms of Service": "সেবা পাবার শর্ত", - "Test email for Monica": "মনিকার জন্য ইমেল পরীক্ষা করুন", + "Terms of Service": "পরিষেবার শর্তাদি", + "Test email for Monica": "Monica জন্য ইমেল পরীক্ষা করুন", "Test email sent!": "পরীক্ষার ইমেল পাঠানো হয়েছে!", "Thanks,": "ধন্যবাদ,", - "Thanks for giving Monica a try": "মনিকা চেষ্টা করার জন্য ধন্যবাদ", - "Thanks for giving Monica a try.": "মনিকা চেষ্টা করার জন্য ধন্যবাদ.", + "Thanks for giving Monica a try.": "Monica চেষ্টা করার জন্য ধন্যবাদ.", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "সাইন আপ করার জন্য ধন্যবাদ! শুরু করার আগে, আমরা এইমাত্র আপনাকে যে লিঙ্কটি ইমেল করেছি তাতে ক্লিক করে আপনি কি আপনার ইমেল ঠিকানা যাচাই করতে পারেন? আপনি যদি ইমেলটি না পেয়ে থাকেন, আমরা আনন্দের সাথে আপনাকে আরেকটি পাঠাব।", - "The :attribute must be at least :length characters.": ":বিষয়টি কমপক্ষে :দৈর্ঘ্যের অক্ষর হতে হবে।", - "The :attribute must be at least :length characters and contain at least one number.": ":বিষয়টি কমপক্ষে :দৈর্ঘ্যের অক্ষরের হতে হবে এবং কমপক্ষে একটি সংখ্যা থাকতে হবে।", - "The :attribute must be at least :length characters and contain at least one special character.": ":বিষয়টি কমপক্ষে :দৈর্ঘ্যের অক্ষর হতে হবে এবং কমপক্ষে একটি বিশেষ অক্ষর থাকতে হবে।", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":বিষয়টি কমপক্ষে :দৈর্ঘ্যের অক্ষর হতে হবে এবং কমপক্ষে একটি বিশেষ অক্ষর এবং একটি সংখ্যা থাকতে হবে।", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":অ্যাট্রিবিউটটি অবশ্যই কমপক্ষে :দৈর্ঘ্যের অক্ষর হতে হবে এবং এতে অন্তত একটি বড় হাতের অক্ষর, একটি সংখ্যা এবং একটি বিশেষ অক্ষর থাকতে হবে।", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":অ্যাট্রিবিউটটি কমপক্ষে :দৈর্ঘ্যের অক্ষর হতে হবে এবং কমপক্ষে একটি বড় হাতের অক্ষর থাকতে হবে।", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":অ্যাট্রিবিউটটি অবশ্যই কমপক্ষে :দৈর্ঘ্যের অক্ষর হতে হবে এবং এতে কমপক্ষে একটি বড় হাতের অক্ষর এবং একটি সংখ্যা থাকতে হবে।", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":অ্যাট্রিবিউটটি অবশ্যই কমপক্ষে :দৈর্ঘ্যের অক্ষর হতে হবে এবং এতে কমপক্ষে একটি বড় হাতের অক্ষর এবং একটি বিশেষ অক্ষর থাকতে হবে।", - "The :attribute must be a valid role.": ":attribute একটি বৈধ ভূমিকা হতে হবে।", + "The :attribute must be at least :length characters.": ":Attribute অন্তত হতে হবে :length অক্ষর ।", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute অন্তত :length অক্ষরের হতে হবে এবং অন্তত একটি নম্বর অন্তর্ভুক্ত থাকতে হবে।", + "The :attribute must be at least :length characters and contain at least one special character.": "এই :attribute অন্তত হতে হবে :length অক্ষর ধারণ করে এবং অন্তত এক বিশেষ চরিত্র ।", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "এই :attribute অন্তত হতে হবে :length অক্ষর ধারণ করে এবং অন্তত এক বিশেষ চরিত্র এবং এক নম্বর ।", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute অন্তত হতে হবে :length অক্ষর এবং অন্তত একটি য়ের বড়হাতের অক্ষর ছোটহাতের অক্ষর ছোটহাতের অক্ষর, একটি সংখ্যা, এবং একটি বিশেষ অক্ষর থাকতে হবে ।", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute অন্তত :length অক্ষর হতে হবে এবং অন্তত একটি বড় হাতের অক্ষর ধারণ করতে হবে ।", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "দী :attribute অন্তত হতে হবে :length অক্ষর এবং অন্তত একটি য়ের বড়হাতের অক্ষর ছোটহাতের অক্ষর এবং একটি সংখ্যা থাকতে হবে ।", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "ঐ :attribute অন্তত হতে হবে :length অক্ষর এবং অন্তত একটি য়ের বড়হাতের অক্ষর ছোটহাতের অক্ষর এবং একটি বিশেষ অক্ষর থাকে ।", + "The :attribute must be a valid role.": "ঐ :attribute একটি বৈধ ভূমিকা থাকতে হবে ।", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "অ্যাকাউন্টের ডেটা 30 দিনের মধ্যে আমাদের সার্ভার থেকে এবং 60 দিনের মধ্যে সমস্ত ব্যাকআপ থেকে স্থায়ীভাবে মুছে ফেলা হবে।", "The address type has been created": "ঠিকানার ধরন তৈরি করা হয়েছে", "The address type has been deleted": "ঠিকানার ধরন মুছে ফেলা হয়েছে", @@ -947,7 +946,7 @@ "The gift state has been created": "উপহারের রাজ্য তৈরি হয়েছে", "The gift state has been deleted": "উপহারের অবস্থা মুছে ফেলা হয়েছে", "The gift state has been updated": "উপহারের অবস্থা আপডেট করা হয়েছে", - "The given data was invalid.": "প্রদত্ত তথ্য অবৈধ ছিল.", + "The given data was invalid.": "প্রদত্ত তথ্য অবৈধ ছিল।", "The goal has been created": "লক্ষ্য তৈরি হয়েছে", "The goal has been deleted": "গোলটি মুছে ফেলা হয়েছে", "The goal has been edited": "লক্ষ্য সম্পাদনা করা হয়েছে", @@ -960,7 +959,7 @@ "The important dates in the next 12 months": "পরবর্তী 12 মাসের গুরুত্বপূর্ণ তারিখ", "The job information has been saved": "চাকরির তথ্য সংরক্ষণ করা হয়েছে", "The journal lets you document your life with your own words.": "জার্নাল আপনাকে আপনার নিজের কথা দিয়ে আপনার জীবনকে নথিভুক্ত করতে দেয়।", - "The keys to manage uploads have not been set in this Monica instance.": "আপলোডগুলি পরিচালনা করার কীগুলি এই মনিকা উদাহরণে সেট করা হয়নি৷", + "The keys to manage uploads have not been set in this Monica instance.": "আপলোডগুলি পরিচালনা করার কীগুলি এই Monica উদাহরণে সেট করা হয়নি৷", "The label has been added": "লেবেল যোগ করা হয়েছে", "The label has been created": "লেবেল তৈরি করা হয়েছে", "The label has been deleted": "লেবেল মুছে ফেলা হয়েছে", @@ -984,7 +983,7 @@ "The page has been added": "পাতা যোগ করা হয়েছে", "The page has been deleted": "পৃষ্ঠাটি মুছে ফেলা হয়েছে", "The page has been updated": "পাতা আপডেট করা হয়েছে", - "The password is incorrect.": "পাসওয়ার্ডটি ভূল.", + "The password is incorrect.": "পাসওয়ার্ডটি ভুল।", "The pet category has been created": "পোষা ক্যাটাগরি তৈরি করা হয়েছে", "The pet category has been deleted": "পোষা শ্রেণীবিভাগ মুছে ফেলা হয়েছে", "The pet category has been updated": "পোষা বিভাগ আপডেট করা হয়েছে", @@ -1000,10 +999,10 @@ "The pronoun has been created": "সর্বনাম তৈরি হয়েছে", "The pronoun has been deleted": "সর্বনাম মুছে ফেলা হয়েছে", "The pronoun has been updated": "সর্বনাম আপডেট করা হয়েছে", - "The provided password does not match your current password.": "প্রদত্ত পাসওয়ার্ডটি আপনার বর্তমান পাসওয়ার্ডের সাথে মেলে না।", - "The provided password was incorrect.": "দেওয়া পাসওয়ার্ড ভুল ছিল.", - "The provided two factor authentication code was invalid.": "প্রদত্ত দুটি ফ্যাক্টর প্রমাণীকরণ কোড অবৈধ ছিল৷", - "The provided two factor recovery code was invalid.": "প্রদত্ত দুটি ফ্যাক্টর পুনরুদ্ধার কোড অবৈধ ছিল৷", + "The provided password does not match your current password.": "প্রদত্ত পাসওয়ার্ড আপনার বর্তমান পাসওয়ার্ড মেলে না।", + "The provided password was incorrect.": "প্রদত্ত পাসওয়ার্ড ভুল ছিল।", + "The provided two factor authentication code was invalid.": "প্রদত্ত দুই ফ্যাক্টর প্রমাণীকরণ কোড অবৈধ ছিল।", + "The provided two factor recovery code was invalid.": "প্রদত্ত দুই ফ্যাক্টর পুনরুদ্ধার কোড অবৈধ ছিল।", "There are no active addresses yet.": "এখনও কোন সক্রিয় ঠিকানা নেই.", "There are no calls logged yet.": "এখনও কোন কল লগ নেই.", "There are no contact information yet.": "এখনও কোন যোগাযোগের তথ্য নেই.", @@ -1036,13 +1035,15 @@ "The reminder has been created": "অনুস্মারক তৈরি করা হয়েছে", "The reminder has been deleted": "অনুস্মারক মুছে ফেলা হয়েছে", "The reminder has been edited": "অনুস্মারক সম্পাদনা করা হয়েছে", + "The response is not a streamed response.": "রেসপন্সটি একটি স্ট্রিমড রেসপন্স নয়।", + "The response is not a view.": "রেসপন্সটি একটি ভিউ নয়।", "The role has been created": "ভূমিকা তৈরি হয়েছে", "The role has been deleted": "ভূমিকা মুছে ফেলা হয়েছে", "The role has been updated": "ভূমিকা আপডেট করা হয়েছে", "The section has been created": "বিভাগ তৈরি করা হয়েছে", "The section has been deleted": "বিভাগটি মুছে ফেলা হয়েছে", "The section has been updated": "বিভাগ আপডেট করা হয়েছে", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "এই লোকেদের আপনার দলে আমন্ত্রণ জানানো হয়েছে এবং একটি আমন্ত্রণ ইমেল পাঠানো হয়েছে৷ তারা ইমেল আমন্ত্রণ গ্রহণ করে দলে যোগ দিতে পারে।", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "এই মানুষ আপনার দলের আমন্ত্রণ জানানো হয়েছে এবং একটি আমন্ত্রণ ইমেল পাঠানো হয়েছে. তারা ইমেইল আমন্ত্রণ গ্রহণ করে দলের যোগদান করতে পারে ৷", "The tag has been added": "ট্যাগ যোগ করা হয়েছে", "The tag has been created": "ট্যাগ তৈরি করা হয়েছে", "The tag has been deleted": "ট্যাগ মুছে ফেলা হয়েছে", @@ -1050,7 +1051,7 @@ "The task has been created": "টাস্ক তৈরি করা হয়েছে", "The task has been deleted": "টাস্ক মুছে ফেলা হয়েছে", "The task has been edited": "কাজটি সম্পাদনা করা হয়েছে", - "The team's name and owner information.": "দলের নাম এবং মালিকের তথ্য।", + "The team's name and owner information.": "দলের নাম এবং মালিক তথ্য৷", "The Telegram channel has been deleted": "টেলিগ্রাম চ্যানেলটি মুছে ফেলা হয়েছে", "The template has been created": "টেমপ্লেট তৈরি করা হয়েছে", "The template has been deleted": "টেমপ্লেট মুছে ফেলা হয়েছে", @@ -1067,42 +1068,41 @@ "The vault has been created": "ভল্ট তৈরি করা হয়েছে", "The vault has been deleted": "ভল্ট মুছে ফেলা হয়েছে", "The vault have been updated": "ভল্ট আপডেট করা হয়েছে", - "they\/them": "তারা তাদের", + "they/them": "তারা/তাদের", "This address is not active anymore": "এই ঠিকানা আর সক্রিয় নয়", - "This device": "এই যন্ত্রটি", - "This email is a test email to check if Monica can send an email to this email address.": "মনিকা এই ইমেল ঠিকানায় একটি ইমেল পাঠাতে পারে কিনা তা পরীক্ষা করার জন্য এই ইমেলটি একটি পরীক্ষামূলক ইমেল৷", - "This is a secure area of the application. Please confirm your password before continuing.": "এটি অ্যাপ্লিকেশনটির একটি নিরাপদ এলাকা। চালিয়ে যাওয়ার আগে অনুগ্রহ করে আপনার পাসওয়ার্ড নিশ্চিত করুন।", + "This device": "এই ডিভাইসটি", + "This email is a test email to check if Monica can send an email to this email address.": "Monica এই ইমেল ঠিকানায় একটি ইমেল পাঠাতে পারে কিনা তা পরীক্ষা করার জন্য এই ইমেলটি একটি পরীক্ষামূলক ইমেল।", + "This is a secure area of the application. Please confirm your password before continuing.": "এই অ্যাপ্লিকেশনটি একটি নিরাপদ এলাকা ৷ অব্যাহত আগে আপনার পাসওয়ার্ড নিশ্চিত করুন ৷", "This is a test email": "এটি একটি পরীক্ষামূলক ইমেল", - "This is a test notification for :name": "এটি একটি পরীক্ষার বিজ্ঞপ্তি :নাম", + "This is a test notification for :name": "এটি :name এর জন্য একটি পরীক্ষার বিজ্ঞপ্তি", "This key is already registered. It’s not necessary to register it again.": "এই কী ইতিমধ্যে নিবন্ধিত আছে. এটি আবার নিবন্ধন করার প্রয়োজন নেই।", "This link will open in a new tab": "এই লিঙ্কটি একটি নতুন ট্যাবে খুলবে", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "এই পৃষ্ঠাটি অতীতে এই চ্যানেলে পাঠানো সমস্ত বিজ্ঞপ্তি দেখায়৷ এটি প্রাথমিকভাবে ডিবাগ করার একটি উপায় হিসাবে কাজ করে যদি আপনি আপনার সেট আপ করা বিজ্ঞপ্তিটি না পান।", - "This password does not match our records.": "এই পাসওয়ার্ড আমাদের রেকর্ডের সাথে মেলে না।", - "This password reset link will expire in :count minutes.": "এই পাসওয়ার্ড রিসেট লিঙ্কের মেয়াদ শেষ হবে :গণনা মিনিটের মধ্যে।", + "This password does not match our records.": "এই পাসওয়ার্ড আমাদের রেকর্ড মেলে না ৷", + "This password reset link will expire in :count minutes.": "এই পাসওয়ার্ড রিসেট লিঙ্কটি :count মিনিটের মধ্যে এর মেয়াদ শেষ হবে ৷", "This post has no content yet.": "এই পোস্টে কোন বিষয়বস্তু এখনও আছে.", "This provider is already associated with another account": "এই প্রদানকারী ইতিমধ্যেই অন্য অ্যাকাউন্টের সাথে যুক্ত", "This site is open source.": "এই সাইটটি ওপেন সোর্স।", "This template will define what information are displayed on a contact page.": "এই টেমপ্লেটটি একটি পরিচিতি পৃষ্ঠায় কী তথ্য প্রদর্শিত হবে তা নির্ধারণ করবে।", - "This user already belongs to the team.": "এই ব্যবহারকারী ইতিমধ্যেই দলের অন্তর্গত।", - "This user has already been invited to the team.": "এই ব্যবহারকারীকে ইতিমধ্যেই দলে আমন্ত্রণ জানানো হয়েছে৷", + "This user already belongs to the team.": "এই ব্যবহারকারী ইতিমধ্যে দলের জন্যে৷", + "This user has already been invited to the team.": "এই ব্যবহারকারী ইতিমধ্যে দলের আমন্ত্রণ জানানো হয়েছে ৷", "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "এই ব্যবহারকারী আপনার অ্যাকাউন্টের অংশ হবে, কিন্তু আপনি তাদের নির্দিষ্ট অ্যাক্সেস না দেওয়া পর্যন্ত এই অ্যাকাউন্টের সমস্ত ভল্টে অ্যাক্সেস পাবেন না। এই ব্যক্তি পাশাপাশি vaults তৈরি করতে সক্ষম হবে.", "This will immediately:": "এটি অবিলম্বে হবে:", "Three things that happened today": "আজ যে তিনটি ঘটনা ঘটেছে", "Thursday": "বৃহস্পতিবার", "Timezone": "সময় অঞ্চল", "Title": "শিরোনাম", - "to": "প্রতি", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "দুটি ফ্যাক্টর প্রমাণীকরণ সক্ষম করা শেষ করতে, আপনার ফোনের প্রমাণীকরণকারী অ্যাপ্লিকেশন ব্যবহার করে নিম্নলিখিত QR কোডটি স্ক্যান করুন বা সেটআপ কী লিখুন এবং উত্পন্ন OTP কোড প্রদান করুন৷", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "দুটি ফ্যাক্টর প্রমাণীকরণ সক্ষম করা শেষ করতে, আপনার ফোনের প্রমাণীকরণকারী অ্যাপ্লিকেশন ব্যবহার করে নিম্নলিখিত QR কোডটি স্ক্যান করুন বা সেটআপ কী লিখুন এবং উত্পন্ন OTP কোড প্রদান করুন।", - "Toggle navigation": "নেভিগেশন টগল করুন", + "to": "প্রাপক", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "দুটি ফ্যাক্টর প্রমাণীকরণ সক্ষম করা শেষ করতে, আপনার ফোনের প্রমাণীকরণকারী অ্যাপ্লিকেশন ব্যবহার করে নিম্নলিখিত QR কোডটি স্ক্যান করুন বা সেটআপ কী লিখুন এবং উৎপন্ন OTP কোড প্রদান করুন ৷", + "Toggle navigation": "জন্য অনুসন্ধান করুন:", "To hear their story": "তাদের গল্প শোনার জন্য", - "Token Name": "টোকেন নাম", + "Token Name": "টোকেনের নাম", "Token name (for your reference only)": "টোকেন নাম (শুধুমাত্র আপনার রেফারেন্সের জন্য)", "Took a new job": "নতুন চাকরি নিলেন", "Took the bus": "বাসে উঠল", "Took the metro": "মেট্রো নিলাম", "Too Many Requests": "অনেক অনুরোধ", - "To see if they need anything": "তাদের কিছু প্রয়োজন কিনা তা দেখতে", + "To see if they need anything": "তাদের কিছু দরকার কিনা তা দেখার জন্য", "To start, you need to create a vault.": "শুরু করতে, আপনাকে একটি খিলান তৈরি করতে হবে।", "Total:": "মোট:", "Total streaks": "মোট রেখা", @@ -1111,23 +1111,22 @@ "Tuesday": "মঙ্গলবার", "Two-factor Confirmation": "দ্বি-ফ্যাক্টর নিশ্চিতকরণ", "Two Factor Authentication": "দুই ফ্যাক্টর প্রমাণীকরণ", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "দুই ফ্যাক্টর প্রমাণীকরণ এখন সক্রিয় করা হয়েছে. আপনার ফোনের প্রমাণীকরণকারী অ্যাপ্লিকেশন ব্যবহার করে নিম্নলিখিত QR কোডটি স্ক্যান করুন বা সেটআপ কী লিখুন৷", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "দুই ফ্যাক্টর প্রমাণীকরণ এখন সক্রিয় করা হয়েছে। আপনার ফোনের প্রমাণীকরণকারী অ্যাপ্লিকেশন ব্যবহার করে নিম্নলিখিত QR কোডটি স্ক্যান করুন বা সেটআপ কী লিখুন৷", "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "দুই ফ্যাক্টর প্রমাণীকরণ এখন সক্রিয় করা হয়েছে. আপনার ফোনের প্রমাণীকরণকারী অ্যাপ্লিকেশন ব্যবহার করে নিম্নলিখিত QR কোড স্ক্যান করুন বা সেটআপ কী লিখুন।", "Type": "টাইপ", "Type:": "প্রকার:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "মনিকা বটের সাথে কথোপকথনে কিছু টাইপ করুন। উদাহরণস্বরূপ এটি 'শুরু' হতে পারে।", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica বটের সাথে কথোপকথনে কিছু টাইপ করুন। উদাহরণস্বরূপ এটি ’শুরু’ হতে পারে।", "Types": "প্রকারভেদ", "Type something": "কিছু লেখো", "Unarchive contact": "আর্কাইভ পরিচিতি", "unarchived the contact": "পরিচিতিটি সংরক্ষণাগারমুক্ত করা হয়েছে", - "Unauthorized": "অননুমোদিত", - "uncle\/aunt": "চাচা\/খালা", + "Unauthorized": "অনুমোদিত নয়", + "uncle/aunt": "চাচা/খালা", "Undefined": "অনির্ধারিত", "Unexpected error on login.": "লগইন এ অপ্রত্যাশিত ত্রুটি.", "Unknown": "অজানা", "unknown action": "অজানা কর্ম", "Unknown age": "অজানা বয়স", - "Unknown contact name": "অজানা পরিচিতি নাম", "Unknown name": "অজানা নাম", "Update": "হালনাগাদ", "Update a key.": "একটি কী আপডেট করুন।", @@ -1136,34 +1135,33 @@ "updated an address": "একটি ঠিকানা আপডেট করা হয়েছে", "updated an important date": "একটি গুরুত্বপূর্ণ তারিখ আপডেট করা হয়েছে", "updated a pet": "একটি পোষা আপডেট", - "Updated on :date": "তারিখে আপডেট করা হয়েছে", + "Updated on :date": ":date তারিখে আপডেট করা হয়েছে", "updated the avatar of the contact": "পরিচিতির অবতার আপডেট করা হয়েছে", "updated the contact information": "যোগাযোগের তথ্য আপডেট করা হয়েছে", "updated the job information": "কাজের তথ্য আপডেট করা হয়েছে", "updated the religion": "ধর্ম আপডেট করা হয়েছে", "Update Password": "পাসওয়ার্ড আপডেট করুন", - "Update your account's profile information and email address.": "আপনার অ্যাকাউন্টের প্রোফাইল তথ্য এবং ইমেল ঠিকানা আপডেট করুন।", - "Update your account’s profile information and email address.": "আপনার অ্যাকাউন্টের প্রোফাইল তথ্য এবং ইমেল ঠিকানা আপডেট করুন।", + "Update your account's profile information and email address.": "আপনার অ্যাকাউন্ট এর প্রোফাইল তথ্য এবং ইমেল ঠিকানা আপডেট করুন ।", "Upload photo as avatar": "অবতার হিসেবে ছবি আপলোড করুন", "Use": "ব্যবহার করুন", - "Use an authentication code": "একটি প্রমাণীকরণ কোড ব্যবহার করুন", - "Use a recovery code": "একটি পুনরুদ্ধার কোড ব্যবহার করুন", + "Use an authentication code": "প্রমাণীকরণ কোড ব্যবহার করো", + "Use a recovery code": "একটি পুনরুদ্ধারের কোড ব্যবহার করুন", "Use a security key (Webauthn, or FIDO) to increase your account security.": "আপনার অ্যাকাউন্টের নিরাপত্তা বাড়াতে একটি নিরাপত্তা কী (Webauthn, বা FIDO) ব্যবহার করুন।", "User preferences": "ব্যবহারকারীর সুবিধামত", "Users": "ব্যবহারকারীদের", "User settings": "ব্যবহারকারী সেটিংস", - "Use the following template for this contact": "এই পরিচিতির জন্য নিম্নলিখিত টেমপ্লেট ব্যবহার করুন", + "Use the following template for this contact": "এই যোগাযোগের জন্য নিম্নলিখিত টেমপ্লেট ব্যবহার করুন", "Use your password": "আপনার পাসওয়ার্ড ব্যবহার করুন", "Use your security key": "আপনার নিরাপত্তা কী ব্যবহার করুন", "Validating key…": "কী যাচাই করা হচ্ছে...", "Value copied into your clipboard": "আপনার ক্লিপবোর্ডে মান কপি করা হয়েছে", "Vaults contain all your contacts data.": "ভল্টে আপনার সমস্ত পরিচিতি ডেটা থাকে।", "Vault settings": "ভল্ট সেটিংস", - "ve\/ver": "এবং দাও", + "ve/ver": "ve/ver", "Verification email sent": "যাচাইকরণ ইমেল পাঠানো হয়েছে", "Verified": "যাচাই", - "Verify Email Address": "ইমেল ঠিকানা যাচাই করুন", - "Verify this email address": "এই ই - মেইল ​​ঠিকানা যাচাই করুন", + "Verify Email Address": "ই-মেইল ঠিকানা যাচাই করুন", + "Verify this email address": "এই ই - মেইল ঠিকানা যাচাই করুন", "Version :version — commit [:short](:url).": "সংস্করণ :version — কমিট [:short](:url)।", "Via Telegram": "টেলিগ্রামের মাধ্যমে", "Video call": "ভিডিও কল", @@ -1174,7 +1172,7 @@ "View history": "ইতিহাস দেখ", "View log": "লগ দেখুন", "View on map": "মানচিত্রে দেখুন", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "মনিকা (অ্যাপ্লিকেশন) আপনাকে চিনতে কয়েক সেকেন্ড অপেক্ষা করুন। এটি কাজ করে কিনা তা দেখতে আমরা আপনাকে একটি জাল বিজ্ঞপ্তি পাঠাব।", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica (অ্যাপ্লিকেশন) আপনাকে চিনতে কয়েক সেকেন্ড অপেক্ষা করুন। এটি কাজ করে কিনা তা দেখতে আমরা আপনাকে একটি জাল বিজ্ঞপ্তি পাঠাব।", "Waiting for key…": "চাবির জন্য অপেক্ষা করা হচ্ছে...", "Walked": "হেঁটেছেন", "Wallpaper": "ওয়ালপেপার", @@ -1184,33 +1182,34 @@ "Watched TV": "টিভি দেখেছেন", "Watch Netflix every day": "প্রতিদিন Netflix দেখুন", "Ways to connect": "সংযোগ করার উপায়", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn শুধুমাত্র সুরক্ষিত সংযোগ সমর্থন করে। https স্কিম সহ এই পৃষ্ঠাটি লোড করুন।", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn শুধুমাত্র নিরাপদ সংযোগ সমর্থন করে। https স্কিম সহ এই পৃষ্ঠাটি লোড করুন.", "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "আমরা তাদের একটি সম্পর্ক বলি, এবং এর বিপরীত সম্পর্ক। আপনি সংজ্ঞায়িত প্রতিটি সম্পর্কের জন্য, আপনাকে এর প্রতিরূপ সংজ্ঞায়িত করতে হবে।", "Wedding": "বিবাহ", "Wednesday": "বুধবার", "We hope you'll like it.": "আমরা আশা করি আপনি এটা পছন্দ করবেন.", "We hope you will like what we’ve done.": "আমরা আশা করি আপনি যা করেছি তা পছন্দ করবেন।", - "Welcome to Monica.": "মনিকাকে স্বাগতম।", + "Welcome to Monica.": "Monica এ স্বাগতম।", "Went to a bar": "একটা বারে গেল", "We support Markdown to format the text (bold, lists, headings, etc…).": "আমরা টেক্সট ফর্ম্যাট করতে মার্কডাউন সমর্থন করি (বোল্ড, তালিকা, শিরোনাম, ইত্যাদি...)।", - "We were unable to find a registered user with this email address.": "আমরা এই ইমেল ঠিকানা সহ একটি নিবন্ধিত ব্যবহারকারী খুঁজে পেতে অক্ষম ছিল.", + "We were unable to find a registered user with this email address.": "আমরা এই ইমেল ঠিকানা সহ রেজিস্টার্ড ব্যবহারকারী খুঁজে পাইনি।", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "আমরা এই ইমেল ঠিকানায় একটি ইমেল পাঠাব যা এই ঠিকানায় বিজ্ঞপ্তি পাঠানোর আগে আপনাকে নিশ্চিত করতে হবে৷", "What happens now?": "এখন কি ঘটছে?", "What is the loan?": "ঋণ কি?", - "What permission should :name have?": "কি অনুমতি দেওয়া উচিত :নাম আছে?", + "What permission should :name have?": ":Name-এর কী অনুমতি থাকা উচিত?", "What permission should the user have?": "ব্যবহারকারীর কি অনুমতি থাকা উচিত?", + "Whatsapp": "হোয়াটসঅ্যাপ", "What should we use to display maps?": "মানচিত্র প্রদর্শন করতে আমাদের কী ব্যবহার করা উচিত?", "What would make today great?": "কি আজ মহান করতে হবে?", "When did the call happened?": "কখন কল হয়েছিল?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "যখন দুটি ফ্যাক্টর প্রমাণীকরণ সক্ষম করা হয়, আপনাকে প্রমাণীকরণের সময় একটি নিরাপদ, এলোমেলো টোকেনের জন্য অনুরোধ করা হবে। আপনি আপনার ফোনের Google প্রমাণীকরণকারী অ্যাপ্লিকেশন থেকে এই টোকেনটি পুনরুদ্ধার করতে পারেন৷", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "প্রমাণীকরণ সক্রিয় করা হয় দুই ফ্যাক্টর, আপনি অনুমোদনের সময় একটি নিরাপদ, র্যান্ডম টোকেন জন্য অনুরোধ করা হবে । আপনি আপনার ফোন এর গুগল প্রমাণকারী অ্যাপ্লিকেশন থেকে এই টোকেন উদ্ধার হতে পারে ।", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "যখন দুটি ফ্যাক্টর প্রমাণীকরণ সক্ষম করা হয়, আপনাকে প্রমাণীকরণের সময় একটি নিরাপদ, এলোমেলো টোকেনের জন্য অনুরোধ করা হবে। আপনি আপনার ফোনের প্রমাণীকরণকারী অ্যাপ্লিকেশন থেকে এই টোকেনটি পুনরুদ্ধার করতে পারেন।", "When was the loan made?": "কখন ঋণ করা হয়েছিল?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "আপনি যখন দুটি পরিচিতির মধ্যে একটি সম্পর্ককে সংজ্ঞায়িত করেন, উদাহরণস্বরূপ একটি পিতা-পুত্রের সম্পর্ক, মনিকা দুটি সম্পর্ক তৈরি করে, প্রতিটি পরিচিতির জন্য একটি:", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "আপনি যখন দুটি পরিচিতির মধ্যে একটি সম্পর্ককে সংজ্ঞায়িত করেন, উদাহরণস্বরূপ একটি পিতা-পুত্রের সম্পর্ক, Monica দুটি সম্পর্ক তৈরি করে, প্রতিটি পরিচিতির জন্য একটি:", "Which email address should we send the notification to?": "আমরা কোন ইমেল ঠিকানায় বিজ্ঞপ্তি পাঠাতে হবে?", "Who called?": "কে ডেকেছিল?", "Who makes the loan?": "ঋণ কে করে?", - "Whoops!": "উফফফ!", - "Whoops! Something went wrong.": "উফফফ! কিছু ভুল হয়েছে.", + "Whoops!": "ওপসস!", + "Whoops! Something went wrong.": "ওপসস! কিছু ভুল হয়েছে ।", "Who should we invite in this vault?": "এই ভল্টে আমরা কাকে আমন্ত্রণ জানাব?", "Who the loan is for?": "ঋণ কার জন্য?", "Wish good day": "শুভ দিন কামনা করি", @@ -1218,47 +1217,45 @@ "Write the amount with a dot if you need decimals, like 100.50": "100.50 এর মতো দশমিকের প্রয়োজন হলে একটি বিন্দু দিয়ে পরিমাণটি লিখুন", "Written on": "উপর লিখিত", "wrote a note": "একটি নোট লিখেছেন", - "xe\/xem": "গাড়ি\/ভিউ", + "xe/xem": "xe/xem", "year": "বছর", "Years": "বছর", "You are here:": "তুমি এখানে:", - "You are invited to join Monica": "আপনাকে মনিকার সাথে যোগ দেওয়ার জন্য আমন্ত্রণ জানানো হচ্ছে", - "You are receiving this email because we received a password reset request for your account.": "আপনি এই ইমেলটি পাচ্ছেন কারণ আমরা আপনার অ্যাকাউন্টের জন্য একটি পাসওয়ার্ড পুনরায় সেট করার অনুরোধ পেয়েছি৷", + "You are invited to join Monica": "আপনাকে Monica সাথে যোগ দেওয়ার জন্য আমন্ত্রণ জানানো হচ্ছে", + "You are receiving this email because we received a password reset request for your account.": "আমরা আপনার অ্যাকাউন্টের জন্য একটি পাসওয়ার্ড রিসেট অনুরোধ পেয়েছি, কারণ আপনি এই ইমেইল পাচ্ছেন ।", "you can't even use your current username or password to sign in,": "এমনকি আপনি সাইন ইন করতে আপনার বর্তমান ব্যবহারকারীর নাম বা পাসওয়ার্ড ব্যবহার করতে পারবেন না,", - "you can't even use your current username or password to sign in, ": "এমনকি আপনি সাইন ইন করতে আপনার বর্তমান ব্যবহারকারীর নাম বা পাসওয়ার্ড ব্যবহার করতে পারবেন না,", - "you can't import any data from your current Monica account(yet),": "আপনি আপনার বর্তমান মনিকা অ্যাকাউন্ট থেকে কোনো ডেটা আমদানি করতে পারবেন না (এখনও),", - "you can't import any data from your current Monica account(yet), ": "আপনি আপনার বর্তমান মনিকা অ্যাকাউন্ট থেকে কোনো ডেটা আমদানি করতে পারবেন না (এখনও),", + "you can't import any data from your current Monica account(yet),": "আপনি আপনার বর্তমান Monica অ্যাকাউন্ট থেকে কোনো ডেটা আমদানি করতে পারবেন না (এখনও),", "You can add job information to your contacts and manage the companies here in this tab.": "আপনি এই ট্যাবে আপনার পরিচিতিতে চাকরির তথ্য যোগ করতে পারেন এবং কোম্পানিগুলি পরিচালনা করতে পারেন।", "You can add more account to log in to our service with one click.": "আপনি এক ক্লিকে আমাদের পরিষেবাতে লগ ইন করতে আরও অ্যাকাউন্ট যোগ করতে পারেন।", "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "আপনাকে বিভিন্ন চ্যানেলের মাধ্যমে অবহিত করা যেতে পারে: ইমেল, একটি টেলিগ্রাম বার্তা, Facebook-এ। তুমি ঠিক কর.", "You can change that at any time.": "আপনি যে কোনো সময় এটি পরিবর্তন করতে পারেন.", - "You can choose how you want Monica to display dates in the application.": "আপনি কীভাবে মনিকাকে অ্যাপ্লিকেশনটিতে তারিখগুলি প্রদর্শন করতে চান তা চয়ন করতে পারেন৷", + "You can choose how you want Monica to display dates in the application.": "আপনি কীভাবে Monicaকে অ্যাপ্লিকেশনটিতে তারিখগুলি প্রদর্শন করতে চান তা চয়ন করতে পারেন৷", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "আপনার অ্যাকাউন্টে কোন মুদ্রা সক্ষম করা উচিত এবং কোনটি উচিত নয় তা আপনি চয়ন করতে পারেন৷", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "আপনার নিজস্ব স্বাদ\/সংস্কৃতি অনুযায়ী পরিচিতিগুলি কীভাবে প্রদর্শিত হবে তা আপনি কাস্টমাইজ করতে পারেন। সম্ভবত আপনি বন্ড জেমসের পরিবর্তে জেমস বন্ড ব্যবহার করতে চান। এখানে, আপনি ইচ্ছামত এটি সংজ্ঞায়িত করতে পারেন.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "আপনার নিজস্ব স্বাদ/সংস্কৃতি অনুযায়ী পরিচিতিগুলি কীভাবে প্রদর্শিত হবে তা আপনি কাস্টমাইজ করতে পারেন। সম্ভবত আপনি বন্ড জেমসের পরিবর্তে জেমস বন্ড ব্যবহার করতে চান। এখানে, আপনি ইচ্ছামত এটি সংজ্ঞায়িত করতে পারেন.", "You can customize the criteria that let you track your mood.": "আপনি মানদণ্ড কাস্টমাইজ করতে পারেন যা আপনাকে আপনার মেজাজ ট্র্যাক করতে দেয়।", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "আপনি vaults মধ্যে পরিচিতি সরাতে পারেন. এই পরিবর্তন তাৎক্ষণিক। আপনি পরিচিতিগুলিকে শুধুমাত্র সেই ভল্টে স্থানান্তর করতে পারেন যার অংশ আপনি৷ সমস্ত পরিচিতি ডেটা এটির সাথে সরানো হবে।", "You cannot remove your own administrator privilege.": "আপনি আপনার নিজের প্রশাসক বিশেষাধিকার সরাতে পারবেন না.", "You don’t have enough space left in your account.": "আপনার অ্যাকাউন্টে পর্যাপ্ত জায়গা অবশিষ্ট নেই।", "You don’t have enough space left in your account. Please upgrade.": "আপনার অ্যাকাউন্টে পর্যাপ্ত জায়গা অবশিষ্ট নেই। আপগ্রেড করুন.", - "You have been invited to join the :team team!": "আপনাকে :টিম দলে যোগদানের জন্য আমন্ত্রণ জানানো হয়েছে!", - "You have enabled two factor authentication.": "আপনি দুটি ফ্যাক্টর প্রমাণীকরণ সক্ষম করেছেন।", - "You have not enabled two factor authentication.": "আপনি দুটি ফ্যাক্টর প্রমাণীকরণ সক্ষম করেননি।", + "You have been invited to join the :team team!": "আপনি :team দলের যোগদানের জন্য আমন্ত্রণ জানানো হয়েছে!", + "You have enabled two factor authentication.": "আপনি দুটি ফ্যাক্টর প্রমাণীকরণ সক্রিয় করেছেন।", + "You have not enabled two factor authentication.": "আপনি দুটি ফ্যাক্টর প্রমাণীকরণ সক্রিয় করেননি।", "You have not setup Telegram in your environment variables yet.": "আপনি এখনও আপনার পরিবেশের ভেরিয়েবলে টেলিগ্রাম সেটআপ করেননি।", "You haven’t received a notification in this channel yet.": "আপনি এখনো এই চ্যানেলে কোনো বিজ্ঞপ্তি পাননি।", "You haven’t setup Telegram yet.": "আপনি এখনও টেলিগ্রাম সেটআপ করেননি।", "You may accept this invitation by clicking the button below:": "আপনি নীচের বোতামটি ক্লিক করে এই আমন্ত্রণটি গ্রহণ করতে পারেন:", - "You may delete any of your existing tokens if they are no longer needed.": "আপনি আপনার বিদ্যমান টোকেনগুলির যেকোনো একটি মুছে ফেলতে পারেন যদি তাদের আর প্রয়োজন না হয়।", - "You may not delete your personal team.": "আপনি আপনার ব্যক্তিগত দল মুছে ফেলতে পারে না.", - "You may not leave a team that you created.": "আপনি আপনার তৈরি করা একটি দল ছেড়ে যেতে পারেন না।", + "You may delete any of your existing tokens if they are no longer needed.": "তারা আর প্রয়োজন হয় যদি আপনি আপনার বিদ্যমান টোকেন কোনো মুছে দিতে পারেন ।", + "You may not delete your personal team.": "আপনি আপনার ব্যক্তিগত দল মুছে ফেলতে পারেন না ।", + "You may not leave a team that you created.": "আপনি আপনার তৈরি করা একটি দল ছেড়ে না পারে ।", "You might need to reload the page to see the changes.": "পরিবর্তনগুলি দেখতে আপনাকে পৃষ্ঠাটি পুনরায় লোড করতে হতে পারে৷", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "পরিচিতিগুলি প্রদর্শনের জন্য আপনার কমপক্ষে একটি টেমপ্লেট প্রয়োজন৷ একটি টেমপ্লেট ছাড়া, মনিকা জানবে না যে এটি কোন তথ্য প্রদর্শন করবে৷", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "পরিচিতিগুলি প্রদর্শনের জন্য আপনার কমপক্ষে একটি টেমপ্লেট প্রয়োজন৷ একটি টেমপ্লেট ছাড়া, Monica জানবে না যে এটি কোন তথ্য প্রদর্শন করবে৷", "Your account current usage": "আপনার অ্যাকাউন্টের বর্তমান ব্যবহার", "Your account has been created": "আপনার অ্যাকাউন্ট তৈরি করা হয়েছে", "Your account is linked": "আপনার অ্যাকাউন্ট লিঙ্ক করা হয়েছে", "Your account limits": "আপনার অ্যাকাউন্টের সীমা", "Your account will be closed immediately,": "আপনার অ্যাকাউন্ট অবিলম্বে বন্ধ করা হবে,", "Your browser doesn’t currently support WebAuthn.": "আপনার ব্রাউজার বর্তমানে WebAuthn সমর্থন করে না।", - "Your email address is unverified.": "আপনার ইমেল ঠিকানা যাচাই করা হয়নি.", + "Your email address is unverified.": "আপনার ইমেল ঠিকানা যাচাই করা হয়নি।", "Your life events": "আপনার জীবনের ঘটনা", "Your mood has been recorded!": "আপনার মেজাজ রেকর্ড করা হয়েছে!", "Your mood that day": "সেদিন তোমার মেজাজ", @@ -1266,9 +1263,9 @@ "Your mood this year": "এই বছর আপনার মেজাজ", "Your name here will be used to add yourself as a contact.": "এখানে আপনার নামটি নিজেকে পরিচিতি হিসাবে যুক্ত করতে ব্যবহার করা হবে৷", "You wanted to be reminded of the following:": "আপনি নিম্নলিখিত মনে করিয়ে দিতে চেয়েছিলেন:", - "You WILL still have to delete your account on Monica or OfficeLife.": "আপনাকে এখনও মনিকা বা অফিসলাইফে আপনার অ্যাকাউন্ট মুছতে হবে।", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "আপনাকে মনিকার এই ইমেল ঠিকানাটি ব্যবহার করার জন্য আমন্ত্রণ জানানো হয়েছে, একটি ওপেন সোর্স ব্যক্তিগত CRM, যাতে আমরা আপনাকে বিজ্ঞপ্তি পাঠাতে এটি ব্যবহার করতে পারি।", - "ze\/hir": "তাকে", + "You WILL still have to delete your account on Monica or OfficeLife.": "আপনাকে এখনও Monica বা অফিসলাইফে আপনার অ্যাকাউন্ট মুছতে হবে।", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "আপনাকে Monica এই ইমেল ঠিকানাটি ব্যবহার করার জন্য আমন্ত্রণ জানানো হয়েছে, একটি ওপেন সোর্স ব্যক্তিগত CRM, যাতে আমরা আপনাকে বিজ্ঞপ্তি পাঠাতে এটি ব্যবহার করতে পারি।", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ বিপদ অঞ্চল", "🌳 Chalet": "🌳 চালেট", "🏠 Secondary residence": "🏠 মাধ্যমিক বাসস্থান", diff --git a/lang/bn/pagination.php b/lang/bn/pagination.php index 92ffeec3d09..f12d25c117b 100644 --- a/lang/bn/pagination.php +++ b/lang/bn/pagination.php @@ -1,6 +1,6 @@ 'পরবর্তী »', - 'previous' => '« পুর্ববর্তী', + 'next' => 'পরবর্তী ❯', + 'previous' => '❮ পুর্ববর্তী', ]; diff --git a/lang/bn/passwords.php b/lang/bn/passwords.php index a21b19035eb..2a87f071baa 100644 --- a/lang/bn/passwords.php +++ b/lang/bn/passwords.php @@ -3,7 +3,7 @@ return [ 'reset' => 'আপনার পাসওয়ার্ড পুনরায় সেট করা হয়েছে!', 'sent' => 'আমরা আপনার পাসওয়ার্ড পুনরায় সেট করার লিঙ্ক ই-মেইল করেছি!', - 'throttled' => 'থামুন! অনুগ্রহ করে কিছুক্ষণ পর পূণরায় চেষ্টা করুন।', + 'throttled' => 'থামুন! অনুগ্রহ করে কিছুক্ষণ পর পূনরায় চেষ্টা করুন।', 'token' => 'এই পাসওয়ার্ড রিসেট টোকেনটি সঠিক নয়।', 'user' => 'এই ই-মেইল দিয়ে কোন ব্যবহারকারী খুঁজে পাওয়া যাচ্ছে না', ]; diff --git a/lang/bn/validation.php b/lang/bn/validation.php index 46790ad5af4..c4553743baf 100644 --- a/lang/bn/validation.php +++ b/lang/bn/validation.php @@ -93,8 +93,9 @@ 'string' => ':Min এবং :max অক্ষর :attribute মধ্যে হতে হবে।', ], 'boolean' => ':Attribute স্থানে সত্য বা মিথ্যা হতে হবে।', - 'confirmed' => ':Attribute নিশ্চিতকরণ এর সাথে মিলছে না।', - 'current_password' => 'পাসওয়ার্ডটি ভুল।', + 'can' => ':Attribute ক্ষেত্রটিতে একটি অননুমোদিত মান রয়েছে।', + 'confirmed' => ':Attribute ক্ষেত্রটি নিশ্চিতকরণ এর সাথে মিলছে না।', + 'current_password' => 'বর্তমান পাসওয়ার্ড।', 'date' => ':Attribute একটি বৈধ তারিখ নয়।', 'date_equals' => 'এই :attribute সমান তারিখ হতে হবে :date।', 'date_format' => ':Attribute, :format এর সাথে বিন্যাস মিলছে না।', diff --git a/lang/ca.json b/lang/ca.json index 6845df6d9cc..61d6fee1219 100644 --- a/lang/ca.json +++ b/lang/ca.json @@ -1,10 +1,10 @@ { - "(and :count more error)": "(i: comptar més errors)", - "(and :count more errors)": "(i: comptar més errors)", + "(and :count more error)": "(i :count error més)", + "(and :count more errors)": "(i :count errors més)", "(Help)": "(Ajuda)", - "+ add a contact": "+ afegeix un contacte", + "+ add a contact": "+ afegir un contacte", "+ add another": "+ afegir un altre", - "+ add another photo": "+ afegeix una altra foto", + "+ add another photo": "+ afegir una altra foto", "+ add description": "+ afegir descripció", "+ add distance": "+ afegir distància", "+ add emotion": "+ afegir emoció", @@ -13,45 +13,45 @@ "+ add title": "+ afegir títol", "+ change date": "+ canvi de data", "+ change template": "+ canviar la plantilla", - "+ create a group": "+ crea un grup", + "+ create a group": "+ crear un grup", "+ gender": "+ gènere", "+ last name": "+ cognom", "+ maiden name": "+ nom de soltera", "+ middle name": "+ segon nom", "+ nickname": "+ sobrenom", "+ note": "+ nota", - "+ number of hours slept": "+ nombre d'hores dormides", + "+ number of hours slept": "+ nombre d’hores dormides", "+ prefix": "+ prefix", - "+ pronoun": "+ tendir", + "+ pronoun": "+ pronom", "+ suffix": "+ sufix", - ":count contact|:count contacts": ":comptar contactes|:comptar contactes", - ":count hour slept|:count hours slept": ":compte les hores dormides|:compta les hores dormides", - ":count min read": ": comptar minuts de lectura", - ":count post|:count posts": ":count post|:count posts", - ":count template section|:count template sections": ":count template section|:count template sections", - ":count word|:count words": ":comptar paraules|:comptar paraules", - ":distance km": ": distància km", - ":distance miles": ": distància milles", - ":file at line :line": ":fitxer a la línia :line", - ":file in :class at line :line": ":fitxer a :class a la línia :line", - ":Name called": ":nom anomenat", - ":Name called, but I didn’t answer": ":nom va trucar, però no vaig respondre", + ":count contact|:count contacts": ":count contacte|:count contactes", + ":count hour slept|:count hours slept": ":count hora dormida|:count hores dormides", + ":count min read": ":count minuts de lectura", + ":count post|:count posts": ":count publicació|:count publicacions", + ":count template section|:count template sections": ":count secció de plantilla|:count seccions de plantilla", + ":count word|:count words": ":count paraula|:count paraules", + ":distance km": ":distance km", + ":distance miles": ":distance milles", + ":file at line :line": ":file a la línia :line", + ":file in :class at line :line": ":file a :class a la línia :line", + ":Name called": ":Name ha trucat", + ":Name called, but I didn’t answer": ":Name ha trucat, però no he contestat", ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName us convida a unir-vos a Monica, un CRM personal de codi obert, dissenyat per ajudar-vos a documentar les vostres relacions.", - "Accept Invitation": "Accepta la invitació", + "Accept Invitation": "Acceptar la invitació", "Accept invitation and create your account": "Accepta la invitació i crea el teu compte", "Account and security": "Compte i seguretat", "Account settings": "Configuració del compte", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Es pot fer clic a la informació de contacte. Per exemple, es pot fer clic en un número de telèfon i iniciar l'aplicació predeterminada al vostre ordinador. Si no coneixeu el protocol del tipus que esteu afegint, simplement podeu ometre aquest camp.", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Es pot fer clic a la informació de contacte. Per exemple, es pot fer clic en un número de telèfon i iniciar l’aplicació predeterminada al vostre ordinador. Si no coneixeu el protocol del tipus que esteu afegint, simplement podeu ometre aquest camp.", "Activate": "Activar", - "Activity feed": "Feed d'activitats", + "Activity feed": "Feed d’activitats", "Activity in this vault": "Activitat en aquesta volta", - "Add": "Afegeix", + "Add": "Afegir", "add a call reason type": "afegir un tipus de motiu de trucada", "Add a contact": "Afegeix un contacte", "Add a contact information": "Afegeix una informació de contacte", "Add a date": "Afegeix una data", "Add additional security to your account using a security key.": "Afegiu seguretat addicional al vostre compte mitjançant una clau de seguretat.", - "Add additional security to your account using two factor authentication.": "Afegiu seguretat addicional al vostre compte mitjançant l'autenticació de dos factors.", + "Add additional security to your account using two factor authentication.": "Afegir seguretat addicional al vostre compte utilitzant autenticació de doble factor.", "Add a document": "Afegeix un document", "Add a due date": "Afegeix una data de venciment", "Add a gender": "Afegeix un gènere", @@ -62,19 +62,19 @@ "Add a header image": "Afegiu una imatge de capçalera", "Add a label": "Afegeix una etiqueta", "Add a life event": "Afegeix un esdeveniment vital", - "Add a life event category": "Afegeix una categoria d'esdeveniment vital", - "add a life event type": "afegir un tipus d'esdeveniment vital", + "Add a life event category": "Afegeix una categoria d’esdeveniment vital", + "add a life event type": "afegir un tipus d’esdeveniment vital", "Add a module": "Afegeix un mòdul", "Add an address": "Afegeix una adreça", - "Add an address type": "Afegeix un tipus d'adreça", + "Add an address type": "Afegeix un tipus d’adreça", "Add an email address": "Afegeix una adreça de correu electrònic", "Add an email to be notified when a reminder occurs.": "Afegiu un correu electrònic per rebre una notificació quan es produeixi un recordatori.", "Add an entry": "Afegeix una entrada", "add a new metric": "afegir una mètrica nova", - "Add a new team member to your team, allowing them to collaborate with you.": "Afegeix un nou membre de l'equip al teu equip, permetent-li col·laborar amb tu.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Afegeix una data important per recordar el que t'importa d'aquesta persona, com ara una data de naixement o una data de mort.", + "Add a new team member to your team, allowing them to collaborate with you.": "Afegir un nou membre de l’equip al seu equip, permetent-los a col·laborar amb tu.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Afegeix una data important per recordar el que t’importa d’aquesta persona, com ara una data de naixement o una data de mort.", "Add a note": "Afegeix una nota", - "Add another life event": "Afegeix un altre esdeveniment vital", + "Add another life event": "Afegeix un altre esdeveniment de la vida", "Add a page": "Afegeix una pàgina", "Add a parameter": "Afegeix un paràmetre", "Add a pet": "Afegeix una mascota", @@ -112,13 +112,13 @@ "Add photos": "Afegeix fotos", "Address": "adreça", "Addresses": "Adreces", - "Address type": "Tipus d'Adreça", - "Address types": "Tipus d'adreces", - "Address types let you classify contact addresses.": "Els tipus d'adreces us permeten classificar les adreces de contacte.", - "Add Team Member": "Afegeix un membre de l'equip", + "Address type": "Tipus d’Adreça", + "Address types": "Tipus d’adreces", + "Address types let you classify contact addresses.": "Els tipus d’adreces us permeten classificar les adreces de contacte.", + "Add Team Member": "Afegir Membre De L’Equip", "Add to group": "Afegeix al grup", "Administrator": "Administrador", - "Administrator users can perform any action.": "Els usuaris administradors poden realitzar qualsevol acció.", + "Administrator users can perform any action.": "Els usuaris administrador poden dur a terme qualsevol acció.", "a father-son relation shown on the father page,": "una relació pare-fill que es mostra a la pàgina del pare,", "after the next occurence of the date.": "després de la propera aparició de la data.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Un grup són dues o més persones juntes. Pot ser una família, una llar, un club esportiu. El que sigui important per a tu.", @@ -126,15 +126,15 @@ "All files": "Tots els fitxers", "All groups in the vault": "Tots els grups a la volta", "All journal metrics in :name": "Totes les mètriques del diari a :name", - "All of the people that are part of this team.": "Totes les persones que formen part d'aquest equip.", + "All of the people that are part of this team.": "Totes les persones que formen part d’aquest equip.", "All rights reserved.": "Tots els drets reservats.", "All tags": "Totes les etiquetes", - "All the address types": "Tots els tipus d'adreces", + "All the address types": "Tots els tipus d’adreces", "All the best,": "Tot el millor,", "All the call reasons": "Tots els motius de la trucada", "All the cities": "Totes les ciutats", "All the companies": "Totes les empreses", - "All the contact information types": "Tots els tipus d'informació de contacte", + "All the contact information types": "Tots els tipus d’informació de contacte", "All the countries": "Tots els països", "All the currencies": "Totes les monedes", "All the files": "Tots els fitxers", @@ -160,41 +160,41 @@ "All the vaults": "Totes les voltes", "All the vaults in the account": "Totes les voltes del compte", "All users and vaults will be deleted immediately,": "Tots els usuaris i les voltes se suprimiran immediatament,", - "All users in this account": "Tots els usuaris d'aquest compte", - "Already registered?": "Ja registrat?", - "Already used on this page": "Ja s'ha utilitzat en aquesta pàgina", - "A new verification link has been sent to the email address you provided during registration.": "S'ha enviat un enllaç de verificació nou a l'adreça electrònica que vau proporcionar durant el registre.", - "A new verification link has been sent to the email address you provided in your profile settings.": "S'ha enviat un enllaç de verificació nou a l'adreça electrònica que vau proporcionar a la configuració del vostre perfil.", - "A new verification link has been sent to your email address.": "S'ha enviat un enllaç de verificació nou a la vostra adreça de correu electrònic.", + "All users in this account": "Tots els usuaris d’aquest compte", + "Already registered?": "Ja estàs registrat?", + "Already used on this page": "Ja s’utilitza en aquesta pàgina", + "A new verification link has been sent to the email address you provided during registration.": "S’ha enviat un enllaç de verificació nou a l’adreça electrònica que vau proporcionar durant el registre.", + "A new verification link has been sent to the email address you provided in your profile settings.": "S’ha enviat un nou enllaç de verificació a l’adreça de correu electrònic que heu proporcionat durant la configuració del seu perfil.", + "A new verification link has been sent to your email address.": "S’ha enviat un nou enllaç de verificació a la seva adreça de correu electrònic.", "Anniversary": "Aniversari", "Apartment, suite, etc…": "Apartament, suite, etc...", - "API Token": "Token API", - "API Token Permissions": "Permisos de testimoni de l'API", - "API Tokens": "Fitxes API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Els testimonis de l'API permeten que els serveis de tercers s'autentiquin amb la nostra aplicació en nom vostre.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Una plantilla de publicació defineix com s'ha de mostrar el contingut d'una publicació. Podeu definir tantes plantilles com vulgueu i triar quina plantilla s'ha d'utilitzar en cada publicació.", + "API Token": "API Fitxa", + "API Token Permissions": "API Token Permisos", + "API Tokens": "API Fitxes", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API fitxes permeten a tercers serveis a autenticar amb la nostra aplicació en el seu nom.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Una plantilla de publicació defineix com s’ha de mostrar el contingut d’una publicació. Podeu definir tantes plantilles com vulgueu i triar quina plantilla s’ha d’utilitzar en cada publicació.", "Archive": "Arxiu", "Archive contact": "Arxivar contacte", "archived the contact": "arxivat el contacte", - "Are you sure? The address will be deleted immediately.": "Estàs segur? L'adreça s'eliminarà immediatament.", + "Are you sure? The address will be deleted immediately.": "Estàs segur? L’adreça s’eliminarà immediatament.", "Are you sure? This action cannot be undone.": "Estàs segur? Aquesta acció no es pot desfer.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Estàs segur? Això suprimirà tots els motius de trucada d'aquest tipus per a tots els contactes que l'estaven utilitzant.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Estàs segur? Això suprimirà totes les relacions d'aquest tipus per a tots els contactes que l'estaven utilitzant.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Estàs segur? Això suprimirà tots els motius de trucada d’aquest tipus per a tots els contactes que l’estaven utilitzant.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Estàs segur? Això suprimirà totes les relacions d’aquest tipus per a tots els contactes que l’estaven utilitzant.", "Are you sure? This will delete the contact information permanently.": "Estàs segur? Això suprimirà la informació de contacte permanentment.", "Are you sure? This will delete the document permanently.": "Estàs segur? Això suprimirà el document de manera permanent.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Estàs segur? Això suprimirà l'objectiu i totes les ratlles de manera permanent.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Estàs segur? Això eliminarà els tipus d'adreces de tots els contactes, però no els suprimirà.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Estàs segur? Això eliminarà els tipus d'informació de contacte de tots els contactes, però no els suprimirà.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Estàs segur? Això suprimirà l’objectiu i totes les ratlles de manera permanent.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Estàs segur? Això eliminarà els tipus d’adreces de tots els contactes, però no els suprimirà.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Estàs segur? Això eliminarà els tipus d’informació de contacte de tots els contactes, però no els suprimirà.", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Estàs segur? Això eliminarà els sexes de tots els contactes, però no els suprimirà.", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Estàs segur? Això eliminarà la plantilla de tots els contactes, però no els suprimirà.", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Esteu segur que voleu suprimir aquest equip? Un cop suprimit un equip, tots els seus recursos i dades s'eliminaran permanentment.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Esteu segur que voleu suprimir el vostre compte? Un cop suprimit el vostre compte, tots els seus recursos i dades se suprimiran permanentment. Introduïu la vostra contrasenya per confirmar que voleu suprimir permanentment el vostre compte.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Esteu segur que voleu suprimir aquest equip? Una vegada que un equip és eliminat, a tots els seus recursos i les dades es perdran permanentment esborrada.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Esteu segur que voleu esborrar el vostre compte? Una vegada el vostre compte ha estat esborrat, tots els seus recursos i les dades es perdran permanentment. Si us plau, introduïu la vostra contrasenya per confirmar que voleu suprimir permanentment el vostre compte.", "Are you sure you would like to archive this contact?": "Esteu segur que voleu arxivar aquest contacte?", - "Are you sure you would like to delete this API token?": "Esteu segur que voleu suprimir aquest testimoni de l'API?", + "Are you sure you would like to delete this API token?": "Esteu segur que voleu eliminar aquesta API token?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Esteu segur que voleu suprimir aquest contacte? Això eliminarà tot el que sabem sobre aquest contacte.", "Are you sure you would like to delete this key?": "Esteu segur que voleu suprimir aquesta clau?", - "Are you sure you would like to leave this team?": "Estàs segur que t'agradaria deixar aquest equip?", - "Are you sure you would like to remove this person from the team?": "Esteu segur que voleu eliminar aquesta persona de l'equip?", + "Are you sure you would like to leave this team?": "Esteu segur que voleu sortir d’aquest equip?", + "Are you sure you would like to remove this person from the team?": "Esteu segur que voleu esborrar aquesta persona de l’equip?", "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Un tros de la vida et permet agrupar les publicacions per alguna cosa significativa per a tu. Afegeix una part de la vida en una publicació per veure-la aquí.", "a son-father relation shown on the son page.": "una relació fill-pare que es mostra a la pàgina del fill.", "assigned a label": "assignat una etiqueta", @@ -202,16 +202,16 @@ "At": "A les", "at ": "a les", "Ate": "Va menjar", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Una plantilla defineix com s'han de mostrar els contactes. Podeu tenir tantes plantilles com vulgueu; es defineixen a la configuració del vostre compte. Tanmateix, és possible que vulgueu definir una plantilla predeterminada perquè tots els vostres contactes d'aquesta volta tinguin aquesta plantilla de manera predeterminada.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Una plantilla defineix com s’han de mostrar els contactes. Podeu tenir tantes plantilles com vulgueu; es defineixen a la configuració del vostre compte. Tanmateix, és possible que vulgueu definir una plantilla predeterminada perquè tots els vostres contactes d’aquesta volta tinguin aquesta plantilla de manera predeterminada.", "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Una plantilla està formada per pàgines, i a cada pàgina, hi ha mòduls. La manera com es mostren les dades depèn completament de vosaltres.", "Atheist": "Ateu", - "At which time should we send the notification, when the reminder occurs?": "A quina hora hem d'enviar la notificació, quan es produeix el recordatori?", - "Audio-only call": "Trucada només d'àudio", + "At which time should we send the notification, when the reminder occurs?": "A quina hora hem d’enviar la notificació, quan es produeix el recordatori?", + "Audio-only call": "Trucada només d’àudio", "Auto saved a few seconds ago": "Desat automàticament fa uns segons", "Available modules:": "Mòduls disponibles:", "Avatar": "Avatar", "Avatars": "Avatars", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Abans de continuar, podríeu verificar la vostra adreça de correu electrònic fent clic a l'enllaç que us acabem d'enviar per correu electrònic? Si no has rebut el correu electrònic, t'enviarem un altre amb molt de gust.", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Abans de continuar, podria verificar la seva adreça de correu electrònic fent clic a l’enllaç que li acabem d’enviar? Si no ha rebut el correu electrònic, amb gust li enviarem un altre.", "best friend": "millor amic", "Bird": "Ocell", "Birthdate": "Data de naixement", @@ -219,8 +219,8 @@ "Body": "Cos", "boss": "cap", "Bought": "Comprat", - "Breakdown of the current usage": "Desglossament de l'ús actual", - "brother\/sister": "germà germana", + "Breakdown of the current usage": "Desglossament de l’ús actual", + "brother/sister": "germà/germana", "Browser Sessions": "Sessions del navegador", "Buddhist": "budista", "Business": "Negocis", @@ -229,7 +229,7 @@ "Call reasons": "Motius de la trucada", "Call reasons let you indicate the reason of calls you make to your contacts.": "Els motius de les trucades us permeten indicar el motiu de les trucades que feu als vostres contactes.", "Calls": "Trucades", - "Cancel": "Cancel · lar", + "Cancel": "Cancel·la", "Cancel account": "Cancel·la el compte", "Cancel all your active subscriptions": "Cancel·la totes les teves subscripcions actives", "Cancel your account": "Cancel·la el teu compte", @@ -244,7 +244,7 @@ "Change": "Canviar", "Change date": "Canvia data", "Change permission": "Canvia el permís", - "Changes saved": "S'han guardat els canvis", + "Changes saved": "S’han guardat els canvis", "Change template": "Canvia la plantilla", "Child": "Nen", "child": "nen", @@ -258,26 +258,26 @@ "Christian": "cristià", "Christmas": "Nadal", "City": "ciutat", - "Click here to re-send the verification email.": "Feu clic aquí per tornar a enviar el correu electrònic de verificació.", - "Click on a day to see the details": "Feu clic a un dia per veure'n els detalls", - "Close": "Tanca", - "close edit mode": "tanca el mode d'edició", + "Click here to re-send the verification email.": "Feu clic aquí per a reenviar el correu de verificació.", + "Click on a day to see the details": "Feu clic a un dia per veure’n els detalls", + "Close": "Tancar", + "close edit mode": "tanca el mode d’edició", "Club": "Club", "Code": "Codi", "colleague": "col·lega", "Companies": "Empreses", "Company name": "Nom de la companyia", - "Compared to Monica:": "En comparació amb la Mònica:", + "Compared to Monica:": "En comparació amb la Monica:", "Configure how we should notify you": "Configureu com us hem de notificar", - "Confirm": "Confirmeu", - "Confirm Password": "Confirma la contrassenya", - "Connect": "Connecta't", + "Confirm": "Confirmar", + "Confirm Password": "Confirmar contrasenya", + "Connect": "Connecta’t", "Connected": "Connectat", - "Connect with your security key": "Connecta't amb la teva clau de seguretat", + "Connect with your security key": "Connecta’t amb la teva clau de seguretat", "Contact feed": "Feed de contacte", "Contact information": "Informació de contacte", "Contact informations": "Informació de contacte", - "Contact information types": "Tipus d'informació de contacte", + "Contact information types": "Tipus d’informació de contacte", "Contact name": "Nom de contacte", "Contacts": "Contactes", "Contacts in this post": "Contactes en aquesta publicació", @@ -287,13 +287,13 @@ "Copied.": "Copiat.", "Copy": "Còpia", "Copy value into the clipboard": "Copieu el valor al porta-retalls", - "Could not get address book data.": "No s'han pogut obtenir les dades de la llibreta d'adreces.", + "Could not get address book data.": "No s’han pogut obtenir les dades de la llibreta d’adreces.", "Country": "País", "Couple": "Parella", "cousin": "cosí", "Create": "Crear", "Create account": "Crear compte", - "Create Account": "Crear compte", + "Create Account": "Crear Compte", "Create a contact": "Crea un contacte", "Create a contact entry for this person": "Crea una entrada de contacte per a aquesta persona", "Create a journal": "Crea un diari", @@ -301,13 +301,13 @@ "Create a journal to document your life.": "Crea un diari per documentar la teva vida.", "Create an account": "Crear un compte", "Create a new address": "Creeu una adreça nova", - "Create a new team to collaborate with others on projects.": "Crea un equip nou per col·laborar amb altres en projectes.", - "Create API Token": "Crea un testimoni d'API", + "Create a new team to collaborate with others on projects.": "Crear un equip nou per a col·laborar amb els altres en projectes.", + "Create API Token": "Crear API Fitxa", "Create a post": "Crea una publicació", "Create a reminder": "Crea un recordatori", "Create a slice of life": "Crea un tros de vida", "Create at least one page to display contact’s data.": "Creeu almenys una pàgina per mostrar les dades del contacte.", - "Create at least one template to use Monica.": "Creeu almenys una plantilla per utilitzar la Mònica.", + "Create at least one template to use Monica.": "Creeu almenys una plantilla per utilitzar la Monica.", "Create a user": "Crear un usuari", "Create a vault": "Crea una volta", "Created.": "Creat.", @@ -316,27 +316,27 @@ "Create label": "Crea una etiqueta", "Create new label": "Crea una etiqueta nova", "Create new tag": "Crea una etiqueta nova", - "Create New Team": "Crea un nou equip", - "Create Team": "Crear equip", + "Create New Team": "Crear Un Nou Equip", + "Create Team": "Crear L’Equip", "Currencies": "Monedes", "Currency": "Moneda", "Current default": "Per defecte actual", "Current language:": "Idioma actual:", - "Current Password": "Contrasenya actual", + "Current Password": "Contrasenya Actual", "Current site used to display maps:": "Lloc actual utilitzat per mostrar mapes:", "Current streak": "Ratxa actual", "Current timezone:": "Zona horària actual:", "Current way of displaying contact names:": "Forma actual de mostrar els noms dels contactes:", "Current way of displaying dates:": "Forma actual de mostrar les dates:", - "Current way of displaying distances:": "Forma actual de mostrar les distàncies:", + "Current way of displaying distances:": "Manera actual de mostrar les distàncies:", "Current way of displaying numbers:": "Forma actual de mostrar números:", - "Customize how contacts should be displayed": "Personalitza com s'han de mostrar els contactes", + "Customize how contacts should be displayed": "Personalitza com s’han de mostrar els contactes", "Custom name order": "Comanda de nom personalitzat", "Daily affirmation": "Afirmació diària", - "Dashboard": "panell", + "Dashboard": "Tauler de control", "date": "data", - "Date of the event": "Data de l'esdeveniment", - "Date of the event:": "Data de l'esdeveniment:", + "Date of the event": "Data de l’esdeveniment", + "Date of the event:": "Data de l’esdeveniment:", "Date type": "Tipus de data", "Date types are essential as they let you categorize dates that you add to a contact.": "Els tipus de dates són essencials, ja que us permeten categoritzar les dates que afegiu a un contacte.", "Day": "Dia", @@ -345,10 +345,10 @@ "Deceased date": "Data del difunt", "Default template": "Plantilla per defecte", "Default template to display contacts": "Plantilla predeterminada per mostrar els contactes", - "Delete": "Suprimeix", - "Delete Account": "Esborrar compte", + "Delete": "Esborrar", + "Delete Account": "Esborrar el compte", "Delete a new key": "Suprimeix una clau nova", - "Delete API Token": "Suprimeix el testimoni de l'API", + "Delete API Token": "Esborrar API Token", "Delete contact": "Suprimeix el contacte", "deleted a contact information": "ha suprimit una informació de contacte", "deleted a goal": "esborrat un gol", @@ -359,23 +359,23 @@ "Deleted author": "Autor suprimit", "Delete group": "Suprimeix el grup", "Delete journal": "Suprimeix el diari", - "Delete Team": "Suprimeix l'equip", - "Delete the address": "Esborra l'adreça", + "Delete Team": "Esborrar Equip", + "Delete the address": "Esborra l’adreça", "Delete the photo": "Esborra la foto", "Delete the slice": "Suprimeix la porció", "Delete the vault": "Suprimeix la volta", - "Delete your account on https:\/\/customers.monicahq.com.": "Suprimiu el vostre compte a https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Suprimir la volta significa suprimir totes les dades dins d'aquesta volta, per sempre. No hi ha marxa enrere. Si us plau, estigueu segurs.", + "Delete your account on https://customers.monicahq.com.": "Suprimiu el vostre compte a https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Suprimir la volta significa suprimir totes les dades dins d’aquesta volta, per sempre. No hi ha marxa enrere. Si us plau, estigueu segurs.", "Description": "Descripció", - "Detail of a goal": "Detall d'un gol", - "Details in the last year": "Detalls de l'últim any", - "Disable": "Desactivar", + "Detail of a goal": "Detall d’un gol", + "Details in the last year": "Detalls de l’últim any", + "Disable": "Deshabilitar", "Disable all": "Inhabilita tot", "Disconnect": "Desconnecta", "Discuss partnership": "Discutiu la col·laboració", "Discuss recent purchases": "Parleu de les compres recents", "Dismiss": "Descartar", - "Display help links in the interface to help you (English only)": "Mostra enllaços d'ajuda a la interfície per ajudar-te (només en anglès)", + "Display help links in the interface to help you (English only)": "Mostra enllaços d’ajuda a la interfície per ajudar-te (només en anglès)", "Distance": "Distància", "Documents": "Documents", "Dog": "gos", @@ -397,7 +397,7 @@ "Edit journal metrics": "Editeu les mètriques del diari", "Edit names": "Edita els noms", "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Els usuaris de l'editor tenen la possibilitat de llegir, crear i actualitzar.", + "Editor users have the ability to read, create, and update.": "Els usuaris Editor tenen la capacitat de llegir, crear i actualitzar.", "Edit post": "Edita la publicació", "Edit Profile": "Edita el perfil", "Edit slice of life": "Edita el tros de la vida", @@ -406,19 +406,20 @@ "Email": "Correu electrònic", "Email address": "Correu electrònic", "Email address to send the invitation to": "Adreça de correu electrònic a la qual enviar la invitació", - "Email Password Reset Link": "Enllaç de restabliment de la contrasenya del correu electrònic", - "Enable": "Activa", + "Email Password Reset Link": "Enllaç per a restablir la contrasenya", + "Enable": "Habilitar", "Enable all": "Habilita-ho tot", - "Ensure your account is using a long, random password to stay secure.": "Assegureu-vos que el vostre compte utilitzi una contrasenya llarga i aleatòria per mantenir-se segur.", + "Ensure your account is using a long, random password to stay secure.": "Assegureu-vos que esteu utilitzant una contrasenya llarga i aleatòria per mantenir el seu compte segur.", "Enter a number from 0 to 100000. No decimals.": "Introduïu un nombre del 0 al 100.000. Sense decimals.", - "Events this month": "Esdeveniments d'aquest mes", - "Events this week": "Esdeveniments d'aquesta setmana", - "Events this year": "Esdeveniments d'enguany", + "Events this month": "Esdeveniments d’aquest mes", + "Events this week": "Esdeveniments d’aquesta setmana", + "Events this year": "Esdeveniments d’enguany", "Every": "Cada", "ex-boyfriend": "ex nuvi", "Exception:": "Excepció:", "Existing company": "Empresa existent", "External connections": "Connexions externes", + "Facebook": "Facebook", "Family": "Família", "Family summary": "Resum familiar", "Favorites": "Preferits", @@ -428,7 +429,7 @@ "Filter list or create a new label": "Filtreu la llista o creeu una etiqueta nova", "Filter list or create a new tag": "Filtreu la llista o creeu una etiqueta nova", "Find a contact in this vault": "Trobeu un contacte en aquesta volta", - "Finish enabling two factor authentication.": "Acabeu d'activar l'autenticació de dos factors.", + "Finish enabling two factor authentication.": "Acabeu d’habilitar la autenticació de dos factors.", "First name": "Nom", "First name Last name": "Nom cognom", "First name Last name (nickname)": "Nom Cognom (àlies)", @@ -438,10 +439,9 @@ "For:": "Per a:", "For advice": "Per assessorament", "Forbidden": "Prohibit", - "Forgot password?": "Has oblidat la contrasenya?", - "Forgot your password?": "Has oblidat la teva contrasenya?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Has oblidat la teva contrasenya? Cap problema. Només heu de fer-nos saber la vostra adreça de correu electrònic i us enviarem per correu electrònic un enllaç de restabliment de la contrasenya que us permetrà triar-ne una de nova.", - "For your security, please confirm your password to continue.": "Per a la vostra seguretat, confirmeu la vostra contrasenya per continuar.", + "Forgot your password?": "Heu oblidat la vostra contrasenya?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Heu oblidat la vostra contrasenya? Cap problema. Només fer-nos saber la vostra adreça electrònica i us enviarem un enllaç per restablir la contrasenya que us permetrà triar-ne una de nova.", + "For your security, please confirm your password to continue.": "Per a la seva seguretat, si us plau, confirmeu la vostra contrasenya per a continuar.", "Found": "Trobat", "Friday": "divendres", "Friend": "Amic", @@ -451,7 +451,6 @@ "Gender": "Gènere", "Gender and pronoun": "Gènere i pronom", "Genders": "Gèneres", - "Gift center": "Centre de regals", "Gift occasions": "Ocasions de regal", "Gift occasions let you categorize all your gifts.": "Les ocasions de regal et permeten classificar tots els teus regals.", "Gift states": "Estats de regal", @@ -464,25 +463,25 @@ "Google Maps": "Google Maps", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps ofereix la millor precisió i detalls, però no és ideal des del punt de vista de la privadesa.", "Got fired": "Va ser acomiadat", - "Go to page :page": "Vés a la pàgina: pàgina", + "Go to page :page": "Aneu a la pàgina :page", "grand child": "nét", "grand parent": "avi", - "Great! You have accepted the invitation to join the :team team.": "Genial! Has acceptat la invitació per unir-te a l'equip :team.", + "Great! You have accepted the invitation to join the :team team.": "Genial! Heu acceptat la invitació a unir-se a l’equip :team.", "Group journal entries together with slices of life.": "Agrupeu les entrades del diari juntament amb els fragments de la vida.", "Groups": "Grups", "Groups let you put your contacts together in a single place.": "Els grups us permeten reunir els vostres contactes en un sol lloc.", "Group type": "Tipus de grup", - "Group type: :name": "Tipus de grup: :nom", + "Group type: :name": "Tipus de grup: :name", "Group types": "Tipus de grups", "Group types let you group people together.": "Els tipus de grup us permeten agrupar persones.", "Had a promotion": "Tenia una promoció", "Hamster": "Hàmster", "Have a great day,": "Que tinguis un bon dia,", - "he\/him": "ell\/ell", + "he/him": "ell/ell", "Hello!": "Hola!", "Help": "Ajuda", - "Hi :name": "Hola :nom", - "Hinduist": "Hindú", + "Hi :name": "Hola :name", + "Hinduist": "hinduista", "History of the notification sent": "Historial de la notificació enviada", "Hobbies": "Aficions", "Home": "a casa", @@ -498,23 +497,23 @@ "How should we display dates": "Com hem de mostrar les dates", "How should we display distance values": "Com hem de mostrar els valors de la distància", "How should we display numerical values": "Com hem de mostrar els valors numèrics", - "I agree to the :terms and :policy": "Estic d'acord amb els termes i la política", - "I agree to the :terms_of_service and :privacy_policy": "Accepto les :terms_of_service i :privacy_policy", + "I agree to the :terms and :policy": "Accepto el :terms i el :policy", + "I agree to the :terms_of_service and :privacy_policy": "Estic d’acord a la :terms_of_service i :privacy_policy", "I am grateful for": "Estic agraït", "I called": "vaig trucar", - "I called, but :name didn’t answer": "Vaig trucar, però :name no em va contestar", + "I called, but :name didn’t answer": "Vaig trucar, però :name no va respondre", "Idea": "Idea", "I don’t know the name": "Desconec el nom", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Si cal, podeu tancar la sessió de totes les altres sessions del vostre navegador a tots els vostres dispositius. A continuació es mostren algunes de les vostres sessions recents; tanmateix, aquesta llista pot no ser exhaustiva. Si creieu que el vostre compte s'ha vist compromès, també hauríeu d'actualitzar la contrasenya.", - "If the date is in the past, the next occurence of the date will be next year.": "Si la data és anterior, la propera aparició de la data serà l'any vinent.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Si teniu problemes per fer clic al botó \":actionText\", copieu i enganxeu l'URL a continuació\nal vostre navegador web:", - "If you already have an account, you may accept this invitation by clicking the button below:": "Si ja teniu un compte, podeu acceptar aquesta invitació fent clic al botó següent:", - "If you did not create an account, no further action is required.": "Si no heu creat un compte, no cal fer cap altra acció.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Si no esperaveu rebre una invitació per a aquest equip, podeu descartar aquest correu electrònic.", - "If you did not request a password reset, no further action is required.": "Si no heu sol·licitat un restabliment de la contrasenya, no cal fer cap altra acció.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Si no teniu cap compte, podeu crear-ne un fent clic al botó següent. Després de crear un compte, podeu fer clic al botó d'acceptació de la invitació d'aquest correu electrònic per acceptar la invitació de l'equip:", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Si és necessari, pots sortir de totes les altres sessions d’altres navegadors a través de tots els teus dispositius. Algunes de les últimes sessions s’enumeren a continuació; no obstant, aquesta llista pot no estar completa. Si creieu que el vostre compte pot estar compromès, hauríeu d’actualitzar la contrasenya.", + "If the date is in the past, the next occurence of the date will be next year.": "Si la data és anterior, la propera aparició de la data serà l’any vinent.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Si té algun problema per a fer clic al botó \":actionText\", copii i enganxi la següent URL al seu navegador web", + "If you already have an account, you may accept this invitation by clicking the button below:": "Si ja teniu un compte, podeu acceptar aquesta invitació fent clic al botó de sota:", + "If you did not create an account, no further action is required.": "Si no heu creat cap compte, no es requereix cap acció adicional.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Si no heu d’esperar a rebre una invitació per a aquest equip, pot descartar aquest correu electrònic.", + "If you did not request a password reset, no further action is required.": "Si no heu sol·licitat el restabliment de la contrasenya, obvieu aquest correu electrònic.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Si no disposeu d’un compte, podeu crear un fent clic al botó de sota. Després de crear un compte, vostè pot fer clic a la invitació acceptació botó en aquest email per acceptar l’equip invitació:", "If you’ve received this invitation by mistake, please discard it.": "Si heu rebut aquesta invitació per error, descarteu-la.", - "I know the exact date, including the year": "Sé la data exacta, inclòs l'any", + "I know the exact date, including the year": "Sé la data exacta, inclòs l’any", "I know the name": "Conec el nom", "Important dates": "Dates importants", "Important date summary": "Resum de la data important", @@ -523,12 +522,13 @@ "Information from Wikipedia": "Informació de la Viquipèdia", "in love with": "Enamorat de", "Inspirational post": "Post inspirador", + "Invalid JSON was returned from the route.": "S’ha retornat un JSON no vàlid des de la ruta.", "Invitation sent": "Invitació enviada", "Invite a new user": "Convida un usuari nou", "Invite someone": "Convida algú", "I only know a number of years (an age, for example)": "Només conec uns quants anys (una edat, per exemple)", - "I only know the day and month, not the year": "Només sé el dia i el mes, no l'any", - "it misses some of the features, the most important ones being the API and gift management,": "falta algunes de les funcions, les més importants són l'API i la gestió de regals,", + "I only know the day and month, not the year": "Només sé el dia i el mes, no l’any", + "it misses some of the features, the most important ones being the API and gift management,": "falta algunes de les funcions, les més importants són l’API i la gestió de regals,", "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Sembla que encara no hi ha plantilles al compte. Si us plau, primer, afegiu almenys una plantilla al vostre compte i, a continuació, associa aquesta plantilla amb aquest contacte.", "Jew": "jueu", "Job information": "Informació laboral", @@ -546,41 +546,41 @@ "Label:": "Etiqueta:", "Labels": "Etiquetes", "Labels let you classify contacts using a system that matters to you.": "Les etiquetes us permeten classificar els contactes mitjançant un sistema que us interessa.", - "Language of the application": "Idioma de l'aplicació", + "Language of the application": "Idioma de l’aplicació", "Last active": "Últim actiu", - "Last active :date": "Últim actiu: data", + "Last active :date": "Darrer actiu :date", "Last name": "Cognom", "Last name First name": "Cognom Nom", "Last updated": "Última actualització", - "Last used": "Últim utilitzat", - "Last used :date": "Últim ús: data", - "Leave": "marxar", - "Leave Team": "Abandonar l'equip", + "Last used": "Última utilitzat", + "Last used :date": "Últim ús :date", + "Leave": "Deixar", + "Leave Team": "Deixar Equip", "Life": "La vida", "Life & goals": "Vida i objectius", "Life events": "Esdeveniments de la vida", "Life events let you document what happened in your life.": "Els esdeveniments de la vida et permeten documentar el que va passar a la teva vida.", - "Life event types:": "Tipus d'esdeveniments vitals:", - "Life event types and categories": "Tipus i categories d'esdeveniments vitals", + "Life event types:": "Tipus d’esdeveniments vitals:", + "Life event types and categories": "Tipus i categories d’esdeveniments vitals", "Life metrics": "Mètriques de vida", "Life metrics let you track metrics that are important to you.": "Les mètriques de vida et permeten fer un seguiment de les mètriques que són importants per a tu.", - "Link to documentation": "Enllaç a la documentació", - "List of addresses": "Llista d'adreces", - "List of addresses of the contacts in the vault": "Llista d'adreces dels contactes de la volta", + "LinkedIn": "LinkedIn", + "List of addresses": "Llista d’adreces", + "List of addresses of the contacts in the vault": "Llista d’adreces dels contactes de la volta", "List of all important dates": "Llista de totes les dates importants", - "Loading…": "S'està carregant…", + "Loading…": "S’està carregant…", "Load previous entries": "Carrega les entrades anteriors", "Loans": "Préstecs", "Locale default: :value": "Localització predeterminada: :value", "Log a call": "Registre una trucada", "Log details": "Detalls del registre", - "logged the mood": "registrat l'estat d'ànim", - "Log in": "Iniciar Sessió", - "Login": "iniciar Sessió", + "logged the mood": "registrat l’estat d’ànim", + "Log in": "Entrar", + "Login": "Entrar", "Login with:": "Accedir amb:", - "Log Out": "Tancar sessió", - "Logout": "Tancar sessió", - "Log Out Other Browser Sessions": "Tanca la sessió d'altres sessions del navegador", + "Log Out": "Sortir", + "Logout": "Sortir", + "Log Out Other Browser Sessions": "Tanca la sessió d’altres navegadors", "Longest streak": "Ratxa més llarga", "Love": "Amor", "loved by": "estimat per", @@ -588,13 +588,13 @@ "Made from all over the world. We ❤️ you.": "Fet de tot el món. Nosaltres ❤️ tu.", "Maiden name": "Cognom de soltera", "Male": "Mascle", - "Manage Account": "Gestiona el compte", + "Manage Account": "Gestionar Compte", "Manage accounts you have linked to your Customers account.": "Gestioneu els comptes que heu enllaçat al vostre compte de clients.", - "Manage address types": "Gestioneu els tipus d'adreces", - "Manage and log out your active sessions on other browsers and devices.": "Gestioneu i tanqueu la sessió de les vostres sessions actives en altres navegadors i dispositius.", - "Manage API Tokens": "Gestioneu els testimonis de l'API", + "Manage address types": "Gestioneu els tipus d’adreces", + "Manage and log out your active sessions on other browsers and devices.": "Administri i tanqui les seves sessions actives en altres navegadors i dispositius.", + "Manage API Tokens": "Gestionar API Fitxes", "Manage call reasons": "Gestioneu els motius de les trucades", - "Manage contact information types": "Gestioneu els tipus d'informació de contacte", + "Manage contact information types": "Gestioneu els tipus d’informació de contacte", "Manage currencies": "Gestionar monedes", "Manage genders": "Gestionar els gèneres", "Manage gift occasions": "Gestiona les ocasions de regal", @@ -607,26 +607,27 @@ "Manager": "Gerent", "Manage relationship types": "Gestionar els tipus de relació", "Manage religions": "Gestionar les religions", - "Manage Role": "Gestionar el rol", - "Manage storage": "Gestiona l'emmagatzematge", - "Manage Team": "Gestionar l'equip", + "Manage Role": "Gestionar El Paper", + "Manage storage": "Gestionar l’emmagatzematge", + "Manage Team": "Gestionar L’Equip De", "Manage templates": "Gestionar plantilles", "Manage users": "Gestionar usuaris", - "Maybe one of these contacts?": "Potser un d'aquests contactes?", + "Mastodon": "Mastodont", + "Maybe one of these contacts?": "Potser un d’aquests contactes?", "mentor": "mentor", "Middle name": "Segon nom", "miles": "milles", "miles (mi)": "milles (mi)", - "Modules in this page": "Mòduls d'aquesta pàgina", + "Modules in this page": "Mòduls d’aquesta pàgina", "Monday": "dilluns", - "Monica. All rights reserved. 2017 — :date.": "Mònica. Tots els drets reservats. 2017: data.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Tots els drets reservats. 2017 — :date.", "Monica is open source, made by hundreds of people from all around the world.": "Monica és de codi obert, fet per centenars de persones de tot el món.", "Monica was made to help you document your life and your social interactions.": "Monica va ser creada per ajudar-te a documentar la teva vida i les teves interaccions socials.", "Month": "Mes", "month": "mes", - "Mood in the year": "Estat d'ànim a l'any", - "Mood tracking events": "Esdeveniments de seguiment de l'estat d'ànim", - "Mood tracking parameters": "Paràmetres de seguiment de l'estat d'ànim", + "Mood in the year": "Estat d’ànim a l’any", + "Mood tracking events": "Esdeveniments de seguiment de l’estat d’ànim", + "Mood tracking parameters": "Paràmetres de seguiment de l’estat d’ànim", "More details": "Més detalls", "More errors": "Més errors", "Move contact": "Mou el contacte", @@ -636,41 +637,41 @@ "Name of the reminder": "Nom del recordatori", "Name of the reverse relationship": "Nom de la relació inversa", "Nature of the call": "Naturalesa de la convocatòria", - "nephew\/niece": "nebot neboda", - "New Password": "nova contrasenya", - "New to Monica?": "Nou a la Mònica?", + "nephew/niece": "nebot/neboda", + "New Password": "Contrasenya Nova", + "New to Monica?": "Nou a la Monica?", "Next": "Pròxim", "Nickname": "Pseudònim", "nickname": "sobrenom", - "No cities have been added yet in any contact’s addresses.": "Encara no s'ha afegit cap ciutat a les adreces de cap contacte.", - "No contacts found.": "No s'han trobat contactes.", - "No countries have been added yet in any contact’s addresses.": "Encara no s'ha afegit cap país a les adreces de cap contacte.", + "No cities have been added yet in any contact’s addresses.": "Encara no s’ha afegit cap ciutat a les adreces de cap contacte.", + "No contacts found.": "No s’han trobat contactes.", + "No countries have been added yet in any contact’s addresses.": "Encara no s’ha afegit cap país a les adreces de cap contacte.", "No dates in this month.": "No hi ha dates en aquest mes.", "No description yet.": "Encara no hi ha descripció.", - "No groups found.": "No s'han trobat grups.", - "No keys registered yet": "Encara no s'ha registrat cap clau", + "No groups found.": "No s’han trobat grups.", + "No keys registered yet": "Encara no s’ha registrat cap clau", "No labels yet.": "Encara no hi ha etiquetes.", - "No life event types yet.": "Encara no hi ha tipus d'esdeveniments vitals.", - "No notes found.": "No s'han trobat notes.", + "No life event types yet.": "Encara no hi ha tipus d’esdeveniments vitals.", + "No notes found.": "No s’han trobat notes.", "No results found": "Sense resultats", "No role": "Cap paper", "No roles yet.": "Encara no hi ha cap paper.", "No tasks.": "Sense tasques.", "Notes": "Notes", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Tingueu en compte que eliminar un mòdul d'una pàgina no suprimirà les dades reals de les vostres pàgines de contacte. Simplement ho amagarà.", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Tingueu en compte que eliminar un mòdul d’una pàgina no suprimirà les dades reals de les vostres pàgines de contacte. Simplement ho amagarà.", "Not Found": "No trobat", "Notification channels": "Canals de notificació", "Notification sent": "Notificació enviada", "Not set": "No configurat", "No upcoming reminders.": "No hi ha recordatoris propers.", - "Number of hours slept": "Nombre d'hores dormides", + "Number of hours slept": "Nombre d’hores dormides", "Numerical value": "Valor numèric", "of": "de", - "Offered": "S'ofereix", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Un cop suprimit un equip, tots els seus recursos i dades s'eliminaran permanentment. Abans de suprimir aquest equip, descarregueu qualsevol dada o informació sobre aquest equip que vulgueu conservar.", + "Offered": "S’ofereix", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Una vegada que un equip és eliminat, a tots els seus recursos i les dades es perdran permanentment esborrada. Abans d’esborrar aquest equip, si us plau, descarregui qualsevol de les dades o la informació relativa a aquest equip que voleu conservar.", "Once you cancel,": "Un cop cancel·lis,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Un cop feu clic al botó Configuració de sota, haureu d'obrir Telegram amb el botó que us proporcionarem. Això us localitzarà el bot de Monica Telegram.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Un cop suprimit el vostre compte, tots els seus recursos i dades se suprimiran permanentment. Abans d'esborrar el vostre compte, baixeu qualsevol dada o informació que vulgueu conservar.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Un cop feu clic al botó Configuració de sota, haureu d’obrir Telegram amb el botó que us proporcionarem. Això us localitzarà el bot de Monica Telegram.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Una vegada el vostre compte ha estat esborrat, a tots els seus recursos i les dades es perdran permanentment esborrada. Abans de suprimir el compte, si us plau, descarregui qualsevol dada o informació que desitgeu conservar.", "Only once, when the next occurence of the date occurs.": "Només una vegada, quan es produeix la següent aparició de la data.", "Oops! Something went wrong.": "Vaja! Alguna cosa ha anat malament.", "Open Street Maps": "Obre Street Maps", @@ -685,7 +686,7 @@ "Out of respect and appreciation": "Per respecte i apreciació", "Page Expired": "Pàgina caducada", "Pages": "Pàgines", - "Pagination Navigation": "Navegació de paginació", + "Pagination Navigation": "Pagination Navegació", "Parent": "Pare", "parent": "pare", "Participants": "Participants", @@ -693,42 +694,42 @@ "Part of": "Part de", "Password": "Contrasenya", "Payment Required": "Pagament obligatori", - "Pending Team Invitations": "Invitacions d'equip pendents", - "per\/per": "per\/per a", - "Permanently delete this team.": "Suprimeix permanentment aquest equip.", - "Permanently delete your account.": "Suprimeix permanentment el teu compte.", - "Permission for :name": "Permís per a:nom", + "Pending Team Invitations": "Pendents De L’Equip Invitacions", + "per/per": "per/per", + "Permanently delete this team.": "Per suprimir permanentment aquest equip.", + "Permanently delete your account.": "Eliminar permanentment el teu compte.", + "Permission for :name": "Permís per a :name", "Permissions": "Permisos", "Personal": "Personal", "Personalize your account": "Personalitza el teu compte", "Pet categories": "Categories de mascotes", - "Pet categories let you add types of pets that contacts can add to their profile.": "Les categories de mascotes us permeten afegir tipus d'animals de companyia que els contactes poden afegir al seu perfil.", + "Pet categories let you add types of pets that contacts can add to their profile.": "Les categories de mascotes us permeten afegir tipus d’animals de companyia que els contactes poden afegir al seu perfil.", "Pet category": "Categoria de mascota", "Pets": "Animals de companyia", "Phone": "Telèfon", - "Photo": "foto", + "Photo": "Foto", "Photos": "Fotografies", "Played basketball": "Jugava a bàsquet", "Played golf": "Jugava a golf", "Played soccer": "Jugava a futbol", "Played tennis": "Jugava a tennis", "Please choose a template for this new post": "Si us plau, trieu una plantilla per a aquesta nova publicació", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Si us plau, trieu una plantilla a continuació per dir-li a la Monica com s'ha de mostrar aquest contacte. Les plantilles us permeten definir quines dades s'han de mostrar a la pàgina de contacte.", - "Please click the button below to verify your email address.": "Feu clic al botó següent per verificar la vostra adreça de correu electrònic.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Si us plau, trieu una plantilla a continuació per dir-li a la Monica com s’ha de mostrar aquest contacte. Les plantilles us permeten definir quines dades s’han de mostrar a la pàgina de contacte.", + "Please click the button below to verify your email address.": "Si us plau, feu clic al botó inferior per verificar la vostra adreça electrònica.", "Please complete this form to finalize your account.": "Ompliu aquest formulari per finalitzar el vostre compte.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Confirmeu l'accés al vostre compte introduint un dels vostres codis de recuperació d'emergència.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Confirmeu l'accés al vostre compte introduint el codi d'autenticació proporcionat per la vostra aplicació d'autenticació.", - "Please confirm access to your account by validating your security key.": "Si us plau, confirmeu l'accés al vostre compte validant la vostra clau de seguretat.", - "Please copy your new API token. For your security, it won't be shown again.": "Copieu el vostre nou testimoni de l'API. Per la vostra seguretat, no es tornarà a mostrar.", - "Please copy your new API token. For your security, it won’t be shown again.": "Copieu el vostre nou testimoni de l'API. Per la vostra seguretat, no es tornarà a mostrar.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Si us plau, confirmeu l’accés al vostre compte per entrar a una de les emergències codis de recuperació.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Si us plau, confirmeu l’accés al vostre compte introduint el codi d’autenticació proporcionat per la vostra aplicació de google authenticator.", + "Please confirm access to your account by validating your security key.": "Si us plau, confirmeu l’accés al vostre compte validant la vostra clau de seguretat.", + "Please copy your new API token. For your security, it won't be shown again.": "Si us plau, copia la seva nova API token. Per a la seva seguretat, no es mostrarà de nou.", + "Please copy your new API token. For your security, it won’t be shown again.": "Copieu el vostre nou testimoni de l’API. Per la vostra seguretat, no es tornarà a mostrar.", "Please enter at least 3 characters to initiate a search.": "Introduïu almenys 3 caràcters per iniciar una cerca.", "Please enter your password to cancel the account": "Introduïu la vostra contrasenya per cancel·lar el compte", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Introduïu la vostra contrasenya per confirmar que voleu tancar la sessió de les altres sessions del vostre navegador a tots els vostres dispositius.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Si us plau, introduïu la vostra contrasenya per confirmar que voleu sortir de les altres sessions del navegador a través de tots els dispositius.", "Please indicate the contacts": "Si us plau, indiqueu els contactes", - "Please join Monica": "Si us plau, uneix-te a la Mònica", - "Please provide the email address of the person you would like to add to this team.": "Proporcioneu l'adreça electrònica de la persona que voleu afegir a aquest equip.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Si us plau, llegiu la nostra documentació<\/link> per saber més sobre aquesta funció i a quines variables teniu accés.", - "Please select a page on the left to load modules.": "Seleccioneu una pàgina a l'esquerra per carregar mòduls.", + "Please join Monica": "Si us plau, uneix-te a la Monica", + "Please provide the email address of the person you would like to add to this team.": "Si us plau, introduïu l’adreça electrònica de la persona que t’agradaria afegir a aquest equip.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Si us plau, llegiu la nostra documentació per saber més sobre aquesta funció i a quines variables teniu accés.", + "Please select a page on the left to load modules.": "Seleccioneu una pàgina a l’esquerra per carregar mòduls.", "Please type a few characters to create a new label.": "Escriviu uns quants caràcters per crear una etiqueta nova.", "Please type a few characters to create a new tag.": "Escriviu uns quants caràcters per crear una etiqueta nova.", "Please validate your email address": "Si us plau, valideu la vostra adreça de correu electrònic", @@ -741,18 +742,18 @@ "Prefix": "Prefix", "Previous": "Anterior", "Previous addresses": "Adreces anteriors", - "Privacy Policy": "Política de privacitat", + "Privacy Policy": "Política De Privacitat", "Profile": "Perfil", "Profile and security": "Perfil i seguretat", - "Profile Information": "Informació del perfil", - "Profile of :name": "Perfil de:nom", - "Profile page of :name": "Pàgina de perfil de:nom", - "Pronoun": "Tendeixen", + "Profile Information": "Informació Del Perfil", + "Profile of :name": "Perfil de :name", + "Profile page of :name": "Pàgina de perfil de :name", + "Pronoun": "Pronom", "Pronouns": "Els pronoms", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Els pronoms són bàsicament com ens identifiquem a part del nostre nom. És com algú es refereix a tu en la conversa.", "protege": "protegit", "Protocol": "Protocol", - "Protocol: :name": "Protocol: :nom", + "Protocol: :name": "Protocol: :name", "Province": "Província", "Quick facts": "Fets ràpids", "Quick facts let you document interesting facts about a contact.": "Els fets ràpids us permeten documentar fets interessants sobre un contacte.", @@ -761,15 +762,15 @@ "Rabbit": "Conill", "Ran": "Ran", "Rat": "rata", - "Read :count time|Read :count times": "Llegir:comptar temps|Llegir:comptar vegades", + "Read :count time|Read :count times": "Llegeix :count vegada|Llegit :count vegades", "Record a loan": "Gravar un préstec", - "Record your mood": "Registra el teu estat d'ànim", - "Recovery Code": "Codi de recuperació", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Independentment d'on us trobeu al món, mostreu les dates a la vostra zona horària.", + "Record your mood": "Registra el teu estat d’ànim", + "Recovery Code": "Codi De Recuperació", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Independentment d’on us trobeu al món, mostreu les dates a la vostra zona horària.", "Regards": "Salutacions", - "Regenerate Recovery Codes": "Regenerar codis de recuperació", - "Register": "Registra't", - "Register a new key": "Registreu una nova clau", + "Regenerate Recovery Codes": "Tornar A Generar Codis De Recuperació", + "Register": "Registre", + "Register a new key": "Registreu una clau nova", "Register a new key.": "Registreu una clau nova.", "Regular post": "Publicació habitual", "Regular user": "Usuari habitual", @@ -779,50 +780,50 @@ "Religion": "Religió", "Religions": "Religions", "Religions is all about faith.": "Les religions es refereixen a la fe.", - "Remember me": "Recorda'm", - "Reminder for :name": "Recordatori per a :nom", + "Remember me": "Recordeu-vos de mi", + "Reminder for :name": "Recordatori per a :name", "Reminders": "Recordatoris", "Reminders for the next 30 days": "Recordatoris per als propers 30 dies", - "Remind me about this date every year": "Recorda'm aquesta data cada any", - "Remind me about this date just once, in one year from now": "Recordeu-me aquesta data només una vegada, d'aquí a un any", + "Remind me about this date every year": "Recorda’m aquesta data cada any", + "Remind me about this date just once, in one year from now": "Recordeu-me aquesta data només una vegada, d’aquí a un any", "Remove": "Eliminar", - "Remove avatar": "Elimina l'avatar", + "Remove avatar": "Elimina l’avatar", "Remove cover image": "Elimina la imatge de la portada", "removed a label": "eliminat una etiqueta", - "removed the contact from a group": "ha eliminat el contacte d'un grup", - "removed the contact from a post": "ha eliminat el contacte d'una publicació", + "removed the contact from a group": "ha eliminat el contacte d’un grup", + "removed the contact from a post": "ha eliminat el contacte d’una publicació", "removed the contact from the favorites": "ha eliminat el contacte dels favorits", - "Remove Photo": "Elimina la foto", - "Remove Team Member": "Elimina el membre de l'equip", + "Remove Photo": "Eliminar De La Foto", + "Remove Team Member": "Eliminar El Membre De L’Equip", "Rename": "Canvia el nom", "Reports": "Informes", "Reptile": "Rèptil", - "Resend Verification Email": "Reenviar correu electrònic de verificació", - "Reset Password": "Restablir la contrasenya", - "Reset Password Notification": "Notificació de restabliment de la contrasenya", + "Resend Verification Email": "Torneu A Enviar Correu Electrònic De Verificació", + "Reset Password": "Restablir contrasenya", + "Reset Password Notification": "Notificació de restabliment de contrasenya", "results": "resultats", "Retry": "Torna-ho a provar", "Revert": "Revertir", "Rode a bike": "Va anar en bicicleta", - "Role": "Rol", + "Role": "Paper", "Roles:": "Rols:", - "Roomates": "Arrossegant", + "Roomates": "Companys d’habitació", "Saturday": "dissabte", - "Save": "Desa", - "Saved.": "Desat.", + "Save": "Desar", + "Saved.": "Salvat.", "Saving in progress": "Desa en curs", "Searched": "Cercat", - "Searching…": "S'està cercant…", + "Searching…": "S’està cercant…", "Search something": "Busca alguna cosa", "Search something in the vault": "Busca alguna cosa a la volta", "Sections:": "Seccions:", "Security keys": "Claus de seguretat", "Select a group or create a new one": "Seleccioneu un grup o creeu-ne un de nou", - "Select A New Photo": "Seleccioneu una nova foto", + "Select A New Photo": "Seleccioneu Una Foto Nova", "Select a relationship type": "Seleccioneu un tipus de relació", "Send invitation": "Enviar invitació", "Send test": "Envia prova", - "Sent at :time": "Enviat a: hora", + "Sent at :time": "Enviat a :time", "Server Error": "Error del servidor", "Service Unavailable": "Servei no disponible", "Set as default": "Establir com a defecte", @@ -830,10 +831,10 @@ "Settings": "Configuració", "Settle": "Resoldre", "Setup": "Configuració", - "Setup Key": "Clau de configuració", + "Setup Key": "Clau de Configuració", "Setup Key:": "Clau de configuració:", "Setup Telegram": "Configura Telegram", - "she\/her": "ella\/ella", + "she/her": "ella/ella", "Shintoist": "xintoista", "Show Calendar tab": "Mostra la pestanya Calendari", "Show Companies tab": "Mostra la pestanya Empreses", @@ -841,168 +842,166 @@ "Show Files tab": "Mostra la pestanya Fitxers", "Show Groups tab": "Mostra la pestanya Grups", "Showing": "Mostrant", - "Showing :count of :total results": "Mostrant :nombre de :resultats totals", - "Showing :first to :last of :total results": "Mostrant :del primer al :últim de :resultats totals", + "Showing :count of :total results": "Es mostren :count de :total resultats", + "Showing :first to :last of :total results": "Es mostren :first a :last de :total resultats", "Show Journals tab": "Mostra la pestanya Diaris", - "Show Recovery Codes": "Mostra els codis de recuperació", + "Show Recovery Codes": "Mostra Codis De Recuperació", "Show Reports tab": "Mostra la pestanya Informes", "Show Tasks tab": "Mostra la pestanya Tasques", "significant other": "un altre significatiu", "Sign in to your account": "Inicieu la sessió al vostre compte", "Sign up for an account": "Registreu-vos per obtenir un compte", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Slept :comptar hores|Slept :comptar hores", + "Slept :count hour|Slept :count hours": "Ha dormit :count hora|He dormit :count hores", "Slice of life": "Troç de vida", "Slices of life": "Trossets de vida", "Small animal": "Animal petit", "Social": "Social", "Some dates have a special type that we will use in the software to calculate an age.": "Algunes dates tenen un tipus especial que utilitzarem al programari per calcular una edat.", - "Sort contacts": "Ordena els contactes", "So… it works 😼": "Així que... funciona 😼", "Sport": "Esport", "spouse": "cònjuge", "Statistics": "Estadístiques", "Storage": "Emmagatzematge", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Emmagatzemeu aquests codis de recuperació en un gestor de contrasenyes segur. Es poden utilitzar per recuperar l'accés al vostre compte si es perd el dispositiu d'autenticació de dos factors.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Guardar els codis de recuperació en la seguretat de la contrasenya d’administrador. Es pot utilitzar per a recuperar l’accés al vostre compte si les seves dues factor d’autenticació dispositiu està perdut.", "Submit": "Presentar", "subordinate": "subordinat", "Suffix": "Sufix", "Summary": "Resum", "Sunday": "diumenge", "Switch role": "Canvia el rol", - "Switch Teams": "Canvia d'equip", + "Switch Teams": "Canviar Equips", "Tabs visibility": "Visibilitat de les pestanyes", "Tags": "Etiquetes", - "Tags let you classify journal posts using a system that matters to you.": "Les etiquetes us permeten classificar les publicacions de la revista mitjançant un sistema que us importa.", + "Tags let you classify journal posts using a system that matters to you.": "Les etiquetes us permeten classificar les publicacions de la revista mitjançant un sistema que us interessa.", "Taoist": "Taoista", "Tasks": "Tasques", - "Team Details": "Detalls de l'equip", - "Team Invitation": "Invitació de l'equip", - "Team Members": "Membres de l'equip", - "Team Name": "Nom de l'equip", - "Team Owner": "Propietari de l'equip", - "Team Settings": "Configuració de l'equip", + "Team Details": "Equip Detalls", + "Team Invitation": "Equip Invitació", + "Team Members": "Els Membres De L’Equip", + "Team Name": "Nom De L’Equip", + "Team Owner": "Equip Titular", + "Team Settings": "L’Equip De Configuració", "Telegram": "Telegrama", "Templates": "Plantilles", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Les plantilles us permeten personalitzar quines dades s'han de mostrar als vostres contactes. Podeu definir tantes plantilles com vulgueu i triar quina plantilla s'ha d'utilitzar en quin contacte.", - "Terms of Service": "Termes del servei", - "Test email for Monica": "Correu electrònic de prova per a la Mònica", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Les plantilles us permeten personalitzar quines dades s’han de mostrar als vostres contactes. Podeu definir tantes plantilles com vulgueu i triar quina plantilla s’ha d’utilitzar en quin contacte.", + "Terms of Service": "Condicions del Servei", + "Test email for Monica": "Correu electrònic de prova per a la Monica", "Test email sent!": "Correu electrònic de prova enviat!", "Thanks,": "Gràcies,", - "Thanks for giving Monica a try": "Gràcies per provar la Mònica", - "Thanks for giving Monica a try.": "Gràcies per provar la Mònica.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Gràcies per registrar-te! Abans de començar, podríeu verificar la vostra adreça electrònica fent clic a l'enllaç que us acabem d'enviar per correu electrònic? Si no has rebut el correu electrònic, t'enviarem un altre amb molt de gust.", - "The :attribute must be at least :length characters.": "El :attribute ha de tenir com a mínim caràcters :length.", - "The :attribute must be at least :length characters and contain at least one number.": "L'atribut : ha de tenir com a mínim caràcters : longitud i contenir almenys un número.", - "The :attribute must be at least :length characters and contain at least one special character.": "L'atribut : ha de tenir com a mínim caràcters : longitud i contenir almenys un caràcter especial.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "L'atribut : ha de tenir com a mínim caràcters : longitud i contenir almenys un caràcter especial i un número.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "L'atribut : ha de tenir com a mínim caràcters :longitud i contenir almenys un caràcter en majúscula, un número i un caràcter especial.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "L'atribut : ha de tenir com a mínim caràcters : longitud i contenir almenys un caràcter en majúscula.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "L'atribut : ha de tenir com a mínim caràcters : longitud i contenir almenys un caràcter en majúscula i un número.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "L'atribut : ha de tenir com a mínim caràcters :longitud i contenir almenys un caràcter en majúscula i un caràcter especial.", - "The :attribute must be a valid role.": "L'atribut : ha de ser un rol vàlid.", + "Thanks for giving Monica a try.": "Gràcies per provar la Monica.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Gràcies per registrar-te! Abans de començar, podríeu verificar la vostra adreça electrònica fent clic a l’enllaç que us acabem d’enviar per correu electrònic? Si no has rebut el correu electrònic, t’enviarem un altre amb molt de gust.", + "The :attribute must be at least :length characters.": "La :attribute ha de tenir com a mínim :length caràcters.", + "The :attribute must be at least :length characters and contain at least one number.": "La :attribute ha de tenir com a mínim :length caràcters i com a mínim un número.", + "The :attribute must be at least :length characters and contain at least one special character.": "La :attribute ha de tenir com a mínim :length caràcters i un caràcter especial.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "La :attribute ha de tenir com a mínim :length un caràcter, un caràcter especial i com a mínim un número.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "La :attribute ha de tenir com a mínim :length caràcters, una lletra majuscula, un número i un caràcter especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "La :attribute ha de tenir com a mínim :length caràcters i una lletra majuscula", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "La :attribute ha de tenir com a mínim :length caràcters i una lletra majuscula i un número.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "La :attribute ha de tenir com a mínim :length caràcters i una lletra majuscula i un caràcter especial.", + "The :attribute must be a valid role.": "La :attribute ha de ser vàlid paper.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Les dades del compte se suprimiran permanentment dels nostres servidors en un termini de 30 dies i de totes les còpies de seguretat en un termini de 60 dies.", - "The address type has been created": "S'ha creat el tipus d'adreça", - "The address type has been deleted": "S'ha suprimit el tipus d'adreça", - "The address type has been updated": "S'ha actualitzat el tipus d'adreça", - "The call has been created": "La convocatòria s'ha creat", - "The call has been deleted": "La trucada s'ha suprimit", - "The call has been edited": "La trucada s'ha editat", - "The call reason has been created": "S'ha creat el motiu de la trucada", - "The call reason has been deleted": "S'ha suprimit el motiu de la trucada", - "The call reason has been updated": "S'ha actualitzat el motiu de la trucada", - "The call reason type has been created": "S'ha creat el tipus de motiu de la trucada", - "The call reason type has been deleted": "S'ha suprimit el tipus de motiu de la trucada", - "The call reason type has been updated": "S'ha actualitzat el tipus de motiu de la trucada", - "The channel has been added": "S'ha afegit el canal", - "The channel has been updated": "El canal s'ha actualitzat", + "The address type has been created": "S’ha creat el tipus d’adreça", + "The address type has been deleted": "S’ha suprimit el tipus d’adreça", + "The address type has been updated": "S’ha actualitzat el tipus d’adreça", + "The call has been created": "La convocatòria s’ha creat", + "The call has been deleted": "La trucada s’ha suprimit", + "The call has been edited": "La trucada s’ha editat", + "The call reason has been created": "S’ha creat el motiu de la trucada", + "The call reason has been deleted": "S’ha suprimit el motiu de la trucada", + "The call reason has been updated": "S’ha actualitzat el motiu de la trucada", + "The call reason type has been created": "S’ha creat el tipus de motiu de la trucada", + "The call reason type has been deleted": "S’ha suprimit el tipus de motiu de la trucada", + "The call reason type has been updated": "S’ha actualitzat el tipus de motiu de la trucada", + "The channel has been added": "S’ha afegit el canal", + "The channel has been updated": "El canal s’ha actualitzat", "The contact does not belong to any group yet.": "El contacte encara no pertany a cap grup.", - "The contact has been added": "S'ha afegit el contacte", - "The contact has been deleted": "El contacte s'ha suprimit", - "The contact has been edited": "El contacte s'ha editat", - "The contact has been removed from the group": "El contacte s'ha eliminat del grup", - "The contact information has been created": "S'ha creat la informació de contacte", - "The contact information has been deleted": "S'ha suprimit la informació de contacte", - "The contact information has been edited": "S'ha editat la informació de contacte", - "The contact information type has been created": "S'ha creat el tipus d'informació de contacte", - "The contact information type has been deleted": "S'ha suprimit el tipus d'informació de contacte", - "The contact information type has been updated": "S'ha actualitzat el tipus d'informació de contacte", + "The contact has been added": "S’ha afegit el contacte", + "The contact has been deleted": "El contacte s’ha suprimit", + "The contact has been edited": "El contacte s’ha editat", + "The contact has been removed from the group": "El contacte s’ha eliminat del grup", + "The contact information has been created": "S’ha creat la informació de contacte", + "The contact information has been deleted": "S’ha suprimit la informació de contacte", + "The contact information has been edited": "S’ha editat la informació de contacte", + "The contact information type has been created": "S’ha creat el tipus d’informació de contacte", + "The contact information type has been deleted": "S’ha suprimit el tipus d’informació de contacte", + "The contact information type has been updated": "S’ha actualitzat el tipus d’informació de contacte", "The contact is archived": "El contacte està arxivat", - "The currencies have been updated": "S'han actualitzat les monedes", - "The currency has been updated": "La moneda s'ha actualitzat", - "The date has been added": "S'ha afegit la data", - "The date has been deleted": "La data s'ha suprimit", - "The date has been updated": "La data s'ha actualitzat", - "The document has been added": "S'ha afegit el document", - "The document has been deleted": "El document s'ha suprimit", - "The email address has been deleted": "S'ha suprimit l'adreça de correu electrònic", - "The email has been added": "S'ha afegit el correu electrònic", + "The currencies have been updated": "S’han actualitzat les monedes", + "The currency has been updated": "La moneda s’ha actualitzat", + "The date has been added": "S’ha afegit la data", + "The date has been deleted": "La data s’ha suprimit", + "The date has been updated": "La data s’ha actualitzat", + "The document has been added": "S’ha afegit el document", + "The document has been deleted": "El document s’ha suprimit", + "The email address has been deleted": "S’ha suprimit l’adreça de correu electrònic", + "The email has been added": "S’ha afegit el correu electrònic", "The email is already taken. Please choose another one.": "El correu electrònic ja està pres. Si us plau, trieu-ne un altre.", - "The gender has been created": "S'ha creat el gènere", - "The gender has been deleted": "S'ha suprimit el gènere", - "The gender has been updated": "S'ha actualitzat el gènere", - "The gift occasion has been created": "S'ha creat l'ocasió de regal", - "The gift occasion has been deleted": "S'ha suprimit l'ocasió del regal", - "The gift occasion has been updated": "L'ocasió del regal s'ha actualitzat", - "The gift state has been created": "S'ha creat l'estat de regal", - "The gift state has been deleted": "S'ha suprimit l'estat del regal", - "The gift state has been updated": "S'ha actualitzat l'estat del regal", + "The gender has been created": "S’ha creat el gènere", + "The gender has been deleted": "S’ha suprimit el gènere", + "The gender has been updated": "S’ha actualitzat el gènere", + "The gift occasion has been created": "S’ha creat l’ocasió de regal", + "The gift occasion has been deleted": "S’ha suprimit l’ocasió del regal", + "The gift occasion has been updated": "L’ocasió del regal s’ha actualitzat", + "The gift state has been created": "S’ha creat l’estat de regal", + "The gift state has been deleted": "S’ha suprimit l’estat del regal", + "The gift state has been updated": "S’ha actualitzat l’estat del regal", "The given data was invalid.": "Les dades proporcionades no eren vàlides.", - "The goal has been created": "S'ha creat l'objectiu", - "The goal has been deleted": "S'ha suprimit l'objectiu", - "The goal has been edited": "L'objectiu ha estat editat", - "The group has been added": "S'ha afegit el grup", - "The group has been deleted": "El grup s'ha suprimit", - "The group has been updated": "El grup s'ha actualitzat", - "The group type has been created": "S'ha creat el tipus de grup", - "The group type has been deleted": "S'ha suprimit el tipus de grup", - "The group type has been updated": "S'ha actualitzat el tipus de grup", + "The goal has been created": "L’objectiu s’ha creat", + "The goal has been deleted": "S’ha suprimit l’objectiu", + "The goal has been edited": "L’objectiu ha estat editat", + "The group has been added": "S’ha afegit el grup", + "The group has been deleted": "El grup s’ha suprimit", + "The group has been updated": "El grup s’ha actualitzat", + "The group type has been created": "S’ha creat el tipus de grup", + "The group type has been deleted": "S’ha suprimit el tipus de grup", + "The group type has been updated": "S’ha actualitzat el tipus de grup", "The important dates in the next 12 months": "Les dates importants dels propers 12 mesos", - "The job information has been saved": "La informació de la feina s'ha desat", + "The job information has been saved": "La informació de la feina s’ha desat", "The journal lets you document your life with your own words.": "El diari et permet documentar la teva vida amb les teves pròpies paraules.", - "The keys to manage uploads have not been set in this Monica instance.": "Les claus per gestionar les càrregues no s'han establert en aquesta instància de la Mònica.", - "The label has been added": "S'ha afegit l'etiqueta", - "The label has been created": "S'ha creat l'etiqueta", - "The label has been deleted": "L'etiqueta s'ha suprimit", - "The label has been updated": "L'etiqueta s'ha actualitzat", - "The life metric has been created": "S'ha creat la mètrica de vida", - "The life metric has been deleted": "La mètrica de vida s'ha suprimit", - "The life metric has been updated": "La mètrica de vida s'ha actualitzat", - "The loan has been created": "S'ha creat el préstec", - "The loan has been deleted": "S'ha suprimit el préstec", + "The keys to manage uploads have not been set in this Monica instance.": "Les claus per gestionar les càrregues no s’han establert en aquesta instància de la Monica.", + "The label has been added": "S’ha afegit l’etiqueta", + "The label has been created": "S’ha creat l’etiqueta", + "The label has been deleted": "L’etiqueta s’ha suprimit", + "The label has been updated": "L’etiqueta s’ha actualitzat", + "The life metric has been created": "S’ha creat la mètrica de vida", + "The life metric has been deleted": "La mètrica de vida s’ha suprimit", + "The life metric has been updated": "La mètrica de vida s’ha actualitzat", + "The loan has been created": "S’ha creat el préstec", + "The loan has been deleted": "S’ha suprimit el préstec", "The loan has been edited": "El préstec ha estat editat", - "The loan has been settled": "El préstec s'ha liquidat", + "The loan has been settled": "El préstec s’ha liquidat", "The loan is an object": "El préstec és un objecte", "The loan is monetary": "El préstec és monetari", - "The module has been added": "S'ha afegit el mòdul", - "The module has been removed": "El mòdul s'ha eliminat", - "The note has been created": "S'ha creat la nota", - "The note has been deleted": "La nota s'ha suprimit", + "The module has been added": "S’ha afegit el mòdul", + "The module has been removed": "El mòdul s’ha eliminat", + "The note has been created": "S’ha creat la nota", + "The note has been deleted": "La nota s’ha suprimit", "The note has been edited": "La nota ha estat editada", - "The notification has been sent": "S'ha enviat la notificació", - "The operation either timed out or was not allowed.": "L'operació s'ha esgotat o no es va permetre.", - "The page has been added": "S'ha afegit la pàgina", - "The page has been deleted": "La pàgina s'ha suprimit", - "The page has been updated": "La pàgina s'ha actualitzat", - "The password is incorrect.": "La contrasenya és incorrecta.", - "The pet category has been created": "S'ha creat la categoria de mascota", - "The pet category has been deleted": "La categoria de la mascota s'ha suprimit", - "The pet category has been updated": "La categoria de la mascota s'ha actualitzat", - "The pet has been added": "S'ha afegit la mascota", - "The pet has been deleted": "S'ha suprimit la mascota", + "The notification has been sent": "S’ha enviat la notificació", + "The operation either timed out or was not allowed.": "L’operació s’ha esgotat o no es va permetre.", + "The page has been added": "S’ha afegit la pàgina", + "The page has been deleted": "La pàgina s’ha suprimit", + "The page has been updated": "La pàgina s’ha actualitzat", + "The password is incorrect.": "Contrasenya no és correcta.", + "The pet category has been created": "S’ha creat la categoria de mascota", + "The pet category has been deleted": "La categoria de la mascota s’ha suprimit", + "The pet category has been updated": "La categoria de la mascota s’ha actualitzat", + "The pet has been added": "S’ha afegit la mascota", + "The pet has been deleted": "S’ha suprimit la mascota", "The pet has been edited": "La mascota ha estat editada", - "The photo has been added": "S'ha afegit la foto", - "The photo has been deleted": "La foto s'ha suprimit", - "The position has been saved": "La posició s'ha desat", - "The post template has been created": "S'ha creat la plantilla de publicació", - "The post template has been deleted": "La plantilla de publicació s'ha suprimit", - "The post template has been updated": "La plantilla de publicació s'ha actualitzat", - "The pronoun has been created": "S'ha creat el pronom", - "The pronoun has been deleted": "S'ha eliminat el pronom", - "The pronoun has been updated": "S'ha actualitzat el pronom", - "The provided password does not match your current password.": "La contrasenya proporcionada no coincideix amb la vostra contrasenya actual.", - "The provided password was incorrect.": "La contrasenya proporcionada era incorrecta.", - "The provided two factor authentication code was invalid.": "El codi d'autenticació de dos factors proporcionat no era vàlid.", + "The photo has been added": "S’ha afegit la foto", + "The photo has been deleted": "La foto s’ha suprimit", + "The position has been saved": "La posició s’ha desat", + "The post template has been created": "S’ha creat la plantilla de publicació", + "The post template has been deleted": "La plantilla de publicació s’ha suprimit", + "The post template has been updated": "La plantilla de publicació s’ha actualitzat", + "The pronoun has been created": "S’ha creat el pronom", + "The pronoun has been deleted": "S’ha eliminat el pronom", + "The pronoun has been updated": "S’ha actualitzat el pronom", + "The provided password does not match your current password.": "La contrasenya que heu enviat no coincideix amb la vostra contrasenya actual.", + "The provided password was incorrect.": "La contrasenya que heu enviat no era correcta.", + "The provided two factor authentication code was invalid.": "Les dues factor codi d’autenticació, no era vàlida.", "The provided two factor recovery code was invalid.": "El codi de recuperació de dos factors proporcionat no era vàlid.", "There are no active addresses yet.": "Encara no hi ha adreces actives.", "There are no calls logged yet.": "Encara no hi ha trucades registrades.", @@ -1025,94 +1024,95 @@ "There are no templates in the account. Go to the account settings to create one.": "No hi ha plantilles al compte. Aneu a la configuració del compte per crear-ne un.", "There is no activity yet.": "Encara no hi ha activitat.", "There is no currencies in this account.": "No hi ha monedes en aquest compte.", - "The relationship has been added": "S'ha afegit la relació", - "The relationship has been deleted": "La relació s'ha suprimit", - "The relationship type has been created": "S'ha creat el tipus de relació", - "The relationship type has been deleted": "S'ha suprimit el tipus de relació", - "The relationship type has been updated": "S'ha actualitzat el tipus de relació", - "The religion has been created": "La religió s'ha creat", + "The relationship has been added": "S’ha afegit la relació", + "The relationship has been deleted": "La relació s’ha suprimit", + "The relationship type has been created": "S’ha creat el tipus de relació", + "The relationship type has been deleted": "S’ha suprimit el tipus de relació", + "The relationship type has been updated": "S’ha actualitzat el tipus de relació", + "The religion has been created": "La religió s’ha creat", "The religion has been deleted": "La religió ha estat esborrada", - "The religion has been updated": "La religió s'ha actualitzat", - "The reminder has been created": "S'ha creat el recordatori", - "The reminder has been deleted": "El recordatori s'ha suprimit", - "The reminder has been edited": "El recordatori s'ha editat", - "The role has been created": "El paper s'ha creat", - "The role has been deleted": "S'ha suprimit el paper", - "The role has been updated": "El rol s'ha actualitzat", - "The section has been created": "S'ha creat la secció", - "The section has been deleted": "S'ha suprimit la secció", - "The section has been updated": "La secció s'ha actualitzat", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Aquestes persones han estat convidades al vostre equip i se'ls ha enviat un correu electrònic d'invitació. Poden unir-se a l'equip acceptant la invitació per correu electrònic.", - "The tag has been added": "S'ha afegit l'etiqueta", - "The tag has been created": "S'ha creat l'etiqueta", - "The tag has been deleted": "L'etiqueta s'ha suprimit", - "The tag has been updated": "L'etiqueta s'ha actualitzat", - "The task has been created": "S'ha creat la tasca", - "The task has been deleted": "La tasca s'ha suprimit", + "The religion has been updated": "La religió s’ha actualitzat", + "The reminder has been created": "S’ha creat el recordatori", + "The reminder has been deleted": "El recordatori s’ha suprimit", + "The reminder has been edited": "El recordatori s’ha editat", + "The response is not a streamed response.": "La resposta no és una resposta en streaming.", + "The response is not a view.": "La resposta no és una visió.", + "The role has been created": "El paper s’ha creat", + "The role has been deleted": "S’ha suprimit el paper", + "The role has been updated": "El rol s’ha actualitzat", + "The section has been created": "S’ha creat la secció", + "The section has been deleted": "S’ha suprimit la secció", + "The section has been updated": "La secció s’ha actualitzat", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Aquestes persones han estat convidats al seu equip i han enviat una invitació per correu electrònic. Que poden entrar a l’equip per acceptar la invitació per correu electrònic.", + "The tag has been added": "S’ha afegit l’etiqueta", + "The tag has been created": "S’ha creat l’etiqueta", + "The tag has been deleted": "L’etiqueta s’ha suprimit", + "The tag has been updated": "L’etiqueta s’ha actualitzat", + "The task has been created": "S’ha creat la tasca", + "The task has been deleted": "La tasca s’ha suprimit", "The task has been edited": "La tasca ha estat editada", - "The team's name and owner information.": "Nom i informació del propietari de l'equip.", - "The Telegram channel has been deleted": "S'ha suprimit el canal de Telegram", - "The template has been created": "S'ha creat la plantilla", - "The template has been deleted": "La plantilla s'ha suprimit", - "The template has been set": "S'ha establert la plantilla", - "The template has been updated": "La plantilla s'ha actualitzat", - "The test email has been sent": "S'ha enviat el correu electrònic de prova", - "The type has been created": "S'ha creat el tipus", - "The type has been deleted": "S'ha suprimit el tipus", - "The type has been updated": "S'ha actualitzat el tipus", - "The user has been added": "S'ha afegit l'usuari", - "The user has been deleted": "L'usuari ha estat suprimit", - "The user has been removed": "L'usuari ha estat eliminat", - "The user has been updated": "L'usuari ha estat actualitzat", - "The vault has been created": "S'ha creat la volta", - "The vault has been deleted": "S'ha suprimit la volta", - "The vault have been updated": "La volta s'ha actualitzat", - "they\/them": "ells\/elles", + "The team's name and owner information.": "El nom de l’equip i el propietari de la informació.", + "The Telegram channel has been deleted": "S’ha suprimit el canal de Telegram", + "The template has been created": "S’ha creat la plantilla", + "The template has been deleted": "La plantilla s’ha suprimit", + "The template has been set": "S’ha establert la plantilla", + "The template has been updated": "La plantilla s’ha actualitzat", + "The test email has been sent": "S’ha enviat el correu electrònic de prova", + "The type has been created": "S’ha creat el tipus", + "The type has been deleted": "S’ha suprimit el tipus", + "The type has been updated": "El tipus s’ha actualitzat", + "The user has been added": "S’ha afegit l’usuari", + "The user has been deleted": "L’usuari ha estat suprimit", + "The user has been removed": "L’usuari ha estat eliminat", + "The user has been updated": "L’usuari ha estat actualitzat", + "The vault has been created": "S’ha creat la volta", + "The vault has been deleted": "S’ha suprimit la volta", + "The vault have been updated": "La volta s’ha actualitzat", + "they/them": "ells/elles", "This address is not active anymore": "Aquesta adreça ja no està activa", "This device": "Aquest dispositiu", - "This email is a test email to check if Monica can send an email to this email address.": "Aquest correu electrònic és un correu electrònic de prova per comprovar si la Mònica pot enviar un correu electrònic a aquesta adreça electrònica.", - "This is a secure area of the application. Please confirm your password before continuing.": "Aquesta és una àrea segura de l'aplicació. Si us plau, confirmeu la vostra contrasenya abans de continuar.", + "This email is a test email to check if Monica can send an email to this email address.": "Aquest correu electrònic és un correu electrònic de prova per comprovar si la Monica pot enviar un correu electrònic a aquesta adreça electrònica.", + "This is a secure area of the application. Please confirm your password before continuing.": "Aquesta és una àrea de seguretat de l’aplicació. Si us plau, confirmeu la vostra contrasenya abans de continuar.", "This is a test email": "Aquest és un correu electrònic de prova", "This is a test notification for :name": "Aquesta és una notificació de prova per a :name", "This key is already registered. It’s not necessary to register it again.": "Aquesta clau ja està registrada. No cal tornar-lo a registrar.", - "This link will open in a new tab": "Aquest enllaç s'obrirà en una pestanya nova", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Aquesta pàgina mostra totes les notificacions que s'han enviat en aquest canal en el passat. Serveix principalment com a forma de depurar en cas que no rebeu la notificació que heu configurat.", + "This link will open in a new tab": "Aquest enllaç s’obrirà en una pestanya nova", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Aquesta pàgina mostra totes les notificacions que s’han enviat en aquest canal en el passat. Serveix principalment com a forma de depurar en cas que no rebeu la notificació que heu configurat.", "This password does not match our records.": "Aquesta contrasenya no coincideix amb els nostres registres.", - "This password reset link will expire in :count minutes.": "Aquest enllaç de restabliment de la contrasenya caducarà d'aquí a :count minutes.", + "This password reset link will expire in :count minutes.": "Aquest enllaç de restabliment de contrasenya caducarà en :count minuts.", "This post has no content yet.": "Aquesta publicació encara no té contingut.", "This provider is already associated with another account": "Aquest proveïdor ja està associat amb un altre compte", "This site is open source.": "Aquest lloc és de codi obert.", "This template will define what information are displayed on a contact page.": "Aquesta plantilla definirà quina informació es mostra a una pàgina de contacte.", - "This user already belongs to the team.": "Aquest usuari ja pertany a l'equip.", - "This user has already been invited to the team.": "Aquest usuari ja ha estat convidat a l'equip.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Aquest usuari formarà part del vostre compte, però no tindrà accés a totes les voltes d'aquest compte tret que hi doneu accés específic. Aquesta persona també podrà crear voltes.", + "This user already belongs to the team.": "Aquest usuari ja pertany a l’equip.", + "This user has already been invited to the team.": "Aquest usuari ja ha estat convidat a l’equip.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Aquest usuari formarà part del vostre compte, però no tindrà accés a totes les voltes d’aquest compte tret que hi doneu accés específic. Aquesta persona també podrà crear voltes.", "This will immediately:": "Això immediatament:", "Three things that happened today": "Tres coses que han passat avui", "Thursday": "dijous", "Timezone": "Fus horari", "Title": "Títol", "to": "a", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Per acabar d'activar l'autenticació de dos factors, escaneja el següent codi QR amb l'aplicació d'autenticació del telèfon o introdueix la clau de configuració i proporciona el codi OTP generat.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Per acabar d'activar l'autenticació de dos factors, escaneja el següent codi QR amb l'aplicació d'autenticació del telèfon o introdueix la clau de configuració i proporciona el codi OTP generat.", - "Toggle navigation": "Canvia la navegació", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Per acabar d’habilitar l’autenticació de dos factors, escanegi el següent codi QR utilitzant l’aplicació d’autentificació del seu telèfon o ingressi la clau de configuració y proporcioni el codi OTP generat.", + "Toggle navigation": "Commutar navegació", "To hear their story": "Per escoltar la seva història", - "Token Name": "Nom del testimoni", + "Token Name": "Fitxa Nom", "Token name (for your reference only)": "Nom del testimoni (només per a la vostra referència)", "Took a new job": "Va agafar una feina nova", - "Took the bus": "Va agafar l'autobús", + "Took the bus": "Va agafar l’autobús", "Took the metro": "Va agafar el metro", - "Too Many Requests": "Massa sol·licituds", + "Too Many Requests": "Massa peticions", "To see if they need anything": "A veure si necessiten alguna cosa", "To start, you need to create a vault.": "Per començar, heu de crear una volta.", "Total:": "Total:", "Total streaks": "Rates totals", - "Track a new metric": "Seguiment d'una mètrica nova", + "Track a new metric": "Seguiment d’una mètrica nova", "Transportation": "Transport", "Tuesday": "dimarts", "Two-factor Confirmation": "Confirmació de dos factors", - "Two Factor Authentication": "Autenticació de dos factors", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Ara s'ha habilitat l'autenticació de dos factors. Escaneja el següent codi QR mitjançant l'aplicació d'autenticació del telèfon o introdueix la clau de configuració.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Ara s'ha habilitat l'autenticació de dos factors. Escaneja el següent codi QR mitjançant l'aplicació d'autenticació del telèfon o introdueix la clau de configuració.", + "Two Factor Authentication": "Autenticació de doble factor", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "L’autenticació de dos factors està ara habilitada. Escanegi el següent codi QR utilitzant l’aplicació d’autentificació del seu telèfon o ingressi la clau de configuració.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Ara s’ha habilitat l’autenticació de dos factors. Escaneja el següent codi QR mitjançant l’aplicació d’autenticació del telèfon o introdueix la clau de configuració.", "Type": "Tipus", "Type:": "Tipus:", "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Escriviu qualsevol cosa a la conversa amb el bot Monica. Pot ser \"inici\", per exemple.", @@ -1121,13 +1121,12 @@ "Unarchive contact": "Desarxiva el contacte", "unarchived the contact": "desarxivat el contacte", "Unauthorized": "No autoritzat", - "uncle\/aunt": "oncle\/tia", + "uncle/aunt": "oncle/tia", "Undefined": "Sense definir", "Unexpected error on login.": "Error inesperat en iniciar sessió.", "Unknown": "Desconegut", "unknown action": "acció desconeguda", "Unknown age": "Edat desconeguda", - "Unknown contact name": "Nom del contacte desconegut", "Unknown name": "Nom desconegut", "Update": "Actualització", "Update a key.": "Actualitzar una clau.", @@ -1136,33 +1135,32 @@ "updated an address": "ha actualitzat una adreça", "updated an important date": "actualitzat una data important", "updated a pet": "ha actualitzat una mascota", - "Updated on :date": "Actualitzat el: data", - "updated the avatar of the contact": "ha actualitzat l'avatar del contacte", + "Updated on :date": "Actualitzat el :date", + "updated the avatar of the contact": "ha actualitzat l’avatar del contacte", "updated the contact information": "ha actualitzat la informació de contacte", "updated the job information": "ha actualitzat la informació de la feina", "updated the religion": "actualitzat la religió", - "Update Password": "Actualitza la contrasenya", - "Update your account's profile information and email address.": "Actualitzeu la informació del perfil i l'adreça electrònica del vostre compte.", - "Update your account’s profile information and email address.": "Actualitzeu la informació del perfil i l'adreça electrònica del vostre compte.", + "Update Password": "Actualitzar La Contrasenya", + "Update your account's profile information and email address.": "Actualitzeu la informació del seu compte i l’adreça de correu electrònic", "Upload photo as avatar": "Penja la foto com a avatar", "Use": "Ús", - "Use an authentication code": "Utilitzeu un codi d'autenticació", - "Use a recovery code": "Utilitzeu un codi de recuperació", + "Use an authentication code": "Ús d’un codi d’autenticació", + "Use a recovery code": "Utilitzar un codi de recuperació", "Use a security key (Webauthn, or FIDO) to increase your account security.": "Utilitzeu una clau de seguretat (Webauthn o FIDO) per augmentar la seguretat del vostre compte.", - "User preferences": "Preferències de l'usuari", + "User preferences": "Preferències de l’usuari", "Users": "Usuaris", - "User settings": "Configuració d'usuari", + "User settings": "Configuració d’usuari", "Use the following template for this contact": "Utilitzeu la plantilla següent per a aquest contacte", "Use your password": "Utilitzeu la vostra contrasenya", "Use your security key": "Utilitzeu la vostra clau de seguretat", - "Validating key…": "S'està validant la clau...", - "Value copied into your clipboard": "El valor s'ha copiat al porta-retalls", + "Validating key…": "S’està validant la clau...", + "Value copied into your clipboard": "El valor s’ha copiat al porta-retalls", "Vaults contain all your contacts data.": "Vaults contenen totes les dades dels vostres contactes.", - "Vault settings": "Configuració de la volta", - "ve\/ver": "i\/donar", + "Vault settings": "Configuració de volta", + "ve/ver": "ve/ver", "Verification email sent": "Correu electrònic de verificació enviat", "Verified": "Verificat", - "Verify Email Address": "Verificació de l'adreça de correu electrònic", + "Verify Email Address": "Confirmeu la vostra adreça electrònica", "Verify this email address": "Verifica aquesta adreça de correu electrònic", "Version :version — commit [:short](:url).": "Versió :version — commit [:short](:url).", "Via Telegram": "A través de Telegram", @@ -1171,10 +1169,10 @@ "View all": "Veure tot", "View details": "Veure detalls", "Viewer": "Visor", - "View history": "Visualitza l'historial", + "View history": "Visualitza l’historial", "View log": "Veure el registre", "View on map": "Veure al mapa", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Espereu uns segons perquè la Monica (l'aplicació) us reconegui. T'enviarem una notificació falsa per veure si funciona.", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Espereu uns segons perquè la Monica (l’aplicació) us reconegui. T’enviarem una notificació falsa per veure si funciona.", "Waiting for key…": "Esperant la clau...", "Walked": "Caminat", "Wallpaper": "Fons de pantalla", @@ -1184,29 +1182,30 @@ "Watched TV": "Mirat la televisió", "Watch Netflix every day": "Mira Netflix cada dia", "Ways to connect": "Maneres de connectar", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn només admet connexions segures. Carregueu aquesta pàgina amb l'esquema https.", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn només admet connexions segures. Carregueu aquesta pàgina amb l’esquema https.", "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Els anomenem una relació, i la seva relació inversa. Per a cada relació que definiu, heu de definir la seva contrapartida.", "Wedding": "Casament", "Wednesday": "dimecres", "We hope you'll like it.": "Esperem que us agradi.", "We hope you will like what we’ve done.": "Esperem que us agradi el que hem fet.", - "Welcome to Monica.": "Benvinguda a Mònica.", + "Welcome to Monica.": "Benvinguda a Monica.", "Went to a bar": "Va anar a un bar", "We support Markdown to format the text (bold, lists, headings, etc…).": "Admetem Markdown per donar format al text (negreta, llistes, encapçalaments, etc.).", - "We were unable to find a registered user with this email address.": "No hem pogut trobar un usuari registrat amb aquesta adreça de correu electrònic.", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "T'enviarem un correu electrònic a aquesta adreça de correu electrònic que hauràs de confirmar abans de poder enviar notificacions a aquesta adreça.", + "We were unable to find a registered user with this email address.": "No hem pogut trobar un usuari registrat amb aquest correu electrònic.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "T’enviarem un correu electrònic a aquesta adreça de correu electrònic que hauràs de confirmar abans de poder enviar notificacions a aquesta adreça.", "What happens now?": "Què passa ara?", "What is the loan?": "Què és el préstec?", "What permission should :name have?": "Quin permís hauria de tenir :name?", - "What permission should the user have?": "Quin permís ha de tenir l'usuari?", - "What should we use to display maps?": "Què hem d'utilitzar per mostrar els mapes?", + "What permission should the user have?": "Quin permís ha de tenir l’usuari?", + "Whatsapp": "què tal", + "What should we use to display maps?": "Què hem d’utilitzar per mostrar els mapes?", "What would make today great?": "Què faria genial avui?", "When did the call happened?": "Quan va passar la trucada?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Quan l'autenticació de dos factors està habilitada, se us demanarà un testimoni aleatori i segur durant l'autenticació. Podeu recuperar aquest testimoni des de l'aplicació Google Authenticator del vostre telèfon.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Quan l'autenticació de dos factors està habilitada, se us demanarà un testimoni aleatori i segur durant l'autenticació. Podeu recuperar aquest testimoni des de l'aplicació Authenticator del vostre telèfon.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Quan el factor d’autenticació en dos passos està habilitat, se us demanarà un token segur i aleatori durant l’autenticació. Podeu recuperar aquest token des del vostre telèfon de l’aplicació Google Authenticator.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Quan l’autenticació de dos factors està habilitada, se us demanarà un testimoni aleatori i segur durant l’autenticació. Podeu recuperar aquest testimoni des de l’aplicació Authenticator del vostre telèfon.", "When was the loan made?": "Quan es va fer el préstec?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Quan definiu una relació entre dos contactes, per exemple, una relació pare-fill, la Mònica crea dues relacions, una per a cada contacte:", - "Which email address should we send the notification to?": "A quina adreça electrònica hem d'enviar la notificació?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Quan definiu una relació entre dos contactes, per exemple, una relació pare-fill, la Monica crea dues relacions, una per a cada contacte:", + "Which email address should we send the notification to?": "A quina adreça electrònica hem d’enviar la notificació?", "Who called?": "Qui ha trucat?", "Who makes the loan?": "Qui fa el préstec?", "Whoops!": "Vaja!", @@ -1218,38 +1217,38 @@ "Write the amount with a dot if you need decimals, like 100.50": "Escriu la quantitat amb un punt si necessites decimals, com ara 100,50", "Written on": "Escrit a", "wrote a note": "va escriure una nota", - "xe\/xem": "cotxe\/vista", + "xe/xem": "xe/xem", "year": "curs", "Years": "Anys", "You are here:": "Estàs aquí:", - "You are invited to join Monica": "Esteu convidats a unir-vos a la Mònica", - "You are receiving this email because we received a password reset request for your account.": "Heu rebut aquest correu electrònic perquè hem rebut una sol·licitud de restabliment de la contrasenya del vostre compte.", - "you can't even use your current username or password to sign in,": "ni tan sols podeu utilitzar el vostre nom d'usuari o contrasenya actuals per iniciar la sessió,", + "You are invited to join Monica": "Esteu convidats a unir-vos a la Monica", + "You are receiving this email because we received a password reset request for your account.": "Heu rebut aquest correu electrònic perquè s’ha solicitat el restabliment de la contrasenya per al vostre compte.", + "you can't even use your current username or password to sign in,": "ni tan sols podeu utilitzar el vostre nom d’usuari o contrasenya actuals per iniciar la sessió,", "you can't import any data from your current Monica account(yet),": "no podeu importar cap dada del vostre compte actual de Monica (encara),", "You can add job information to your contacts and manage the companies here in this tab.": "Podeu afegir informació laboral als vostres contactes i gestionar les empreses aquí en aquesta pestanya.", "You can add more account to log in to our service with one click.": "Podeu afegir més compte per iniciar sessió al nostre servei amb un sol clic.", "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Pots rebre notificacions a través de diferents canals: correus electrònics, un missatge de Telegram, a Facebook. Tu decideixes.", "You can change that at any time.": "Podeu canviar-ho en qualsevol moment.", - "You can choose how you want Monica to display dates in the application.": "Podeu triar com voleu que la Monica mostri les dates a l'aplicació.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Podeu triar quines monedes s'han d'activar al vostre compte i quines no.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Podeu personalitzar com s'han de mostrar els contactes segons el vostre propi gust\/cultura. Potser voldríeu utilitzar James Bond en comptes de Bond James. Aquí, el podeu definir a voluntat.", - "You can customize the criteria that let you track your mood.": "Podeu personalitzar els criteris que us permetin fer un seguiment del vostre estat d'ànim.", + "You can choose how you want Monica to display dates in the application.": "Podeu triar com voleu que la Monica mostri les dates a l’aplicació.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Podeu triar quines monedes s’han d’activar al vostre compte i quines no.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Podeu personalitzar com s’han de mostrar els contactes segons el vostre propi gust/cultura. Potser voldríeu utilitzar James Bond en comptes de Bond James. Aquí, el podeu definir a voluntat.", + "You can customize the criteria that let you track your mood.": "Podeu personalitzar els criteris que us permetin fer un seguiment del vostre estat d’ànim.", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Podeu moure els contactes entre les voltes. Aquest canvi és immediat. Només podeu moure els contactes a les voltes de les quals formeu part. Totes les dades dels contactes es mouran amb ella.", - "You cannot remove your own administrator privilege.": "No podeu eliminar el vostre propi privilegi d'administrador.", + "You cannot remove your own administrator privilege.": "No podeu eliminar el vostre propi privilegi d’administrador.", "You don’t have enough space left in your account.": "No et queda prou espai al teu compte.", "You don’t have enough space left in your account. Please upgrade.": "No et queda prou espai al teu compte. Si us plau, actualitzeu.", - "You have been invited to join the :team team!": "T'han convidat a unir-te a l'equip de :team!", - "You have enabled two factor authentication.": "Heu activat l'autenticació de dos factors.", - "You have not enabled two factor authentication.": "No heu activat l'autenticació de dos factors.", - "You have not setup Telegram in your environment variables yet.": "Encara no heu configurat Telegram a les vostres variables d'entorn.", + "You have been invited to join the :team team!": "Vostè ha estat convidat a unir-se a la :team equip!", + "You have enabled two factor authentication.": "S’ha activat el factor d’autenticació en dos passos.", + "You have not enabled two factor authentication.": "No heu activat el factor d’autenticació en dos passos.", + "You have not setup Telegram in your environment variables yet.": "Encara no heu configurat Telegram a les vostres variables d’entorn.", "You haven’t received a notification in this channel yet.": "Encara no has rebut cap notificació en aquest canal.", "You haven’t setup Telegram yet.": "Encara no has configurat Telegram.", - "You may accept this invitation by clicking the button below:": "Podeu acceptar aquesta invitació fent clic al botó següent:", - "You may delete any of your existing tokens if they are no longer needed.": "Podeu suprimir qualsevol dels vostres testimonis existents si ja no els necessiteu.", - "You may not delete your personal team.": "No podeu suprimir el vostre equip personal.", + "You may accept this invitation by clicking the button below:": "Pot acceptar la invitació fent clic al botó de baix:", + "You may delete any of your existing tokens if they are no longer needed.": "Podeu suprimir qualsevol dels vostres fitxes si ja no són necessaris.", + "You may not delete your personal team.": "No podeu suprimir el personal de l’equip.", "You may not leave a team that you created.": "No podeu deixar un equip que heu creat.", "You might need to reload the page to see the changes.": "És possible que hàgiu de tornar a carregar la pàgina per veure els canvis.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Necessites almenys una plantilla perquè es mostrin els contactes. Sense una plantilla, la Mònica no sabrà quina informació hauria de mostrar.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Necessites almenys una plantilla perquè es mostrin els contactes. Sense una plantilla, la Monica no sabrà quina informació hauria de mostrar.", "Your account current usage": "Ús actual del vostre compte", "Your account has been created": "El teu compte ha estat creat", "Your account is linked": "El teu compte està enllaçat", @@ -1258,24 +1257,24 @@ "Your browser doesn’t currently support WebAuthn.": "Actualment, el vostre navegador no és compatible amb WebAuthn.", "Your email address is unverified.": "La teva adreça de correu electrònic no està verificada.", "Your life events": "Els esdeveniments de la teva vida", - "Your mood has been recorded!": "El teu estat d'ànim ha estat gravat!", - "Your mood that day": "El teu estat d'ànim aquell dia", - "Your mood that you logged at this date": "El vostre estat d'ànim que heu registrat en aquesta data", - "Your mood this year": "El teu estat d'ànim aquest any", - "Your name here will be used to add yourself as a contact.": "El vostre nom aquí s'utilitzarà per afegir-vos com a contacte.", + "Your mood has been recorded!": "El teu estat d’ànim ha estat gravat!", + "Your mood that day": "El teu estat d’ànim aquell dia", + "Your mood that you logged at this date": "El vostre estat d’ànim que heu registrat en aquesta data", + "Your mood this year": "El teu estat d’ànim aquest any", + "Your name here will be used to add yourself as a contact.": "El vostre nom aquí s’utilitzarà per afegir-vos com a contacte.", "You wanted to be reminded of the following:": "Voleu que us recordin el següent:", "You WILL still have to delete your account on Monica or OfficeLife.": "Encara hauràs de suprimir el teu compte a Monica o OfficeLife.", "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Us han convidat a utilitzar aquesta adreça de correu electrònic a Monica, un CRM personal de codi obert, perquè puguem utilitzar-lo per enviar-vos notificacions.", - "ze\/hir": "a\/ella", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Zona de perill", "🌳 Chalet": "🌳 Xalet", "🏠 Secondary residence": "🏠 Residència secundària", "🏡 Home": "🏡 A casa", "🏢 Work": "🏢 Treball", - "🔔 Reminder: :label for :contactName": "🔔 Recordatori: :label for :contactName", + "🔔 Reminder: :label for :contactName": "🔔 Recordatori: :label per a :contactName", "😀 Good": "😀 Bé", "😁 Positive": "😁 Positiu", - "😐 Meh": "😐 Eh", + "😐 Meh": "😐 Vaja", "😔 Bad": "😔 Dolent", "😡 Negative": "😡 Negativa", "😩 Awful": "😩 Horrible", diff --git a/lang/ca/auth.php b/lang/ca/auth.php index e635713e077..6a3d9bff94c 100644 --- a/lang/ca/auth.php +++ b/lang/ca/auth.php @@ -2,7 +2,7 @@ return [ 'failed' => 'Aquestes credencials no concorden amb els nostres registres.', - 'lang' => 'Catàlan', + 'lang' => 'Català', 'password' => 'La contrasenya és incorrecta.', 'throttle' => 'Ha superat el nombre màxim d\'intents d\'accés. Si us plau, torni a intentar-ho en :seconds segons.', ]; diff --git a/lang/ca/pagination.php b/lang/ca/pagination.php index 1d3574ab9d8..84b6dae8761 100644 --- a/lang/ca/pagination.php +++ b/lang/ca/pagination.php @@ -1,6 +1,6 @@ 'Següent »', - 'previous' => '« Anterior', + 'next' => 'Següent ❯', + 'previous' => '❮ Anterior', ]; diff --git a/lang/ca/validation.php b/lang/ca/validation.php index 01f0112898a..84793de70a7 100644 --- a/lang/ca/validation.php +++ b/lang/ca/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute ha de tenir entre :min - :max caràcters.', ], 'boolean' => 'El camp :attribute ha de ser verdader o fals', + 'can' => 'El camp :attribute conté un valor no autoritzat.', 'confirmed' => 'La confirmació de :attribute no coincideix.', 'current_password' => 'La contrasenya és incorrecta.', 'date' => ':Attribute no és una data vàlida.', diff --git a/lang/da.json b/lang/da.json index 8fdd0d055d7..4d63312e0c4 100644 --- a/lang/da.json +++ b/lang/da.json @@ -1,10 +1,10 @@ { - "(and :count more error)": "(og :tæl flere fejl)", - "(and :count more errors)": "(og :tæl flere fejl)", + "(and :count more error)": "(og :count fejl mere)", + "(and :count more errors)": "(og :count fejl mere)", "(Help)": "(Hjælp)", - "+ add a contact": "+ tilføj en kontakt", + "+ add a contact": "+ tilføje en kontakt", "+ add another": "+ tilføje en anden", - "+ add another photo": "+ tilføj endnu et billede", + "+ add another photo": "+ tilføje endnu et billede", "+ add description": "+ tilføje beskrivelse", "+ add distance": "+ tilføje afstand", "+ add emotion": "+ tilføje følelser", @@ -22,22 +22,22 @@ "+ note": "+ bemærk", "+ number of hours slept": "+ antal timers søvn", "+ prefix": "+ præfiks", - "+ pronoun": "+ tendens", + "+ pronoun": "+ pronomen", "+ suffix": "+ suffiks", - ":count contact|:count contacts": ":tæl kontakt|:tæl kontakter", - ":count hour slept|:count hours slept": ":tælle timers søvn|:tælle timers søvn", - ":count min read": ":tæl min læst", - ":count post|:count posts": ":tæl indlæg|:tæl indlæg", - ":count template section|:count template sections": ":count skabelon sektion|:count skabelon sektioner", - ":count word|:count words": ":tæller ord|:tæller ord", - ":distance km": ":afstand km", - ":distance miles": ": distance miles", - ":file at line :line": ":fil på linje :linje", - ":file in :class at line :line": ":fil i :klasse på linje :linje", - ":Name called": ":navn kaldet", - ":Name called, but I didn’t answer": ":navnet kaldte, men jeg svarede ikke", + ":count contact|:count contacts": ":count kontakt|:count kontakter", + ":count hour slept|:count hours slept": ":count times søvn|:count timers søvn", + ":count min read": ":count min. læst", + ":count post|:count posts": ":count indlæg|:count indlæg", + ":count template section|:count template sections": ":count skabelonsektion|:count skabelonsektioner", + ":count word|:count words": ":count ord|:count ord", + ":distance km": ":distance km", + ":distance miles": ":distance miles", + ":file at line :line": ":file på linje :line", + ":file in :class at line :line": ":file i :class på linje :line", + ":Name called": ":Name ringede", + ":Name called, but I didn’t answer": ":Name ringede, men jeg svarede ikke", ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName inviterer dig til at blive medlem af Monica, en open source personlig CRM, designet til at hjælpe dig med at dokumentere dine relationer.", - "Accept Invitation": "Accepter invitation", + "Accept Invitation": "Acceptér invitation", "Accept invitation and create your account": "Accepter invitationen og opret din konto", "Account and security": "Konto og sikkerhed", "Account settings": "Bruger indstillinger", @@ -45,13 +45,13 @@ "Activate": "Aktiver", "Activity feed": "Aktivitetsfeed", "Activity in this vault": "Aktivitet i denne boks", - "Add": "Tilføje", + "Add": "Tilføj", "add a call reason type": "tilføje en opkaldsårsagstype", "Add a contact": "Tilføj en kontakt", "Add a contact information": "Tilføj en kontaktinformation", "Add a date": "Tilføj en dato", "Add additional security to your account using a security key.": "Tilføj yderligere sikkerhed til din konto ved hjælp af en sikkerhedsnøgle.", - "Add additional security to your account using two factor authentication.": "Tilføj yderligere sikkerhed til din konto ved hjælp af tofaktorautentificering.", + "Add additional security to your account using two factor authentication.": "Tilføj ekstra sikkerhed til din konto ved hjælp af tofaktorautentisering.", "Add a document": "Tilføj et dokument", "Add a due date": "Tilføj en forfaldsdato", "Add a gender": "Tilføj et køn", @@ -93,7 +93,7 @@ "Add a tag": "Tilføj et tag", "Add a task": "Tilføj en opgave", "Add a template": "Tilføj en skabelon", - "Add at least one module.": "Tilføj mindst ét ​​modul.", + "Add at least one module.": "Tilføj mindst ét modul.", "Add a type": "Tilføj en type", "Add a user": "Tilføj en bruger", "Add a vault": "Tilføj en boks", @@ -126,7 +126,7 @@ "All files": "Alle filer", "All groups in the vault": "Alle grupper i boksen", "All journal metrics in :name": "Alle journal-metrics i :name", - "All of the people that are part of this team.": "Alle de mennesker, der er en del af dette team.", + "All of the people that are part of this team.": "Alle de personer, der er en del af dette team.", "All rights reserved.": "Alle rettigheder forbeholdes.", "All tags": "Alle tags", "All the address types": "Alle adressetyper", @@ -154,9 +154,9 @@ "All the relationship types": "Alle forholdstyper", "All the religions": "Alle religionerne", "All the reports": "Alle rapporterne", - "All the slices of life in :name": "Alle skiver af livet i :name", + "All the slices of life in :name": "Alle dele af livet i :name", "All the tags used in the vault": "Alle de tags, der bruges i hvælvingen", - "All the templates": "Alle skabeloner", + "All the templates": "Alle skabelonerne", "All the vaults": "Alle hvælvingerne", "All the vaults in the account": "Alle boksene på kontoen", "All users and vaults will be deleted immediately,": "Alle brugere og bokse vil blive slettet med det samme,", @@ -169,12 +169,12 @@ "Anniversary": "Jubilæum", "Apartment, suite, etc…": "Lejlighed, suite osv...", "API Token": "API-token", - "API Token Permissions": "API-token-tilladelser", + "API Token Permissions": "API-token tilladelser", "API Tokens": "API-tokens", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API-tokens tillader tredjepartstjenester at autentificere med vores applikation på dine vegne.", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API-tokens tillader tredjepartstjenester at godkende med vores applikation på dine vegne.", "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "En indlægsskabelon definerer, hvordan indholdet af et indlæg skal vises. Du kan definere så mange skabeloner du vil, og vælge hvilken skabelon der skal bruges på hvilket indlæg.", "Archive": "Arkiv", - "Archive contact": "Arkivkontakt", + "Archive contact": "Arkiv kontakt", "archived the contact": "arkiverede kontakten", "Are you sure? The address will be deleted immediately.": "Er du sikker? Adressen slettes med det samme.", "Are you sure? This action cannot be undone.": "Er du sikker? Denne handling kan ikke fortrydes.", @@ -187,14 +187,14 @@ "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Er du sikker? Dette fjerner kontaktinformationstyperne fra alle kontakter, men sletter ikke selve kontakterne.", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Er du sikker? Dette fjerner kønnene fra alle kontakter, men sletter ikke selve kontakterne.", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Er du sikker? Dette fjerner skabelonen fra alle kontakter, men sletter ikke selve kontakterne.", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Er du sikker på, at du vil slette dette hold? Når et team er slettet, slettes alle dets ressourcer og data permanent.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Er du sikker på, at du vil slette din konto? Når din konto er slettet, vil alle dens ressourcer og data blive slettet permanent. Indtast venligst din adgangskode for at bekræfte, at du gerne vil slette din konto permanent.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Er du sikker på, at du vil slette dette hold? Når et hold er slettet, vil alle dets ressourcer og data blive slettet permanent.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Er du sikker på, at du vil slette din konto? Når din konto er slettet, vil alle sine ressourcer og data blive slettet permanent. Indtast din adgangskode for at bekræfte, at du vil slette din konto permanent.", "Are you sure you would like to archive this contact?": "Er du sikker på, at du vil arkivere denne kontakt?", - "Are you sure you would like to delete this API token?": "Er du sikker på, at du vil slette dette API-token?", + "Are you sure you would like to delete this API token?": "Er du sikker på, at du gerne vil slette dette API-token?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Er du sikker på, at du vil slette denne kontakt? Dette vil fjerne alt, hvad vi ved om denne kontakt.", "Are you sure you would like to delete this key?": "Er du sikker på, at du vil slette denne nøgle?", - "Are you sure you would like to leave this team?": "Er du sikker på, at du gerne vil forlade dette hold?", - "Are you sure you would like to remove this person from the team?": "Er du sikker på, at du vil fjerne denne person fra holdet?", + "Are you sure you would like to leave this team?": "Er du sikker på, du gerne vil forlade dette hold?", + "Are you sure you would like to remove this person from the team?": "Er du sikker på, at du gerne vil fjerne denne person fra holdet?", "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Et udsnit af livet lader dig gruppere indlæg efter noget, der giver mening for dig. Tilføj et stykke liv i et indlæg for at se det her.", "a son-father relation shown on the son page.": "en søn-far-relation vist på søn-siden.", "assigned a label": "tildelt en etiket", @@ -203,7 +203,7 @@ "at ": "på", "Ate": "Spiste", "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "En skabelon definerer, hvordan kontakter skal vises. Du kan have lige så mange skabeloner som du vil - de er defineret i dine kontoindstillinger. Du vil dog måske gerne definere en standardskabelon, så alle dine kontakter i denne boks har denne skabelon som standard.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "En skabelon er lavet af sider, og på hver side er der moduler. Hvordan data vises er helt op til dig.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "En skabelon er lavet af sider, og på hver side er der moduler. Hvordan data vises, er helt op til dig.", "Atheist": "Ateist", "At which time should we send the notification, when the reminder occurs?": "På hvilket tidspunkt skal vi sende meddelelsen, når påmindelsen sker?", "Audio-only call": "Kun lydopkald", @@ -220,8 +220,8 @@ "boss": "chef", "Bought": "Købt", "Breakdown of the current usage": "Opdeling af det aktuelle forbrug", - "brother\/sister": "bror\/søster", - "Browser Sessions": "Browsersessioner", + "brother/sister": "bror/søster", + "Browser Sessions": "Browser Sessioner", "Buddhist": "buddhist", "Business": "Forretning", "By last updated": "Senest opdateret", @@ -229,7 +229,7 @@ "Call reasons": "Opkaldsårsager", "Call reasons let you indicate the reason of calls you make to your contacts.": "Opkaldsårsager giver dig mulighed for at angive årsagen til opkald, du foretager til dine kontakter.", "Calls": "Opkald", - "Cancel": "Afbestille", + "Cancel": "Annullere", "Cancel account": "Annuller konto", "Cancel all your active subscriptions": "Annuller alle dine aktive abonnementer", "Cancel your account": "Annuller din konto", @@ -260,7 +260,7 @@ "City": "By", "Click here to re-send the verification email.": "Klik her for at gensende bekræftelses-e-mailen.", "Click on a day to see the details": "Klik på en dag for at se detaljerne", - "Close": "Tæt", + "Close": "Luk", "close edit mode": "luk redigeringstilstand", "Club": "Forening", "Code": "Kode", @@ -269,8 +269,8 @@ "Company name": "Firmanavn", "Compared to Monica:": "Sammenlignet med Monica:", "Configure how we should notify you": "Konfigurer, hvordan vi skal underrette dig", - "Confirm": "Bekræfte", - "Confirm Password": "Bekræft kodeord", + "Confirm": "Bekræft", + "Confirm Password": "Bekræft password", "Connect": "Forbinde", "Connected": "Forbundet", "Connect with your security key": "Forbind med din sikkerhedsnøgle", @@ -291,9 +291,9 @@ "Country": "Land", "Couple": "Par", "cousin": "fætter", - "Create": "skab", + "Create": "Opret", "Create account": "Opret konto", - "Create Account": "Opret konto", + "Create Account": "Opret en bruger", "Create a contact": "Opret en kontakt", "Create a contact entry for this person": "Opret en kontaktpost for denne person", "Create a journal": "Opret en journal", @@ -302,7 +302,7 @@ "Create an account": "Opret en konto", "Create a new address": "Opret en ny adresse", "Create a new team to collaborate with others on projects.": "Opret et nyt team til at samarbejde med andre om projekter.", - "Create API Token": "Opret API-token", + "Create API Token": "Opret API-Token", "Create a post": "Opret et indlæg", "Create a reminder": "Opret en påmindelse", "Create a slice of life": "Skab en del af livet", @@ -322,7 +322,7 @@ "Currency": "betalingsmiddel", "Current default": "Nuværende standard", "Current language:": "Nuværende sprog:", - "Current Password": "Nuværende kodeord", + "Current Password": "Nuværende adgangskode", "Current site used to display maps:": "Aktuelt websted, der bruges til at vise kort:", "Current streak": "Nuværende streak", "Current timezone:": "Aktuel tidszone:", @@ -348,7 +348,7 @@ "Delete": "Slet", "Delete Account": "Slet konto", "Delete a new key": "Slet en ny nøgle", - "Delete API Token": "Slet API-token", + "Delete API Token": "Slet API-Token", "Delete contact": "Slet kontakt", "deleted a contact information": "slettet en kontaktinformation", "deleted a goal": "slettet et mål", @@ -364,12 +364,12 @@ "Delete the photo": "Slet billedet", "Delete the slice": "Slet skiven", "Delete the vault": "Slet boksen", - "Delete your account on https:\/\/customers.monicahq.com.": "Slet din konto på https:\/\/customers.monicahq.com.", + "Delete your account on https://customers.monicahq.com.": "Slet din konto på https://customers.monicahq.com.", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Sletning af boksen betyder at slette alle data inde i denne boks, for evigt. Der er ingen vej tilbage. Vær sikker.", "Description": "Beskrivelse", "Detail of a goal": "Detalje af et mål", "Details in the last year": "Detaljer i det sidste år", - "Disable": "Deaktiver", + "Disable": "Deaktivér", "Disable all": "Slå alt fra", "Disconnect": "Koble fra", "Discuss partnership": "Diskuter partnerskab", @@ -397,19 +397,19 @@ "Edit journal metrics": "Rediger journalmetrics", "Edit names": "Rediger navne", "Editor": "Redaktør", - "Editor users have the ability to read, create, and update.": "Editor-brugere har mulighed for at læse, oprette og opdatere.", + "Editor users have the ability to read, create, and update.": "Redaktører har mulighed for at læse, oprette og opdatere.", "Edit post": "Rediger indlæg", - "Edit Profile": "Rediger profil", + "Edit Profile": "Redigér profil", "Edit slice of life": "Rediger udsnit af livet", "Edit the group": "Rediger gruppen", "Edit the slice of life": "Rediger udsnit af livet", "Email": "E-mail", "Email address": "Email adresse", "Email address to send the invitation to": "E-mailadresse at sende invitationen til", - "Email Password Reset Link": "Link til nulstilling af e-mail-adgangskode", - "Enable": "Aktiver", + "Email Password Reset Link": "E-mail med link til nulstilling af adgangskode", + "Enable": "Aktivér", "Enable all": "Aktiver alle", - "Ensure your account is using a long, random password to stay secure.": "Sørg for, at din konto bruger en lang, tilfældig adgangskode for at forblive sikker.", + "Ensure your account is using a long, random password to stay secure.": "Sørg for, at din konto har en lang, tilfældig adgangskode for at forblive sikker.", "Enter a number from 0 to 100000. No decimals.": "Indtast et tal fra 0 til 100000. Ingen decimaler.", "Events this month": "Begivenheder i denne måned", "Events this week": "Begivenheder i denne uge", @@ -419,6 +419,7 @@ "Exception:": "Undtagelse:", "Existing company": "Eksisterende virksomhed", "External connections": "Eksterne forbindelser", + "Facebook": "Facebook", "Family": "Familie", "Family summary": "Familieoversigt", "Favorites": "Favoritter", @@ -428,7 +429,7 @@ "Filter list or create a new label": "Filtrer listen eller opret en ny etiket", "Filter list or create a new tag": "Filtrer listen eller opret et nyt tag", "Find a contact in this vault": "Find en kontakt i denne boks", - "Finish enabling two factor authentication.": "Afslut aktivering af tofaktorgodkendelse.", + "Finish enabling two factor authentication.": "Afslut aktivering af to-faktor-godkendelse.", "First name": "Fornavn", "First name Last name": "Fornavn efternavn", "First name Last name (nickname)": "Fornavn Efternavn (kaldenavn)", @@ -438,10 +439,9 @@ "For:": "Til:", "For advice": "For råd", "Forbidden": "Forbudt", - "Forgot password?": "glemt kodeord?", "Forgot your password?": "Glemt din adgangskode?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Glemt din adgangskode? Intet problem. Bare fortæl os din e-mailadresse, så sender vi dig et link til nulstilling af adgangskode, som giver dig mulighed for at vælge en ny.", - "For your security, please confirm your password to continue.": "For din sikkerhed skal du bekræfte din adgangskode for at fortsætte.", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Glemt din adgangskode? Intet problem. Bare lad os vide din e-mail-adresse, og vi vil e-maile dig et link til nulstilling af adgangskode, der giver dig mulighed for at vælge en ny.", + "For your security, please confirm your password to continue.": "For din sikkerhed, skal du bekræfte din adgangskode for at fortsætte.", "Found": "Fundet", "Friday": "Fredag", "Friend": "Ven", @@ -451,7 +451,6 @@ "Gender": "Køn", "Gender and pronoun": "Køn og pronomen", "Genders": "Køn", - "Gift center": "Gavecenter", "Gift occasions": "Gave lejligheder", "Gift occasions let you categorize all your gifts.": "Gavebegivenheder giver dig mulighed for at kategorisere alle dine gaver.", "Gift states": "Gave angiver", @@ -464,25 +463,25 @@ "Google Maps": "Google kort", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps tilbyder den bedste nøjagtighed og detaljer, men det er ikke ideelt fra et privatlivssynspunkt.", "Got fired": "Blev fyret", - "Go to page :page": "Gå til side:side", + "Go to page :page": "Gå til side :page", "grand child": "barnebarn", "grand parent": "bedsteforælder", - "Great! You have accepted the invitation to join the :team team.": "Store! Du har accepteret invitationen til at blive medlem af :team-teamet.", + "Great! You have accepted the invitation to join the :team team.": "Fedt! Du har accepteret invitationen til at deltage i :team-holdet.", "Group journal entries together with slices of life.": "Gruppejournalposter sammen med udsnit af livet.", "Groups": "Grupper", "Groups let you put your contacts together in a single place.": "Med grupper kan du samle dine kontakter på et enkelt sted.", "Group type": "Gruppetype", - "Group type: :name": "Gruppetype: :navn", + "Group type: :name": "Gruppetype: :name", "Group types": "Gruppetyper", "Group types let you group people together.": "Gruppetyper giver dig mulighed for at gruppere personer sammen.", "Had a promotion": "Havde en forfremmelse", "Hamster": "Hamster", "Have a great day,": "Hav en god dag,", - "he\/him": "han\/ham", + "he/him": "han/ham", "Hello!": "Hej!", "Help": "Hjælp", - "Hi :name": "Hej :navn", - "Hinduist": "hindu", + "Hi :name": "Hej :name", + "Hinduist": "hinduist", "History of the notification sent": "Historien om den sendte meddelelse", "Hobbies": "Hobbyer", "Home": "Hjem", @@ -498,21 +497,21 @@ "How should we display dates": "Hvordan skal vi vise datoer", "How should we display distance values": "Hvordan skal vi vise afstandsværdier", "How should we display numerical values": "Hvordan skal vi vise numeriske værdier", - "I agree to the :terms and :policy": "Jeg accepterer :vilkårene og :politikken", - "I agree to the :terms_of_service and :privacy_policy": "Jeg accepterer :servicevilkårene og :privatlivspolitikken", + "I agree to the :terms and :policy": "Jeg accepterer :terms og :policy", + "I agree to the :terms_of_service and :privacy_policy": "Jeg accepterer :terms_of_service og :privacy_policy", "I am grateful for": "jeg er taknemmelig for", "I called": "Jeg ringede", "I called, but :name didn’t answer": "Jeg ringede, men :name svarede ikke", "Idea": "Ide", "I don’t know the name": "Jeg kender ikke navnet", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Hvis det er nødvendigt, kan du logge ud af alle dine andre browsersessioner på tværs af alle dine enheder. Nogle af dine seneste sessioner er anført nedenfor; denne liste er dog muligvis ikke udtømmende. Hvis du føler, at din konto er blevet kompromitteret, bør du også opdatere din adgangskode.", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Hvis det er nødvendigt, kan du logge ud af alle dine andre browser-sessioner på tværs af alle dine enheder. Nogle af dine seneste sessioner er angivet nedenfor; denne liste er dog muligvis ikke udtømmende. Hvis du har på fornemmelsen at din konto er blevet kompromitteret, skal du også opdatere din adgangskode.", "If the date is in the past, the next occurence of the date will be next year.": "Hvis datoen er i fortiden, vil den næste forekomst af datoen være næste år.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Hvis du har problemer med at klikke på knappen \":actionText\", skal du kopiere og indsætte URL'en nedenfor\nind i din webbrowser:", - "If you already have an account, you may accept this invitation by clicking the button below:": "Hvis du allerede har en konto, kan du acceptere denne invitation ved at klikke på knappen nedenfor:", - "If you did not create an account, no further action is required.": "Hvis du ikke har oprettet en konto, er der ikke behov for yderligere handling.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Hvis du ikke forventede at modtage en invitation til dette team, kan du kassere denne e-mail.", - "If you did not request a password reset, no further action is required.": "Hvis du ikke har anmodet om en nulstilling af adgangskoden, er der ikke behov for yderligere handling.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Hvis du ikke har en konto, kan du oprette en ved at klikke på knappen nedenfor. Når du har oprettet en konto, kan du klikke på knappen for accept af invitationer i denne e-mail for at acceptere teaminvitationen:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Hvis du har problemer med at klikke på \":actionText\", kan du kopiere nedenstående URL ind en web-browser:", + "If you already have an account, you may accept this invitation by clicking the button below:": "Hvis du allerede har en konto, kan du acceptere invitationen ved at klikke på knappen nedenfor:", + "If you did not create an account, no further action is required.": "Hvis du ikke har oprettet en konto skal du ikke gøre mere.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Hvis du ikke forventede at modtage en invitation til dette team, kan du ignorere denne e-mail.", + "If you did not request a password reset, no further action is required.": "Hvis du ikke har anmodet om nulstilling af password skal du ikke foretage dig mere.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Hvis du ikke har en konto, kan du oprette en ved at klikke på knappen nedenfor. Når du har oprettet en konto, kan du klikke på invitationsknappen i denne e-mail for at acceptere teaminvitationen:", "If you’ve received this invitation by mistake, please discard it.": "Hvis du har modtaget denne invitation ved en fejl, bedes du kassere den.", "I know the exact date, including the year": "Jeg kender den nøjagtige dato, inklusive året", "I know the name": "Jeg kender navnet", @@ -523,12 +522,13 @@ "Information from Wikipedia": "Oplysninger fra Wikipedia", "in love with": "Forelsket i", "Inspirational post": "Inspirerende indlæg", + "Invalid JSON was returned from the route.": "Ugyldig JSON blev returneret fra ruten.", "Invitation sent": "Invitation sendt", "Invite a new user": "Inviter en ny bruger", "Invite someone": "Inviter nogen", "I only know a number of years (an age, for example)": "Jeg kender kun et antal år (f.eks. en alder)", "I only know the day and month, not the year": "Jeg kender kun dagen og måneden, ikke året", - "it misses some of the features, the most important ones being the API and gift management,": "den savner nogle af funktionerne, de vigtigste er API'en og gavehåndtering,", + "it misses some of the features, the most important ones being the API and gift management,": "den savner nogle af funktionerne, de vigtigste er API’en og gavehåndtering,", "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Det ser ud til, at der ikke er nogen skabeloner på kontoen endnu. Føj som minimum skabelon til din konto først, og tilknyt derefter denne skabelon til denne kontakt.", "Jew": "jøde", "Job information": "Joboplysninger", @@ -548,14 +548,14 @@ "Labels let you classify contacts using a system that matters to you.": "Etiketter lader dig klassificere kontakter ved hjælp af et system, der betyder noget for dig.", "Language of the application": "Ansøgningens sprog", "Last active": "Sidst aktive", - "Last active :date": "Sidst aktive :dato", + "Last active :date": "Sidst aktive :date", "Last name": "Efternavn", "Last name First name": "Efternavn fornavn", "Last updated": "Sidst opdateret", "Last used": "Sidst brugt", - "Last used :date": "Sidst brugt :dato", - "Leave": "Forlade", - "Leave Team": "Forlad holdet", + "Last used :date": "Sidst brugt :date", + "Leave": "Forlad", + "Leave Team": "Forlad team", "Life": "Liv", "Life & goals": "Liv & mål", "Life events": "Livsbegivenheder", @@ -564,7 +564,7 @@ "Life event types and categories": "Livsbegivenhedstyper og kategorier", "Life metrics": "Livsmålinger", "Life metrics let you track metrics that are important to you.": "Livsmålinger giver dig mulighed for at spore målinger, der er vigtige for dig.", - "Link to documentation": "Link til dokumentation", + "LinkedIn": "LinkedIn", "List of addresses": "Liste over adresser", "List of addresses of the contacts in the vault": "Liste over adresser på kontakterne i boksen", "List of all important dates": "Liste over alle vigtige datoer", @@ -575,8 +575,8 @@ "Log a call": "Log et opkald", "Log details": "Log detaljer", "logged the mood": "logget stemningen", - "Log in": "Log på", - "Login": "Log på", + "Log in": "Log ind", + "Login": "Log ind", "Login with:": "Login med:", "Log Out": "Log ud", "Logout": "Log ud", @@ -588,11 +588,11 @@ "Made from all over the world. We ❤️ you.": "Fremstillet fra hele verden. Vi ❤️ dig.", "Maiden name": "Pigenavn", "Male": "Han", - "Manage Account": "Administrer konto", + "Manage Account": "Administrér konto", "Manage accounts you have linked to your Customers account.": "Administrer konti, du har knyttet til din kundekonto.", "Manage address types": "Administrer adressetyper", - "Manage and log out your active sessions on other browsers and devices.": "Administrer og log ud dine aktive sessioner på andre browsere og enheder.", - "Manage API Tokens": "Administrer API-tokens", + "Manage and log out your active sessions on other browsers and devices.": "Administrér og log af dine aktive sessioner på andre browsere og enheder.", + "Manage API Tokens": "Administrér API-Tokens", "Manage call reasons": "Administrer opkaldsårsager", "Manage contact information types": "Administrer kontaktinformationstyper", "Manage currencies": "Administrer valutaer", @@ -607,19 +607,20 @@ "Manager": "Manager", "Manage relationship types": "Administrer relationstyper", "Manage religions": "Administrer religioner", - "Manage Role": "Administrer rolle", + "Manage Role": "Administrér rolle", "Manage storage": "Administrer opbevaring", - "Manage Team": "Administrer team", + "Manage Team": "Administrér team", "Manage templates": "Administrer skabeloner", "Manage users": "Administrer brugere", - "Maybe one of these contacts?": "Måske en af ​​disse kontakter?", + "Mastodon": "Mastodont", + "Maybe one of these contacts?": "Måske en af disse kontakter?", "mentor": "mentor", "Middle name": "Mellemnavn", "miles": "miles", "miles (mi)": "miles (mi)", "Modules in this page": "Moduler på denne side", "Monday": "Mandag", - "Monica. All rights reserved. 2017 — :date.": "Monica. Alle rettigheder forbeholdes. 2017 — :dato.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Alle rettigheder forbeholdes. 2017 — :date.", "Monica is open source, made by hundreds of people from all around the world.": "Monica er open source, lavet af hundredvis af mennesker fra hele verden.", "Monica was made to help you document your life and your social interactions.": "Monica blev lavet til at hjælpe dig med at dokumentere dit liv og dine sociale interaktioner.", "Month": "Måned", @@ -636,8 +637,8 @@ "Name of the reminder": "Påmindelsens navn", "Name of the reverse relationship": "Navn på det omvendte forhold", "Nature of the call": "Opkaldets art", - "nephew\/niece": "nevø niece", - "New Password": "nyt kodeord", + "nephew/niece": "nevø/niece", + "New Password": "Nyt kodeord", "New to Monica?": "Ny for Monica?", "Next": "Næste", "Nickname": "Kaldenavn", @@ -667,10 +668,10 @@ "Numerical value": "Numerisk værdi", "of": "af", "Offered": "Tilbydes", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Når et team er slettet, slettes alle dets ressourcer og data permanent. Før du sletter dette team, bedes du downloade alle data eller oplysninger om dette team, som du ønsker at beholde.", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Når et hold er slettet, vil alle dets ressourcer og data blive slettet permanent. Før du sletter dette hold, skal du downloade alle data eller oplysninger om dette hold, som du ønsker at beholde.", "Once you cancel,": "Når du har annulleret,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Når du har klikket på knappen Opsætning nedenfor, skal du åbne Telegram med den knap, vi giver dig. Dette vil finde Monica Telegram-bot for dig.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Når din konto er slettet, vil alle dens ressourcer og data blive slettet permanent. Inden du sletter din konto, skal du downloade alle data eller oplysninger, som du ønsker at beholde.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Når du klikker på knappen Opsætning nedenfor, skal du åbne Telegram med den knap, vi giver dig. Dette vil finde Monica Telegram-bot for dig.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Når din konto er slettet, vil alle dine ressourcer og data blive slettet permanent. Før du sletter din konto, skal du downloade alle data eller oplysninger, som du ønsker at beholde.", "Only once, when the next occurence of the date occurs.": "Kun én gang, når den næste forekomst af datoen indtræffer.", "Oops! Something went wrong.": "Ups! Noget gik galt.", "Open Street Maps": "Åbn gadekort", @@ -683,9 +684,9 @@ "Or reset the fields": "Eller nulstil felterne", "Other": "Andet", "Out of respect and appreciation": "Af respekt og påskønnelse", - "Page Expired": "Side udløbet", + "Page Expired": "Siden er udløbet", "Pages": "sider", - "Pagination Navigation": "Pagineringsnavigation", + "Pagination Navigation": "Sidenavigation", "Parent": "Forælder", "parent": "forælder", "Participants": "Deltagere", @@ -693,9 +694,9 @@ "Part of": "Del af", "Password": "Adgangskode", "Payment Required": "Betaling påkrævet", - "Pending Team Invitations": "Afventende teaminvitationer", - "per\/per": "for\/for", - "Permanently delete this team.": "Slet dette team permanent.", + "Pending Team Invitations": "Afventende team Invitationer", + "per/per": "pr/pr", + "Permanently delete this team.": "Slet dette hold permanent.", "Permanently delete your account.": "Slet din konto permanent.", "Permission for :name": "Tilladelse til :name", "Permissions": "Tilladelser", @@ -714,20 +715,20 @@ "Played tennis": "Spillede tennis", "Please choose a template for this new post": "Vælg venligst en skabelon til dette nye indlæg", "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Vælg venligst én skabelon nedenfor for at fortælle Monica, hvordan denne kontakt skal vises. Skabeloner lader dig definere, hvilke data der skal vises på kontaktsiden.", - "Please click the button below to verify your email address.": "Klik venligst på knappen nedenfor for at bekræfte din e-mailadresse.", + "Please click the button below to verify your email address.": "Klik på knappen nedenfor for at verificere din email-adresse.", "Please complete this form to finalize your account.": "Udfyld venligst denne formular for at færdiggøre din konto.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Bekræft venligst adgangen til din konto ved at indtaste en af ​​dine nødgendannelseskoder.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bekræft venligst adgangen til din konto ved at indtaste den autentificeringskode, som du får af din autentificeringsapplikation.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Bekræft adgang til din konto ved at indtaste en af dine emergency recovery-koder.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bekræft adgangen til din konto ved at indtaste den godkendelseskode, der leveres af din godkendelsesapplikation.", "Please confirm access to your account by validating your security key.": "Bekræft venligst adgangen til din konto ved at validere din sikkerhedsnøgle.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopier venligst dit nye API-token. For din sikkerhed vil den ikke blive vist igen.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopier venligst dit nye API-token. For din sikkerhed, vil det ikke blive vist igen.", "Please copy your new API token. For your security, it won’t be shown again.": "Kopier venligst dit nye API-token. For din sikkerhed vil den ikke blive vist igen.", "Please enter at least 3 characters to initiate a search.": "Indtast venligst mindst 3 tegn for at starte en søgning.", "Please enter your password to cancel the account": "Indtast venligst din adgangskode for at annullere kontoen", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Indtast venligst din adgangskode for at bekræfte, at du gerne vil logge ud af dine andre browsersessioner på tværs af alle dine enheder.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Indtast din adgangskode for at bekræfte, at du gerne vil logge ud af dine andre browsersessioner på alle dine enheder.", "Please indicate the contacts": "Angiv venligst kontakterne", "Please join Monica": "Slut dig til Monica", - "Please provide the email address of the person you would like to add to this team.": "Angiv venligst e-mailadressen på den person, du gerne vil føje til dette team.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Læs venligst vores dokumentation<\/link> for at vide mere om denne funktion, og hvilke variabler du har adgang til.", + "Please provide the email address of the person you would like to add to this team.": "Angiv venligst e-mailadressen på den person, du gerne vil tilføje til dette team.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Læs venligst vores dokumentation for at vide mere om denne funktion, og hvilke variabler du har adgang til.", "Please select a page on the left to load modules.": "Vælg venligst en side til venstre for at indlæse moduler.", "Please type a few characters to create a new label.": "Indtast et par tegn for at oprette en ny etiket.", "Please type a few characters to create a new tag.": "Indtast venligst et par tegn for at oprette et nyt tag.", @@ -745,14 +746,14 @@ "Profile": "Profil", "Profile and security": "Profil og sikkerhed", "Profile Information": "Profiloplysninger", - "Profile of :name": "Profil af :name", + "Profile of :name": "Profil for :name", "Profile page of :name": "Profilside for :name", - "Pronoun": "De plejer", + "Pronoun": "Stedord", "Pronouns": "Pronominer", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Pronominer er dybest set, hvordan vi identificerer os selv bortset fra vores navn. Det er sådan nogen refererer til dig i samtale.", "protege": "protege", "Protocol": "Protokol", - "Protocol: :name": "Protokol: :navn", + "Protocol: :name": "Protokol: :name", "Province": "Provins", "Quick facts": "Hurtige fakta", "Quick facts let you document interesting facts about a contact.": "Hurtige fakta lader dig dokumentere interessante fakta om en kontakt.", @@ -761,14 +762,14 @@ "Rabbit": "Kanin", "Ran": "Løb", "Rat": "Rotte", - "Read :count time|Read :count times": "Læs :tæller tid|Læs :tæller gange", + "Read :count time|Read :count times": "Læs :count gang|Læst :count gange", "Record a loan": "Optag et lån", "Record your mood": "Optag dit humør", "Recovery Code": "Gendannelseskode", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Uanset hvor du befinder dig i verden, skal du få vist datoer i din egen tidszone.", "Regards": "Med venlig hilsen", - "Regenerate Recovery Codes": "Gendan gendannelseskoder", - "Register": "Tilmeld", + "Regenerate Recovery Codes": "Regenerér nulstillings-koder", + "Register": "Registrér", "Register a new key": "Registrer en ny nøgle", "Register a new key.": "Registrer en ny nøgle.", "Regular post": "Almindelig post", @@ -785,7 +786,7 @@ "Reminders for the next 30 days": "Påmindelser for de næste 30 dage", "Remind me about this date every year": "Mind mig om denne dato hvert år", "Remind me about this date just once, in one year from now": "Mind mig om denne dato kun én gang om et år fra nu", - "Remove": "Fjerne", + "Remove": "Fjern", "Remove avatar": "Fjern avatar", "Remove cover image": "Fjern forsidebillede", "removed a label": "fjernet en etiket", @@ -793,22 +794,22 @@ "removed the contact from a post": "fjernede kontakten fra et indlæg", "removed the contact from the favorites": "fjernede kontakten fra favoritterne", "Remove Photo": "Fjern foto", - "Remove Team Member": "Fjern teammedlem", + "Remove Team Member": "Fjern holdmedlem", "Rename": "Omdøb", "Reports": "Rapporter", "Reptile": "Krybdyr", - "Resend Verification Email": "Gensend bekræftelses mail", - "Reset Password": "Nulstille kodeord", - "Reset Password Notification": "Nulstil adgangskodemeddelelse", + "Resend Verification Email": "Send bekræftelses-mail igen", + "Reset Password": "Nulstil adgangskode", + "Reset Password Notification": "Notifikation til nulstilling af adgangskode", "results": "resultater", "Retry": "Prøve igen", "Revert": "Vende tilbage", "Rode a bike": "Kørte på cykel", "Role": "Rolle", "Roles:": "Roller:", - "Roomates": "Kravler", + "Roomates": "Værelseskammerater", "Saturday": "lørdag", - "Save": "Gemme", + "Save": "Gem", "Saved.": "Gemt.", "Saving in progress": "Gemmer i gang", "Searched": "Søgte", @@ -818,13 +819,13 @@ "Sections:": "Sektioner:", "Security keys": "Sikkerhedsnøgler", "Select a group or create a new one": "Vælg en gruppe, eller opret en ny", - "Select A New Photo": "Vælg Et nyt foto", + "Select A New Photo": "Vælg et nyt foto", "Select a relationship type": "Vælg en relationstype", "Send invitation": "Send invitation", "Send test": "Send prøve", - "Sent at :time": "Sendt kl. :tid", - "Server Error": "Server Fejl", - "Service Unavailable": "Service ikke tilgængelig", + "Sent at :time": "Sendt kl. :time", + "Server Error": "Server-fejl", + "Service Unavailable": "Service utilgængelig", "Set as default": "Indstillet som standard", "Set as favorite": "Indstil som favorit", "Settings": "Indstillinger", @@ -833,7 +834,7 @@ "Setup Key": "Opsætningsnøgle", "Setup Key:": "Opsætningsnøgle:", "Setup Telegram": "Opsætning af telegram", - "she\/her": "hun hende", + "she/her": "hun/hende", "Shintoist": "Shintoist", "Show Calendar tab": "Vis fanen Kalender", "Show Companies tab": "Vis firmaer fanen", @@ -841,47 +842,46 @@ "Show Files tab": "Vis fanen Filer", "Show Groups tab": "Vis fanen Grupper", "Showing": "Viser", - "Showing :count of :total results": "Viser :antal af :total resultater", - "Showing :first to :last of :total results": "Viser :first to :last af :total resultater", + "Showing :count of :total results": "Viser :count af :total resultater", + "Showing :first to :last of :total results": "Viser :first til :last af :total resultater", "Show Journals tab": "Vis faneblade", - "Show Recovery Codes": "Vis gendannelseskoder", + "Show Recovery Codes": "Vis genskabelseskoder", "Show Reports tab": "Vis fanen Rapporter", "Show Tasks tab": "Vis fanen Opgaver", "significant other": "væsentlig anden", "Sign in to your account": "Log ind på din konto", "Sign up for an account": "Tilmeld dig en konto", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Sov :count hour|Sov :count timer", + "Slept :count hour|Slept :count hours": "Sov :count time|Sov :count timer", "Slice of life": "Et stykke af livet", "Slices of life": "Skiver af liv", "Small animal": "Lille dyr", "Social": "Social", "Some dates have a special type that we will use in the software to calculate an age.": "Nogle datoer har en speciel type, som vi vil bruge i softwaren til at beregne en alder.", - "Sort contacts": "Sorter kontakter", "So… it works 😼": "Så... det virker 😼", "Sport": "Sport", "spouse": "ægtefælle", "Statistics": "Statistikker", "Storage": "Opbevaring", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Gem disse gendannelseskoder i en sikker adgangskodeadministrator. De kan bruges til at gendanne adgangen til din konto, hvis din tofaktorautentificeringsenhed går tabt.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Opbevar disse gendannelseskoder i en sikker adgangskodeadministrator. De kan bruges til at gendanne adgang til din konto, hvis din tofaktorautentificeringsenhed går tabt.", "Submit": "Indsend", "subordinate": "underordnet", "Suffix": "Suffiks", "Summary": "Resumé", "Sunday": "Søndag", "Switch role": "Skift rolle", - "Switch Teams": "Skift hold", + "Switch Teams": "Skift team", "Tabs visibility": "Synlighed af faner", "Tags": "Tags", "Tags let you classify journal posts using a system that matters to you.": "Tags lader dig klassificere journalposter ved hjælp af et system, der betyder noget for dig.", "Taoist": "taoistisk", "Tasks": "Opgaver", - "Team Details": "Holddetaljer", + "Team Details": "Team detaljer", "Team Invitation": "Team invitation", - "Team Members": "Holdkammerater", - "Team Name": "Hold navn", - "Team Owner": "Holdejer", - "Team Settings": "Holdindstillinger", + "Team Members": "Team-medlemmer", + "Team Name": "Team-navn", + "Team Owner": "Team-ejer", + "Team Settings": "Team-indstillinger", "Telegram": "Telegram", "Templates": "Skabeloner", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Skabeloner giver dig mulighed for at tilpasse, hvilke data der skal vises på dine kontakter. Du kan definere så mange skabeloner du vil, og vælge hvilken skabelon der skal bruges på hvilken kontakt.", @@ -889,18 +889,17 @@ "Test email for Monica": "Test e-mail for Monica", "Test email sent!": "Testmail sendt!", "Thanks,": "Tak,", - "Thanks for giving Monica a try": "Tak fordi du gav Monica en chance", "Thanks for giving Monica a try.": "Tak fordi du gav Monica en chance.", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Tak for din tilmelding! Før du går i gang, kunne du bekræfte din e-mailadresse ved at klikke på det link, vi lige har sendt til dig? Hvis du ikke har modtaget mailen, sender vi dig gerne en anden.", - "The :attribute must be at least :length characters.": ":attributten skal være mindst :length-tegn.", - "The :attribute must be at least :length characters and contain at least one number.": ":attributten skal være mindst :length-tegn og indeholde mindst ét ​​tal.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attributten skal være mindst :length-tegn og indeholde mindst ét ​​specialtegn.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attributten skal være mindst :length-tegn og indeholde mindst ét ​​specialtegn og ét tal.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attributten skal være mindst :length-tegn og indeholde mindst ét ​​stort tegn, ét tal og ét specialtegn.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attributten skal være mindst :length-tegn og indeholde mindst ét ​​stort tegn.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attributten skal være mindst :length-tegn og indeholde mindst ét ​​stort tegn og ét tal.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attributten skal være mindst :length-tegn og indeholde mindst et stort tegn og et specialtegn.", - "The :attribute must be a valid role.": "Attributten : skal være en gyldig rolle.", + "The :attribute must be at least :length characters.": ":Attribute skal være mindst :length tegn.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute skal være på mindst :length tegn og indeholde mindst et tal.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute skal være mindst :length tegn og indeholde mindst et specialtegn.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute skal være mindst :length tegn og indeholde mindst et specialtegn og et tal.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute skal være på mindst :length tegn og indeholde mindst et stort Tegn, et tal og et specialtegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute skal være mindst :length tegn og indeholde mindst et stort tegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute skal være mindst :length tegn og indeholde mindst et stort bogstav og et tal.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute skal være mindst :length tegn og indeholde mindst et stort bogstav og et specialtegn.", + "The :attribute must be a valid role.": ":Attribute skal være en gyldig rolle.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Kontoens data slettes permanent fra vores servere inden for 30 dage og fra alle sikkerhedskopier inden for 60 dage.", "The address type has been created": "Adressetypen er oprettet", "The address type has been deleted": "Adressetypen er blevet slettet", @@ -1000,9 +999,9 @@ "The pronoun has been created": "Pronomenet er blevet oprettet", "The pronoun has been deleted": "Pronomenet er blevet slettet", "The pronoun has been updated": "Pronomenet er blevet opdateret", - "The provided password does not match your current password.": "Den angivne adgangskode matcher ikke din nuværende adgangskode.", + "The provided password does not match your current password.": "Den angivne adgangskode svarer ikke til din nuværende adgangskode.", "The provided password was incorrect.": "Den angivne adgangskode var forkert.", - "The provided two factor authentication code was invalid.": "Den angivne tofaktorgodkendelseskode var ugyldig.", + "The provided two factor authentication code was invalid.": "Den medfølgende to faktor autentificering kode var ugyldig.", "The provided two factor recovery code was invalid.": "Den angivne gendannelseskode med to faktorer var ugyldig.", "There are no active addresses yet.": "Der er endnu ingen aktive adresser.", "There are no calls logged yet.": "Der er ingen opkald logget endnu.", @@ -1025,7 +1024,7 @@ "There are no templates in the account. Go to the account settings to create one.": "Der er ingen skabeloner på kontoen. Gå til kontoindstillingerne for at oprette en.", "There is no activity yet.": "Der er ingen aktivitet endnu.", "There is no currencies in this account.": "Der er ingen valutaer på denne konto.", - "The relationship has been added": "Forholdet er tilføjet", + "The relationship has been added": "Relationen er tilføjet", "The relationship has been deleted": "Forholdet er blevet slettet", "The relationship type has been created": "Relationstypen er oprettet", "The relationship type has been deleted": "Relationstypen er blevet slettet", @@ -1036,13 +1035,15 @@ "The reminder has been created": "Påmindelsen er oprettet", "The reminder has been deleted": "Påmindelsen er blevet slettet", "The reminder has been edited": "Påmindelsen er blevet redigeret", + "The response is not a streamed response.": "Svaret er ikke et streamet svar.", + "The response is not a view.": "Svaret er ikke et synspunkt.", "The role has been created": "Rollen er skabt", "The role has been deleted": "Rollen er blevet slettet", "The role has been updated": "Rollen er blevet opdateret", "The section has been created": "Afsnittet er oprettet", "The section has been deleted": "Afsnittet er blevet slettet", "The section has been updated": "Afsnittet er blevet opdateret", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Disse personer er blevet inviteret til dit team og har fået tilsendt en invitationsmail. De kan slutte sig til holdet ved at acceptere e-mailinvitationen.", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Disse personer er blevet inviteret til dit team og er blevet sendt en invitation email. De kan deltage i teamet ved at acceptere e-mailinvitationen.", "The tag has been added": "Tagget er tilføjet", "The tag has been created": "Tagget er blevet oprettet", "The tag has been deleted": "Tagget er blevet slettet", @@ -1050,7 +1051,7 @@ "The task has been created": "Opgaven er oprettet", "The task has been deleted": "Opgaven er blevet slettet", "The task has been edited": "Opgaven er blevet redigeret", - "The team's name and owner information.": "Holdets navn og ejeroplysninger.", + "The team's name and owner information.": "Holdets navn og ejer oplysninger.", "The Telegram channel has been deleted": "Telegram-kanalen er blevet slettet", "The template has been created": "Skabelonen er blevet oprettet", "The template has been deleted": "Skabelonen er blevet slettet", @@ -1067,24 +1068,24 @@ "The vault has been created": "Hvælvingen er blevet oprettet", "The vault has been deleted": "Hvælvingen er blevet slettet", "The vault have been updated": "Hvælvingen er blevet opdateret", - "they\/them": "de\/dem", + "they/them": "de/dem", "This address is not active anymore": "Denne adresse er ikke længere aktiv", "This device": "Denne enhed", "This email is a test email to check if Monica can send an email to this email address.": "Denne e-mail er en test-e-mail for at tjekke, om Monica kan sende en e-mail til denne e-mailadresse.", - "This is a secure area of the application. Please confirm your password before continuing.": "Dette er et sikkert område af applikationen. Bekræft venligst din adgangskode, før du fortsætter.", + "This is a secure area of the application. Please confirm your password before continuing.": "Dette er et sikkert område af ansøgningen. Bekræft din adgangskode, før du fortsætter.", "This is a test email": "Dette er en test-e-mail", "This is a test notification for :name": "Dette er en testmeddelelse for :name", "This key is already registered. It’s not necessary to register it again.": "Denne nøgle er allerede registreret. Det er ikke nødvendigt at registrere det igen.", "This link will open in a new tab": "Dette link åbnes i en ny fane", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Denne side viser alle de meddelelser, der er blevet sendt i denne kanal tidligere. Det tjener primært som en måde at fejlsøge, hvis du ikke modtager den meddelelse, du har konfigureret.", - "This password does not match our records.": "Denne adgangskode stemmer ikke overens med vores optegnelser.", - "This password reset link will expire in :count minutes.": "Dette link til nulstilling af adgangskode udløber om :count minutter.", + "This password does not match our records.": "Denne adgangskode stemmer ikke overens med vores registreringer.", + "This password reset link will expire in :count minutes.": "Password-link vil udløbe om :count minutter.", "This post has no content yet.": "Dette indlæg har intet indhold endnu.", "This provider is already associated with another account": "Denne udbyder er allerede knyttet til en anden konto", "This site is open source.": "Denne side er open source.", "This template will define what information are displayed on a contact page.": "Denne skabelon vil definere, hvilke oplysninger der vises på en kontaktside.", "This user already belongs to the team.": "Denne bruger tilhører allerede teamet.", - "This user has already been invited to the team.": "Denne bruger er allerede blevet inviteret til teamet.", + "This user has already been invited to the team.": "Denne bruger er allerede blevet inviteret til holdet.", "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Denne bruger vil være en del af din konto, men vil ikke få adgang til alle boksene på denne konto, medmindre du giver specifik adgang til dem. Denne person vil også være i stand til at oprette hvælvinger.", "This will immediately:": "Dette vil straks:", "Three things that happened today": "Tre ting der skete i dag", @@ -1092,8 +1093,7 @@ "Timezone": "Tidszone", "Title": "Titel", "to": "til", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "For at afslutte aktiveringen af ​​tofaktorgodkendelse skal du scanne følgende QR-kode ved hjælp af din telefons autentificeringsprogram eller indtaste opsætningsnøglen og angive den genererede OTP-kode.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "For at afslutte aktiveringen af ​​tofaktorgodkendelse skal du scanne følgende QR-kode ved hjælp af din telefons autentificeringsprogram eller indtaste opsætningsnøglen og angive den genererede OTP-kode.", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "For at afslutte aktiveringen af to-faktor-godkendelse skal du scanne følgende QR-kode ved hjælp af din telefons autentificeringsprogram eller indtaste opsætningsnøglen og angive den genererede OTP-kode.", "Toggle navigation": "Skift navigation", "To hear their story": "At høre deres historie", "Token Name": "Token navn", @@ -1101,7 +1101,7 @@ "Took a new job": "Tog et nyt job", "Took the bus": "Tog bussen", "Took the metro": "Tog metroen", - "Too Many Requests": "For mange anmodninger", + "Too Many Requests": "For mange forespørgsler", "To see if they need anything": "For at se om de har brug for noget", "To start, you need to create a vault.": "For at starte skal du oprette en boks.", "Total:": "I alt:", @@ -1111,23 +1111,22 @@ "Tuesday": "tirsdag", "Two-factor Confirmation": "To-faktor bekræftelse", "Two Factor Authentication": "To-faktor-godkendelse", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Tofaktorgodkendelse er nu aktiveret. Scan følgende QR-kode ved hjælp af din telefons autentificeringsprogram, eller indtast opsætningsnøglen.", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "To-faktor-godkendelse er nu aktiveret. Scan følgende QR-kode ved hjælp af din telefons autentificeringsprogram, eller indtast opsætningsnøglen.", "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Tofaktorgodkendelse er nu aktiveret. Scan følgende QR-kode ved hjælp af din telefons autentificeringsprogram, eller indtast opsætningsnøglen.", "Type": "Type", "Type:": "Type:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Skriv hvad som helst i samtalen med Monica-bot. Det kan for eksempel være 'start'.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Skriv hvad som helst i samtalen med Monica-bot. Det kan for eksempel være ’start’.", "Types": "Typer", "Type something": "Skriv noget", "Unarchive contact": "Fjern kontakten fra arkivet", "unarchived the contact": "arkiverede kontakten", - "Unauthorized": "Uberettiget", - "uncle\/aunt": "onkel tante", + "Unauthorized": "Uautoriseret", + "uncle/aunt": "onkel/tante", "Undefined": "Udefineret", "Unexpected error on login.": "Uventet fejl ved login.", "Unknown": "Ukendt", "unknown action": "ukendt handling", "Unknown age": "Ukendt alder", - "Unknown contact name": "Ukendt kontaktnavn", "Unknown name": "Ukendt navn", "Update": "Opdatering", "Update a key.": "Opdater en nøgle.", @@ -1136,14 +1135,13 @@ "updated an address": "opdateret en adresse", "updated an important date": "opdateret en vigtig dato", "updated a pet": "opdateret et kæledyr", - "Updated on :date": "Opdateret :date", + "Updated on :date": "Opdateret den :date", "updated the avatar of the contact": "opdateret kontaktpersonens avatar", "updated the contact information": "opdateret kontaktoplysningerne", "updated the job information": "opdateret joboplysningerne", "updated the religion": "opdateret religionen", - "Update Password": "Opdater adgangskode", - "Update your account's profile information and email address.": "Opdater din kontos profiloplysninger og e-mailadresse.", - "Update your account’s profile information and email address.": "Opdater din kontos profiloplysninger og e-mailadresse.", + "Update Password": "Opdatér adgangskode", + "Update your account's profile information and email address.": "Opdatér din kontos profiloplysninger og e-mailadresse.", "Upload photo as avatar": "Upload billede som avatar", "Use": "Brug", "Use an authentication code": "Brug en godkendelseskode", @@ -1159,10 +1157,10 @@ "Value copied into your clipboard": "Værdien er kopieret til din udklipsholder", "Vaults contain all your contacts data.": "Vaults indeholder alle dine kontaktdata.", "Vault settings": "Vault-indstillinger", - "ve\/ver": "og\/give", + "ve/ver": "ve/ver", "Verification email sent": "Bekræftelsesmail sendt", "Verified": "Verificeret", - "Verify Email Address": "Verificer email adresse", + "Verify Email Address": "Bekræft email-adresse", "Verify this email address": "Bekræft denne e-mailadresse", "Version :version — commit [:short](:url).": "Version :version — commit [:short](:url).", "Via Telegram": "Via Telegram", @@ -1193,24 +1191,25 @@ "Welcome to Monica.": "Velkommen til Monica.", "Went to a bar": "Gik på en bar", "We support Markdown to format the text (bold, lists, headings, etc…).": "Vi understøtter Markdown til at formatere teksten (fed skrift, lister, overskrifter osv...).", - "We were unable to find a registered user with this email address.": "Vi kunne ikke finde en registreret bruger med denne e-mailadresse.", + "We were unable to find a registered user with this email address.": "Vi kunne ikke finde en registreret bruger med denne e-mail-adresse.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Vi sender en e-mail til denne e-mailadresse, som du skal bekræfte, før vi kan sende meddelelser til denne adresse.", "What happens now?": "Hvad sker der nu?", "What is the loan?": "Hvad er lånet?", "What permission should :name have?": "Hvilken tilladelse skal :name have?", "What permission should the user have?": "Hvilken tilladelse skal brugeren have?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "Hvad skal vi bruge til at vise kort?", "What would make today great?": "Hvad ville gøre i dag fantastisk?", "When did the call happened?": "Hvornår skete opkaldet?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Når tofaktorautentificering er aktiveret, bliver du bedt om et sikkert, tilfældigt token under godkendelse. Du kan hente dette token fra din telefons Google Authenticator-applikation.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Når tofaktorautentisering er aktiveret, bliver du bedt om et sikkert, tilfældigt token under godkendelse. Du kan hente dette token fra telefonens Google Authenticator-applikation.", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Når tofaktorautentificering er aktiveret, bliver du bedt om et sikkert, tilfældigt token under godkendelse. Du kan hente dette token fra din telefons Authenticator-applikation.", "When was the loan made?": "Hvornår blev lånet optaget?", "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Når du definerer et forhold mellem to kontakter, for eksempel et far-søn forhold, opretter Monica to relationer, en for hver kontakt:", "Which email address should we send the notification to?": "Hvilken e-mailadresse skal vi sende meddelelsen til?", "Who called?": "Hvem ringede?", "Who makes the loan?": "Hvem yder lånet?", - "Whoops!": "Hov!", - "Whoops! Something went wrong.": "Hov! Noget gik galt.", + "Whoops!": "Ups!", + "Whoops! Something went wrong.": "Ups! Noget gik galt.", "Who should we invite in this vault?": "Hvem skal vi invitere i denne boks?", "Who the loan is for?": "Hvem er lånet til?", "Wish good day": "Ønsker god dag", @@ -1218,14 +1217,13 @@ "Write the amount with a dot if you need decimals, like 100.50": "Skriv beløbet med en prik, hvis du har brug for decimaler, f.eks. 100,50", "Written on": "Skrevet på", "wrote a note": "skrev en note", - "xe\/xem": "bil\/udsigt", + "xe/xem": "xe/xem", "year": "år", "Years": "Flere år", "You are here:": "Du er her:", "You are invited to join Monica": "Du er inviteret til at slutte dig til Monica", - "You are receiving this email because we received a password reset request for your account.": "Du modtager denne e-mail, fordi vi har modtaget en anmodning om nulstilling af adgangskode til din konto.", + "You are receiving this email because we received a password reset request for your account.": "Du modtager denne email fordi vi har modtaget en anmodning om nulstilling af passwordet for din konto.", "you can't even use your current username or password to sign in,": "du kan ikke engang bruge dit nuværende brugernavn eller din adgangskode til at logge ind,", - "you can't even use your current username or password to sign in, ": "du kan ikke engang bruge dit nuværende brugernavn eller din adgangskode til at logge ind,", "you can't import any data from your current Monica account(yet),": "du kan ikke importere nogen data fra din nuværende Monica-konto (endnu),", "You can add job information to your contacts and manage the companies here in this tab.": "Du kan tilføje joboplysninger til dine kontakter og administrere virksomhederne her i denne fane.", "You can add more account to log in to our service with one click.": "Du kan tilføje flere kontoer for at logge ind på vores service med et enkelt klik.", @@ -1233,22 +1231,22 @@ "You can change that at any time.": "Du kan til enhver tid ændre det.", "You can choose how you want Monica to display dates in the application.": "Du kan vælge, hvordan du vil have Monica til at vise datoer i applikationen.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Du kan vælge, hvilke valutaer der skal aktiveres på din konto, og hvilken der ikke skal.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Du kan tilpasse, hvordan kontakter skal vises efter din egen smag\/kultur. Måske vil du bruge James Bond i stedet for Bond James. Her kan du definere det efter behag.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Du kan tilpasse, hvordan kontakter skal vises efter din egen smag/kultur. Måske vil du bruge James Bond i stedet for Bond James. Her kan du definere det efter behag.", "You can customize the criteria that let you track your mood.": "Du kan tilpasse kriterierne, så du kan spore dit humør.", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Du kan flytte kontakter mellem hvælvinger. Denne ændring er øjeblikkelig. Du kan kun flytte kontakter til hvælvinger, du er en del af. Alle kontaktdata flyttes med den.", - "You cannot remove your own administrator privilege.": "Du kan ikke fjerne dine egne administratorrettigheder.", + "You cannot remove your own administrator privilege.": "Du kan ikke fjerne dit eget administratorprivilegium.", "You don’t have enough space left in your account.": "Du har ikke nok plads tilbage på din konto.", "You don’t have enough space left in your account. Please upgrade.": "Du har ikke nok plads tilbage på din konto. Opgrader venligst.", - "You have been invited to join the :team team!": "Du er blevet inviteret til at deltage i :team-teamet!", - "You have enabled two factor authentication.": "Du har aktiveret tofaktorgodkendelse.", - "You have not enabled two factor authentication.": "Du har ikke aktiveret tofaktorgodkendelse.", + "You have been invited to join the :team team!": "Du er blevet inviteret til at deltage i :team holdet!", + "You have enabled two factor authentication.": "Du har aktiveret tofaktorautentisering.", + "You have not enabled two factor authentication.": "Du har ikke aktiveret tofaktorautentisering.", "You have not setup Telegram in your environment variables yet.": "Du har ikke opsat Telegram i dine miljøvariabler endnu.", "You haven’t received a notification in this channel yet.": "Du har endnu ikke modtaget en notifikation på denne kanal.", "You haven’t setup Telegram yet.": "Du har ikke konfigureret Telegram endnu.", "You may accept this invitation by clicking the button below:": "Du kan acceptere denne invitation ved at klikke på knappen nedenfor:", - "You may delete any of your existing tokens if they are no longer needed.": "Du kan slette alle dine eksisterende tokens, hvis de ikke længere er nødvendige.", + "You may delete any of your existing tokens if they are no longer needed.": "Du kan slette nogen af dine eksisterende tokens, hvis de ikke længere er nødvendige.", "You may not delete your personal team.": "Du må ikke slette dit personlige team.", - "You may not leave a team that you created.": "Du må ikke forlade et team, du har oprettet.", + "You may not leave a team that you created.": "Du må ikke forlade et hold, som du har oprettet.", "You might need to reload the page to see the changes.": "Du skal muligvis genindlæse siden for at se ændringerne.", "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Du skal bruge mindst én skabelon for at få vist kontaktpersoner. Uden en skabelon ved Monica ikke, hvilke oplysninger den skal vise.", "Your account current usage": "Din konto nuværende brug", @@ -1267,7 +1265,7 @@ "You wanted to be reminded of the following:": "Du ønskede at blive mindet om følgende:", "You WILL still have to delete your account on Monica or OfficeLife.": "Du SKAL stadig slette din konto på Monica eller OfficeLife.", "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Du er blevet inviteret til at bruge denne e-mailadresse i Monica, en open source personlig CRM, så vi kan bruge den til at sende dig notifikationer.", - "ze\/hir": "til hende", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Farezone", "🌳 Chalet": "🌳 Hytte", "🏠 Secondary residence": "🏠 Sekundær bolig", diff --git a/lang/da/auth.php b/lang/da/auth.php index 8657285f9ae..57bc225ec74 100644 --- a/lang/da/auth.php +++ b/lang/da/auth.php @@ -2,7 +2,7 @@ return [ 'failed' => 'De angivne oplysninger er ugyldige.', - 'lang' => 'dansk', + 'lang' => 'Dansk', 'password' => 'Adgangskoden er forkert.', 'throttle' => 'For mange loginforsøg. Prøv igen om :seconds sekunder.', ]; diff --git a/lang/da/pagination.php b/lang/da/pagination.php index d2abc6ad553..851966872b6 100644 --- a/lang/da/pagination.php +++ b/lang/da/pagination.php @@ -1,6 +1,6 @@ 'Næste »', - 'previous' => '« Forrige', + 'next' => 'Næste ❯', + 'previous' => '❮ Forrige', ]; diff --git a/lang/da/validation.php b/lang/da/validation.php index 3c38ebb126c..48317611dae 100644 --- a/lang/da/validation.php +++ b/lang/da/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute skal være mellem :min og :max tegn.', ], 'boolean' => ':Attribute skal være sand eller falsk.', + 'can' => 'Feltet :attribute indeholder en uautoriseret værdi.', 'confirmed' => ':Attribute er ikke det samme som bekræftelsesfeltet.', 'current_password' => 'Adgangskoden er forkert.', 'date' => ':Attribute er ikke en gyldig dato.', diff --git a/lang/de.json b/lang/de.json index 530bfebfe48..5dd2e366e15 100644 --- a/lang/de.json +++ b/lang/de.json @@ -1,32 +1,32 @@ { "(and :count more error)": "(und :count weiterer Fehler)", "(and :count more errors)": "(und :count weitere Fehler)", - "(Help)": "(Hilfe)", - "+ add a contact": "+ Einen Kontakt hinzufügen", - "+ add another": "+ Ein weiteres hinzufügen", - "+ add another photo": "+ Weiteres Foto hinzufügen", + "(Help)": "(Helfen)", + "+ add a contact": "+ einen Kontakt hinzufügen", + "+ add another": "+ noch einen hinzufügen", + "+ add another photo": "+ ein weiteres Foto hinzufügen", "+ add description": "+ Beschreibung hinzufügen", - "+ add distance": "+ Entfernung hinzufügen", - "+ add emotion": "+ Emotion hinzufügen", + "+ add distance": "+ Distanz hinzufügen", + "+ add emotion": "+ Emotionen hinzufügen", "+ add reason": "+ Grund hinzufügen", "+ add summary": "+ Zusammenfassung hinzufügen", "+ add title": "+ Titel hinzufügen", "+ change date": "+ Datum ändern", "+ change template": "+ Vorlage ändern", - "+ create a group": "+ Gruppe erstellen", + "+ create a group": "+ eine Gruppe erstellen", "+ gender": "+ Geschlecht", "+ last name": "+ Nachname", - "+ maiden name": "+ Geburtsname", + "+ maiden name": "+ Mädchenname", "+ middle name": "+ zweiter Vorname", "+ nickname": "+ Spitzname", - "+ note": "+ Notiz", + "+ note": "+ Hinweis", "+ number of hours slept": "+ Anzahl der geschlafenen Stunden", "+ prefix": "+ Präfix", "+ pronoun": "+ Pronomen", "+ suffix": "+ Suffix", ":count contact|:count contacts": ":count Kontakt|:count Kontakte", ":count hour slept|:count hours slept": ":count Stunde geschlafen|:count Stunden geschlafen", - ":count min read": ":count Min. Lesezeit", + ":count min read": ":count Min. gelesen", ":count post|:count posts": ":count Beitrag|:count Beiträge", ":count template section|:count template sections": ":count Vorlagenabschnitt|:count Vorlagenabschnitte", ":count word|:count words": ":count Wort|:count Wörter", @@ -34,98 +34,98 @@ ":distance miles": ":distance Meilen", ":file at line :line": ":file in Zeile :line", ":file in :class at line :line": ":file in :class in Zeile :line", - ":Name called": ":Name hat angerufen", + ":Name called": ":Name angerufen", ":Name called, but I didn’t answer": ":Name hat angerufen, aber ich habe nicht geantwortet", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName lädt Sie ein, Monica beizutreten, einem persönlichen Open-Source-CRM, das Ihnen dabei helfen soll, Ihre Beziehungen zu dokumentieren.", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName lädt Sie ein, sich Monica anzuschließen, einem persönlichen Open-Source-CRM, das Ihnen bei der Dokumentation Ihrer Beziehungen helfen soll.", "Accept Invitation": "Einladung annehmen", - "Accept invitation and create your account": "Akzeptieren Sie die Einladung und erstellen Sie Ihr Konto", + "Accept invitation and create your account": "Nehmen Sie die Einladung an und erstellen Sie Ihr Konto", "Account and security": "Konto und Sicherheit", - "Account settings": "Kontoeinstellungen", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Eine Kontaktinformation kann anklickbar sein. Zum Beispiel kann eine Telefonnummer anklickbar sein und die Standardanwendung auf Ihrem Computer starten. Wenn Sie das Protokoll für den Typ, den Sie hinzufügen, nicht kennen, können Sie dieses Feld einfach weglassen.", - "Activate": "Aktivieren", - "Activity feed": "Aktivitäts-Feed", + "Account settings": "Account Einstellungen", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Eine Kontaktinformation kann anklickbar sein. Beispielsweise kann eine Telefonnummer anklickbar sein und die Standardanwendung auf Ihrem Computer starten. Wenn Sie das Protokoll für den Typ, den Sie hinzufügen, nicht kennen, können Sie dieses Feld einfach weglassen.", + "Activate": "aktivieren Sie", + "Activity feed": "Aktivitäten-Feed", "Activity in this vault": "Aktivität in diesem Tresor", "Add": "Hinzufügen", - "add a call reason type": "einen Anrufgrundtyp hinzufügen", + "add a call reason type": "Fügen Sie einen Anrufgrundtyp hinzu", "Add a contact": "Einen Kontakt hinzufügen", - "Add a contact information": "Kontaktinformation hinzufügen", - "Add a date": "Ein Datum hinzufügen", - "Add additional security to your account using a security key.": "Fügen Sie Ihrem Konto mit einem Sicherheitsschlüssel zusätzliche Sicherheit hinzu.", + "Add a contact information": "Fügen Sie Kontaktinformationen hinzu", + "Add a date": "Fügen Sie ein Datum hinzu", + "Add additional security to your account using a security key.": "Fügen Sie Ihrem Konto mithilfe eines Sicherheitsschlüssels zusätzliche Sicherheit hinzu.", "Add additional security to your account using two factor authentication.": "Fügen Sie Ihrem Konto zusätzliche Sicherheit hinzu, indem Sie die Zwei-Faktor-Authentifizierung verwenden.", - "Add a document": "Ein Dokument hinzufügen", - "Add a due date": "Fälligkeitsdatum hinzufügen", - "Add a gender": "Geschlecht hinzufügen", - "Add a gift occasion": "Geschenkanlass hinzufügen", - "Add a gift state": "Geschenkzustand hinzufügen", - "Add a goal": "Ziel hinzufügen", - "Add a group type": "Gruppentyp hinzufügen", - "Add a header image": "Header-Bild hinzufügen", - "Add a label": "Label hinzufügen", - "Add a life event": "Lebensereignis hinzufügen", - "Add a life event category": "Lebensereigniskategorie hinzufügen", - "add a life event type": "Lebensereignistyp hinzufügen", - "Add a module": "Modul hinzufügen", - "Add an address": "Adresse hinzufügen", - "Add an address type": "Adresstyp hinzufügen", - "Add an email address": "E-Mail-Adresse hinzufügen", - "Add an email to be notified when a reminder occurs.": "Fügen Sie eine E-Mail hinzu, um benachrichtigt zu werden, wenn eine Erinnerung eintritt.", - "Add an entry": "Eintrag hinzufügen", - "add a new metric": "eine neue Metrik hinzufügen", + "Add a document": "Fügen Sie ein Dokument hinzu", + "Add a due date": "Fügen Sie ein Fälligkeitsdatum hinzu", + "Add a gender": "Fügen Sie ein Geschlecht hinzu", + "Add a gift occasion": "Fügen Sie einen Geschenkanlass hinzu", + "Add a gift state": "Fügen Sie einen Geschenkstatus hinzu", + "Add a goal": "Fügen Sie ein Ziel hinzu", + "Add a group type": "Fügen Sie einen Gruppentyp hinzu", + "Add a header image": "Fügen Sie ein Headerbild hinzu", + "Add a label": "Fügen Sie ein Etikett hinzu", + "Add a life event": "Ein Lebensereignis hinzufügen", + "Add a life event category": "Fügen Sie eine Lebensereigniskategorie hinzu", + "add a life event type": "Fügen Sie einen Lebensereignistyp hinzu", + "Add a module": "Fügen Sie ein Modul hinzu", + "Add an address": "füge eine Adresse hinzu", + "Add an address type": "Fügen Sie einen Adresstyp hinzu", + "Add an email address": "Fügen Sie eine E-Mail-Adresse hinzu", + "Add an email to be notified when a reminder occurs.": "Fügen Sie eine E-Mail hinzu, um benachrichtigt zu werden, wenn eine Erinnerung erfolgt.", + "Add an entry": "Fügen Sie einen Eintrag hinzu", + "add a new metric": "Fügen Sie eine neue Metrik hinzu", "Add a new team member to your team, allowing them to collaborate with you.": "Fügen Sie ein neues Teammitglied zu Ihrem Team hinzu und erlauben Sie ihm mit Ihnen zusammenzuarbeiten.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Füge ein wichtiges Datum hinzu, um dich an das zu erinnern, was für dich bei dieser Person wichtig ist, wie z.B. Geburts- oder Todesdatum.", - "Add a note": "Notiz hinzufügen", - "Add another life event": "Weiteres Lebensereignis hinzufügen", - "Add a page": "Seite hinzufügen", - "Add a parameter": "Parameter hinzufügen", - "Add a pet": "Haustier hinzufügen", - "Add a photo": "Foto hinzufügen", - "Add a photo to a journal entry to see it here.": "Fügen Sie ein Foto zu einem Journal-Eintrag hinzu, um es hier zu sehen.", - "Add a post template": "Beitrag-Vorlage hinzufügen", - "Add a pronoun": "Pronomen hinzufügen", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Fügen Sie ein wichtiges Datum hinzu, um sich daran zu erinnern, was Ihnen an dieser Person wichtig ist, z. B. ein Geburtsdatum oder ein Sterbedatum.", + "Add a note": "Füg ein Notiz hinzu", + "Add another life event": "Fügen Sie ein weiteres Lebensereignis hinzu", + "Add a page": "Fügen Sie eine Seite hinzu", + "Add a parameter": "Fügen Sie einen Parameter hinzu", + "Add a pet": "Fügen Sie ein Haustier hinzu", + "Add a photo": "Füge ein Foto hinzu", + "Add a photo to a journal entry to see it here.": "Fügen Sie einem Tagebucheintrag ein Foto hinzu, um es hier anzuzeigen.", + "Add a post template": "Fügen Sie eine Beitragsvorlage hinzu", + "Add a pronoun": "Fügen Sie ein Pronomen hinzu", "add a reason": "einen Grund hinzufügen", - "Add a relationship": "Beziehung hinzufügen", - "Add a relationship group type": "Beziehungsgruppentyp hinzufügen", - "Add a relationship type": "Beziehungstyp hinzufügen", - "Add a religion": "Religion hinzufügen", - "Add a reminder": "Erinnerung hinzufügen", - "add a role": "Rolle hinzufügen", - "add a section": "Abschnitt hinzufügen", - "Add a tag": "Tag hinzufügen", - "Add a task": "Aufgabe hinzufügen", - "Add a template": "Vorlage hinzufügen", + "Add a relationship": "Fügen Sie eine Beziehung hinzu", + "Add a relationship group type": "Fügen Sie einen Beziehungsgruppentyp hinzu", + "Add a relationship type": "Fügen Sie einen Beziehungstyp hinzu", + "Add a religion": "Fügen Sie eine Religion hinzu", + "Add a reminder": "Fügen Sie eine Erinnerung hinzu", + "add a role": "eine Rolle hinzufügen", + "add a section": "einen Abschnitt hinzufügen", + "Add a tag": "Füge einen Tag hinzu", + "Add a task": "Fügen Sie eine Aufgabe hinzu", + "Add a template": "Fügen Sie eine Vorlage hinzu", "Add at least one module.": "Fügen Sie mindestens ein Modul hinzu.", - "Add a type": "Einen Typ hinzufügen", - "Add a user": "Benutzer hinzufügen", - "Add a vault": "Tresor hinzufügen", + "Add a type": "Fügen Sie einen Typ hinzu", + "Add a user": "Fügen Sie einen Benutzer hinzu", + "Add a vault": "Fügen Sie einen Tresor hinzu", "Add date": "Datum hinzufügen", "Added.": "Hinzugefügt.", - "added a contact information": "hat eine Kontaktinformation hinzugefügt", - "added an address": "hat eine Adresse hinzugefügt", - "added an important date": "hat ein wichtiges Datum hinzugefügt", - "added a pet": "hat ein Haustier hinzugefügt", + "added a contact information": "eine Kontaktinformation hinzugefügt", + "added an address": "eine Adresse hinzugefügt", + "added an important date": "ein wichtiges Datum hinzugefügt", + "added a pet": "ein Haustier hinzugefügt", "added the contact to a group": "hat den Kontakt zu einer Gruppe hinzugefügt", - "added the contact to a post": "hat den Kontakt zu einem Post hinzugefügt", - "added the contact to the favorites": "hat den Kontakt zu den Favoriten hinzugefügt", + "added the contact to a post": "habe den Kontakt zu einem Beitrag hinzugefügt", + "added the contact to the favorites": "Habe den Kontakt zu den Favoriten hinzugefügt", "Add genders to associate them to contacts.": "Fügen Sie Geschlechter hinzu, um sie Kontakten zuzuordnen.", - "Add loan": "Kredit hinzufügen", + "Add loan": "Darlehen hinzufügen", "Add one now": "Jetzt eins hinzufügen", "Add photos": "Fotos hinzufügen", "Address": "Adresse", "Addresses": "Adressen", "Address type": "Adresstyp", "Address types": "Adresstypen", - "Address types let you classify contact addresses.": "Adresstypen ermöglichen es Ihnen, Kontaktadressen zu klassifizieren.", + "Address types let you classify contact addresses.": "Mit Adresstypen können Sie Kontaktadressen klassifizieren.", "Add Team Member": "Teammitglied hinzufügen", "Add to group": "Zur Gruppe hinzufügen", "Administrator": "Administrator", "Administrator users can perform any action.": "Administratoren können jede Aktion durchführen.", - "a father-son relation shown on the father page,": "eine Vater-Sohn-Beziehung, die auf der Seite des Vaters angezeigt wird,", + "a father-son relation shown on the father page,": "eine Vater-Sohn-Beziehung, die auf der Vaterseite angezeigt wird,", "after the next occurence of the date.": "nach dem nächsten Auftreten des Datums.", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Eine Gruppe sind zwei oder mehr Personen zusammen. Es kann eine Familie, ein Haushalt, ein Sportverein sein - was auch immer Ihnen wichtig ist.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Eine Gruppe besteht aus zwei oder mehr Personen zusammen. Es kann eine Familie, ein Haushalt, ein Sportverein sein. Was auch immer Ihnen wichtig ist.", "All contacts in the vault": "Alle Kontakte im Tresor", "All files": "Alle Dateien", "All groups in the vault": "Alle Gruppen im Tresor", - "All journal metrics in :name": "Alle Journal-Metriken in :name", + "All journal metrics in :name": "Alle Journalmetriken in :name", "All of the people that are part of this team.": "Alle Personen, die Teil dieses Teams sind.", "All rights reserved.": "Alle Rechte vorbehalten.", "All tags": "Alle Tags", @@ -143,9 +143,9 @@ "All the gift states": "Alle Geschenkzustände", "All the group types": "Alle Gruppentypen", "All the important dates": "Alle wichtigen Termine", - "All the important date types used in the vault": "Alle wichtigen Datentypen, die im Tresor verwendet werden", - "All the journals": "Alle Tagebücher", - "All the labels used in the vault": "Alle Labels, die im Tresor verwendet wurden", + "All the important date types used in the vault": "Alle wichtigen Datumstypen, die im Tresor verwendet werden", + "All the journals": "Alle Zeitschriften", + "All the labels used in the vault": "Alle im Tresor verwendeten Etiketten", "All the notes": "Alle Notizen", "All the pet categories": "Alle Haustierkategorien", "All the photos": "Alle Fotos", @@ -154,93 +154,93 @@ "All the relationship types": "Alle Beziehungstypen", "All the religions": "Alle Religionen", "All the reports": "Alle Berichte", - "All the slices of life in :name": "Alle Schnitzel des Lebens in :name", - "All the tags used in the vault": "Alle Tags, die im Tresor verwendet wurden", + "All the slices of life in :name": "Alle Teile des Lebens in :name", + "All the tags used in the vault": "Alle im Tresor verwendeten Tags", "All the templates": "Alle Vorlagen", "All the vaults": "Alle Tresore", "All the vaults in the account": "Alle Tresore im Konto", - "All users and vaults will be deleted immediately,": "Alle Benutzer und Tresore werden sofort gelöscht,", + "All users and vaults will be deleted immediately,": "Alle Benutzer und Tresore werden sofort gelöscht.", "All users in this account": "Alle Benutzer in diesem Konto", "Already registered?": "Bereits registriert?", - "Already used on this page": "Bereits auf dieser Seite verwendet:", + "Already used on this page": "Auf dieser Seite bereits verwendet", "A new verification link has been sent to the email address you provided during registration.": "Ein neuer Bestätigungslink wurde an die E-Mail-Adresse gesendet, die Sie bei der Registrierung angegeben haben.", "A new verification link has been sent to the email address you provided in your profile settings.": "Ein neuer Bestätigungslink wurde an die E-Mail-Adresse, die in Ihrem Profil hinterlegt ist, gesendet.", "A new verification link has been sent to your email address.": "Ein neuer Bestätigungslink wurde an Ihre E-Mail-Adresse versendet.", - "Anniversary": "Jahrestag", - "Apartment, suite, etc…": "Wohnung, Suite, etc…", + "Anniversary": "Jubiläum", + "Apartment, suite, etc…": "Apartment, Suite usw.", "API Token": "API-Token", "API Token Permissions": "API-Token-Berechtigungen", "API Tokens": "API-Token", "API tokens allow third-party services to authenticate with our application on your behalf.": "Mit API-Token können sich Dienste von Drittanbietern in Ihrem Namen bei unserer Anwendung authentifizieren.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Eine Beitrag-Vorlage definiert, wie der Inhalt eines Beitrags angezeigt werden soll. Sie können so viele Vorlagen wie gewünscht definieren und auswählen, welche Vorlage für welchen Beitrag verwendet werden soll.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Eine Beitragsvorlage definiert, wie der Inhalt eines Beitrags angezeigt werden soll. Sie können beliebig viele Vorlagen definieren und auswählen, welche Vorlage für welchen Beitrag verwendet werden soll.", "Archive": "Archiv", - "Archive contact": "Kontakt archivieren", - "archived the contact": "hat den Kontakt archiviert", - "Are you sure? The address will be deleted immediately.": "Sind Sie sicher? Die Adresse wird sofort gelöscht.", - "Are you sure? This action cannot be undone.": "Sind Sie sicher? Diese Aktion kann nicht rückgängig gemacht werden.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Sind Sie sicher? Dadurch werden alle Anrufgründe dieses Typs für alle Kontakte gelöscht, die ihn verwendet haben.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Sind Sie sicher? Dadurch werden alle Beziehungen dieses Typs für alle Kontakte gelöscht, die ihn verwendet haben.", - "Are you sure? This will delete the contact information permanently.": "Sind Sie sicher? Dadurch werden die Kontaktinformationen dauerhaft gelöscht.", - "Are you sure? This will delete the document permanently.": "Sind Sie sicher? Dadurch wird das Dokument dauerhaft gelöscht.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Sind Sie sicher? Dadurch wird das Ziel und alle Serien dauerhaft gelöscht.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Sind Sie sicher? Dadurch werden die Adresstypen aus allen Kontakten entfernt, aber die Kontakte selbst werden nicht gelöscht.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Sind Sie sicher? Dadurch werden die Kontaktinformationstypen aus allen Kontakten entfernt, aber die Kontakte selbst werden nicht gelöscht.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Sind Sie sicher? Dies entfernt die Geschlechter von allen Kontakten, löscht jedoch nicht die Kontakte selbst.", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Sind Sie sicher? Dies entfernt die Vorlage von allen Kontakten, löscht die Kontakte jedoch nicht.", + "Archive contact": "Archivkontakt", + "archived the contact": "den Kontakt archiviert", + "Are you sure? The address will be deleted immediately.": "Bist du sicher? Die Adresse wird umgehend gelöscht.", + "Are you sure? This action cannot be undone.": "Bist du sicher? Diese Aktion kann nicht rückgängig gemacht werden.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Bist du sicher? Dadurch werden alle Anrufgründe dieses Typs für alle Kontakte gelöscht, die ihn verwendet haben.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Bist du sicher? Dadurch werden alle Beziehungen dieses Typs für alle Kontakte gelöscht, die ihn verwendet haben.", + "Are you sure? This will delete the contact information permanently.": "Bist du sicher? Dadurch werden die Kontaktinformationen dauerhaft gelöscht.", + "Are you sure? This will delete the document permanently.": "Bist du sicher? Dadurch wird das Dokument dauerhaft gelöscht.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Bist du sicher? Dadurch werden das Tor und alle Streaks dauerhaft gelöscht.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Bist du sicher? Dadurch werden die Adresstypen aus allen Kontakten entfernt, die Kontakte selbst werden jedoch nicht gelöscht.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Bist du sicher? Dadurch werden die Kontaktinformationstypen aus allen Kontakten entfernt, die Kontakte selbst werden jedoch nicht gelöscht.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Bist du sicher? Dadurch werden die Geschlechter aus allen Kontakten entfernt, die Kontakte selbst werden jedoch nicht gelöscht.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Bist du sicher? Dadurch wird die Vorlage aus allen Kontakten entfernt, die Kontakte selbst werden jedoch nicht gelöscht.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Möchten Sie dieses Team wirklich löschen? Sobald ein Team gelöscht wird, werden alle Ressourcen und Daten dauerhaft gelöscht.", "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Möchten Sie Ihr Konto wirklich löschen? Sobald Ihr Konto gelöscht wurde, werden alle Ressourcen und Daten dauerhaft gelöscht. Bitte geben Sie Ihr Passwort ein, um zu bestätigen, dass Sie Ihr Konto dauerhaft löschen möchten.", "Are you sure you would like to archive this contact?": "Sind Sie sicher, dass Sie diesen Kontakt archivieren möchten?", "Are you sure you would like to delete this API token?": "Möchten Sie dieses API-Token wirklich löschen?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Sind Sie sicher, dass Sie diesen Kontakt löschen möchten? Dadurch werden alle Informationen, die wir über diesen Kontakt haben, entfernt.", - "Are you sure you would like to delete this key?": "Möchten Sie diesen Schlüssel wirklich löschen?", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Sind Sie sicher, dass Sie diesen Kontakt löschen möchten? Dadurch wird alles gelöscht, was wir über diesen Kontakt wissen.", + "Are you sure you would like to delete this key?": "Sind Sie sicher, dass Sie diesen Schlüssel löschen möchten?", "Are you sure you would like to leave this team?": "Sind Sie sicher, dass Sie dieses Team verlassen möchten?", "Are you sure you would like to remove this person from the team?": "Sind Sie sicher, dass Sie diese Person aus dem Team entfernen möchten?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Ein Schnitzel des Lebens ermöglicht es Ihnen, Beiträge nach etwas Bedeutendem für Sie zu gruppieren. Fügen Sie ein Schnitzel des Lebens in einem Beitrag hinzu, um es hier zu sehen.", - "a son-father relation shown on the son page.": "eine Sohn-Vater-Beziehung, die auf der Seite des Sohns angezeigt wird.", - "assigned a label": "hat ein Label zugewiesen", - "Association": "Verein", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Mit „Slice of Life“ können Sie Beiträge nach etwas Gruppieren, das für Sie von Bedeutung ist. Fügen Sie einem Beitrag ein Stück Leben hinzu, um es hier zu sehen.", + "a son-father relation shown on the son page.": "eine Sohn-Vater-Beziehung, die auf der Sohnseite angezeigt wird.", + "assigned a label": "ein Label vergeben", + "Association": "Verband", "At": "Bei", - "at ": "bei ", - "Ate": "Gegessen", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Ein Template definiert, wie Kontakte angezeigt werden sollen. Sie können so viele Templates haben, wie Sie möchten - sie werden in Ihren Kontoeinstellungen definiert. Möglicherweise möchten Sie jedoch ein Standard-Template definieren, damit alle Ihre Kontakte in diesem Tresor dieses Template standardmäßig haben.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Eine Vorlage besteht aus Seiten, und auf jeder Seite befinden sich Module. Wie die Daten angezeigt werden, liegt ganz bei Ihnen.", + "at ": "bei", + "Ate": "Aß", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Eine Vorlage definiert, wie Kontakte angezeigt werden sollen. Sie können so viele Vorlagen haben, wie Sie möchten – diese werden in Ihren Kontoeinstellungen definiert. Möglicherweise möchten Sie jedoch eine Standardvorlage definieren, damit alle Ihre Kontakte in diesem Tresor standardmäßig über diese Vorlage verfügen.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Eine Vorlage besteht aus Seiten und auf jeder Seite gibt es Module. Wie die Daten angezeigt werden, liegt ganz bei Ihnen.", "Atheist": "Atheist", - "At which time should we send the notification, when the reminder occurs?": "Zu welcher Zeit sollen wir die Benachrichtigung senden, wenn die Erinnerung eintritt?", - "Audio-only call": "Nur Audio-Anruf", - "Auto saved a few seconds ago": "Vor einigen Sekunden automatisch gespeichert", + "At which time should we send the notification, when the reminder occurs?": "Zu welchem Zeitpunkt sollen wir die Benachrichtigung versenden, wenn die Erinnerung erfolgt?", + "Audio-only call": "Nur-Audio-Anruf", + "Auto saved a few seconds ago": "Vor ein paar Sekunden automatisch gespeichert", "Available modules:": "Verfügbare Module:", - "Avatar": "Avatar", + "Avatar": "Benutzerbild", "Avatars": "Avatare", "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Bitte bestätigen Sie Ihre E-Mail-Adresse mit dem zugesandten Link, bevor Sie fortfahren. Sollten Sie keine E-Mail erhalten haben, senden wir Ihnen diese gerne erneut.", - "best friend": "Bester Freund", + "best friend": "bester Freund", "Bird": "Vogel", "Birthdate": "Geburtsdatum", "Birthday": "Geburtstag", "Body": "Körper", "boss": "Chef", "Bought": "Gekauft", - "Breakdown of the current usage": "Aufschlüsselung des aktuellen Verbrauchs", - "brother\/sister": "Bruder\/Schwester", + "Breakdown of the current usage": "Aufschlüsselung der aktuellen Nutzung", + "brother/sister": "Bruder/Schwester", "Browser Sessions": "Browsersitzungen", "Buddhist": "Buddhist", - "Business": "Geschäftlich", - "By last updated": "Nach letztem Update", + "Business": "Geschäft", + "By last updated": "Bis zur letzten Aktualisierung", "Calendar": "Kalender", "Call reasons": "Anrufgründe", - "Call reasons let you indicate the reason of calls you make to your contacts.": "Anrufgründe ermöglichen es Ihnen, den Grund der Anrufe anzugeben, die Sie mit Ihren Kontakten führen.", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Unter „Anrufgründe“ können Sie den Grund für Anrufe angeben, die Sie bei Ihren Kontakten tätigen.", "Calls": "Anrufe", "Cancel": "Abbrechen", - "Cancel account": "Konto kündigen", + "Cancel account": "Account löschen", "Cancel all your active subscriptions": "Kündigen Sie alle Ihre aktiven Abonnements", "Cancel your account": "Kündigen Sie Ihr Konto", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "Kann alles tun, einschließlich Hinzufügen oder Entfernen von Benutzern, Verwalten von Rechnungsstellung und Schließen des Kontos.", - "Can do everything, including adding or removing other users.": "Kann alles tun, einschließlich Hinzufügen oder Entfernen anderer Benutzer.", - "Can edit data, but can’t manage the vault.": "Kann Daten bearbeiten, aber nicht den Tresor verwalten.", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Kann alles tun, einschließlich dem Hinzufügen oder Entfernen anderer Benutzer, der Verwaltung der Abrechnung und der Schließung des Kontos.", + "Can do everything, including adding or removing other users.": "Kann alles tun, einschließlich dem Hinzufügen oder Entfernen anderer Benutzer.", + "Can edit data, but can’t manage the vault.": "Kann Daten bearbeiten, aber den Tresor nicht verwalten.", "Can view data, but can’t edit it.": "Kann Daten anzeigen, aber nicht bearbeiten.", "Can’t be moved or deleted": "Kann nicht verschoben oder gelöscht werden", "Cat": "Katze", "Categories": "Kategorien", - "Chandler is in beta.": "Chandler ist in der Beta-Phase.", + "Chandler is in beta.": "Chandler befindet sich in der Betaphase.", "Change": "Ändern", "Change date": "Datum ändern", "Change permission": "Berechtigung ändern", @@ -248,25 +248,25 @@ "Change template": "Vorlage ändern", "Child": "Kind", "child": "Kind", - "Choose": "Auswählen", - "Choose a color": "Farbe wählen", - "Choose an existing address": "Vorhandene Adresse auswählen", - "Choose an existing contact": "Wähle einen bestehenden Kontakt", - "Choose a template": "Vorlage auswählen", - "Choose a value": "Wert auswählen", - "Chosen type:": "Ausgewählter Typ:", - "Christian": "Christ", + "Choose": "Wählen", + "Choose a color": "Wähle eine Farbe", + "Choose an existing address": "Wählen Sie eine vorhandene Adresse", + "Choose an existing contact": "Wählen Sie einen vorhandenen Kontakt", + "Choose a template": "Wählen Sie eine Vorlage", + "Choose a value": "Wählen Sie einen Wert", + "Chosen type:": "Gewählter Typ:", + "Christian": "Christian", "Christmas": "Weihnachten", "City": "Stadt", "Click here to re-send the verification email.": "Klicke hier, um eine neue Verifizierungs-E-Mail zu erhalten.", - "Click on a day to see the details": "Klicken Sie auf einen Tag, um die Details zu sehen", + "Click on a day to see the details": "Klicken Sie auf einen Tag, um die Details anzuzeigen", "Close": "Schließen", "close edit mode": "Bearbeitungsmodus schließen", - "Club": "Club", + "Club": "Verein", "Code": "Code", "colleague": "Kollege", - "Companies": "Unternehmen", - "Company name": "Name des Unternehmens", + "Companies": "Firmen", + "Company name": "Name der Firma", "Compared to Monica:": "Im Vergleich zu Monica:", "Configure how we should notify you": "Konfigurieren Sie, wie wir Sie benachrichtigen sollen", "Confirm": "Bestätigen", @@ -281,7 +281,7 @@ "Contact name": "Kontaktname", "Contacts": "Kontakte", "Contacts in this post": "Kontakte in diesem Beitrag", - "Contacts in this slice": "Kontakte in diesem Schnitzel", + "Contacts in this slice": "Kontakte in diesem Slice", "Contacts will be shown as follow:": "Kontakte werden wie folgt angezeigt:", "Content": "Inhalt", "Copied.": "Kopiert.", @@ -292,30 +292,30 @@ "Couple": "Paar", "cousin": "Cousin", "Create": "Erstellen", - "Create account": "Konto erstellen", + "Create account": "Benutzerkonto erstellen", "Create Account": "Neues Konto registrieren", - "Create a contact": "Kontakt erstellen", - "Create a contact entry for this person": "Erstelle einen Kontakt-Eintrag für diese Person", - "Create a journal": "Tagebuch erstellen", - "Create a journal metric": "Erstellen Sie eine Journal-Metrik", + "Create a contact": "Erstellen Sie einen Kontakt", + "Create a contact entry for this person": "Erstellen Sie einen Kontakteintrag für diese Person", + "Create a journal": "Erstellen Sie ein Tagebuch", + "Create a journal metric": "Erstellen Sie eine Journalmetrik", "Create a journal to document your life.": "Erstellen Sie ein Tagebuch, um Ihr Leben zu dokumentieren.", "Create an account": "Ein Konto erstellen", - "Create a new address": "Neue Adresse erstellen", + "Create a new address": "Erstellen Sie eine neue Adresse", "Create a new team to collaborate with others on projects.": "Erstellen Sie ein neues Team, um mit anderen an Projekten zusammenzuarbeiten.", "Create API Token": "API-Token erstellen", - "Create a post": "Beitrag erstellen", - "Create a reminder": "Erinnerung erstellen", - "Create a slice of life": "Schnitzel des Lebens erstellen", - "Create at least one page to display contact’s data.": "Erstellen Sie mindestens eine Seite, um die Daten des Kontakts anzuzeigen.", + "Create a post": "Erstellen Sie einen Beitrag", + "Create a reminder": "Erstellen Sie eine Erinnerung", + "Create a slice of life": "Erschaffe ein Stück Leben", + "Create at least one page to display contact’s data.": "Erstellen Sie mindestens eine Seite zur Anzeige der Kontaktdaten.", "Create at least one template to use Monica.": "Erstellen Sie mindestens eine Vorlage, um Monica zu verwenden.", - "Create a user": "Benutzer erstellen", - "Create a vault": "Tresor erstellen", + "Create a user": "Erstellen Sie einen Benutzer", + "Create a vault": "Erstellen Sie einen Tresor", "Created.": "Erstellt.", - "created a goal": "hat ein Ziel erstellt", - "created the contact": "hat den Kontakt erstellt", - "Create label": "Label erstellen", - "Create new label": "Neues Label erstellen", - "Create new tag": "Neuen Tag erstellen", + "created a goal": "ein Ziel geschaffen", + "created the contact": "den Kontakt erstellt", + "Create label": "Etikett erstellen", + "Create new label": "Neues Etikett erstellen", + "Create new tag": "Neues Tag erstellen", "Create New Team": "Neues Team erstellen", "Create Team": "Team erstellen", "Currencies": "Währungen", @@ -323,49 +323,49 @@ "Current default": "Aktueller Standard", "Current language:": "Aktuelle Sprache:", "Current Password": "Derzeitiges Passwort", - "Current site used to display maps:": "Aktuelle Seite, die zur Anzeige von Karten verwendet wird:", + "Current site used to display maps:": "Aktuelle Website, auf der Karten angezeigt werden:", "Current streak": "Aktuelle Serie", "Current timezone:": "Aktuelle Zeitzone:", - "Current way of displaying contact names:": "Aktuelle Art der Anzeige von Kontakt-Namen:", + "Current way of displaying contact names:": "Aktuelle Art der Kontaktnamenanzeige:", "Current way of displaying dates:": "Aktuelle Art der Datumsanzeige:", "Current way of displaying distances:": "Aktuelle Art der Entfernungsanzeige:", - "Current way of displaying numbers:": "Aktuelle Art der Anzeige von Zahlen:", + "Current way of displaying numbers:": "Aktuelle Art der Zahlendarstellung:", "Customize how contacts should be displayed": "Passen Sie an, wie Kontakte angezeigt werden sollen", "Custom name order": "Benutzerdefinierte Namensreihenfolge", "Daily affirmation": "Tägliche Bestätigung", "Dashboard": "Dashboard", - "date": "Rendezvous", - "Date of the event": "Datum des Ereignisses", - "Date of the event:": "Datum des Ereignisses:", - "Date type": "Datentyp", - "Date types are essential as they let you categorize dates that you add to a contact.": "Datentypen sind wichtig, da sie es Ihnen ermöglichen, Daten, die Sie einem Kontakt hinzufügen, zu kategorisieren.", + "date": "Datum", + "Date of the event": "Datum der Veranstaltung", + "Date of the event:": "Datum der Veranstaltung:", + "Date type": "Datumstyp", + "Date types are essential as they let you categorize dates that you add to a contact.": "Datumstypen sind wichtig, da Sie damit Daten kategorisieren können, die Sie einem Kontakt hinzufügen.", "Day": "Tag", "day": "Tag", "Deactivate": "Deaktivieren", - "Deceased date": "Sterbedatum", + "Deceased date": "Verstorbenes Datum", "Default template": "Standardvorlage", - "Default template to display contacts": "Standard-Template zur Anzeige von Kontakten", + "Default template to display contacts": "Standardvorlage zur Anzeige von Kontakten", "Delete": "Löschen", "Delete Account": "Account löschen", - "Delete a new key": "Einen neuen Schlüssel löschen", + "Delete a new key": "Löschen Sie einen neuen Schlüssel", "Delete API Token": "API-Token löschen", "Delete contact": "Kontakt löschen", - "deleted a contact information": "hat eine Kontaktinformation gelöscht", - "deleted a goal": "hat ein Ziel gelöscht", - "deleted an address": "hat eine Adresse gelöscht", - "deleted an important date": "hat ein wichtiges Datum gelöscht", - "deleted a note": "hat eine Notiz gelöscht", - "deleted a pet": "hat ein Haustier gelöscht", - "Deleted author": "Autor gelöscht", + "deleted a contact information": "eine Kontaktinformation gelöscht", + "deleted a goal": "ein Ziel gelöscht", + "deleted an address": "eine Adresse gelöscht", + "deleted an important date": "ein wichtiges Datum gelöscht", + "deleted a note": "eine Notiz gelöscht", + "deleted a pet": "ein Haustier gelöscht", + "Deleted author": "Gelöschter Autor", "Delete group": "Gruppe löschen", - "Delete journal": "Tagebuch löschen", + "Delete journal": "Journal löschen", "Delete Team": "Team löschen", - "Delete the address": "Adresse löschen", - "Delete the photo": "Foto löschen", - "Delete the slice": "Schnitzel löschen", - "Delete the vault": "Tresor löschen", - "Delete your account on https:\/\/customers.monicahq.com.": "Löschen Sie Ihr Konto auf https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Das Löschen des Tresors bedeutet das Löschen aller Daten in diesem Tresor, für immer. Es gibt kein Zurück. Bitte seien Sie sicher.", + "Delete the address": "Löschen Sie die Adresse", + "Delete the photo": "Löschen Sie das Foto", + "Delete the slice": "Löschen Sie das Slice", + "Delete the vault": "Löschen Sie den Tresor", + "Delete your account on https://customers.monicahq.com.": "Löschen Sie Ihr Konto auf https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Das Löschen des Tresors bedeutet, dass alle Daten in diesem Tresor für immer gelöscht werden. Es gibt kein Zurück. Bitte seien Sie sicher.", "Description": "Beschreibung", "Detail of a goal": "Detail eines Ziels", "Details in the last year": "Details im letzten Jahr", @@ -373,11 +373,11 @@ "Disable all": "Alle deaktivieren", "Disconnect": "Trennen", "Discuss partnership": "Partnerschaft besprechen", - "Discuss recent purchases": "Kürzliche Einkäufe besprechen", - "Dismiss": "Entlassen", - "Display help links in the interface to help you (English only)": "Zeigen Sie Hilfslinien in der Benutzeroberfläche an, um Ihnen zu helfen (nur in Englisch)", - "Distance": "Entfernung", - "Documents": "Dokumente", + "Discuss recent purchases": "Besprechen Sie die letzten Einkäufe", + "Dismiss": "Zurückweisen", + "Display help links in the interface to help you (English only)": "Zeigen Sie Hilfelinks in der Benutzeroberfläche an, um Ihnen zu helfen (nur Englisch)", + "Distance": "Distanz", + "Documents": "Unterlagen", "Dog": "Hund", "Done.": "Erledigt.", "Download": "Herunterladen", @@ -387,47 +387,48 @@ "Due and upcoming tasks": "Fällige und anstehende Aufgaben", "Edit": "Bearbeiten", "edit": "bearbeiten", - "Edit a contact": "Kontakt bearbeiten", - "Edit a journal": "Ein Journal bearbeiten", - "Edit a post": "Beitrag bearbeiten", + "Edit a contact": "Bearbeiten Sie einen Kontakt", + "Edit a journal": "Bearbeiten Sie ein Tagebuch", + "Edit a post": "Bearbeiten Sie einen Beitrag", "edited a note": "hat eine Notiz bearbeitet", "Edit group": "Gruppe bearbeiten", "Edit journal": "Tagebuch bearbeiten", - "Edit journal information": "Tagebuchinformationen bearbeiten", - "Edit journal metrics": "Tagebuch-Metriken bearbeiten", + "Edit journal information": "Journalinformationen bearbeiten", + "Edit journal metrics": "Journalmetriken bearbeiten", "Edit names": "Namen bearbeiten", "Editor": "Editor", "Editor users have the ability to read, create, and update.": "Editor-Benutzer haben die Möglichkeit, zu lesen, zu erstellen und zu aktualisieren.", "Edit post": "Beitrag bearbeiten", "Edit Profile": "Profil bearbeiten", - "Edit slice of life": "Schnitzel des Lebens bearbeiten", - "Edit the group": "Die Gruppe bearbeiten", - "Edit the slice of life": "Das Schnitzel des Lebens bearbeiten", + "Edit slice of life": "Ausschnitt des Lebens bearbeiten", + "Edit the group": "Bearbeiten Sie die Gruppe", + "Edit the slice of life": "Bearbeiten Sie den Ausschnitt des Lebens", "Email": "E-Mail", "Email address": "E-Mail-Adresse", - "Email address to send the invitation to": "E-Mail-Adresse zum Senden der Einladung", + "Email address to send the invitation to": "E-Mail-Adresse, an die die Einladung gesendet werden soll", "Email Password Reset Link": "Link zum Zurücksetzen des Passwortes zusenden", "Enable": "Aktivieren", "Enable all": "Alle aktivieren", "Ensure your account is using a long, random password to stay secure.": "Stellen Sie sicher, dass Ihr Konto ein langes, zufälliges Passwort verwendet, um die Sicherheit zu gewährleisten.", - "Enter a number from 0 to 100000. No decimals.": "Geben Sie eine Zahl von 0 bis 100000 ein. Keine Dezimalstellen.", - "Events this month": "Veranstaltungen in diesem Monat", + "Enter a number from 0 to 100000. No decimals.": "Geben Sie eine Zahl zwischen 0 und 100.000 ein. Keine Dezimalstellen.", + "Events this month": "Veranstaltungen diesen Monat", "Events this week": "Veranstaltungen diese Woche", - "Events this year": "Veranstaltungen in diesem Jahr", + "Events this year": "Veranstaltungen dieses Jahr", "Every": "Jeden", - "ex-boyfriend": "Ex-Freund", + "ex-boyfriend": "Ex Freund", "Exception:": "Ausnahme:", - "Existing company": "Vorhandenes Unternehmen", + "Existing company": "Bestehendes Unternehmen", "External connections": "Externe Verbindungen", + "Facebook": "Facebook", "Family": "Familie", "Family summary": "Familienzusammenfassung", "Favorites": "Favoriten", "Female": "Weiblich", "Files": "Dateien", "Filter": "Filter", - "Filter list or create a new label": "Liste filtern oder neues Label erstellen", - "Filter list or create a new tag": "Liste filtern oder neuen Tag erstellen", - "Find a contact in this vault": "Finden Sie einen Kontakt in diesem Tresor", + "Filter list or create a new label": "Filtern Sie die Liste oder erstellen Sie ein neues Etikett", + "Filter list or create a new tag": "Filtern Sie die Liste oder erstellen Sie ein neues Tag", + "Find a contact in this vault": "Suchen Sie in diesem Tresor nach einem Kontakt", "Finish enabling two factor authentication.": "Aktivierung der Zwei-Faktor-Authentifizierung abschließen.", "First name": "Vorname", "First name Last name": "Vorname Nachname", @@ -438,7 +439,6 @@ "For:": "Für:", "For advice": "Für Ratschläge", "Forbidden": "Verboten", - "Forgot password?": "Passwort vergessen?", "Forgot your password?": "Passwort vergessen?", "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Haben Sie Ihr Passwort vergessen? Kein Problem. Teilen Sie uns einfach Ihre E-Mail-Adresse mit und wir senden Ihnen per E-Mail einen Link zum Zurücksetzen des Passworts, über den Sie ein Neues auswählen können.", "For your security, please confirm your password to continue.": "Um fortzufahren, bestätigen Sie zu Ihrer Sicherheit bitte Ihr Passwort.", @@ -451,62 +451,61 @@ "Gender": "Geschlecht", "Gender and pronoun": "Geschlecht und Pronomen", "Genders": "Geschlechter", - "Gift center": "Geschenkzentrum", "Gift occasions": "Geschenkanlässe", - "Gift occasions let you categorize all your gifts.": "Geschenkanlässe ermöglichen es Ihnen, alle Ihre Geschenke zu kategorisieren.", + "Gift occasions let you categorize all your gifts.": "Mit Geschenkanlässen können Sie alle Ihre Geschenke kategorisieren.", "Gift states": "Geschenkzustände", - "Gift states let you define the various states for your gifts.": "Geschenkzustände ermöglichen es Ihnen, die verschiedenen Zustände für Ihre Geschenke zu definieren.", + "Gift states let you define the various states for your gifts.": "Mit Geschenkstatus können Sie die verschiedenen Status für Ihre Geschenke definieren.", "Give this email address a name": "Geben Sie dieser E-Mail-Adresse einen Namen", "Goals": "Ziele", - "Go back": "Zurück", + "Go back": "Geh zurück", "godchild": "Patenkind", "godparent": "Pate", "Google Maps": "Google Maps", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps bietet die beste Genauigkeit und Details, ist aber aus Datenschutzgründen nicht ideal.", - "Got fired": "Entlassen worden", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps bietet die beste Genauigkeit und Details, ist jedoch aus Datenschutzgründen nicht ideal.", + "Got fired": "Wurde gefeuert", "Go to page :page": "Gehe zur Seite :page", "grand child": "Enkelkind", "grand parent": "Großelternteil", "Great! You have accepted the invitation to join the :team team.": "Großartig! Sie haben die Einladung zur Teilnahme am :team angenommen.", - "Group journal entries together with slices of life.": "Gruppieren Sie Tagebucheinträge zusammen mit Schnitzeln des Lebens.", + "Group journal entries together with slices of life.": "Gruppieren Sie Tagebucheinträge zusammen mit Lebensabschnitten.", "Groups": "Gruppen", - "Groups let you put your contacts together in a single place.": "Gruppen ermöglichen es Ihnen, Ihre Kontakte an einem einzigen Ort zu platzieren.", + "Groups let you put your contacts together in a single place.": "Mit Gruppen können Sie Ihre Kontakte an einem einzigen Ort zusammenfassen.", "Group type": "Gruppentyp", "Group type: :name": "Gruppentyp: :name", "Group types": "Gruppentypen", - "Group types let you group people together.": "Gruppentypen ermöglichen es Ihnen, Personen zusammenzufassen.", - "Had a promotion": "Eine Beförderung bekommen", + "Group types let you group people together.": "Mit Gruppentypen können Sie Personen gruppieren.", + "Had a promotion": "Hatte eine Beförderung", "Hamster": "Hamster", - "Have a great day,": "Haben Sie einen schönen Tag,", - "he\/him": "er\/ihn", + "Have a great day,": "Ich wünsche ihnen einen wunderbaren Tag,", + "he/him": "er/ihm", "Hello!": "Hallo!", - "Help": "Hilfe", + "Help": "Helfen", "Hi :name": "Hallo :name", - "Hinduist": "Hinduist", + "Hinduist": "Hinduistisch", "History of the notification sent": "Verlauf der gesendeten Benachrichtigung", "Hobbies": "Hobbys", - "Home": "Zuhause", + "Home": "Heim", "Horse": "Pferd", - "How are you?": "Wie geht es Ihnen?", + "How are you?": "Wie geht es dir?", "How could I have done this day better?": "Wie hätte ich diesen Tag besser machen können?", "How did you feel?": "Wie hast du dich gefühlt?", - "How do you feel right now?": "Wie fühlen Sie sich gerade?", - "however, there are many, many new features that didn't exist before.": "es gibt jedoch viele, viele neue Funktionen, die es vorher nicht gab.", - "How much money was lent?": "Wie viel Geld wurde verliehen?", - "How much was lent?": "Wie viel wurde verliehen?", - "How often should we remind you about this date?": "Wie oft sollen wir Sie an dieses Datum erinnern?", - "How should we display dates": "Wie sollen Daten angezeigt werden?", - "How should we display distance values": "Wie sollen Entfernungen angezeigt werden?", - "How should we display numerical values": "Wie sollen numerische Werte angezeigt werden?", - "I agree to the :terms and :policy": "Ich stimme den :terms und :policy zu", + "How do you feel right now?": "Wie fühlst du dich gerade?", + "however, there are many, many new features that didn't exist before.": "Allerdings gibt es viele, viele neue Funktionen, die es vorher nicht gab.", + "How much money was lent?": "Wie viel Geld wurde geliehen?", + "How much was lent?": "Wie viel wurde geliehen?", + "How often should we remind you about this date?": "Wie oft sollten wir Sie an dieses Datum erinnern?", + "How should we display dates": "Wie sollen wir Daten anzeigen?", + "How should we display distance values": "Wie sollen wir Distanzwerte anzeigen?", + "How should we display numerical values": "Wie sollen wir numerische Werte anzeigen?", + "I agree to the :terms and :policy": "Ich stimme den :terms und :policy zu.", "I agree to the :terms_of_service and :privacy_policy": "Ich akzeptiere die :terms_of_service und die :privacy_policy", "I am grateful for": "Ich bin dankbar für", - "I called": "Ich habe angerufen", + "I called": "Ich rief", "I called, but :name didn’t answer": "Ich habe angerufen, aber :name hat nicht geantwortet", "Idea": "Idee", "I don’t know the name": "Ich kenne den Namen nicht", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Bei Bedarf können Sie sich von allen anderen Browsersitzungen auf allen Ihren Geräten abmelden. Einige Ihrer letzten Sitzungen sind unten aufgelistet, diese Liste ist jedoch möglicherweise nicht vollständig. Wenn Sie der Meinung sind, dass Ihr Konto kompromittiert wurde, sollten Sie auch Ihr Kennwort aktualisieren.", - "If the date is in the past, the next occurence of the date will be next year.": "Wenn das Datum in der Vergangenheit liegt, wird das nächste Auftreten des Datums nächstes Jahr sein.", + "If the date is in the past, the next occurence of the date will be next year.": "Wenn das Datum in der Vergangenheit liegt, ist das nächste Datum das nächste Jahr.", "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Sollten Sie Schwierigkeiten haben, die Schaltfläche \":actionText\" zu klicken, kopieren Sie den nachfolgenden Link\n in Ihre Adresszeile des Browsers.", "If you already have an account, you may accept this invitation by clicking the button below:": "Wenn Sie bereits ein Konto haben, können Sie diese Einladung annehmen, indem Sie auf die Schaltfläche unten klicken:", "If you did not create an account, no further action is required.": "Wenn Sie kein Konto erstellt haben, sind keine weiteren Handlungen nötig.", @@ -517,84 +516,85 @@ "I know the exact date, including the year": "Ich kenne das genaue Datum, einschließlich des Jahres", "I know the name": "Ich kenne den Namen", "Important dates": "Wichtige Daten", - "Important date summary": "Zusammenfassung wichtiger Daten", - "in": "in", - "Information": "Informationen", - "Information from Wikipedia": "Informationen von Wikipedia", + "Important date summary": "Zusammenfassung wichtiger Termine", + "in": "In", + "Information": "Information", + "Information from Wikipedia": "Informationen aus Wikipedia", "in love with": "verliebt in", - "Inspirational post": "Inspirierender Post", - "Invitation sent": "Einladung gesendet", - "Invite a new user": "Einen neuen Benutzer einladen", - "Invite someone": "Jemanden einladen", + "Inspirational post": "Inspirierender Beitrag", + "Invalid JSON was returned from the route.": "Von der Route wurde ein ungültiger JSON-Code zurückgegeben.", + "Invitation sent": "Einladung versendet", + "Invite a new user": "Laden Sie einen neuen Benutzer ein", + "Invite someone": "Lade jemanden ein", "I only know a number of years (an age, for example)": "Ich kenne nur eine Anzahl von Jahren (zum Beispiel ein Alter)", "I only know the day and month, not the year": "Ich kenne nur den Tag und den Monat, nicht das Jahr", - "it misses some of the features, the most important ones being the API and gift management,": "es fehlen einige der Funktionen, die wichtigsten sind die API und die Geschenkverwaltung,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Es scheint, dass es noch keine Vorlagen im Konto gibt. Bitte fügen Sie zuerst mindestens eine Vorlage zu Ihrem Konto hinzu und ordnen Sie dann diese Vorlage diesem Kontakt zu.", + "it misses some of the features, the most important ones being the API and gift management,": "Es fehlen einige Funktionen, die wichtigsten sind die API und die Geschenkverwaltung.", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Es scheint, dass das Konto noch keine Vorlagen enthält. Bitte fügen Sie zunächst mindestens eine Vorlage zu Ihrem Konto hinzu und verknüpfen Sie diese Vorlage dann mit diesem Kontakt.", "Jew": "Jude", - "Job information": "Jobinformationen", - "Job position": "Jobposition", + "Job information": "Berufsinformation", + "Job position": "Berufliche Stellung", "Journal": "Tagebuch", - "Journal entries": "Journal-Einträge", + "Journal entries": "Journaleinträge", "Journal metrics": "Journal-Metriken", - "Journal metrics let you track data accross all your journal entries.": "Journal-Metriken ermöglichen es Ihnen, Daten in allen Ihren Journal-Einträgen zu verfolgen.", - "Journals": "Journale", - "Just because": "Einfach so", - "Just to say hello": "Einfach nur um Hallo zu sagen", + "Journal metrics let you track data accross all your journal entries.": "Mit Journalmetriken können Sie Daten über alle Ihre Journaleinträge hinweg verfolgen.", + "Journals": "Zeitschriften", + "Just because": "Nur weil", + "Just to say hello": "Nur um hallo zu sagen", "Key name": "Schlüsselname", "kilometers (km)": "Kilometer (km)", "km": "km", "Label:": "Etikett:", - "Labels": "Labels", - "Labels let you classify contacts using a system that matters to you.": "Labels ermöglichen es Ihnen, Kontakte mit einem für Sie relevanten System zu klassifizieren.", - "Language of the application": "Sprache der Anwendung", + "Labels": "Etiketten", + "Labels let you classify contacts using a system that matters to you.": "Mithilfe von Etiketten können Sie Kontakte anhand eines für Sie wichtigen Systems klassifizieren.", + "Language of the application": "Sprache der Bewerbung", "Last active": "Zuletzt aktiv", "Last active :date": "Zuletzt aktiv :date", - "Last name": "Nachname", + "Last name": "Familienname, Nachname", "Last name First name": "Nachname Vorname", - "Last updated": "Zuletzt aktualisiert", + "Last updated": "Letzte Aktualisierung", "Last used": "Zuletzt verwendet", "Last used :date": "Zuletzt verwendet :date", "Leave": "Verlassen", "Leave Team": "Team verlassen", "Life": "Leben", - "Life & goals": "Leben & Ziele", + "Life & goals": "Lebensziele", "Life events": "Lebensereignisse", - "Life events let you document what happened in your life.": "Lebensereignisse ermöglichen es Ihnen, zu dokumentieren, was in Ihrem Leben passiert ist.", - "Life event types:": "Lebensereignistypen:", - "Life event types and categories": "Lebensereignistypen und -kategorien", + "Life events let you document what happened in your life.": "Mithilfe von Lebensereignissen können Sie dokumentieren, was in Ihrem Leben passiert ist.", + "Life event types:": "Arten von Lebensereignissen:", + "Life event types and categories": "Arten und Kategorien von Lebensereignissen", "Life metrics": "Lebensmetriken", - "Life metrics let you track metrics that are important to you.": "Lebensmetriken ermöglichen es Ihnen, Metriken zu verfolgen, die für Sie wichtig sind.", - "Link to documentation": "Link zur Dokumentation", + "Life metrics let you track metrics that are important to you.": "Mit Lebensmetriken können Sie Metriken verfolgen, die für Sie wichtig sind.", + "LinkedIn": "LinkedIn", "List of addresses": "Liste der Adressen", "List of addresses of the contacts in the vault": "Liste der Adressen der Kontakte im Tresor", - "List of all important dates": "Liste aller wichtigen Daten", - "Loading…": "Laden…", + "List of all important dates": "Liste aller wichtigen Termine", + "Loading…": "Wird geladen…", "Load previous entries": "Vorherige Einträge laden", - "Loans": "Darlehen", + "Loans": "Kredite", "Locale default: :value": "Gebietsschema-Standard: :value", - "Log a call": "Anruf protokollieren", + "Log a call": "Einen Anruf protokollieren", "Log details": "Protokolldetails", - "logged the mood": "hat die Stimmung protokolliert", + "logged the mood": "protokollierte die Stimmung", "Log in": "Einloggen", "Login": "Anmelden", "Login with:": "Einloggen mit:", "Log Out": "Abmelden", "Logout": "Abmelden", "Log Out Other Browser Sessions": "Andere Browser-Sitzungen abmelden", - "Longest streak": "Längste Serie", + "Longest streak": "Längste Strähne", "Love": "Liebe", "loved by": "geliebt von", "lover": "Liebhaber", - "Made from all over the world. We ❤️ you.": "Gemacht aus der ganzen Welt. Wir ❤️ dich.", - "Maiden name": "Geburtsname", + "Made from all over the world. We ❤️ you.": "Hergestellt aus aller Welt. Wir ❤️ dich.", + "Maiden name": "Mädchenname", "Male": "Männlich", "Manage Account": "Account verwalten", - "Manage accounts you have linked to your Customers account.": "Verwalten Sie die Konten, die Sie mit Ihrem Kundenkonto verknüpft haben.", + "Manage accounts you have linked to your Customers account.": "Verwalten Sie Konten, die Sie mit Ihrem Kundenkonto verknüpft haben.", "Manage address types": "Adresstypen verwalten", "Manage and log out your active sessions on other browsers and devices.": "Verwalten und Abmelden Ihrer aktiven Sitzungen in anderen Browsern und auf anderen Geräten.", "Manage API Tokens": "API-Token verwalten", "Manage call reasons": "Anrufgründe verwalten", - "Manage contact information types": "Kontaktinformations-Typen verwalten", + "Manage contact information types": "Kontaktinformationstypen verwalten", "Manage currencies": "Währungen verwalten", "Manage genders": "Geschlechter verwalten", "Manage gift occasions": "Geschenkanlässe verwalten", @@ -602,7 +602,7 @@ "Manage group types": "Gruppentypen verwalten", "Manage modules": "Module verwalten", "Manage pet categories": "Haustierkategorien verwalten", - "Manage post templates": "Postvorlagen verwalten", + "Manage post templates": "Beitragsvorlagen verwalten", "Manage pronouns": "Pronomen verwalten", "Manager": "Manager", "Manage relationship types": "Beziehungstypen verwalten", @@ -612,6 +612,7 @@ "Manage Team": "Team verwalten", "Manage templates": "Vorlagen verwalten", "Manage users": "Benutzer verwalten", + "Mastodon": "Mastodon", "Maybe one of these contacts?": "Vielleicht einer dieser Kontakte?", "mentor": "Mentor", "Middle name": "Zweiter Vorname", @@ -619,15 +620,15 @@ "miles (mi)": "Meilen (mi)", "Modules in this page": "Module auf dieser Seite", "Monday": "Montag", - "Monica. All rights reserved. 2017 — :date.": "Monica. Alle Rechte vorbehalten. 2017 — :date.", - "Monica is open source, made by hundreds of people from all around the world.": "Monica ist Open Source und wurde von Hunderten von Menschen aus der ganzen Welt erstellt.", - "Monica was made to help you document your life and your social interactions.": "Monica wurde entwickelt, um Ihnen bei der Dokumentation Ihres Lebens und Ihrer sozialen Interaktionen zu helfen.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Alle Rechte vorbehalten. 2017 – :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica ist Open Source und wird von Hunderten von Menschen auf der ganzen Welt erstellt.", + "Monica was made to help you document your life and your social interactions.": "Monica wurde entwickelt, um Ihnen dabei zu helfen, Ihr Leben und Ihre sozialen Interaktionen zu dokumentieren.", "Month": "Monat", "month": "Monat", "Mood in the year": "Stimmung im Jahr", "Mood tracking events": "Stimmungsverfolgungsereignisse", "Mood tracking parameters": "Stimmungsverfolgungsparameter", - "More details": "Weitere Details", + "More details": "Mehr Details", "More errors": "Weitere Fehler", "Move contact": "Kontakt verschieben", "Muslim": "Muslim", @@ -636,50 +637,50 @@ "Name of the reminder": "Name der Erinnerung", "Name of the reverse relationship": "Name der umgekehrten Beziehung", "Nature of the call": "Art des Anrufs", - "nephew\/niece": "Neffe\/Nichte", + "nephew/niece": "Neffe/Nichte", "New Password": "Neues Passwort", "New to Monica?": "Neu bei Monica?", - "Next": "Nächster", + "Next": "Nächste", "Nickname": "Spitzname", "nickname": "Spitzname", - "No cities have been added yet in any contact’s addresses.": "In den Adressen Ihrer Kontakte wurden noch keine Städte hinzugefügt.", + "No cities have been added yet in any contact’s addresses.": "Zu den Kontaktadressen wurden noch keine Städte hinzugefügt.", "No contacts found.": "Keine Kontakte gefunden.", - "No countries have been added yet in any contact’s addresses.": "In den Adressen Ihrer Kontakte wurden noch keine Länder hinzugefügt.", - "No dates in this month.": "In diesem Monat sind keine Daten vorhanden.", + "No countries have been added yet in any contact’s addresses.": "Es wurden noch keine Länder zu den Kontaktadressen hinzugefügt.", + "No dates in this month.": "Keine Termine in diesem Monat.", "No description yet.": "Noch keine Beschreibung.", "No groups found.": "Keine Gruppen gefunden.", "No keys registered yet": "Noch keine Schlüssel registriert", - "No labels yet.": "Noch keine Labels.", - "No life event types yet.": "Noch keine Lebensereignistypen vorhanden.", + "No labels yet.": "Noch keine Etiketten.", + "No life event types yet.": "Noch keine Lebensereignistypen.", "No notes found.": "Keine Notizen gefunden.", - "No results found": "Keine Ergebnisse gefunden", + "No results found": "keine Ergebnisse gefunden", "No role": "Keine Rolle", - "No roles yet.": "Keine Rollen vorhanden.", + "No roles yet.": "Noch keine Rollen.", "No tasks.": "Keine Aufgaben.", - "Notes": "Notizen", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Beachten Sie, dass das Entfernen eines Moduls von einer Seite die tatsächlichen Daten auf Ihren Kontaktseiten nicht löscht. Es wird nur ausgeblendet.", + "Notes": "Anmerkungen", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Beachten Sie, dass durch das Entfernen eines Moduls von einer Seite nicht die tatsächlichen Daten auf Ihren Kontaktseiten gelöscht werden. Es wird es einfach verbergen.", "Not Found": "Nicht gefunden", "Notification channels": "Benachrichtigungskanäle", "Notification sent": "Benachrichtigung gesendet", - "Not set": "Nicht gesetzt", - "No upcoming reminders.": "Keine anstehenden Erinnerungen.", + "Not set": "Nicht eingestellt", + "No upcoming reminders.": "Keine bevorstehenden Erinnerungen.", "Number of hours slept": "Anzahl der geschlafenen Stunden", "Numerical value": "Numerischer Wert", "of": "von", "Offered": "Angeboten", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Sobald ein Team gelöscht wird, werden alle Ressourcen und Daten dauerhaft gelöscht. Laden Sie vor dem Löschen dieses Teams alle Daten oder Informationen zu diesem Team herunter, die Sie behalten möchten.", "Once you cancel,": "Sobald Sie kündigen,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Sobald Sie unten auf die Schaltfläche Einrichten klicken, müssen Sie Telegram mit der Schaltfläche öffnen, die wir Ihnen zur Verfügung stellen. Dadurch wird der Monica Telegram-Bot für Sie lokalisiert.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Sobald Sie unten auf die Schaltfläche „Einrichten“ klicken, müssen Sie Telegram mit der Schaltfläche öffnen, die wir Ihnen zur Verfügung stellen. Dadurch wird der Monica Telegram-Bot für Sie gefunden.", "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Sobald Ihr Konto gelöscht wurde, werden alle Ressourcen und Daten dauerhaft gelöscht. Laden Sie vor dem Löschen Ihres Kontos alle Daten oder Informationen herunter, die Sie behalten möchten.", - "Only once, when the next occurence of the date occurs.": "Nur einmal, wenn das nächste Auftreten des Datums eintritt.", + "Only once, when the next occurence of the date occurs.": "Nur einmal, wenn das Datum das nächste Mal eintritt.", "Oops! Something went wrong.": "Hoppla! Etwas ist schief gelaufen.", - "Open Street Maps": "Open Street Maps", - "Open Street Maps is a great privacy alternative, but offers less details.": "OpenStreetMap ist eine großartige Alternative für den Datenschutz, bietet jedoch weniger Details.", + "Open Street Maps": "Straßenkarten öffnen", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps ist eine großartige Datenschutzalternative, bietet jedoch weniger Details.", "Open Telegram to validate your identity": "Öffnen Sie Telegram, um Ihre Identität zu bestätigen", - "optional": "optional", + "optional": "Optional", "Or create a new one": "Oder erstellen Sie ein neues", "Or filter by type": "Oder nach Typ filtern", - "Or remove the slice": "Oder die Scheibe entfernen", + "Or remove the slice": "Oder entfernen Sie die Scheibe", "Or reset the fields": "Oder setzen Sie die Felder zurück", "Other": "Andere", "Out of respect and appreciation": "Aus Respekt und Wertschätzung", @@ -694,26 +695,26 @@ "Password": "Passwort", "Payment Required": "Zahlung erforderlich", "Pending Team Invitations": "Ausstehende Team Einladungen", - "per\/per": "per\/per", + "per/per": "pro/pro", "Permanently delete this team.": "Löschen Sie dieses Team dauerhaft.", "Permanently delete your account.": "Löschen Sie Ihren Account dauerhaft.", - "Permission for :name": "Berechtigung für :name", + "Permission for :name": "Erlaubnis für :name", "Permissions": "Berechtigungen", - "Personal": "Persönlich", + "Personal": "persönlich", "Personalize your account": "Personalisieren Sie Ihr Konto", "Pet categories": "Haustierkategorien", - "Pet categories let you add types of pets that contacts can add to their profile.": "Haustierkategorien ermöglichen es Ihnen, Arten von Haustieren hinzuzufügen, die Kontakte ihrem Profil hinzufügen können.", - "Pet category": "Haustierkategorie", + "Pet categories let you add types of pets that contacts can add to their profile.": "Mit Haustierkategorien können Sie Haustiertypen hinzufügen, die Kontakte zu ihrem Profil hinzufügen können.", + "Pet category": "Kategorie „Haustier“.", "Pets": "Haustiere", "Phone": "Telefon", "Photo": "Foto", "Photos": "Fotos", - "Played basketball": "Basketball gespielt", + "Played basketball": "Spielte Basketball", "Played golf": "Golf gespielt", - "Played soccer": "Fußball gespielt", + "Played soccer": "Fußball spielen", "Played tennis": "Tennis gespielt", - "Please choose a template for this new post": "Bitte wählen Sie eine Vorlage für diesen neuen Beitrag aus", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Bitte wähle unten eine Vorlage aus, um Monica mitzuteilen, wie dieser Kontakt angezeigt werden soll. Vorlagen ermöglichen es Ihnen, zu definieren, welche Daten auf der Kontaktseite angezeigt werden sollen.", + "Please choose a template for this new post": "Bitte wählen Sie eine Vorlage für diesen neuen Beitrag", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Bitte wählen Sie unten eine Vorlage aus, um Monica mitzuteilen, wie dieser Kontakt angezeigt werden soll. Mithilfe von Vorlagen können Sie festlegen, welche Daten auf der Kontaktseite angezeigt werden sollen.", "Please click the button below to verify your email address.": "Bitte klicken Sie auf die Schaltfläche, um Ihre E-Mail-Adresse zu bestätigen.", "Please complete this form to finalize your account.": "Bitte füllen Sie dieses Formular aus, um Ihr Konto abzuschließen.", "Please confirm access to your account by entering one of your emergency recovery codes.": "Bitte bestätigen Sie den Zugriff auf Ihr Konto, indem Sie einen Ihrer Notfall-Wiederherstellungscodes eingeben.", @@ -725,22 +726,22 @@ "Please enter your password to cancel the account": "Bitte geben Sie Ihr Passwort ein, um das Konto zu kündigen", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Bitte geben Sie Ihr Passwort ein, um zu bestätigen, dass Sie sich von Ihren anderen Browser-Sitzungen auf allen Ihren Geräten abmelden möchten.", "Please indicate the contacts": "Bitte geben Sie die Kontakte an", - "Please join Monica": "Bitte treten Sie Monica bei", + "Please join Monica": "Bitte schließen Sie sich Monica an", "Please provide the email address of the person you would like to add to this team.": "Bitte geben Sie die E-Mail-Adresse der Person an, die Sie diesem Team hinzufügen möchten.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Bitte lesen Sie unsere Dokumentation<\/link>, um mehr über diese Funktion zu erfahren und auf welche Variablen Sie Zugriff haben.", - "Please select a page on the left to load modules.": "Bitte wählen Sie auf der linken Seite eine Seite aus, um Module zu laden.", - "Please type a few characters to create a new label.": "Bitte geben Sie einige Zeichen ein, um ein neues Label zu erstellen.", - "Please type a few characters to create a new tag.": "Bitte geben Sie einige Zeichen ein, um einen neuen Tag zu erstellen.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Bitte lesen Sie unsere Dokumentation, um mehr über diese Funktion zu erfahren und auf welche Variablen Sie Zugriff haben.", + "Please select a page on the left to load modules.": "Bitte wählen Sie links eine Seite aus, um Module zu laden.", + "Please type a few characters to create a new label.": "Bitte geben Sie ein paar Zeichen ein, um ein neues Etikett zu erstellen.", + "Please type a few characters to create a new tag.": "Bitte geben Sie ein paar Zeichen ein, um ein neues Tag zu erstellen.", "Please validate your email address": "Bitte bestätigen Sie Ihre E-Mail-Adresse", - "Please verify your email address": "Bitte überprüfen Sie Ihre E-Mail-Adresse", + "Please verify your email address": "Bitte bestätige deine Email Adresse", "Postal code": "Postleitzahl", "Post metrics": "Post-Metriken", "Posts": "Beiträge", - "Posts in your journals": "Beiträge in Ihren Tagebüchern", - "Post templates": "Beitrag-Vorlagen", + "Posts in your journals": "Beiträge in Ihren Zeitschriften", + "Post templates": "Beitragsvorlagen", "Prefix": "Präfix", "Previous": "Vorherige", - "Previous addresses": "Vorherige Adressen", + "Previous addresses": "Frühere Adressen", "Privacy Policy": "Datenschutzerklärung", "Profile": "Profil", "Profile and security": "Profil und Sicherheit", @@ -749,49 +750,49 @@ "Profile page of :name": "Profilseite von :name", "Pronoun": "Pronomen", "Pronouns": "Pronomen", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Pronomen sind im Grunde genommen, wie wir uns von unserem Namen unterscheiden. Es ist die Art und Weise, wie jemand in einem Gespräch auf uns verweist.", - "protege": "Schützling", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Mit Pronomen identifizieren wir uns im Wesentlichen unabhängig von unserem Namen. Es geht darum, wie sich jemand im Gespräch auf Sie bezieht.", + "protege": "Protege", "Protocol": "Protokoll", "Protocol: :name": "Protokoll: :name", "Province": "Provinz", "Quick facts": "Schnelle Fakten", - "Quick facts let you document interesting facts about a contact.": "Mit Schnellfakten können Sie interessante Fakten über einen Kontakt dokumentieren.", - "Quick facts template": "Vorlage für Schnellfakten", - "Quit job": "Job aufgegeben", + "Quick facts let you document interesting facts about a contact.": "Mit Quick Facts können Sie interessante Fakten zu einem Kontakt dokumentieren.", + "Quick facts template": "Vorlage für kurze Fakten", + "Quit job": "Job beenden", "Rabbit": "Kaninchen", - "Ran": "Gelaufen", + "Ran": "Ran", "Rat": "Ratte", - "Read :count time|Read :count times": "Lese :count Mal|Lese :count Mal", - "Record a loan": "Darlehen aufzeichnen", - "Record your mood": "Stimmung aufzeichnen", + "Read :count time|Read :count times": ":count Mal lesen|:count Mal gelesen", + "Record a loan": "Nehmen Sie einen Kredit auf", + "Record your mood": "Zeichnen Sie Ihre Stimmung auf", "Recovery Code": "Wiederherstellungscode", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Unabhängig davon, wo Sie sich auf der Welt befinden, werden Termine in Ihrer eigenen Zeitzone angezeigt.", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Unabhängig davon, wo auf der Welt Sie sich befinden, können Sie sich Daten in Ihrer eigenen Zeitzone anzeigen lassen.", "Regards": "Mit freundlichen Grüßen", "Regenerate Recovery Codes": "Wiederherstellungscodes neu generieren", "Register": "Registrieren", "Register a new key": "Registrieren Sie einen neuen Schlüssel", "Register a new key.": "Registrieren Sie einen neuen Schlüssel.", - "Regular post": "Regulärer Post", - "Regular user": "Regulärer Benutzer", + "Regular post": "Regelmäßige Post", + "Regular user": "Regelmäßiger Benutzer", "Relationships": "Beziehungen", "Relationship types": "Beziehungstypen", - "Relationship types let you link contacts and document how they are connected.": "Beziehungstypen ermöglichen es Ihnen, Kontakte zu verknüpfen und zu dokumentieren, wie sie miteinander verbunden sind.", + "Relationship types let you link contacts and document how they are connected.": "Mit Beziehungstypen können Sie Kontakte verknüpfen und dokumentieren, wie sie verbunden sind.", "Religion": "Religion", "Religions": "Religionen", - "Religions is all about faith.": "Religionen dreht sich alles um den Glauben.", + "Religions is all about faith.": "Bei Religionen dreht sich alles um den Glauben.", "Remember me": "Angemeldet bleiben", "Reminder for :name": "Erinnerung für :name", "Reminders": "Erinnerungen", "Reminders for the next 30 days": "Erinnerungen für die nächsten 30 Tage", "Remind me about this date every year": "Erinnere mich jedes Jahr an dieses Datum", - "Remind me about this date just once, in one year from now": "Erinnere mich nur einmal an dieses Datum, in einem Jahr von jetzt an", + "Remind me about this date just once, in one year from now": "Erinnern Sie mich nur einmal in einem Jahr an dieses Datum", "Remove": "Entfernen", "Remove avatar": "Avatar entfernen", - "Remove cover image": "Cover-Bild entfernen", - "removed a label": "hat ein Label entfernt", + "Remove cover image": "Titelbild entfernen", + "removed a label": "ein Etikett entfernt", "removed the contact from a group": "hat den Kontakt aus einer Gruppe entfernt", - "removed the contact from a post": "hat den Kontakt aus einem Post entfernt", - "removed the contact from the favorites": "hat den Kontakt aus den Favoriten entfernt", + "removed the contact from a post": "Habe den Kontakt aus einem Beitrag entfernt", + "removed the contact from the favorites": "Habe den Kontakt aus den Favoriten entfernt", "Remove Photo": "Foto entfernen", "Remove Team Member": "Teammitglied entfernen", "Rename": "Umbenennen", @@ -802,78 +803,77 @@ "Reset Password Notification": "Benachrichtigung zum Zurücksetzen des Passworts", "results": "Ergebnisse", "Retry": "Wiederholen", - "Revert": "Zurücksetzen", - "Rode a bike": "Fahrrad gefahren", + "Revert": "Zurückkehren", + "Rode a bike": "Fuhr Fahrrad", "Role": "Rolle", "Roles:": "Rollen:", "Roomates": "Mitbewohner", "Saturday": "Samstag", "Save": "Speichern", "Saved.": "Gespeichert.", - "Saving in progress": "Speichern in Bearbeitung", + "Saving in progress": "Es wird gerade gespeichert", "Searched": "Gesucht", - "Searching…": "Suchen…", + "Searching…": "Suche…", "Search something": "Suche etwas", - "Search something in the vault": "Suche etwas im Tresor", + "Search something in the vault": "Suchen Sie etwas im Tresor", "Sections:": "Abschnitte:", "Security keys": "Sicherheitsschlüssel", "Select a group or create a new one": "Wählen Sie eine Gruppe aus oder erstellen Sie eine neue", "Select A New Photo": "Wählen Sie ein neues Foto aus", - "Select a relationship type": "Wähle einen Beziehungstyp", + "Select a relationship type": "Wählen Sie einen Beziehungstyp aus", "Send invitation": "Einladung senden", "Send test": "Test senden", - "Sent at :time": "Gesendet um :time", + "Sent at :time": "Gesendet am :time", "Server Error": "Interner Fehler", "Service Unavailable": "Service nicht verfügbar", - "Set as default": "Als Standard festlegen", + "Set as default": "Als Standard einstellen", "Set as favorite": "Als Favorit festlegen", "Settings": "Einstellungen", - "Settle": "Abwickeln", + "Settle": "Siedeln", "Setup": "Aufstellen", "Setup Key": "Einrichtungsschlüssel", "Setup Key:": "Setup-Schlüssel:", - "Setup Telegram": "Telegram einrichten", - "she\/her": "sie\/ihr", + "Setup Telegram": "Setup-Telegramm", + "she/her": "sie/sie", "Shintoist": "Shintoist", - "Show Calendar tab": "Kalender-Tab anzeigen", - "Show Companies tab": "Unternehmen-Tab anzeigen", - "Show completed tasks (:count)": "Abgeschlossene Aufgaben anzeigen (:count)", - "Show Files tab": "Dateien-Tab anzeigen", - "Show Groups tab": "Gruppen-Tab anzeigen", + "Show Calendar tab": "Registerkarte „Kalender“ anzeigen", + "Show Companies tab": "Registerkarte „Unternehmen“ anzeigen", + "Show completed tasks (:count)": "Erledigte Aufgaben anzeigen (:count)", + "Show Files tab": "Registerkarte „Dateien“ anzeigen", + "Show Groups tab": "Registerkarte „Gruppen“ anzeigen", "Showing": "Zeigen", - "Showing :count of :total results": "Zeige :count von :total Ergebnissen", - "Showing :first to :last of :total results": "Zeige :first bis :last von :total Ergebnissen", - "Show Journals tab": "Journal-Tab anzeigen", + "Showing :count of :total results": "Es werden :count von :total Ergebnissen angezeigt", + "Showing :first to :last of :total results": "Es werden :first bis :last von :total Ergebnissen angezeigt", + "Show Journals tab": "Registerkarte „Journale“ anzeigen", "Show Recovery Codes": "Zeige die Wiederherstellungscodes", - "Show Reports tab": "Berichte-Tab anzeigen", - "Show Tasks tab": "Aufgaben-Tab anzeigen", - "significant other": "Lebensgefährte", + "Show Reports tab": "Registerkarte „Berichte“ anzeigen", + "Show Tasks tab": "Registerkarte „Aufgaben“ anzeigen", + "significant other": "bessere Hälfte", "Sign in to your account": "Melden Sie sich bei Ihrem Konto an", - "Sign up for an account": "Melden Sie sich für ein Konto an", + "Sign up for an account": "Für einen Account anmelden", "Sikh": "Sikh", "Slept :count hour|Slept :count hours": ":count Stunde geschlafen|:count Stunden geschlafen", - "Slice of life": "Schnitzel des Lebens", - "Slices of life": "Scheiben des Lebens", - "Small animal": "Kleintier", - "Social": "Soziales", - "Some dates have a special type that we will use in the software to calculate an age.": "Einige Daten haben einen speziellen Typ, den wir in der Software zur Berechnung eines Alters verwenden werden.", - "Sort contacts": "Kontakte sortieren", + "Slice of life": "Stück des Lebens", + "Slices of life": "Stücke des Lebens", + "Small animal": "Kleines Tier", + "Social": "Sozial", + "Some dates have a special type that we will use in the software to calculate an age.": "Einige Daten haben einen speziellen Typ, den wir in der Software zur Berechnung eines Alters verwenden.", "So… it works 😼": "Also... es funktioniert 😼", "Sport": "Sport", "spouse": "Ehepartner", "Statistics": "Statistiken", - "Storage": "Speicherplatz", + "Storage": "Lagerung", "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Speichern Sie diese Wiederherstellungscodes in einem sicheren Passwortmanager. Sie können verwendet werden, um den Zugriff auf Ihr Konto wiederherzustellen, wenn Ihr Zwei-Faktor-Authentifizierungsgerät verloren geht.", "Submit": "Einreichen", - "subordinate": "Untergebener", + "subordinate": "untergeordnet", "Suffix": "Suffix", "Summary": "Zusammenfassung", "Sunday": "Sonntag", "Switch role": "Rolle wechseln", "Switch Teams": "Teams wechseln", - "Tabs visibility": "Tab-Sichtbarkeit", - "Tags": "Tags", - "Tags let you classify journal posts using a system that matters to you.": "Tags ermöglichen es Ihnen, Journalbeiträge mit einem für Sie relevanten System zu klassifizieren.", + "Tabs visibility": "Sichtbarkeit der Registerkarten", + "Tags": "Stichworte", + "Tags let you classify journal posts using a system that matters to you.": "Mithilfe von Tags können Sie Zeitschriftenbeiträge anhand eines für Sie relevanten Systems klassifizieren.", "Taoist": "Taoist", "Tasks": "Aufgaben", "Team Details": "Teamdetails", @@ -882,16 +882,15 @@ "Team Name": "Teamname", "Team Owner": "Teambesitzer", "Team Settings": "Teameinstellungen", - "Telegram": "Telegram", + "Telegram": "Telegramm", "Templates": "Vorlagen", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Vorlagen ermöglichen es Ihnen, anzupassen, welche Daten bei Ihren Kontakten angezeigt werden sollen. Sie können so viele Vorlagen definieren, wie Sie möchten, und auswählen, welche Vorlage bei welchem Kontakt verwendet werden soll.", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Mit Vorlagen können Sie anpassen, welche Daten in Ihren Kontakten angezeigt werden sollen. Sie können beliebig viele Vorlagen definieren und auswählen, welche Vorlage für welchen Kontakt verwendet werden soll.", "Terms of Service": "Nutzungsbedingungen", "Test email for Monica": "Test-E-Mail für Monica", "Test email sent!": "Test-E-Mail gesendet!", "Thanks,": "Danke,", - "Thanks for giving Monica a try": "Vielen Dank, dass Sie Monica ausprobiert haben", - "Thanks for giving Monica a try.": "Vielen Dank, dass Sie Monica ausprobiert haben.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Danke für's Registrieren! Könnten Sie, bevor Sie beginnen, Ihre E-Mail-Adresse bestätigen, indem Sie auf den Link klicken, den wir Ihnen gerade per E-Mail gesendet haben? Sollten Sie die E-Mail nicht erhalten haben, senden wir Ihnen gerne eine weitere zu.", + "Thanks for giving Monica a try.": "Danke, dass du Monica einen Versuch gegeben hast.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Danke für’s Registrieren! Bevor Sie beginnen, können Sie Ihre E-Mail-Adresse bestätigen, indem Sie auf den Link klicken, den wir Ihnen gerade per E-Mail zugesandt haben. Wenn Sie die E-Mail nicht erhalten haben, senden wir Ihnen gerne eine weitere zu.", "The :attribute must be at least :length characters.": ":Attribute muss aus mindestens :length Zeichen bestehen.", "The :attribute must be at least :length characters and contain at least one number.": ":Attribute muss aus mindestens :length Zeichen bestehen und mindestens eine Zahl enthalten.", "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute muss aus mindestens :length Zeichen bestehen und mindestens ein Sonderzeichen enthalten.", @@ -901,7 +900,7 @@ "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben und eine Zahl enthalten.", "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute muss aus mindestens :length Zeichen bestehen und mindestens einen Großbuchstaben und ein Sonderzeichen enthalten.", "The :attribute must be a valid role.": ":Attribute muss eine gültige Rolle sein.", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Die Daten des Kontos werden innerhalb von 30 Tagen und von allen Backups innerhalb von 60 Tagen dauerhaft von unseren Servern gelöscht.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Die Daten des Kontos werden innerhalb von 30 Tagen dauerhaft von unseren Servern und innerhalb von 60 Tagen aus allen Backups gelöscht.", "The address type has been created": "Der Adresstyp wurde erstellt", "The address type has been deleted": "Der Adresstyp wurde gelöscht", "The address type has been updated": "Der Adresstyp wurde aktualisiert", @@ -918,16 +917,16 @@ "The channel has been updated": "Der Kanal wurde aktualisiert", "The contact does not belong to any group yet.": "Der Kontakt gehört noch keiner Gruppe an.", "The contact has been added": "Der Kontakt wurde hinzugefügt", - "The contact has been deleted": "Der Kontakt wurde gelöscht.", + "The contact has been deleted": "Der Kontakt wurde gelöscht", "The contact has been edited": "Der Kontakt wurde bearbeitet", "The contact has been removed from the group": "Der Kontakt wurde aus der Gruppe entfernt", - "The contact information has been created": "Die Kontaktinformation wurde erstellt", - "The contact information has been deleted": "Die Kontaktinformation wurde gelöscht", - "The contact information has been edited": "Die Kontaktinformation wurde bearbeitet", + "The contact information has been created": "Die Kontaktinformationen wurden erstellt", + "The contact information has been deleted": "Die Kontaktinformationen wurden gelöscht", + "The contact information has been edited": "Die Kontaktinformationen wurden bearbeitet", "The contact information type has been created": "Der Kontaktinformationstyp wurde erstellt", "The contact information type has been deleted": "Der Kontaktinformationstyp wurde gelöscht", "The contact information type has been updated": "Der Kontaktinformationstyp wurde aktualisiert", - "The contact is archived": "Der Kontakt ist archiviert", + "The contact is archived": "Der Kontakt wird archiviert", "The currencies have been updated": "Die Währungen wurden aktualisiert", "The currency has been updated": "Die Währung wurde aktualisiert", "The date has been added": "Das Datum wurde hinzugefügt", @@ -944,7 +943,7 @@ "The gift occasion has been created": "Der Geschenkanlass wurde erstellt", "The gift occasion has been deleted": "Der Geschenkanlass wurde gelöscht", "The gift occasion has been updated": "Der Geschenkanlass wurde aktualisiert", - "The gift state has been created": "Der Geschenkstatus wurde erstellt", + "The gift state has been created": "Der Geschenkzustand wurde erstellt", "The gift state has been deleted": "Der Geschenkstatus wurde gelöscht", "The gift state has been updated": "Der Geschenkstatus wurde aktualisiert", "The given data was invalid.": "Die gegebenen Daten waren ungültig.", @@ -957,30 +956,30 @@ "The group type has been created": "Der Gruppentyp wurde erstellt", "The group type has been deleted": "Der Gruppentyp wurde gelöscht", "The group type has been updated": "Der Gruppentyp wurde aktualisiert", - "The important dates in the next 12 months": "Die wichtigen Daten in den nächsten 12 Monaten", + "The important dates in the next 12 months": "Die wichtigen Termine in den nächsten 12 Monaten", "The job information has been saved": "Die Jobinformationen wurden gespeichert", - "The journal lets you document your life with your own words.": "Das Tagebuch ermöglicht es Ihnen, Ihr Leben mit eigenen Worten zu dokumentieren.", - "The keys to manage uploads have not been set in this Monica instance.": "Die Schlüssel zur Verwaltung von Uploads wurden in dieser Monica-Instanz nicht festgelegt.", - "The label has been added": "Das Label wurde hinzugefügt", - "The label has been created": "Das Label wurde erstellt", - "The label has been deleted": "Das Label wurde gelöscht", - "The label has been updated": "Das Label wurde aktualisiert", + "The journal lets you document your life with your own words.": "Mit dem Tagebuch können Sie Ihr Leben mit Ihren eigenen Worten dokumentieren.", + "The keys to manage uploads have not been set in this Monica instance.": "Die Schlüssel zum Verwalten von Uploads wurden in dieser Monica-Instanz nicht festgelegt.", + "The label has been added": "Die Beschriftung wurde hinzugefügt", + "The label has been created": "Das Etikett wurde erstellt", + "The label has been deleted": "Das Etikett wurde gelöscht", + "The label has been updated": "Das Etikett wurde aktualisiert", "The life metric has been created": "Die Lebensmetrik wurde erstellt", "The life metric has been deleted": "Die Lebensmetrik wurde gelöscht", "The life metric has been updated": "Die Lebensmetrik wurde aktualisiert", - "The loan has been created": "Der Kredit wurde erstellt", - "The loan has been deleted": "Der Kredit wurde gelöscht", - "The loan has been edited": "Der Kredit wurde bearbeitet", - "The loan has been settled": "Der Kredit wurde abgewickelt", - "The loan is an object": "Der Kredit ist ein Objekt", - "The loan is monetary": "Der Kredit ist monetär", + "The loan has been created": "Das Darlehen wurde erstellt", + "The loan has been deleted": "Das Darlehen wurde gelöscht", + "The loan has been edited": "Das Darlehen wurde bearbeitet", + "The loan has been settled": "Das Darlehen wurde abbezahlt", + "The loan is an object": "Das Darlehen ist ein Gegenstand", + "The loan is monetary": "Das Darlehen ist monetär", "The module has been added": "Das Modul wurde hinzugefügt", "The module has been removed": "Das Modul wurde entfernt", "The note has been created": "Die Notiz wurde erstellt", "The note has been deleted": "Die Notiz wurde gelöscht", "The note has been edited": "Die Notiz wurde bearbeitet", "The notification has been sent": "Die Benachrichtigung wurde gesendet", - "The operation either timed out or was not allowed.": "Die Operation wurde entweder abgebrochen oder nicht zugelassen.", + "The operation either timed out or was not allowed.": "Der Vorgang ist entweder abgelaufen oder nicht zulässig.", "The page has been added": "Die Seite wurde hinzugefügt", "The page has been deleted": "Die Seite wurde gelöscht", "The page has been updated": "Die Seite wurde aktualisiert", @@ -994,9 +993,9 @@ "The photo has been added": "Das Foto wurde hinzugefügt", "The photo has been deleted": "Das Foto wurde gelöscht", "The position has been saved": "Die Position wurde gespeichert", - "The post template has been created": "Die Beitrag-Vorlage wurde erstellt", - "The post template has been deleted": "Die Beitrag-Vorlage wurde gelöscht", - "The post template has been updated": "Die Beitrag-Vorlage wurde aktualisiert", + "The post template has been created": "Die Beitragsvorlage wurde erstellt", + "The post template has been deleted": "Die Beitragsvorlage wurde gelöscht", + "The post template has been updated": "Die Beitragsvorlage wurde aktualisiert", "The pronoun has been created": "Das Pronomen wurde erstellt", "The pronoun has been deleted": "Das Pronomen wurde gelöscht", "The pronoun has been updated": "Das Pronomen wurde aktualisiert", @@ -1004,38 +1003,40 @@ "The provided password was incorrect.": "Das angegebene Passwort war falsch.", "The provided two factor authentication code was invalid.": "Der angegebene Zwei-Faktor-Authentifizierungscode war ungültig.", "The provided two factor recovery code was invalid.": "Der angegebene Zwei-Faktor-Wiederherstellungscode war ungültig.", - "There are no active addresses yet.": "Es gibt noch keine aktiven Adressen.", + "There are no active addresses yet.": "Es sind noch keine aktiven Adressen vorhanden.", "There are no calls logged yet.": "Es sind noch keine Anrufe protokolliert.", - "There are no contact information yet.": "Es sind noch keine Kontaktinformationen vorhanden.", - "There are no documents yet.": "Es sind noch keine Dokumente vorhanden.", - "There are no events on that day, future or past.": "Es gibt keine Ereignisse an diesem Tag, weder in der Zukunft noch in der Vergangenheit.", - "There are no files yet.": "Es gibt noch keine Dateien.", - "There are no goals yet.": "Es sind noch keine Ziele vorhanden.", - "There are no journal metrics.": "Es gibt keine Journal-Metriken.", - "There are no loans yet.": "Es sind noch keine Kredite vorhanden.", - "There are no notes yet.": "Es sind noch keine Notizen vorhanden.", - "There are no other users in this account.": "In diesem Konto sind keine anderen Benutzer vorhanden.", - "There are no pets yet.": "Es sind noch keine Haustiere vorhanden.", - "There are no photos yet.": "Es sind noch keine Fotos vorhanden.", + "There are no contact information yet.": "Es liegen noch keine Kontaktinformationen vor.", + "There are no documents yet.": "Es liegen noch keine Dokumente vor.", + "There are no events on that day, future or past.": "An diesem Tag gibt es keine Ereignisse, weder in der Zukunft noch in der Vergangenheit.", + "There are no files yet.": "Es sind noch keine Dateien vorhanden.", + "There are no goals yet.": "Es gibt noch keine Ziele.", + "There are no journal metrics.": "Es gibt keine Journalmetriken.", + "There are no loans yet.": "Es gibt noch keine Kredite.", + "There are no notes yet.": "Es liegen noch keine Notizen vor.", + "There are no other users in this account.": "Es gibt keine anderen Benutzer in diesem Konto.", + "There are no pets yet.": "Es gibt noch keine Haustiere.", + "There are no photos yet.": "Es gibt noch keine Fotos.", "There are no posts yet.": "Es sind noch keine Beiträge vorhanden.", - "There are no quick facts here yet.": "Es sind noch keine schnellen Fakten vorhanden.", - "There are no relationships yet.": "Es sind noch keine Beziehungen vorhanden.", - "There are no reminders yet.": "Es sind noch keine Erinnerungen vorhanden.", - "There are no tasks yet.": "Es sind noch keine Aufgaben vorhanden.", - "There are no templates in the account. Go to the account settings to create one.": "Es gibt keine Templates im Konto. Gehen Sie zu den Kontoeinstellungen, um eines zu erstellen.", - "There is no activity yet.": "Es gibt noch keine Aktivitäten.", - "There is no currencies in this account.": "In diesem Konto gibt es keine Währungen.", + "There are no quick facts here yet.": "Hier gibt es noch keine schnellen Fakten.", + "There are no relationships yet.": "Es gibt noch keine Beziehungen.", + "There are no reminders yet.": "Es gibt noch keine Erinnerungen.", + "There are no tasks yet.": "Es liegen noch keine Aufgaben vor.", + "There are no templates in the account. Go to the account settings to create one.": "Im Konto sind keine Vorlagen vorhanden. Gehen Sie zu den Kontoeinstellungen, um eines zu erstellen.", + "There is no activity yet.": "Es gibt noch keine Aktivität.", + "There is no currencies in this account.": "Auf diesem Konto sind keine Währungen vorhanden.", "The relationship has been added": "Die Beziehung wurde hinzugefügt", "The relationship has been deleted": "Die Beziehung wurde gelöscht", "The relationship type has been created": "Der Beziehungstyp wurde erstellt", "The relationship type has been deleted": "Der Beziehungstyp wurde gelöscht", "The relationship type has been updated": "Der Beziehungstyp wurde aktualisiert", - "The religion has been created": "Die Religion wurde erstellt", + "The religion has been created": "Die Religion wurde geschaffen", "The religion has been deleted": "Die Religion wurde gelöscht", "The religion has been updated": "Die Religion wurde aktualisiert", "The reminder has been created": "Die Erinnerung wurde erstellt", "The reminder has been deleted": "Die Erinnerung wurde gelöscht", "The reminder has been edited": "Die Erinnerung wurde bearbeitet", + "The response is not a streamed response.": "Die Antwort ist keine gestreamte Antwort.", + "The response is not a view.": "Die Antwort ist keine Ansicht.", "The role has been created": "Die Rolle wurde erstellt", "The role has been deleted": "Die Rolle wurde gelöscht", "The role has been updated": "Die Rolle wurde aktualisiert", @@ -1043,10 +1044,10 @@ "The section has been deleted": "Der Abschnitt wurde gelöscht", "The section has been updated": "Der Abschnitt wurde aktualisiert", "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Diese Personen wurden zu Ihrem Team eingeladen und haben eine Einladungs-E-Mail erhalten. Sie können dem Team beitreten, indem sie die E-Mail-Einladung annehmen.", - "The tag has been added": "Der Tag wurde hinzugefügt", + "The tag has been added": "Das Tag wurde hinzugefügt", "The tag has been created": "Der Tag wurde erstellt", - "The tag has been deleted": "Der Tag wurde gelöscht", - "The tag has been updated": "Der Tag wurde aktualisiert", + "The tag has been deleted": "Das Tag wurde gelöscht", + "The tag has been updated": "Das Tag wurde aktualisiert", "The task has been created": "Die Aufgabe wurde erstellt", "The task has been deleted": "Die Aufgabe wurde gelöscht", "The task has been edited": "Die Aufgabe wurde bearbeitet", @@ -1067,7 +1068,7 @@ "The vault has been created": "Der Tresor wurde erstellt", "The vault has been deleted": "Der Tresor wurde gelöscht", "The vault have been updated": "Der Tresor wurde aktualisiert", - "they\/them": "sie\/ihr", + "they/them": "Sie/ihnen", "This address is not active anymore": "Diese Adresse ist nicht mehr aktiv", "This device": "Dieses Gerät", "This email is a test email to check if Monica can send an email to this email address.": "Bei dieser E-Mail handelt es sich um eine Test-E-Mail, um zu prüfen, ob Monica eine E-Mail an diese E-Mail-Adresse senden kann.", @@ -1076,7 +1077,7 @@ "This is a test notification for :name": "Dies ist eine Testbenachrichtigung für :name", "This key is already registered. It’s not necessary to register it again.": "Dieser Schlüssel ist bereits registriert. Eine erneute Registrierung ist nicht erforderlich.", "This link will open in a new tab": "Dieser Link wird in einem neuen Tab geöffnet", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Diese Seite zeigt alle Benachrichtigungen an, die in diesem Kanal in der Vergangenheit gesendet wurden. Sie dient in erster Linie als Möglichkeit zur Fehlerbehebung, falls Sie die Benachrichtigung, die Sie eingerichtet haben, nicht erhalten.", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Auf dieser Seite werden alle Benachrichtigungen angezeigt, die in der Vergangenheit in diesem Kanal gesendet wurden. Es dient in erster Linie als Möglichkeit zum Debuggen, falls Sie die von Ihnen eingerichtete Benachrichtigung nicht erhalten.", "This password does not match our records.": "Dieses Passwort ist uns nicht bekannt.", "This password reset link will expire in :count minutes.": "Dieser Link zum Zurücksetzen des Passworts läuft in :count Minuten ab.", "This post has no content yet.": "Dieser Beitrag hat noch keinen Inhalt.", @@ -1085,7 +1086,7 @@ "This template will define what information are displayed on a contact page.": "Diese Vorlage definiert, welche Informationen auf einer Kontaktseite angezeigt werden.", "This user already belongs to the team.": "Dieser Benutzer gehört bereits zum Team.", "This user has already been invited to the team.": "Dieser Benutzer wurde bereits in dieses Team eingeladen.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Dieser Benutzer wird Teil Ihres Kontos sein, hat jedoch keinen Zugriff auf alle Tresore in diesem Konto, es sei denn, Sie geben ihnen spezifischen Zugriff darauf. Diese Person wird auch in der Lage sein, Tresore zu erstellen.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Dieser Benutzer wird Teil Ihres Kontos sein, erhält jedoch keinen Zugriff auf alle Tresore in diesem Konto, es sei denn, Sie gewähren ihnen ausdrücklich Zugriff. Diese Person kann auch Tresore erstellen.", "This will immediately:": "Dies wird sofort:", "Three things that happened today": "Drei Dinge, die heute passiert sind", "Thursday": "Donnerstag", @@ -1093,180 +1094,178 @@ "Title": "Titel", "to": "bis", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Um die Aktivierung der Zwei-Faktor-Authentifizierung abzuschließen, scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Smartphones oder geben Sie den Einrichtungsschlüssel ein und geben Sie den generierten OTP-Code ein.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Um die Zwei-Faktor-Authentifizierung zu aktivieren, scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Telefons oder geben Sie den Einrichtungsschlüssel ein und geben Sie den generierten OTP-Code ein.", "Toggle navigation": "Navigation umschalten", "To hear their story": "Um ihre Geschichte zu hören", "Token Name": "Tokenname", - "Token name (for your reference only)": "Token-Name (nur für Ihre Referenz)", - "Took a new job": "Einen neuen Job angenommen", - "Took the bus": "Bus genommen", - "Took the metro": "U-Bahn genommen", + "Token name (for your reference only)": "Token-Name (nur als Referenz)", + "Took a new job": "Habe einen neuen Job angenommen", + "Took the bus": "Nahm den Bus", + "Took the metro": "Bin mit der U-Bahn gefahren", "Too Many Requests": "Zu viele Anfragen", "To see if they need anything": "Um zu sehen, ob sie etwas brauchen", - "To start, you need to create a vault.": "Um zu beginnen, müssen Sie einen Tresor erstellen.", + "To start, you need to create a vault.": "Zunächst müssen Sie einen Tresor erstellen.", "Total:": "Gesamt:", - "Total streaks": "Gesamtzahl von Serien", - "Track a new metric": "Eine neue Metrik verfolgen", + "Total streaks": "Totale Streaks", + "Track a new metric": "Verfolgen Sie eine neue Metrik", "Transportation": "Transport", "Tuesday": "Dienstag", "Two-factor Confirmation": "Zwei-Faktor-Bestätigung", "Two Factor Authentication": "Zwei-Faktor-Authentifizierung", "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Die Zwei-Faktor-Authentifizierung ist jetzt aktiviert. Scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Smartphones oder geben Sie den Einrichtungsschlüssel ein.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Die Zwei-Faktor-Authentifizierung ist jetzt aktiviert. Scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Telefons oder geben Sie den Einrichtungsschlüssel ein.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Die Zwei-Faktor-Authentifizierung ist jetzt aktiviert. Scannen Sie den folgenden QR-Code mit der Authentifizierungsanwendung Ihres Telefons oder geben Sie den Setup-Schlüssel ein.", "Type": "Typ", "Type:": "Typ:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Geben Sie etwas in das Gespräch mit dem Monica-Bot ein. Es kann zum Beispiel starten.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Geben Sie im Gespräch mit dem Monica-Bot etwas ein. Es kann zum Beispiel „Start“ sein.", "Types": "Typen", - "Type something": "Geben Sie etwas ein", - "Unarchive contact": "Kontakt wiederherstellen", - "unarchived the contact": "hat den Kontakt wiederhergestellt", + "Type something": "Schreibe etwas", + "Unarchive contact": "Kontakt aus dem Archiv entfernen", + "unarchived the contact": "Der Kontakt wurde aus der Archivierung entfernt", "Unauthorized": "Nicht autorisiert", - "uncle\/aunt": "Onkel\/Tante", - "Undefined": "Undefiniert", - "Unexpected error on login.": "Unerwarteter Fehler bei der Anmeldung.", + "uncle/aunt": "Onkel,/Tante", + "Undefined": "Nicht definiert", + "Unexpected error on login.": "Unerwarteter Fehler beim Anmelden.", "Unknown": "Unbekannt", "unknown action": "unbekannte Aktion", "Unknown age": "Unbekanntes Alter", - "Unknown contact name": "Unbekannter Kontaktname", "Unknown name": "Unbekannter Name", "Update": "Aktualisieren", "Update a key.": "Aktualisieren Sie einen Schlüssel.", - "updated a contact information": "hat eine Kontaktinformation aktualisiert", - "updated a goal": "hat ein Ziel aktualisiert", - "updated an address": "hat eine Adresse aktualisiert", - "updated an important date": "hat ein wichtiges Datum aktualisiert", - "updated a pet": "hat ein Haustier aktualisiert", + "updated a contact information": "eine Kontaktinformation aktualisiert", + "updated a goal": "ein Ziel aktualisiert", + "updated an address": "eine Adresse aktualisiert", + "updated an important date": "ein wichtiges Datum aktualisiert", + "updated a pet": "ein Haustier aktualisiert", "Updated on :date": "Aktualisiert am :date", - "updated the avatar of the contact": "hat den Avatar des Kontakts aktualisiert", - "updated the contact information": "hat die Kontaktinformationen aktualisiert", - "updated the job information": "hat die Jobinformationen aktualisiert", - "updated the religion": "hat die Religion aktualisiert", + "updated the avatar of the contact": "den Avatar des Kontakts aktualisiert", + "updated the contact information": "habe die Kontaktdaten aktualisiert", + "updated the job information": "die Jobinformationen aktualisiert", + "updated the religion": "die Religion aktualisiert", "Update Password": "Passwort aktualisieren", "Update your account's profile information and email address.": "Aktualisieren Sie die Profilinformationen und die E-Mail-Adresse Ihres Kontos.", - "Update your account’s profile information and email address.": "Aktualisieren Sie die Profilinformationen und E-Mail-Adresse Ihres Kontos.", "Upload photo as avatar": "Foto als Avatar hochladen", "Use": "Verwenden", "Use an authentication code": "Verwenden Sie einen Authentifizierungscode", "Use a recovery code": "Verwenden Sie einen Wiederherstellungscode", "Use a security key (Webauthn, or FIDO) to increase your account security.": "Verwenden Sie einen Sicherheitsschlüssel (Webauthn oder FIDO), um die Sicherheit Ihres Kontos zu erhöhen.", - "User preferences": "Benutzereinstellungen", + "User preferences": "Nutzerpreferenzen", "Users": "Benutzer", "User settings": "Benutzereinstellungen", - "Use the following template for this contact": "Verwenden Sie die folgende Vorlage für diesen Kontakt:", + "Use the following template for this contact": "Verwenden Sie für diesen Kontakt die folgende Vorlage", "Use your password": "Verwenden Sie Ihr Passwort", "Use your security key": "Verwenden Sie Ihren Sicherheitsschlüssel", - "Validating key…": "Validierungsschlüssel…", + "Validating key…": "Schlüssel wird validiert…", "Value copied into your clipboard": "Wert in Ihre Zwischenablage kopiert", - "Vaults contain all your contacts data.": "Tresore enthalten alle Daten Ihrer Kontakte.", - "Vault settings": "Tresor-Einstellungen", - "ve\/ver": "ve\/ver", + "Vaults contain all your contacts data.": "Tresore enthalten alle Ihre Kontaktdaten.", + "Vault settings": "Tresoreinstellungen", + "ve/ver": "ve/ver", "Verification email sent": "Bestätigungs-E-Mail gesendet", "Verified": "Verifiziert", "Verify Email Address": "E-Mail-Adresse bestätigen", "Verify this email address": "Bestätigen Sie diese E-Mail-Adresse", - "Version :version — commit [:short](:url).": "Version :version — commit [:short](:url).", - "Via Telegram": "Über Telegram", + "Version :version — commit [:short](:url).": "Version :version — Commit [:short](:url).", + "Via Telegram": "Per Telegramm", "Video call": "Videoanruf", - "View": "Anzeigen", - "View all": "Alle anzeigen", + "View": "Sicht", + "View all": "Alle ansehen", "View details": "Details anzeigen", - "Viewer": "Betrachter", - "View history": "Verlauf anzeigen", - "View log": "Protokoll anzeigen", - "View on map": "Auf Karte anzeigen", + "Viewer": "Zuschauer", + "View history": "Siehe Verlauf", + "View log": "Protokoll ansehen", + "View on map": "Auf der Karte anzeigen", "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Warten Sie ein paar Sekunden, bis Monica (die Anwendung) Sie erkennt. Wir senden Ihnen eine gefälschte Benachrichtigung, um zu sehen, ob es funktioniert.", - "Waiting for key…": "Warten auf Schlüssel…", - "Walked": "Gelaufen", - "Wallpaper": "Hintergrundbild", + "Waiting for key…": "Warten auf den Schlüssel…", + "Walked": "Ging", + "Wallpaper": "Hintergrund", "Was there a reason for the call?": "Gab es einen Grund für den Anruf?", - "Watched a movie": "Einen Film geschaut", - "Watched a tv show": "Eine TV-Show geschaut", - "Watched TV": "Fernsehen geschaut", + "Watched a movie": "Einen Film angeschaut", + "Watched a tv show": "Eine Fernsehsendung gesehen", + "Watched TV": "Schaute Fernsehen", "Watch Netflix every day": "Schauen Sie jeden Tag Netflix", - "Ways to connect": "Verbindungsmöglichkeiten", + "Ways to connect": "Möglichkeiten zur Verbindung", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn unterstützt nur sichere Verbindungen. Bitte laden Sie diese Seite mit dem https-Schema.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Wir nennen sie Beziehung und ihre umgekehrte Beziehung. Für jede Beziehung, die Sie definieren, müssen Sie deren Gegenstück definieren.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Wir nennen sie eine Beziehung und ihre umgekehrte Beziehung. Für jede Beziehung, die Sie definieren, müssen Sie ihr Gegenstück definieren.", "Wedding": "Hochzeit", "Wednesday": "Mittwoch", - "We hope you'll like it.": "Wir hoffen, es gefällt Ihnen.", - "We hope you will like what we’ve done.": "Wir hoffen, dass Ihnen gefällt, was wir getan haben.", - "Welcome to Monica.": "Willkommen bei Monika.", - "Went to a bar": "In eine Bar gegangen", - "We support Markdown to format the text (bold, lists, headings, etc…).": "Wir unterstützen Markdown zur Formatierung des Textes (fett, Listen, Überschriften, etc…).", + "We hope you'll like it.": "Wir hoffen, dass es Ihnen gefällt.", + "We hope you will like what we’ve done.": "Wir hoffen, dass Ihnen gefällt, was wir gemacht haben.", + "Welcome to Monica.": "Willkommen bei Monica.", + "Went to a bar": "Ging in eine Bar", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Wir unterstützen Markdown zur Formatierung des Textes (Fettdruck, Listen, Überschriften usw.).", "We were unable to find a registered user with this email address.": "Wir konnten keinen registrierten Benutzer mit dieser E-Mail-Adresse finden.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Wir senden eine E-Mail an diese E-Mail-Adresse, die Sie bestätigen müssen, bevor wir Benachrichtigungen an diese Adresse senden können.", "What happens now?": "Was passiert jetzt?", "What is the loan?": "Was ist der Kredit?", - "What permission should :name have?": "Welche Berechtigung soll :name haben?", - "What permission should the user have?": "Welche Berechtigung soll der Benutzer haben?", - "What should we use to display maps?": "Welchen Dienst sollten wir verwenden, um Karten anzuzeigen?", - "What would make today great?": "Was würde diesen Tag großartig machen?", - "When did the call happened?": "Wann hat der Anruf stattgefunden?", + "What permission should :name have?": "Welche Berechtigung sollte :name haben?", + "What permission should the user have?": "Welche Berechtigung sollte der Benutzer haben?", + "Whatsapp": "WhatsApp", + "What should we use to display maps?": "Womit sollen wir Karten anzeigen?", + "What would make today great?": "Was würde den heutigen Tag großartig machen?", + "When did the call happened?": "Wann erfolgte der Anruf?", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Wenn die Zwei-Faktor-Authentifizierung aktiviert ist, werden Sie während der Authentifizierung zur Eingabe eines sicheren, zufälligen Tokens aufgefordert. Sie können dieses Token in der Google Authenticator-Anwendung Ihres Telefons abrufen.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Wenn die Zwei-Faktor-Authentifizierung aktiviert ist, werden Sie bei der Authentifizierung nach einem sicheren, zufälligen Token gefragt. Sie können diesen Token aus der Authenticator-Anwendung Ihres Telefons abrufen.", - "When was the loan made?": "Wann wurde der Kredit aufgenommen?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Wenn die Zwei-Faktor-Authentifizierung aktiviert ist, werden Sie während der Authentifizierung zur Eingabe eines sicheren, zufälligen Tokens aufgefordert. Sie können dieses Token über die Authenticator-Anwendung Ihres Telefons abrufen.", + "When was the loan made?": "Wann wurde der Kredit gewährt?", "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Wenn Sie eine Beziehung zwischen zwei Kontakten definieren, beispielsweise eine Vater-Sohn-Beziehung, erstellt Monica zwei Beziehungen, eine für jeden Kontakt:", - "Which email address should we send the notification to?": "An welche E-Mail-Adresse soll die Benachrichtigung gesendet werden?", + "Which email address should we send the notification to?": "An welche E-Mail-Adresse sollen wir die Benachrichtigung senden?", "Who called?": "Wer hat angerufen?", - "Who makes the loan?": "Wer vergibt das Darlehen?", + "Who makes the loan?": "Wer vergibt den Kredit?", "Whoops!": "Ups!", "Whoops! Something went wrong.": "Ups, etwas ist schief gelaufen.", - "Who should we invite in this vault?": "Wen sollen wir in diesen Tresor einladen?", - "Who the loan is for?": "Für wen ist der Kredit?", - "Wish good day": "Wünsche einen schönen Tag", - "Work": "Arbeit", - "Write the amount with a dot if you need decimals, like 100.50": "Schreiben Sie den Betrag mit einem Punkt, wenn Sie Dezimalstellen benötigen, wie z.B. 100,50", - "Written on": "Geschrieben am", - "wrote a note": "hat eine Notiz geschrieben", - "xe\/xem": "xe\/xem", + "Who should we invite in this vault?": "Wen sollten wir in diesen Tresor einladen?", + "Who the loan is for?": "Für wen ist der Kredit gedacht?", + "Wish good day": "Wünsche einen guten Tag", + "Work": "Arbeiten", + "Write the amount with a dot if you need decimals, like 100.50": "Schreiben Sie den Betrag mit einem Punkt, wenn Sie Dezimalzahlen benötigen, z. B. 100,50", + "Written on": "Geschrieben auf", + "wrote a note": "habe eine Notiz geschrieben", + "xe/xem": "xe/xem", "year": "Jahr", "Years": "Jahre", "You are here:": "Sie sind hier:", - "You are invited to join Monica": "Sie sind eingeladen, Monica beizutreten", + "You are invited to join Monica": "Sie sind herzlich eingeladen, sich Monica anzuschließen", "You are receiving this email because we received a password reset request for your account.": "Sie erhalten diese E-Mail, weil wir einen Antrag auf eine Zurücksetzung Ihres Passworts bekommen haben.", - "you can't even use your current username or password to sign in,": "Sie können sich nicht einmal mit Ihrem aktuellen Benutzernamen oder Passwort anmelden,", - "you can't import any data from your current Monica account(yet),": "Sie können (noch) keine Daten aus Ihrem aktuellen Monica-Konto importieren,", - "You can add job information to your contacts and manage the companies here in this tab.": "Sie können hier im Tab Jobinformationen zu Ihren Kontakten hinzufügen und die Unternehmen verwalten.", - "You can add more account to log in to our service with one click.": "Sie können weitere Konten hinzufügen, um sich mit einem Klick bei unserem Dienst anzumelden.", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Sie können über verschiedene Kanäle benachrichtigt werden: E-Mails, eine Telegrammnachricht, auf Facebook. Du entscheidest.", - "You can change that at any time.": "Sie können das jederzeit ändern.", - "You can choose how you want Monica to display dates in the application.": "Sie können wählen, wie Monica Daten in der Anwendung anzeigen soll.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Sie können auswählen, welche Währungen in Ihrem Konto aktiviert werden sollen und welche nicht.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Sie können anpassen, wie Kontakte gemäß Ihrem eigenen Geschmack\/Kultur angezeigt werden sollen. Vielleicht möchten Sie James Bond anstelle von Bond James verwenden. Hier können Sie es nach Belieben definieren.", - "You can customize the criteria that let you track your mood.": "Sie können die Kriterien anpassen, die es Ihnen ermöglichen, Ihre Stimmung zu verfolgen.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Sie können Kontakte zwischen Tresoren verschieben. Diese Änderung erfolgt sofort. Sie können Kontakte nur in Tresore verschieben, von denen Sie ein Teil sind. Alle Kontaktdaten werden damit verschoben.", - "You cannot remove your own administrator privilege.": "Du kannst dir nicht selbst die Administratorrechte entziehen.", - "You don’t have enough space left in your account.": "Sie haben nicht mehr genügend Speicherplatz in Ihrem Konto.", - "You don’t have enough space left in your account. Please upgrade.": "Sie haben nicht mehr genügend Speicherplatz in Ihrem Konto. Bitte aktualisieren Sie.", + "you can't even use your current username or password to sign in,": "Sie können sich nicht einmal mit Ihrem aktuellen Benutzernamen oder Passwort anmelden.", + "you can't import any data from your current Monica account(yet),": "Sie können (noch) keine Daten aus Ihrem aktuellen Monica-Konto importieren.", + "You can add job information to your contacts and manage the companies here in this tab.": "Sie können Ihren Kontakten Jobinformationen hinzufügen und die Unternehmen hier in dieser Registerkarte verwalten.", + "You can add more account to log in to our service with one click.": "Sie können mit einem Klick weitere Konten hinzufügen, um sich bei unserem Dienst anzumelden.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Sie können über verschiedene Kanäle benachrichtigt werden: E-Mails, eine Telegram-Nachricht, auf Facebook. Du entscheidest.", + "You can change that at any time.": "Das können Sie jederzeit ändern.", + "You can choose how you want Monica to display dates in the application.": "Sie können wählen, wie Monica Datumsangaben in der Anwendung anzeigen soll.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Sie können auswählen, welche Währungen in Ihrem Konto aktiviert sein sollen und welche nicht.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Sie können anpassen, wie Kontakte entsprechend Ihrem eigenen Geschmack/Ihrer eigenen Kultur angezeigt werden sollen. Vielleicht möchten Sie James Bond anstelle von Bond James verwenden. Hier können Sie es nach Belieben definieren.", + "You can customize the criteria that let you track your mood.": "Sie können die Kriterien anpassen, mit denen Sie Ihre Stimmung verfolgen können.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Sie können Kontakte zwischen Tresoren verschieben. Diese Änderung erfolgt unmittelbar. Sie können Kontakte nur in Tresore verschieben, denen Sie angehören. Alle Kontaktdaten werden mit verschoben.", + "You cannot remove your own administrator privilege.": "Sie können Ihre eigenen Administratorrechte nicht entfernen.", + "You don’t have enough space left in your account.": "In Ihrem Konto ist nicht mehr genügend Speicherplatz vorhanden.", + "You don’t have enough space left in your account. Please upgrade.": "In Ihrem Konto ist nicht mehr genügend Speicherplatz vorhanden. Bitte upgraden.", "You have been invited to join the :team team!": "Sie wurden eingeladen dem Team :team beizutreten!", "You have enabled two factor authentication.": "Sie haben die Zwei-Faktor-Authentifizierung aktiviert.", "You have not enabled two factor authentication.": "Sie haben die Zwei-Faktor-Authentifizierung nicht aktiviert.", "You have not setup Telegram in your environment variables yet.": "Sie haben Telegram noch nicht in Ihren Umgebungsvariablen eingerichtet.", - "You haven’t received a notification in this channel yet.": "Sie haben noch keine Benachrichtigung in diesem Kanal erhalten.", + "You haven’t received a notification in this channel yet.": "Sie haben in diesem Kanal noch keine Benachrichtigung erhalten.", "You haven’t setup Telegram yet.": "Sie haben Telegram noch nicht eingerichtet.", "You may accept this invitation by clicking the button below:": "Sie können diese Einladung annehmen, indem Sie auf die Schaltfläche unten klicken:", "You may delete any of your existing tokens if they are no longer needed.": "Sie können alle vorhandenen Token löschen, wenn sie nicht mehr benötigt werden.", "You may not delete your personal team.": "Sie können Ihr persönliches Team nicht löschen.", "You may not leave a team that you created.": "Sie können ein von Ihnen erstelltes Team nicht verlassen.", - "You might need to reload the page to see the changes.": "Sie müssen möglicherweise die Seite neu laden, um die Änderungen zu sehen.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Sie benötigen mindestens eine Vorlage, damit Kontakte angezeigt werden können. Ohne Vorlage weiß Monica nicht, welche Informationen angezeigt werden sollen.", - "Your account current usage": "Ihr aktueller Kontoverbrauch", + "You might need to reload the page to see the changes.": "Möglicherweise müssen Sie die Seite neu laden, um die Änderungen zu sehen.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Damit Kontakte angezeigt werden, benötigen Sie mindestens eine Vorlage. Ohne eine Vorlage weiß Monica nicht, welche Informationen angezeigt werden sollen.", + "Your account current usage": "Aktuelle Nutzung Ihres Kontos", "Your account has been created": "Ihr Konto wurde erstellt", "Your account is linked": "Ihr Konto ist verknüpft", "Your account limits": "Ihre Kontolimits", "Your account will be closed immediately,": "Ihr Konto wird sofort geschlossen,", - "Your browser doesn’t currently support WebAuthn.": "Ihr Browser unterstützt derzeit WebAuthn nicht.", + "Your browser doesn’t currently support WebAuthn.": "Ihr Browser unterstützt WebAuthn derzeit nicht.", "Your email address is unverified.": "Ihre E-Mail-Adresse ist nicht verifiziert.", - "Your life events": "Deine Lebensereignisse", - "Your mood has been recorded!": "Deine Stimmung wurde erfasst!", - "Your mood that day": "Ihre Stimmung an diesem Tag", + "Your life events": "Ihre Lebensereignisse", + "Your mood has been recorded!": "Ihre Stimmung wurde aufgezeichnet!", + "Your mood that day": "Deine Stimmung an diesem Tag", "Your mood that you logged at this date": "Ihre Stimmung, die Sie an diesem Datum protokolliert haben", - "Your mood this year": "Ihre Stimmung in diesem Jahr", - "Your name here will be used to add yourself as a contact.": "Ihr Name hier wird verwendet, um sich selbst als Kontakt hinzuzufügen.", - "You wanted to be reminded of the following:": "Sie wollten an Folgendes erinnert werden:", - "You WILL still have to delete your account on Monica or OfficeLife.": "Sie müssen Ihr Konto auf Monica oder OfficeLife immer noch löschen.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Sie wurden eingeladen, diese E-Mail-Adresse in Monica, einem Open-Source-Personal-CRM, zu verwenden, damit wir sie verwenden können, um Ihnen Benachrichtigungen zu senden.", - "ze\/hir": "ze\/hir", + "Your mood this year": "Deine Stimmung dieses Jahr", + "Your name here will be used to add yourself as a contact.": "Ihr Name wird hier verwendet, um sich selbst als Kontakt hinzuzufügen.", + "You wanted to be reminded of the following:": "Sie möchten an Folgendes erinnert werden:", + "You WILL still have to delete your account on Monica or OfficeLife.": "Sie müssen Ihr Konto bei Monica oder OfficeLife trotzdem löschen.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Sie wurden eingeladen, diese E-Mail-Adresse in Monica, einem persönlichen Open-Source-CRM, zu verwenden, damit wir Ihnen damit Benachrichtigungen senden können.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Gefahrenzone", "🌳 Chalet": "🌳 Chalet", "🏠 Secondary residence": "🏠 Zweitwohnsitz", @@ -1275,10 +1274,10 @@ "🔔 Reminder: :label for :contactName": "🔔 Erinnerung: :label für :contactName", "😀 Good": "😀 Gut", "😁 Positive": "😁 Positiv", - "😐 Meh": "😐 Geht so", + "😐 Meh": "😐 Meh", "😔 Bad": "😔 Schlecht", "😡 Negative": "😡 Negativ", "😩 Awful": "😩 Schrecklich", "😶‍🌫️ Neutral": "😶‍🌫️ Neutral", - "🥳 Awesome": "🥳 Super" + "🥳 Awesome": "🥳 Großartig" } \ No newline at end of file diff --git a/lang/de/http-statuses.php b/lang/de/http-statuses.php index 8a096c43dc3..19c5c0404bb 100644 --- a/lang/de/http-statuses.php +++ b/lang/de/http-statuses.php @@ -12,7 +12,7 @@ '204' => 'Kein Inhalt', '205' => 'Inhalt zurücksetzen', '206' => 'Teilinhalt', - '207' => 'Multi-Status', + '207' => 'Multistatus', '208' => 'Bereits gemeldet', '226' => 'IM verwendet', '300' => 'Mehrfachauswahl', diff --git a/lang/de/validation.php b/lang/de/validation.php index 03f8bdca2d6..836ed9a97d5 100644 --- a/lang/de/validation.php +++ b/lang/de/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute muss zwischen :min & :max Zeichen lang sein.', ], 'boolean' => ':Attribute muss entweder \'true\' oder \'false\' sein.', + 'can' => 'Das Feld :attribute enthält einen nicht autorisierten Wert.', 'confirmed' => ':Attribute stimmt nicht mit der Bestätigung überein.', 'current_password' => 'Das Passwort ist falsch.', 'date' => ':Attribute muss ein gültiges Datum sein.', diff --git a/lang/el.json b/lang/el.json index 3dc55e0c64c..fdc8029bdb9 100644 --- a/lang/el.json +++ b/lang/el.json @@ -1,10 +1,10 @@ { - "(and :count more error)": "(και :count more error)", - "(and :count more errors)": "(και :count περισσότερα σφάλματα)", + "(and :count more error)": "(και άλλα :count σφάλματα)", + "(and :count more errors)": "(και άλλα :count λάθη)", "(Help)": "(Βοήθεια)", - "+ add a contact": "+ Προσθήκη επαφής", + "+ add a contact": "+ προσθήκη επαφής", "+ add another": "+ προσθέστε άλλο", - "+ add another photo": "+ Προσθήκη άλλης φωτογραφίας", + "+ add another photo": "+ προσθήκη άλλης φωτογραφίας", "+ add description": "+ προσθήκη περιγραφής", "+ add distance": "+ προσθήκη απόστασης", "+ add emotion": "+ προσθέστε συναίσθημα", @@ -13,7 +13,7 @@ "+ add title": "+ προσθήκη τίτλου", "+ change date": "+ αλλαγή ημερομηνίας", "+ change template": "+ αλλαγή προτύπου", - "+ create a group": "+ Δημιουργία ομάδας", + "+ create a group": "+ δημιουργία ομάδας", "+ gender": "+ φύλο", "+ last name": "+ επώνυμο", "+ maiden name": "+ πατρικό όνομα", @@ -22,22 +22,22 @@ "+ note": "+ σημείωση", "+ number of hours slept": "+ αριθμός ωρών ύπνου", "+ prefix": "+ πρόθεμα", - "+ pronoun": "+ προνουν", + "+ pronoun": "+ αντωνυμία", "+ suffix": "+ επίθημα", - ":count contact|:count contacts": ":count contact|:count contacts", - ":count hour slept|:count hours slept": ":μετρώ ώρα ύπνου|:μετρώ ώρες ύπνου", - ":count min read": ":μετρήστε λεπτά ανάγνωσης", - ":count post|:count posts": ":count post|:count posts", - ":count template section|:count template sections": ":count template section|:count template τμήματα", - ":count word|:count words": ":count word|:count words", - ":distance km": ":απόσταση χλμ", - ":distance miles": ": μίλια απόστασης", - ":file at line :line": ":αρχείο στη γραμμή :line", + ":count contact|:count contacts": ":count επαφή|:count επαφές", + ":count hour slept|:count hours slept": ":count ώρα ύπνος|:count ώρες ύπνου", + ":count min read": ":count λεπτά ανάγνωσης", + ":count post|:count posts": ":count ανάρτηση|:count δημοσιεύσεις", + ":count template section|:count template sections": ":count ενότητα προτύπου|:count ενότητες προτύπου", + ":count word|:count words": ":count λέξη|:count λέξεις", + ":distance km": ":distance χλμ", + ":distance miles": ":distance μίλια", + ":file at line :line": ":file στη γραμμή :line", ":file in :class at line :line": ":file σε :class στη γραμμή :line", - ":Name called": ":όνομα ονομάζεται", - ":Name called, but I didn’t answer": "Το :name κάλεσε, αλλά δεν απάντησα", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": "Το :userName σας προσκαλεί να εγγραφείτε στη Monica, ένα προσωπικό CRM ανοιχτού κώδικα, σχεδιασμένο για να σας βοηθήσει να τεκμηριώσετε τις σχέσεις σας.", - "Accept Invitation": "Αποδεχτείτε την πρόσκληση", + ":Name called": "Ο :Name κάλεσε", + ":Name called, but I didn’t answer": "Ο :Name τηλεφώνησε, αλλά δεν απάντησα", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": "Το :UserName σας προσκαλεί να εγγραφείτε στη Monica, ένα προσωπικό CRM ανοιχτού κώδικα, που έχει σχεδιαστεί για να σας βοηθήσει να τεκμηριώσετε τις σχέσεις σας.", + "Accept Invitation": "Αποδοχή Πρόσκλησης", "Accept invitation and create your account": "Αποδεχτείτε την πρόσκληση και δημιουργήστε τον λογαριασμό σας", "Account and security": "Λογαριασμός και ασφάλεια", "Account settings": "Ρυθμίσεις λογαριασμού", @@ -45,13 +45,13 @@ "Activate": "Δραστηριοποιώ", "Activity feed": "Ροή δραστηριότητας", "Activity in this vault": "Δραστηριότητα σε αυτό το θησαυροφυλάκιο", - "Add": "Προσθήκη", + "Add": "Προσθέσετε", "add a call reason type": "προσθέστε έναν τύπο αιτίας κλήσης", "Add a contact": "Πρόσθεσε μια επαφή", "Add a contact information": "Προσθέστε στοιχεία επικοινωνίας", "Add a date": "Προσθέστε μια ημερομηνία", "Add additional security to your account using a security key.": "Προσθέστε επιπλέον ασφάλεια στον λογαριασμό σας χρησιμοποιώντας ένα κλειδί ασφαλείας.", - "Add additional security to your account using two factor authentication.": "Προσθέστε επιπλέον ασφάλεια στον λογαριασμό σας χρησιμοποιώντας έλεγχο ταυτότητας δύο παραγόντων.", + "Add additional security to your account using two factor authentication.": "Προσθέστε επιπλέον ασφάλεια στο λογαριασμό σας χρησιμοποιώντας έλεγχο ταυτότητας δύο παραγόντων.", "Add a document": "Προσθέστε ένα έγγραφο", "Add a due date": "Προσθέστε μια ημερομηνία λήξης", "Add a gender": "Προσθέστε ένα φύλο", @@ -71,7 +71,7 @@ "Add an email to be notified when a reminder occurs.": "Προσθέστε ένα email για να ειδοποιείστε όταν εμφανίζεται μια υπενθύμιση.", "Add an entry": "Προσθέστε μια καταχώριση", "add a new metric": "προσθέστε μια νέα μέτρηση", - "Add a new team member to your team, allowing them to collaborate with you.": "Προσθέστε ένα νέο μέλος ομάδας στην ομάδα σας, επιτρέποντάς τους να συνεργαστούν μαζί σας.", + "Add a new team member to your team, allowing them to collaborate with you.": "Προσθέστε ένα νέο μέλος της ομάδας στην ομάδα σας, επιτρέποντάς τους να συνεργαστούν μαζί σας.", "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Προσθέστε μια σημαντική ημερομηνία για να θυμάστε τι είναι σημαντικό για εσάς σχετικά με αυτό το άτομο, όπως μια ημερομηνία γέννησης ή μια ημερομηνία θανάτου.", "Add a note": "Προσθέστε μια σημείωση", "Add another life event": "Προσθέστε ένα άλλο συμβάν ζωής", @@ -98,7 +98,7 @@ "Add a user": "Προσθήκη χρήστη", "Add a vault": "Προσθέστε ένα θησαυροφυλάκιο", "Add date": "Προσθήκη ημερομηνίας", - "Added.": "Προστέθηκε.", + "Added.": "Προστίθεται.", "added a contact information": "πρόσθεσε στοιχεία επικοινωνίας", "added an address": "πρόσθεσε μια διεύθυνση", "added an important date": "πρόσθεσε μια σημαντική ημερομηνία", @@ -115,19 +115,19 @@ "Address type": "Τύπος Διεύθυνσης", "Address types": "Τύποι διευθύνσεων", "Address types let you classify contact addresses.": "Οι τύποι διευθύνσεων σάς επιτρέπουν να ταξινομείτε τις διευθύνσεις επαφών.", - "Add Team Member": "Προσθήκη μέλους ομάδας", + "Add Team Member": "Προσθήκη Μέλους Ομάδας", "Add to group": "Προσθήκη στην ομάδα", "Administrator": "Διαχειριστής", - "Administrator users can perform any action.": "Οι χρήστες διαχειριστών μπορούν να εκτελέσουν οποιαδήποτε ενέργεια.", + "Administrator users can perform any action.": "Οι χρήστες του διαχειριστή μπορούν να εκτελέσουν οποιαδήποτε ενέργεια.", "a father-son relation shown on the father page,": "μια σχέση πατέρα-γιου που εμφανίζεται στη σελίδα πατέρα,", "after the next occurence of the date.": "μετά την επόμενη εμφάνιση της ημερομηνίας.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Μια ομάδα είναι δύο ή περισσότερα άτομα μαζί. Μπορεί να είναι οικογένεια, νοικοκυριό, αθλητικό σωματείο. Ό,τι είναι σημαντικό για εσάς.", "All contacts in the vault": "Όλες οι επαφές στο θησαυροφυλάκιο", "All files": "Ολα τα αρχεία", "All groups in the vault": "Όλες οι ομάδες στο θησαυροφυλάκιο", - "All journal metrics in :name": "Όλες οι μετρήσεις περιοδικών στο :name", + "All journal metrics in :name": "Όλες οι μετρήσεις ημερολογίου σε :name", "All of the people that are part of this team.": "Όλοι οι άνθρωποι που είναι μέρος αυτής της ομάδας.", - "All rights reserved.": "Ολα τα δικαιώματα διατηρούνται.", + "All rights reserved.": "Πνευματική προστασία περιεχομένου.", "All tags": "Όλες οι ετικέτες", "All the address types": "Όλοι οι τύποι διευθύνσεων", "All the best,": "Τα καλύτερα,", @@ -161,17 +161,17 @@ "All the vaults in the account": "Όλα τα θησαυροφυλάκια στον λογαριασμό", "All users and vaults will be deleted immediately,": "Όλοι οι χρήστες και τα θησαυροφυλάκια θα διαγραφούν αμέσως,", "All users in this account": "Όλοι οι χρήστες σε αυτόν τον λογαριασμό", - "Already registered?": "Εχουν ήδη καταχωρηθεί?", + "Already registered?": "Είστε ήδη εγγεγραμμένος?", "Already used on this page": "Χρησιμοποιείται ήδη σε αυτή τη σελίδα", "A new verification link has been sent to the email address you provided during registration.": "Ένας νέος σύνδεσμος επαλήθευσης έχει σταλεί στη διεύθυνση email που καταχωρίσατε κατά την εγγραφή.", "A new verification link has been sent to the email address you provided in your profile settings.": "Ένας νέος σύνδεσμος επαλήθευσης έχει σταλεί στη διεύθυνση email που καταχωρίσατε στις ρυθμίσεις του προφίλ σας.", "A new verification link has been sent to your email address.": "Ένας νέος σύνδεσμος επαλήθευσης έχει σταλεί στη διεύθυνση email σας.", "Anniversary": "Επέτειος", "Apartment, suite, etc…": "Διαμέρισμα, σουίτα κλπ…", - "API Token": "Token API", - "API Token Permissions": "Δικαιώματα διακριτικού API", - "API Tokens": "Tokens API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Τα διακριτικά API επιτρέπουν σε υπηρεσίες τρίτων τον έλεγχο ταυτότητας με την εφαρμογή μας για λογαριασμό σας.", + "API Token": "Διακριτικό API", + "API Token Permissions": "Άδειες συμβόλων API", + "API Tokens": "Μάρκες API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Τα API token επιτρέπουν στις υπηρεσίες τρίτων να πιστοποιούν με την εφαρμογή μας για λογαριασμό σας.", "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Ένα πρότυπο ανάρτησης καθορίζει τον τρόπο εμφάνισης του περιεχομένου μιας ανάρτησης. Μπορείτε να ορίσετε όσα πρότυπα θέλετε και να επιλέξετε ποιο πρότυπο θα χρησιμοποιηθεί σε ποια ανάρτηση.", "Archive": "Αρχείο", "Archive contact": "Αρχειοθέτηση επαφής", @@ -188,13 +188,13 @@ "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Είσαι σίγουρος? Αυτό θα καταργήσει τα φύλα από όλες τις επαφές, αλλά δεν θα διαγράψει τις ίδιες τις επαφές.", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Είσαι σίγουρος? Αυτό θα καταργήσει το πρότυπο από όλες τις επαφές, αλλά δεν θα διαγράψει τις ίδιες τις επαφές.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν την ομάδα; Μόλις διαγραφεί μια ομάδα, όλοι οι πόροι και τα δεδομένα της θα διαγραφούν οριστικά.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Είστε βέβαιοι ότι θέλετε να διαγράψετε τον λογαριασμό σας; Μόλις διαγραφεί ο λογαριασμός σας, όλοι οι πόροι και τα δεδομένα του θα διαγραφούν οριστικά. Εισαγάγετε τον κωδικό πρόσβασής σας για να επιβεβαιώσετε ότι θέλετε να διαγράψετε οριστικά τον λογαριασμό σας.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Είστε βέβαιοι ότι θέλετε να διαγράψετε το λογαριασμό σας; Μόλις διαγραφεί ο λογαριασμός σας, όλοι οι πόροι και τα δεδομένα του θα διαγραφούν οριστικά. Παρακαλώ εισάγετε τον κωδικό πρόσβασής σας για να επιβεβαιώσετε ότι θέλετε να διαγράψετε οριστικά το λογαριασμό σας.", "Are you sure you would like to archive this contact?": "Είστε βέβαιοι ότι θέλετε να αρχειοθετήσετε αυτήν την επαφή;", - "Are you sure you would like to delete this API token?": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το διακριτικό API;", + "Are you sure you would like to delete this API token?": "Είστε βέβαιοι ότι θα θέλατε να διαγράψετε αυτό το διακριτικό API;", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν την επαφή; Αυτό θα καταργήσει όλα όσα γνωρίζουμε για αυτήν την επαφή.", "Are you sure you would like to delete this key?": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το κλειδί;", - "Are you sure you would like to leave this team?": "Είστε σίγουροι ότι θα θέλατε να φύγετε από αυτήν την ομάδα;", - "Are you sure you would like to remove this person from the team?": "Είστε βέβαιοι ότι θέλετε να αφαιρέσετε αυτό το άτομο από την ομάδα;", + "Are you sure you would like to leave this team?": "Είσαι σίγουρος ότι θα ήθελες να φύγεις από αυτή την ομάδα;", + "Are you sure you would like to remove this person from the team?": "Είστε σίγουροι ότι θα θέλατε να αφαιρέσετε αυτό το άτομο από την ομάδα;", "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Ένα κομμάτι ζωής σάς επιτρέπει να ομαδοποιείτε τις αναρτήσεις με βάση κάτι που έχει νόημα για εσάς. Προσθέστε ένα κομμάτι ζωής σε μια ανάρτηση για να το δείτε εδώ.", "a son-father relation shown on the son page.": "μια σχέση γιου-πατέρα που εμφανίζεται στη σελίδα γιου.", "assigned a label": "έδωσε μια ετικέτα", @@ -220,8 +220,8 @@ "boss": "αφεντικό", "Bought": "Αγορασμένος", "Breakdown of the current usage": "Ανάλυση της τρέχουσας χρήσης", - "brother\/sister": "αδερφός αδερφή", - "Browser Sessions": "Συνεδρίες προγράμματος περιήγησης", + "brother/sister": "αδερφός/αδερφή", + "Browser Sessions": "Συνεδρίες Προγράμματος Περιήγησης", "Buddhist": "βουδιστής", "Business": "Επιχείρηση", "By last updated": "Με την τελευταία ενημέρωση", @@ -229,7 +229,7 @@ "Call reasons": "Λόγοι κλήσης", "Call reasons let you indicate the reason of calls you make to your contacts.": "Οι λόγοι κλήσης σάς επιτρέπουν να υποδείξετε τον λόγο των κλήσεων που πραγματοποιείτε στις επαφές σας.", "Calls": "κλήσεις", - "Cancel": "Ματαίωση", + "Cancel": "Ακύρωση", "Cancel account": "Ακύρωση λογαριασμού", "Cancel all your active subscriptions": "Ακυρώστε όλες τις ενεργές συνδρομές σας", "Cancel your account": "Ακυρώστε τον λογαριασμό σας", @@ -260,16 +260,16 @@ "City": "Πόλη", "Click here to re-send the verification email.": "Κάντε κλικ εδώ για να στείλετε ξανά το email επαλήθευσης.", "Click on a day to see the details": "Κάντε κλικ σε μια ημέρα για να δείτε τις λεπτομέρειες", - "Close": "Κλείσε", + "Close": "Κλείσετε", "close edit mode": "κλείσιμο λειτουργίας επεξεργασίας", "Club": "Λέσχη", "Code": "Κώδικας", "colleague": "συνάδελφος", "Companies": "Εταιρείες", "Company name": "Ονομα εταιρείας", - "Compared to Monica:": "Σε σύγκριση με τη Μόνικα:", + "Compared to Monica:": "Σε σύγκριση με τη Monica:", "Configure how we should notify you": "Διαμορφώστε τον τρόπο με τον οποίο πρέπει να σας ειδοποιούμε", - "Confirm": "Επιβεβαιώνω", + "Confirm": "Επιβεβαίωση", "Confirm Password": "Επιβεβαίωση Κωδικού", "Connect": "Συνδέω-συωδεομαι", "Connected": "Συνδεδεμένος", @@ -291,9 +291,9 @@ "Country": "Χώρα", "Couple": "Ζευγάρι", "cousin": "ξαδερφος ξαδερφη", - "Create": "Δημιουργώ", + "Create": "Δημιουργήσετε", "Create account": "Δημιουργήστε λογαριασμό", - "Create Account": "Δημιουργήστε λογαριασμό", + "Create Account": "Δημιουργία Λογαριασμού", "Create a contact": "Δημιουργήστε μια επαφή", "Create a contact entry for this person": "Δημιουργήστε μια καταχώρηση επαφής για αυτό το άτομο", "Create a journal": "Δημιουργήστε ένα ημερολόγιο", @@ -302,7 +302,7 @@ "Create an account": "Δημιουργία λογαριασμού", "Create a new address": "Δημιουργήστε μια νέα διεύθυνση", "Create a new team to collaborate with others on projects.": "Δημιουργήστε μια νέα ομάδα για να συνεργαστείτε με άλλους σε έργα.", - "Create API Token": "Δημιουργία API Token", + "Create API Token": "Δημιουργία Token API", "Create a post": "Δημιουργήστε μια ανάρτηση", "Create a reminder": "Δημιουργήστε μια υπενθύμιση", "Create a slice of life": "Δημιουργήστε ένα κομμάτι ζωής", @@ -316,13 +316,13 @@ "Create label": "Δημιουργία ετικέτας", "Create new label": "Δημιουργία νέας ετικέτας", "Create new tag": "Δημιουργία νέας ετικέτας", - "Create New Team": "Δημιουργία νέας ομάδας", - "Create Team": "Δημιουργία ομάδας", + "Create New Team": "Δημιουργία Νέας Ομάδας", + "Create Team": "Δημιουργία Ομάδας", "Currencies": "νομίσματα", "Currency": "Νόμισμα", "Current default": "Τρέχουσα προεπιλογή", "Current language:": "Τρέχουσα γλώσσα:", - "Current Password": "Τρέχων κωδικός πρόσβασης", + "Current Password": "Τρέχων Κωδικός Πρόσβασης", "Current site used to display maps:": "Ο τρέχων ιστότοπος που χρησιμοποιείται για την εμφάνιση χαρτών:", "Current streak": "Τρέχον σερί", "Current timezone:": "Τρέχουσα ζώνη ώρας:", @@ -333,7 +333,7 @@ "Customize how contacts should be displayed": "Προσαρμόστε τον τρόπο εμφάνισης των επαφών", "Custom name order": "Προσαρμοσμένη σειρά ονόματος", "Daily affirmation": "Καθημερινή επιβεβαίωση", - "Dashboard": "Ταμπλό", + "Dashboard": "Πίνακας", "date": "ημερομηνία", "Date of the event": "Ημερομηνία της εκδήλωσης", "Date of the event:": "Ημερομηνία εκδήλωσης:", @@ -345,10 +345,10 @@ "Deceased date": "Ημερομηνία θανάτου", "Default template": "Προεπιλεγμένο πρότυπο", "Default template to display contacts": "Προεπιλεγμένο πρότυπο για την εμφάνιση επαφών", - "Delete": "Διαγράφω", - "Delete Account": "Διαγραφή λογαριασμού", - "Delete a new key": "Διαγράψτε ένα νέο κλειδί", - "Delete API Token": "Διαγραφή διακριτικού API", + "Delete": "Διαγράψετε", + "Delete Account": "Διαγραφή Λογαριασμού", + "Delete a new key": "Διαγραφή νέου κλειδιού", + "Delete API Token": "Διαγραφή Token API", "Delete contact": "Διαγραφή επαφής", "deleted a contact information": "διέγραψε στοιχεία επικοινωνίας", "deleted a goal": "διέγραψε ένα στόχο", @@ -359,17 +359,17 @@ "Deleted author": "Διαγραμμένος συγγραφέας", "Delete group": "Διαγραφή ομάδας", "Delete journal": "Διαγραφή ημερολογίου", - "Delete Team": "Διαγραφή ομάδας", + "Delete Team": "Διαγραφή Ομάδας", "Delete the address": "Διαγράψτε τη διεύθυνση", "Delete the photo": "Διαγράψτε τη φωτογραφία", "Delete the slice": "Διαγράψτε τη φέτα", "Delete the vault": "Διαγράψτε το θησαυροφυλάκιο", - "Delete your account on https:\/\/customers.monicahq.com.": "Διαγράψτε τον λογαριασμό σας στη διεύθυνση https:\/\/customers.monicahq.com.", + "Delete your account on https://customers.monicahq.com.": "Διαγράψτε τον λογαριασμό σας στη διεύθυνση https://customers.monicahq.com.", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Διαγραφή του θησαυροφυλακίου σημαίνει διαγραφή όλων των δεδομένων μέσα σε αυτό το θησαυροφυλάκιο, για πάντα. Δεν υπάρχει γυρισμός. Παρακαλώ να είστε σίγουροι.", "Description": "Περιγραφή", "Detail of a goal": "Λεπτομέρεια ενός στόχου", "Details in the last year": "Λεπτομέρειες τον τελευταίο χρόνο", - "Disable": "Καθιστώ ανίκανο", + "Disable": "Απενεργοποιήσετε", "Disable all": "Απενεργοποίηση όλων", "Disconnect": "Αποσυνδέω", "Discuss partnership": "Συζητήστε τη συνεργασία", @@ -379,12 +379,12 @@ "Distance": "Απόσταση", "Documents": "Εγγραφα", "Dog": "Σκύλος", - "Done.": "Εγινε.", + "Done.": "Ολοκληρώθηκε.", "Download": "Κατεβάστε", "Download as vCard": "Λήψη ως vCard", "Drank": "Ήπιε", "Drove": "Οδήγησε", - "Due and upcoming tasks": "Προβλεπόμενες και επερχόμενες εργασίες", + "Due and upcoming tasks": "Προβλεπόμενες και επικείμενες εργασίες", "Edit": "Επεξεργασία", "edit": "επεξεργασία", "Edit a contact": "Επεξεργαστείτε μια επαφή", @@ -397,19 +397,19 @@ "Edit journal metrics": "Επεξεργασία μετρήσεων περιοδικών", "Edit names": "Επεξεργασία ονομάτων", "Editor": "Συντάκτης", - "Editor users have the ability to read, create, and update.": "Οι χρήστες του προγράμματος επεξεργασίας έχουν τη δυνατότητα να διαβάζουν, να δημιουργούν και να ενημερώνουν.", + "Editor users have the ability to read, create, and update.": "Οι χρήστες του επεξεργαστή έχουν τη δυνατότητα να διαβάζουν, να δημιουργούν και να ενημερώνουν.", "Edit post": "Επεξεργασία ανάρτησης", "Edit Profile": "Επεξεργασία προφίλ", "Edit slice of life": "Επεξεργαστείτε το κομμάτι της ζωής", "Edit the group": "Επεξεργαστείτε την ομάδα", "Edit the slice of life": "Επεξεργαστείτε το κομμάτι της ζωής", - "Email": "ΗΛΕΚΤΡΟΝΙΚΗ ΔΙΕΥΘΥΝΣΗ", + "Email": "Ηλεκτρονικού", "Email address": "Διεύθυνση ηλεκτρονικού ταχυδρομείου", "Email address to send the invitation to": "Διεύθυνση email στην οποία θα στείλετε την πρόσκληση", - "Email Password Reset Link": "Σύνδεσμος επαναφοράς κωδικού πρόσβασης email", - "Enable": "επιτρέπω", + "Email Password Reset Link": "Αποστολή Σύνδεσμου Επαναφοράς Κωδικού", + "Enable": "Ενεργοποιήσετε", "Enable all": "Ενεργοποίηση όλων", - "Ensure your account is using a long, random password to stay secure.": "Βεβαιωθείτε ότι ο λογαριασμός σας χρησιμοποιεί έναν μακρύ, τυχαίο κωδικό πρόσβασης για να παραμείνετε ασφαλείς.", + "Ensure your account is using a long, random password to stay secure.": "Βεβαιωθείτε ότι ο λογαριασμός σας χρησιμοποιεί ένα μακρύ, τυχαίο κωδικό πρόσβασης για να παραμείνετε ασφαλείς.", "Enter a number from 0 to 100000. No decimals.": "Εισαγάγετε έναν αριθμό από το 0 έως το 100000. Χωρίς δεκαδικά.", "Events this month": "Εκδηλώσεις αυτόν τον μήνα", "Events this week": "Εκδηλώσεις αυτή την εβδομάδα", @@ -419,6 +419,7 @@ "Exception:": "Εξαίρεση:", "Existing company": "Υπάρχουσα εταιρεία", "External connections": "Εξωτερικές συνδέσεις", + "Facebook": "Facebook", "Family": "Οικογένεια", "Family summary": "Περίληψη της οικογένειας", "Favorites": "Αγαπημένα", @@ -437,10 +438,9 @@ "for": "Για", "For:": "Για:", "For advice": "Για συμβουλή", - "Forbidden": "Απαγορευμένος", - "Forgot password?": "Ξεχάσατε τον κωδικό?", + "Forbidden": "Απαγορευμένο", "Forgot your password?": "Ξεχάσατε τον κωδικό σας;", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Ξεχάσατε τον κωδικό σας; Κανένα πρόβλημα. Απλώς ενημερώστε μας τη διεύθυνση email σας και θα σας στείλουμε ένα σύνδεσμο επαναφοράς κωδικού πρόσβασης που θα σας επιτρέψει να επιλέξετε έναν νέο.", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Ξεχάσατε τον κωδικό σας; Κανένα πρόβλημα. Δώστε μας την διεύθυνση ηλεκτρονικού ταχυδρομείου σας και θα σας στείλουμε ένα email με έναν σύνδεσμο (link), που θα σας επιστρέψει να δημιουργήσετε έναν νέο κωδικό πρόσβασης.", "For your security, please confirm your password to continue.": "Για την ασφάλειά σας, επιβεβαιώστε τον κωδικό πρόσβασής σας για να συνεχίσετε.", "Found": "Βρέθηκαν", "Friday": "Παρασκευή", @@ -451,7 +451,6 @@ "Gender": "Γένος", "Gender and pronoun": "Φύλο και αντωνυμία", "Genders": "Φύλο", - "Gift center": "Κέντρο δώρων", "Gift occasions": "Ευκαιρίες δώρων", "Gift occasions let you categorize all your gifts.": "Οι περιπτώσεις δώρων σάς επιτρέπουν να ταξινομήσετε όλα τα δώρα σας.", "Gift states": "Δώρο καταστάσεις", @@ -467,7 +466,7 @@ "Go to page :page": "Μετάβαση στη σελίδα :page", "grand child": "εγγονό", "grand parent": "παππούς", - "Great! You have accepted the invitation to join the :team team.": "Εξαιρετική! Έχετε αποδεχτεί την πρόσκληση να γίνετε μέλος της ομάδας :team.", + "Great! You have accepted the invitation to join the :team team.": "Τέλεια! Έχετε αποδεχθεί την πρόσκληση να συμμετάσχετε στην ομάδα :team.", "Group journal entries together with slices of life.": "Ομαδικές εγγραφές ημερολογίου μαζί με φέτες ζωής.", "Groups": "Ομάδες", "Groups let you put your contacts together in a single place.": "Οι ομάδες σάς επιτρέπουν να ενώσετε τις επαφές σας σε ένα μόνο μέρος.", @@ -478,11 +477,11 @@ "Had a promotion": "Είχε προαγωγή", "Hamster": "Χάμστερ", "Have a great day,": "Να έχεις μια υπέροχη μέρα,", - "he\/him": "αυτός αυτόν", - "Hello!": "Γειά σου!", + "he/him": "αυτός/αυτόν", + "Hello!": "Χαίρετε!", "Help": "Βοήθεια", "Hi :name": "Γεια :name", - "Hinduist": "ινδουϊστής", + "Hinduist": "Ινδουιστής", "History of the notification sent": "Ιστορικό της ειδοποίησης που στάλθηκε", "Hobbies": "Χόμπι", "Home": "Σπίτι", @@ -498,21 +497,21 @@ "How should we display dates": "Πώς πρέπει να εμφανίζουμε ημερομηνίες", "How should we display distance values": "Πώς πρέπει να εμφανίζουμε τις τιμές απόστασης", "How should we display numerical values": "Πώς πρέπει να εμφανίζουμε αριθμητικές τιμές", - "I agree to the :terms and :policy": "Συμφωνώ με τους :όρους και την :πολιτική", - "I agree to the :terms_of_service and :privacy_policy": "Συμφωνώ με τους :terms_of_service και :privacy_policy", + "I agree to the :terms and :policy": "Συμφωνώ με τα :terms και :policy", + "I agree to the :terms_of_service and :privacy_policy": "Συμφωνώ με το :terms_of_service και το :privacy_policy", "I am grateful for": "Είμαι ευγνώμων για", "I called": "κάλεσα", - "I called, but :name didn’t answer": "Τηλεφώνησα, αλλά ο :name δεν απάντησε", + "I called, but :name didn’t answer": "Κάλεσα, αλλά ο :name δεν απάντησε", "Idea": "Ιδέα", "I don’t know the name": "δεν ξέρω το όνομα", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Εάν είναι απαραίτητο, μπορείτε να αποσυνδεθείτε από όλες τις άλλες περιόδους λειτουργίας του προγράμματος περιήγησης σε όλες τις συσκευές σας. Μερικές από τις πρόσφατες συνεδρίες σας παρατίθενται παρακάτω. Ωστόσο, αυτή η λίστα μπορεί να μην είναι εξαντλητική. Εάν πιστεύετε ότι ο λογαριασμός σας έχει παραβιαστεί, θα πρέπει επίσης να ενημερώσετε τον κωδικό πρόσβασής σας.", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Εάν είναι απαραίτητο, μπορείτε να αποσυνδεθείτε από όλες τις άλλες συνεδρίες του προγράμματος περιήγησης σε όλες τις συσκευές σας. Μερικές από τις πρόσφατες συνεδρίες σας που αναφέρονται παρακάτω; ωστόσο, αυτή η λίστα μπορεί να μην είναι εξαντλητική. Εάν αισθάνεστε ότι ο λογαριασμός σας έχει παραβιαστεί, θα πρέπει επίσης να ενημερώσετε τον κωδικό πρόσβασής σας.", "If the date is in the past, the next occurence of the date will be next year.": "Εάν η ημερομηνία είναι στο παρελθόν, η επόμενη εμφάνιση της ημερομηνίας θα είναι το επόμενο έτος.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Εάν αντιμετωπίζετε πρόβλημα κάνοντας κλικ στο κουμπί \":actionText\", αντιγράψτε και επικολλήστε την παρακάτω διεύθυνση URL\nστο πρόγραμμα περιήγησής σας:", - "If you already have an account, you may accept this invitation by clicking the button below:": "Εάν έχετε ήδη λογαριασμό, μπορείτε να αποδεχτείτε αυτήν την πρόσκληση κάνοντας κλικ στο παρακάτω κουμπί:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Αν αντιμετωπίζετε προβλήματα με το κλικ στο κουμπί \":actionText\", αντιγράψτε και επικολλήστε την παρακάτω διεύθυνση \nστο πρόγραμμα περιήγησης:", + "If you already have an account, you may accept this invitation by clicking the button below:": "Αν έχετε ήδη λογαριασμό, μπορείτε να αποδεχτείτε αυτήν την πρόσκληση κάνοντας κλικ στο παρακάτω κουμπί:", "If you did not create an account, no further action is required.": "Εάν δεν δημιουργήσατε λογαριασμό, δεν απαιτείται περαιτέρω ενέργεια.", "If you did not expect to receive an invitation to this team, you may discard this email.": "Εάν δεν περιμένατε να λάβετε μια πρόσκληση σε αυτήν την ομάδα, μπορείτε να απορρίψετε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου.", "If you did not request a password reset, no further action is required.": "Εάν δεν ζητήσατε επαναφορά κωδικού πρόσβασης, δεν απαιτείται περαιτέρω ενέργεια.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Εάν δεν έχετε λογαριασμό, μπορείτε να δημιουργήσετε έναν κάνοντας κλικ στο κουμπί παρακάτω. Αφού δημιουργήσετε έναν λογαριασμό, μπορείτε να κάνετε κλικ στο κουμπί αποδοχής πρόσκλησης σε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου για να αποδεχτείτε την πρόσκληση της ομάδας:", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Αν δεν έχετε λογαριασμό, μπορείτε να δημιουργήσετε ένα κάνοντας κλικ στο παρακάτω κουμπί. Αφού δημιουργήσετε έναν λογαριασμό, μπορείτε να κάνετε κλικ στο κουμπί Αποδοχή πρόσκλησης σε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου για να αποδεχτείτε την πρόσκληση ομάδας:", "If you’ve received this invitation by mistake, please discard it.": "Εάν λάβατε αυτήν την πρόσκληση κατά λάθος, απορρίψτε την.", "I know the exact date, including the year": "Ξέρω την ακριβή ημερομηνία, συμπεριλαμβανομένου του έτους", "I know the name": "Ξέρω το όνομα", @@ -523,6 +522,7 @@ "Information from Wikipedia": "Πληροφορίες από τη Wikipedia", "in love with": "ερωτευμένος με", "Inspirational post": "Εμπνευσμένη ανάρτηση", + "Invalid JSON was returned from the route.": "Επιστράφηκε μη έγκυρο JSON από τη διαδρομή.", "Invitation sent": "Η πρόσκληση στάλθηκε", "Invite a new user": "Προσκαλέστε έναν νέο χρήστη", "Invite someone": "Προσκαλέστε κάποιον", @@ -547,15 +547,15 @@ "Labels": "Ετικέτες", "Labels let you classify contacts using a system that matters to you.": "Οι ετικέτες σάς επιτρέπουν να ταξινομείτε τις επαφές χρησιμοποιώντας ένα σύστημα που έχει σημασία για εσάς.", "Language of the application": "Γλώσσα της εφαρμογής", - "Last active": "Τελευταίο Ενεργό", - "Last active :date": "Τελευταία ενεργή: ημερομηνία", + "Last active": "Τελευταία ενεργή", + "Last active :date": "Τελευταία ενεργή :date", "Last name": "Επίθετο", "Last name First name": "Επώνυμο Όνομα", "Last updated": "Τελευταία ενημέρωση", "Last used": "Τελευταία χρήση", "Last used :date": "Τελευταία χρήση :date", - "Leave": "Αδεια", - "Leave Team": "Αποχώρηση από την ομάδα", + "Leave": "Αφήστε", + "Leave Team": "Αφήστε Την Ομάδα", "Life": "ΖΩΗ", "Life & goals": "Στόχοι της ζωής", "Life events": "Γεγονότα ζωής", @@ -564,35 +564,35 @@ "Life event types and categories": "Τύποι και κατηγορίες συμβάντων ζωής", "Life metrics": "Μετρήσεις ζωής", "Life metrics let you track metrics that are important to you.": "Οι μετρήσεις ζωής σάς επιτρέπουν να παρακολουθείτε μετρήσεις που είναι σημαντικές για εσάς.", - "Link to documentation": "Σύνδεσμος με την τεκμηρίωση", + "LinkedIn": "LinkedIn", "List of addresses": "Κατάλογος διευθύνσεων", "List of addresses of the contacts in the vault": "Λίστα διευθύνσεων των επαφών στο θησαυροφυλάκιο", "List of all important dates": "Λίστα με όλες τις σημαντικές ημερομηνίες", "Loading…": "Φόρτωση…", "Load previous entries": "Φόρτωση προηγούμενων καταχωρήσεων", "Loans": "Δάνεια", - "Locale default: :value": "Τοπική προεπιλογή: :value", + "Locale default: :value": "Προεπιλογή τοπικής ρύθμισης: :value", "Log a call": "Καταγράψτε μια κλήση", "Log details": "Στοιχεία καταγραφής", "logged the mood": "κατέγραψε τη διάθεση", - "Log in": "Σύνδεση", - "Login": "Σύνδεση", + "Log in": "Συνδεθείτε", + "Login": "Είσοδος", "Login with:": "Συνδέσου με:", - "Log Out": "Αποσύνδεση", - "Logout": "Αποσύνδεση", - "Log Out Other Browser Sessions": "Αποσύνδεση από άλλες συνεδρίες προγράμματος περιήγησης", + "Log Out": "αποσυνδεθείτε", + "Logout": "Έξοδος", + "Log Out Other Browser Sessions": "Αποσυνδεθείτε Από Άλλες Συνεδρίες Του Προγράμματος Περιήγησης", "Longest streak": "Το μεγαλύτερο σερί", "Love": "Αγάπη", "loved by": "αγαπημένη από", "lover": "εραστής", - "Made from all over the world. We ❤️ you.": "Φτιαγμένο από όλο τον κόσμο. Εμείς σας ❤️.", + "Made from all over the world. We ❤️ you.": "Φτιαγμένο από όλο τον κόσμο. Εμείς σε ❤️.", "Maiden name": "Πατρικό όνομα", "Male": "Αρσενικός", - "Manage Account": "Διαχείριση λογαριασμού", + "Manage Account": "Διαχείριση Λογαριασμού", "Manage accounts you have linked to your Customers account.": "Διαχειριστείτε τους λογαριασμούς που έχετε συνδέσει με τον λογαριασμό πελατών σας.", "Manage address types": "Διαχείριση τύπων διευθύνσεων", - "Manage and log out your active sessions on other browsers and devices.": "Διαχειριστείτε και αποσυνδέστε τις ενεργές συνεδρίες σας σε άλλα προγράμματα περιήγησης και συσκευές.", - "Manage API Tokens": "Διαχείριση διακριτικών API", + "Manage and log out your active sessions on other browsers and devices.": "Διαχειριστείτε και αποσυνδεθείτε ενεργό συνεδρίες σας σε άλλα προγράμματα περιήγησης και συσκευές.", + "Manage API Tokens": "Διαχείριση μαρκών API", "Manage call reasons": "Διαχειριστείτε τους λόγους κλήσεων", "Manage contact information types": "Διαχείριση τύπων στοιχείων επικοινωνίας", "Manage currencies": "Διαχείριση νομισμάτων", @@ -609,9 +609,10 @@ "Manage religions": "Διαχειριστείτε τις θρησκείες", "Manage Role": "Διαχείριση Ρόλου", "Manage storage": "Διαχείριση αποθηκευτικού χώρου", - "Manage Team": "Διαχείριση ομάδας", + "Manage Team": "Διαχείριση Ομάδας", "Manage templates": "Διαχείριση προτύπων", "Manage users": "Διαχείριση χρηστών", + "Mastodon": "Μαστόδοντας", "Maybe one of these contacts?": "Ίσως μία από αυτές τις επαφές;", "mentor": "μέντορας", "Middle name": "Μεσαίο όνομα", @@ -619,7 +620,7 @@ "miles (mi)": "μίλια (mi)", "Modules in this page": "Ενότητες σε αυτή τη σελίδα", "Monday": "Δευτέρα", - "Monica. All rights reserved. 2017 — :date.": "Μόνικα. Ολα τα δικαιώματα διατηρούνται. 2017 — :date.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Ολα τα δικαιώματα διατηρούνται. 2017 — :date.", "Monica is open source, made by hundreds of people from all around the world.": "Η Monica είναι ανοιχτού κώδικα, φτιαγμένη από εκατοντάδες ανθρώπους από όλο τον κόσμο.", "Monica was made to help you document your life and your social interactions.": "Η Monica δημιουργήθηκε για να σας βοηθήσει να τεκμηριώσετε τη ζωή σας και τις κοινωνικές σας αλληλεπιδράσεις.", "Month": "Μήνας", @@ -631,14 +632,14 @@ "More errors": "Περισσότερα λάθη", "Move contact": "Μετακίνηση επαφής", "Muslim": "μουσουλμάνος", - "Name": "Ονομα", - "Name of the pet": "Όνομα του κατοικίδιου ζώου", + "Name": "Όνομα", + "Name of the pet": "Όνομα του κατοικίδιου", "Name of the reminder": "Όνομα της υπενθύμισης", "Name of the reverse relationship": "Όνομα της αντίστροφης σχέσης", "Nature of the call": "Φύση της κλήσης", - "nephew\/niece": "ανιψιός ανιψιά", - "New Password": "Νέος Κωδικός", - "New to Monica?": "Νέος στη Μόνικα;", + "nephew/niece": "ανιψιός/ανιψιά", + "New Password": "Νέος Κωδικός Πρόσβασης", + "New to Monica?": "Νέος στη Monica;", "Next": "Επόμενο", "Nickname": "Παρατσούκλι", "nickname": "παρατσούκλι", @@ -655,10 +656,10 @@ "No results found": "Δεν βρέθηκαν αποτελέσματα", "No role": "Κανένας ρόλος", "No roles yet.": "Δεν υπάρχουν ακόμη ρόλοι.", - "No tasks.": "Χωρίς εργασίες.", + "No tasks.": "Χωρίς καθήκοντα.", "Notes": "Σημειώσεις", "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Σημειώστε ότι η κατάργηση μιας λειτουργικής μονάδας από μια σελίδα δεν θα διαγράψει τα πραγματικά δεδομένα στις σελίδες επαφών σας. Απλώς θα το κρύψει.", - "Not Found": "Δεν βρέθηκε", + "Not Found": "Δεν Βρέθηκε", "Notification channels": "Κανάλια ειδοποιήσεων", "Notification sent": "Η ειδοποίηση στάλθηκε", "Not set": "Δεν ρυθμίστηκε", @@ -667,14 +668,14 @@ "Numerical value": "Αριθμητική αξία", "of": "του", "Offered": "Προσφέρεται", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Μόλις διαγραφεί μια ομάδα, όλοι οι πόροι και τα δεδομένα της θα διαγραφούν οριστικά. Πριν διαγράψετε αυτήν την ομάδα, πραγματοποιήστε λήψη τυχόν δεδομένων ή πληροφοριών σχετικά με αυτήν την ομάδα που θέλετε να διατηρήσετε.", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Μόλις διαγραφεί μια ομάδα, όλοι οι πόροι και τα δεδομένα της θα διαγραφούν οριστικά. Πριν διαγράψετε αυτήν την ομάδα, Κατεβάστε οποιαδήποτε δεδομένα ή πληροφορίες σχετικά με αυτήν την ομάδα που επιθυμείτε να διατηρήσετε.", "Once you cancel,": "Μόλις ακυρώσετε,", "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Μόλις κάνετε κλικ στο κουμπί Ρύθμιση παρακάτω, θα πρέπει να ανοίξετε το Telegram με το κουμπί που θα σας παρέχουμε. Αυτό θα εντοπίσει το ρομπότ Monica Telegram για εσάς.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Μόλις διαγραφεί ο λογαριασμός σας, όλοι οι πόροι και τα δεδομένα του θα διαγραφούν οριστικά. Πριν διαγράψετε τον λογαριασμό σας, πραγματοποιήστε λήψη τυχόν δεδομένων ή πληροφοριών που θέλετε να διατηρήσετε.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Μόλις διαγραφεί ο λογαριασμός σας, όλοι οι πόροι και τα δεδομένα του θα διαγραφούν οριστικά. Πριν από τη διαγραφή του λογαριασμού σας, παρακαλούμε να κατεβάσετε οποιαδήποτε δεδομένα ή πληροφορίες που θέλετε να διατηρήσετε.", "Only once, when the next occurence of the date occurs.": "Μόνο μία φορά, όταν συμβεί η επόμενη εμφάνιση της ημερομηνίας.", "Oops! Something went wrong.": "Ωχ! Κάτι πήγε στραβά.", "Open Street Maps": "Ανοίξτε τους Χάρτες οδών", - "Open Street Maps is a great privacy alternative, but offers less details.": "Το Open Street Maps είναι μια εξαιρετική εναλλακτική λύση απορρήτου, αλλά προσφέρει λιγότερες λεπτομέρειες.", + "Open Street Maps is a great privacy alternative, but offers less details.": "Οι Open Street Maps είναι μια εξαιρετική εναλλακτική λύση απορρήτου, αλλά προσφέρουν λιγότερες λεπτομέρειες.", "Open Telegram to validate your identity": "Ανοίξτε το Telegram για να επικυρώσετε την ταυτότητά σας", "optional": "προαιρετικός", "Or create a new one": "Ή δημιουργήστε ένα νέο", @@ -683,22 +684,22 @@ "Or reset the fields": "Ή επαναφέρετε τα πεδία", "Other": "Αλλα", "Out of respect and appreciation": "Από σεβασμό και εκτίμηση", - "Page Expired": "Η σελίδα έληξε", + "Page Expired": "Η συνεδρία έληξε", "Pages": "Σελίδες", - "Pagination Navigation": "Πλοήγηση σελιδοποίησης", + "Pagination Navigation": "Πλοήγηση Σελιδοποίησης", "Parent": "Μητρική εταιρεία", "parent": "μητρική εταιρεία", "Participants": "Συμμετέχοντες", "Partner": "Εταίρος", "Part of": "Μέρος του", - "Password": "Κωδικός πρόσβασης", + "Password": "Κωδικός", "Payment Required": "Απαιτείται πληρωμή", - "Pending Team Invitations": "Εκκρεμείς προσκλήσεις ομάδας", - "per\/per": "για\/για", - "Permanently delete this team.": "Οριστική διαγραφή αυτής της ομάδας.", - "Permanently delete your account.": "Διαγράψτε οριστικά τον λογαριασμό σας.", + "Pending Team Invitations": "Εκκρεμείς Προσκλήσεις Ομάδας", + "per/per": "ανά/ανά", + "Permanently delete this team.": "Διαγράψτε οριστικά αυτήν την ομάδα.", + "Permanently delete your account.": "Διαγράψτε μόνιμα το λογαριασμό σας.", "Permission for :name": "Άδεια για :name", - "Permissions": "Άδειες", + "Permissions": "Δικαιώματα", "Personal": "Προσωπικός", "Personalize your account": "Εξατομικεύστε τον λογαριασμό σας", "Pet categories": "Κατηγορίες κατοικίδιων ζώων", @@ -706,7 +707,7 @@ "Pet category": "Κατηγορία κατοικίδιων ζώων", "Pets": "Κατοικίδια", "Phone": "Τηλέφωνο", - "Photo": "φωτογραφία", + "Photo": "Φωτογραφία", "Photos": "Φωτογραφίες", "Played basketball": "Έπαιξε μπάσκετ", "Played golf": "Έπαιξε γκολφ", @@ -714,20 +715,20 @@ "Played tennis": "Έπαιξε τένις", "Please choose a template for this new post": "Επιλέξτε ένα πρότυπο για αυτήν τη νέα ανάρτηση", "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Επιλέξτε ένα πρότυπο παρακάτω για να πείτε στη Monica πώς πρέπει να εμφανίζεται αυτή η επαφή. Τα πρότυπα σάς επιτρέπουν να ορίσετε ποια δεδομένα θα εμφανίζονται στη σελίδα επαφών.", - "Please click the button below to verify your email address.": "Κάντε κλικ στο παρακάτω κουμπί για να επαληθεύσετε τη διεύθυνση email σας.", + "Please click the button below to verify your email address.": "Κάντε κλικ στο παρακάτω κουμπί για να επαληθεύσετε τη διεύθυνση ηλεκτρονικού ταχυδρομείου σας.", "Please complete this form to finalize your account.": "Συμπληρώστε αυτήν τη φόρμα για να οριστικοποιήσετε τον λογαριασμό σας.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Επιβεβαιώστε την πρόσβαση στον λογαριασμό σας εισάγοντας έναν από τους κωδικούς ανάκτησης έκτακτης ανάγκης.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Επιβεβαιώστε την πρόσβαση στον λογαριασμό σας εισάγοντας τον κωδικό ελέγχου ταυτότητας που παρέχεται από την εφαρμογή ελέγχου ταυτότητας.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Επιβεβαιώστε την πρόσβαση στο λογαριασμό σας εισάγοντας έναν από τους κωδικούς ανάκτησης έκτακτης ανάγκης.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Επιβεβαιώστε την πρόσβαση στο λογαριασμό σας εισάγοντας τον κωδικό ελέγχου ταυτότητας που παρέχεται από την εφαρμογή ελέγχου ταυτότητας.", "Please confirm access to your account by validating your security key.": "Επιβεβαιώστε την πρόσβαση στον λογαριασμό σας επικυρώνοντας το κλειδί ασφαλείας σας.", - "Please copy your new API token. For your security, it won't be shown again.": "Αντιγράψτε το νέο σας διακριτικό API. Για την ασφάλειά σας, δεν θα εμφανιστεί ξανά.", + "Please copy your new API token. For your security, it won't be shown again.": "Παρακαλώ αντιγράψτε το νέο κουπόνι API σας. Για την ασφάλειά σας, δεν θα εμφανιστεί ξανά.", "Please copy your new API token. For your security, it won’t be shown again.": "Αντιγράψτε το νέο σας διακριτικό API. Για την ασφάλειά σας, δεν θα εμφανιστεί ξανά.", "Please enter at least 3 characters to initiate a search.": "Εισαγάγετε τουλάχιστον 3 χαρακτήρες για να ξεκινήσει μια αναζήτηση.", "Please enter your password to cancel the account": "Εισαγάγετε τον κωδικό πρόσβασής σας για να ακυρώσετε τον λογαριασμό", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Εισαγάγετε τον κωδικό πρόσβασής σας για να επιβεβαιώσετε ότι θέλετε να αποσυνδεθείτε από τις άλλες περιόδους λειτουργίας του προγράμματος περιήγησης σε όλες τις συσκευές σας.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Παρακαλώ εισάγετε τον κωδικό πρόσβασής σας για να επιβεβαιώσετε ότι θέλετε να αποσυνδεθείτε από άλλες συνεδρίες του προγράμματος περιήγησης σε όλες τις συσκευές σας.", "Please indicate the contacts": "Σημειώστε τις επαφές", - "Please join Monica": "Παρακαλώ εγγραφείτε στη Μόνικα", - "Please provide the email address of the person you would like to add to this team.": "Δώστε τη διεύθυνση email του ατόμου που θέλετε να προσθέσετε σε αυτήν την ομάδα.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Διαβάστε την τεκμηρίωσή μας<\/link> για να μάθετε περισσότερα σχετικά με αυτήν τη δυνατότητα και σε ποιες μεταβλητές έχετε πρόσβαση.", + "Please join Monica": "Παρακαλώ εγγραφείτε στη Monica", + "Please provide the email address of the person you would like to add to this team.": "Δώστε τη διεύθυνση ηλεκτρονικού ταχυδρομείου του ατόμου που θέλετε να προσθέσετε σε αυτήν την ομάδα.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Διαβάστε την τεκμηρίωσή μας για να μάθετε περισσότερα σχετικά με αυτήν τη δυνατότητα και σε ποιες μεταβλητές έχετε πρόσβαση.", "Please select a page on the left to load modules.": "Επιλέξτε μια σελίδα στα αριστερά για να φορτώσετε ενότητες.", "Please type a few characters to create a new label.": "Πληκτρολογήστε μερικούς χαρακτήρες για να δημιουργήσετε μια νέα ετικέτα.", "Please type a few characters to create a new tag.": "Πληκτρολογήστε μερικούς χαρακτήρες για να δημιουργήσετε μια νέα ετικέτα.", @@ -741,13 +742,13 @@ "Prefix": "Πρόθεμα", "Previous": "Προηγούμενος", "Previous addresses": "Προηγούμενες διευθύνσεις", - "Privacy Policy": "Πολιτική Απορρήτου", + "Privacy Policy": "απορρήτου", "Profile": "Προφίλ", "Profile and security": "Προφίλ και ασφάλεια", - "Profile Information": "πληροφορίες ΠΡΟΦΙΛ", + "Profile Information": "Πληροφορίες Προφίλ", "Profile of :name": "Προφίλ του :name", "Profile page of :name": "Σελίδα προφίλ του :name", - "Pronoun": "Προνουν", + "Pronoun": "Αντωνυμία", "Pronouns": "Αντωνυμίες", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Οι αντωνυμίες είναι βασικά το πώς προσδιορίζουμε τον εαυτό μας εκτός από το όνομά μας. Είναι το πώς κάποιος αναφέρεται σε εσάς στη συνομιλία.", "protege": "προστατευόμενη", @@ -761,14 +762,14 @@ "Rabbit": "Κουνέλι", "Ran": "Ετρεξα", "Rat": "Αρουραίος", - "Read :count time|Read :count times": "Ανάγνωση :count time|Ανάγνωση :count times", + "Read :count time|Read :count times": "Διαβάστε :count φορά|Διαβάστε :count φορές", "Record a loan": "Καταγράψτε ένα δάνειο", "Record your mood": "Καταγράψτε τη διάθεσή σας", - "Recovery Code": "Κωδικός ανάκτησης", + "Recovery Code": "Κωδικός Ανάκτησης", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Ανεξάρτητα από το πού βρίσκεστε στον κόσμο, οι ημερομηνίες εμφανίζονται στη δική σας ζώνη ώρας.", - "Regards": "Χαιρετισμοί", - "Regenerate Recovery Codes": "Αναγέννηση κωδικών ανάκτησης", - "Register": "Κανω ΕΓΓΡΑΦΗ", + "Regards": "Φιλικά", + "Regenerate Recovery Codes": "Αναγεννήστε Τους Κωδικούς Ανάκτησης", + "Register": "Εγγραφή", "Register a new key": "Καταχωρίστε ένα νέο κλειδί", "Register a new key.": "Καταχωρίστε ένα νέο κλειδί.", "Regular post": "Κανονική ανάρτηση", @@ -779,51 +780,51 @@ "Religion": "Θρησκεία", "Religions": "Θρησκείες", "Religions is all about faith.": "Οι θρησκείες έχουν να κάνουν με την πίστη.", - "Remember me": "Θυμήσου με", + "Remember me": "Να με θυμάσαι", "Reminder for :name": "Υπενθύμιση για :name", "Reminders": "Υπενθυμίσεις", "Reminders for the next 30 days": "Υπενθυμίσεις για τις επόμενες 30 ημέρες", "Remind me about this date every year": "Να μου θυμίζεις αυτή την ημερομηνία κάθε χρόνο", "Remind me about this date just once, in one year from now": "Θυμίστε μου αυτήν την ημερομηνία μόνο μία φορά, σε ένα χρόνο από τώρα", - "Remove": "Αφαιρώ", + "Remove": "Καταργήσετε", "Remove avatar": "Κατάργηση avatar", "Remove cover image": "Αφαίρεση εικόνας εξωφύλλου", "removed a label": "αφαίρεσε μια ετικέτα", "removed the contact from a group": "αφαίρεσε την επαφή από μια ομάδα", "removed the contact from a post": "αφαίρεσε την επαφή από μια ανάρτηση", "removed the contact from the favorites": "αφαίρεσε την επαφή από τα αγαπημένα", - "Remove Photo": "Αφαίρεση φωτογραφίας", - "Remove Team Member": "Κατάργηση μέλους ομάδας", + "Remove Photo": "Αφαίρεση Φωτογραφίας", + "Remove Team Member": "Αφαίρεση Μέλους Ομάδας", "Rename": "Μετονομάζω", "Reports": "Αναφορές", "Reptile": "Ερπων", - "Resend Verification Email": "Επαναποστολή μηνύματος επιβεβαίωσης", - "Reset Password": "Επαναφέρετε τον κωδικό πρόσβασης", - "Reset Password Notification": "Ειδοποίηση επαναφοράς κωδικού πρόσβασης", - "results": "Αποτελέσματα", + "Resend Verification Email": "Επαναποστολή email επαλήθευσης", + "Reset Password": "Επαναφορά Κωδικού", + "Reset Password Notification": "Ειδοποίηση επαναφοράς κωδικού", + "results": "αποτέλεσμα", "Retry": "Ξαναδοκιμάσετε", "Revert": "Επαναστρέφω", "Rode a bike": "Οδήγησε ένα ποδήλατο", "Role": "Ρόλος", "Roles:": "Ρόλοι:", - "Roomates": "Σέρνοντας", + "Roomates": "Συγκάτοικοι", "Saturday": "Σάββατο", "Save": "Αποθηκεύσετε", - "Saved.": "Αποθηκεύτηκε.", + "Saved.": "Αποθηκεύονται.", "Saving in progress": "Αποθήκευση σε εξέλιξη", "Searched": "Έψαξε", "Searching…": "Ερευνητικός…", "Search something": "Ψάξε κάτι", - "Search something in the vault": "Ψάξε κάτι στο θησαυροφυλάκιο", + "Search something in the vault": "Ψάξτε κάτι στο θησαυροφυλάκιο", "Sections:": "Ενότητες:", "Security keys": "Κλειδιά ασφαλείας", "Select a group or create a new one": "Επιλέξτε μια ομάδα ή δημιουργήστε μια νέα", - "Select A New Photo": "Επιλέξτε μια νέα φωτογραφία", + "Select A New Photo": "Επιλέξτε Μια Νέα Φωτογραφία", "Select a relationship type": "Επιλέξτε έναν τύπο σχέσης", "Send invitation": "Στελνω ΠΡΟΣΚΛΗΣΗ", "Send test": "Αποστολή δοκιμής", "Sent at :time": "Στάλθηκε στις :time", - "Server Error": "Σφάλμα Διακομιστή", + "Server Error": "Σφάλμα στον εξυπηρετητή (server)", "Service Unavailable": "Μη διαθέσιμη υπηρεσία", "Set as default": "Ορίσετε ως προεπιλογή", "Set as favorite": "Ορίστε ως αγαπημένο", @@ -833,74 +834,72 @@ "Setup Key": "Κλειδί ρύθμισης", "Setup Key:": "Κλειδί ρύθμισης:", "Setup Telegram": "Ρύθμιση Telegram", - "she\/her": "αυτή\/αυτήν", + "she/her": "αυτή/αυτή", "Shintoist": "Σιντοϊστής", "Show Calendar tab": "Εμφάνιση καρτέλας Ημερολόγιο", "Show Companies tab": "Εμφάνιση καρτέλας Εταιρείες", "Show completed tasks (:count)": "Εμφάνιση ολοκληρωμένων εργασιών (:count)", "Show Files tab": "Εμφάνιση καρτέλας Αρχεία", "Show Groups tab": "Εμφάνιση καρτέλας Ομάδες", - "Showing": "Επίδειξη", - "Showing :count of :total results": "Εμφάνιση :count of :total αποτελεσμάτων", - "Showing :first to :last of :total results": "Εμφάνιση :first to :last of :total αποτελεσμάτων", + "Showing": "Εμφάνιση", + "Showing :count of :total results": "Εμφάνιση :count από :total αποτελέσματα", + "Showing :first to :last of :total results": "Εμφάνιση :first έως :last από :total αποτελέσματα", "Show Journals tab": "Εμφάνιση καρτέλας Περιοδικά", - "Show Recovery Codes": "Εμφάνιση κωδικών ανάκτησης", + "Show Recovery Codes": "Εμφάνιση Κωδικών Ανάκτησης", "Show Reports tab": "Εμφάνιση καρτέλας Αναφορές", "Show Tasks tab": "Εμφάνιση καρτέλας Εργασίες", "significant other": "ΣΥΝΤΡΟΦΟΣ", "Sign in to your account": "Συνδεθείτε στο λογαριασμό σας", "Sign up for an account": "Εγγραφείτε για λογαριασμό", "Sikh": "Σιχ", - "Slept :count hour|Slept :count hours": "Κοιμήθηκε :μετρώ την ώρα|Κοιμήσαι :μετρώ ώρες", + "Slept :count hour|Slept :count hours": "Κοιμήθηκε :count ώρα|Κοιμήθηκε :count ώρες", "Slice of life": "Κομμάτι της ζωής", "Slices of life": "Φέτες ζωής", "Small animal": "Μικρό ζώο", "Social": "Κοινωνικός", "Some dates have a special type that we will use in the software to calculate an age.": "Ορισμένες ημερομηνίες έχουν έναν ειδικό τύπο που θα χρησιμοποιήσουμε στο λογισμικό για να υπολογίσουμε μια ηλικία.", - "Sort contacts": "Ταξινόμηση επαφών", "So… it works 😼": "Λοιπόν… λειτουργεί 😼", "Sport": "Αθλημα", "spouse": "σύζυγος", "Statistics": "Στατιστική", "Storage": "Αποθήκευση", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Αποθηκεύστε αυτούς τους κωδικούς ανάκτησης σε έναν ασφαλή διαχειριστή κωδικών πρόσβασης. Μπορούν να χρησιμοποιηθούν για την ανάκτηση της πρόσβασης στον λογαριασμό σας εάν χαθεί η συσκευή ελέγχου ταυτότητας δύο παραγόντων.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Αποθηκεύστε αυτούς τους κωδικούς ανάκτησης σε έναν ασφαλή διαχειριστή κωδικών πρόσβασης. Μπορούν να χρησιμοποιηθούν για να ανακτήσει την πρόσβαση στο λογαριασμό σας, αν η συσκευή ελέγχου ταυτότητας δύο παραγόντων σας έχει χαθεί.", "Submit": "υποβάλλουν", "subordinate": "υφιστάμενος", "Suffix": "Κατάληξη", "Summary": "Περίληψη", "Sunday": "Κυριακή", "Switch role": "Εναλλαγή ρόλου", - "Switch Teams": "Εναλλαγή ομάδων", + "Switch Teams": "Εναλλαγή Ομάδων", "Tabs visibility": "Ορατότητα καρτελών", "Tags": "Ετικέτες", "Tags let you classify journal posts using a system that matters to you.": "Οι ετικέτες σάς επιτρέπουν να ταξινομείτε τις δημοσιεύσεις περιοδικών χρησιμοποιώντας ένα σύστημα που έχει σημασία για εσάς.", "Taoist": "Ταοϊστικός", "Tasks": "Καθήκοντα", - "Team Details": "Στοιχεία ομάδας", - "Team Invitation": "Πρόσκληση ομάδας", - "Team Members": "Μέλη ομάδας", - "Team Name": "Ονομα ομάδας", - "Team Owner": "Ιδιοκτήτης ομάδας", - "Team Settings": "Ρυθμίσεις ομάδας", + "Team Details": "Λεπτομέρειες Ομάδας", + "Team Invitation": "Πρόσκληση Ομάδας", + "Team Members": "Μέλη Ομάδας", + "Team Name": "Όνομα Ομάδας", + "Team Owner": "Ιδιοκτήτης Ομάδας", + "Team Settings": "Ρυθμίσεις Ομάδας", "Telegram": "Τηλεγράφημα", "Templates": "Πρότυπα", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Τα πρότυπα σάς επιτρέπουν να προσαρμόσετε τα δεδομένα που πρέπει να εμφανίζονται στις επαφές σας. Μπορείτε να ορίσετε όσα πρότυπα θέλετε και να επιλέξετε ποιο πρότυπο θα χρησιμοποιηθεί σε ποια επαφή.", - "Terms of Service": "Όροι χρήσης", - "Test email for Monica": "Δοκιμαστικό email για τη Μόνικα", - "Test email sent!": "Στάλθηκε δοκιμαστικό email!", + "Terms of Service": "Όροι Παροχής Υπηρεσιών", + "Test email for Monica": "Δοκιμαστικό email για τη Monica", + "Test email sent!": "Εστάλη δοκιμαστικό email!", "Thanks,": "Ευχαριστώ,", - "Thanks for giving Monica a try": "Ευχαριστούμε που δοκιμάσατε τη Μόνικα", - "Thanks for giving Monica a try.": "Ευχαριστούμε που δοκιμάσατε τη Μόνικα.", + "Thanks for giving Monica a try.": "Ευχαριστούμε που δοκιμάσατε τη Monica.", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Ευχαριστούμε για την εγγραφή! Πριν ξεκινήσετε, θα μπορούσατε να επαληθεύσετε τη διεύθυνση email σας κάνοντας κλικ στον σύνδεσμο που μόλις σας στείλαμε email; Εάν δεν λάβατε το email, θα σας στείλουμε ευχαρίστως άλλο.", - "The :attribute must be at least :length characters.": "Το χαρακτηριστικό : πρέπει να είναι τουλάχιστον χαρακτήρες :length.", - "The :attribute must be at least :length characters and contain at least one number.": "Το χαρακτηριστικό : πρέπει να είναι τουλάχιστον χαρακτήρες :length και να περιέχει τουλάχιστον έναν αριθμό.", - "The :attribute must be at least :length characters and contain at least one special character.": "Το χαρακτηριστικό : πρέπει να είναι τουλάχιστον χαρακτήρες :length και να περιέχει τουλάχιστον έναν ειδικό χαρακτήρα.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Το χαρακτηριστικό : πρέπει να είναι τουλάχιστον χαρακτήρες :length και να περιέχει τουλάχιστον έναν ειδικό χαρακτήρα και έναν αριθμό.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Το χαρακτηριστικό : πρέπει να είναι τουλάχιστον χαρακτήρες :length και να περιέχει τουλάχιστον έναν κεφαλαίο χαρακτήρα, έναν αριθμό και έναν ειδικό χαρακτήρα.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Το χαρακτηριστικό : πρέπει να είναι τουλάχιστον χαρακτήρες :length και να περιέχει τουλάχιστον έναν κεφαλαίο χαρακτήρα.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Το χαρακτηριστικό : πρέπει να είναι τουλάχιστον χαρακτήρες :length και να περιέχει τουλάχιστον έναν κεφαλαίο χαρακτήρα και έναν αριθμό.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Το χαρακτηριστικό : πρέπει να είναι τουλάχιστον χαρακτήρες :length και να περιέχει τουλάχιστον έναν κεφαλαίο χαρακτήρα και έναν ειδικό χαρακτήρα.", - "The :attribute must be a valid role.": "Το χαρακτηριστικό : πρέπει να είναι έγκυρος ρόλος.", + "The :attribute must be at least :length characters.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων.", + "The :attribute must be at least :length characters and contain at least one number.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων και να περιέχει έναν αριθμό.", + "The :attribute must be at least :length characters and contain at least one special character.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων και να περιέχει έναν ειδικό χαρακτήρα.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Το :attribute πρέπει να είναι τουλάχιστον :length χαρακτήρες και να περιέχει τουλάχιστον έναν ειδικό χαρακτήρα και έναν αριθμό.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων και να περιέχει τουλάχιστον ένα κεφαλαίο χαρακτήρα, έναν αριθμό και έναν ειδικό χαρακτήρα.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων και να περιέχει τουλάχιστον ένα κεφαλαίο γράμμα.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων και να περιέχει τουλάχιστον ένα κεφαλαίο χαρακτήρα και έναν αριθμό.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Το :attribute θα πρέπει να είναι τουλάχιστον :length χαρακτήρων και να περιέχει τουλάχιστον ένα κεφαλαίο χαρακτήρα και έναν ειδικό χαρακτήρα.", + "The :attribute must be a valid role.": "Το :attribute πρέπει να είναι ένας έγκυρος ρόλος.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Τα δεδομένα του λογαριασμού θα διαγραφούν οριστικά από τους διακομιστές μας εντός 30 ημερών και από όλα τα αντίγραφα ασφαλείας εντός 60 ημερών.", "The address type has been created": "Ο τύπος διεύθυνσης έχει δημιουργηθεί", "The address type has been deleted": "Ο τύπος διεύθυνσης έχει διαγραφεί", @@ -1001,7 +1000,7 @@ "The pronoun has been deleted": "Η αντωνυμία έχει διαγραφεί", "The pronoun has been updated": "Η αντωνυμία έχει ενημερωθεί", "The provided password does not match your current password.": "Ο παρεχόμενος κωδικός πρόσβασης δεν ταιριάζει με τον τρέχοντα κωδικό πρόσβασής σας.", - "The provided password was incorrect.": "Ο παρεχόμενος κωδικός πρόσβασης ήταν λανθασμένος.", + "The provided password was incorrect.": "Ο παρεχόμενος κωδικός πρόσβασης ήταν εσφαλμένος.", "The provided two factor authentication code was invalid.": "Ο παρεχόμενος κωδικός ελέγχου ταυτότητας δύο παραγόντων δεν ήταν έγκυρος.", "The provided two factor recovery code was invalid.": "Ο παρεχόμενος κωδικός ανάκτησης δύο παραγόντων δεν ήταν έγκυρος.", "There are no active addresses yet.": "Δεν υπάρχουν ακόμα ενεργές διευθύνσεις.", @@ -1036,13 +1035,15 @@ "The reminder has been created": "Η υπενθύμιση δημιουργήθηκε", "The reminder has been deleted": "Η υπενθύμιση έχει διαγραφεί", "The reminder has been edited": "Η υπενθύμιση έχει υποστεί επεξεργασία", + "The response is not a streamed response.": "Η απάντηση δεν είναι απάντηση ροής.", + "The response is not a view.": "Η απάντηση δεν είναι άποψη.", "The role has been created": "Ο ρόλος έχει δημιουργηθεί", "The role has been deleted": "Ο ρόλος έχει διαγραφεί", "The role has been updated": "Ο ρόλος έχει ενημερωθεί", "The section has been created": "Η ενότητα έχει δημιουργηθεί", "The section has been deleted": "Η ενότητα έχει διαγραφεί", "The section has been updated": "Η ενότητα έχει ενημερωθεί", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Αυτά τα άτομα έχουν προσκληθεί στην ομάδα σας και έχουν λάβει πρόσκληση μέσω email. Μπορούν να ενταχθούν στην ομάδα αποδεχόμενοι την πρόσκληση μέσω email.", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Αυτοί οι άνθρωποι έχουν προσκληθεί στην ομάδα σας και έχουν σταλεί ένα μήνυμα ηλεκτρονικού ταχυδρομείου πρόσκλησης. Μπορούν να συμμετάσχουν στην ομάδα αποδεχόμενοι την πρόσκληση ηλεκτρονικού ταχυδρομείου.", "The tag has been added": "Η ετικέτα έχει προστεθεί", "The tag has been created": "Η ετικέτα έχει δημιουργηθεί", "The tag has been deleted": "Η ετικέτα έχει διαγραφεί", @@ -1050,9 +1051,9 @@ "The task has been created": "Η εργασία έχει δημιουργηθεί", "The task has been deleted": "Η εργασία έχει διαγραφεί", "The task has been edited": "Η εργασία έχει υποστεί επεξεργασία", - "The team's name and owner information.": "Το όνομα της ομάδας και τα στοιχεία του ιδιοκτήτη.", + "The team's name and owner information.": "Το όνομα της ομάδας και πληροφορίες ιδιοκτήτη.", "The Telegram channel has been deleted": "Το κανάλι Telegram έχει διαγραφεί", - "The template has been created": "Το πρότυπο έχει δημιουργηθεί", + "The template has been created": "Το πρότυπο δημιουργήθηκε", "The template has been deleted": "Το πρότυπο έχει διαγραφεί", "The template has been set": "Το πρότυπο έχει οριστεί", "The template has been updated": "Το πρότυπο έχει ενημερωθεί", @@ -1067,36 +1068,35 @@ "The vault has been created": "Το θησαυροφυλάκιο έχει δημιουργηθεί", "The vault has been deleted": "Το θησαυροφυλάκιο έχει διαγραφεί", "The vault have been updated": "Το θησαυροφυλάκιο έχει ενημερωθεί", - "they\/them": "αυτοί\/αυτοί", + "they/them": "αυτοί/αυτοί", "This address is not active anymore": "Αυτή η διεύθυνση δεν είναι πλέον ενεργή", "This device": "Αυτή η συσκευή", "This email is a test email to check if Monica can send an email to this email address.": "Αυτό το email είναι ένα δοκιμαστικό email για να ελέγξετε αν η Monica μπορεί να στείλει ένα email σε αυτήν τη διεύθυνση email.", "This is a secure area of the application. Please confirm your password before continuing.": "Αυτή είναι μια ασφαλής περιοχή της εφαρμογής. Επιβεβαιώστε τον κωδικό πρόσβασής σας πριν συνεχίσετε.", "This is a test email": "Αυτό είναι ένα δοκιμαστικό email", - "This is a test notification for :name": "Αυτή είναι μια δοκιμαστική ειδοποίηση για το :name", + "This is a test notification for :name": "Αυτή είναι μια δοκιμαστική ειδοποίηση για :name", "This key is already registered. It’s not necessary to register it again.": "Αυτό το κλειδί είναι ήδη καταχωρημένο. Δεν είναι απαραίτητο να το καταχωρήσετε ξανά.", "This link will open in a new tab": "Αυτός ο σύνδεσμος θα ανοίξει σε νέα καρτέλα", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Αυτή η σελίδα εμφανίζει όλες τις ειδοποιήσεις που έχουν σταλεί σε αυτό το κανάλι στο παρελθόν. Λειτουργεί κυρίως ως τρόπος εντοπισμού σφαλμάτων σε περίπτωση που δεν λάβετε την ειδοποίηση που έχετε ρυθμίσει.", - "This password does not match our records.": "Αυτός ο κωδικός πρόσβασης δεν ταιριάζει με τα αρχεία μας.", - "This password reset link will expire in :count minutes.": "Αυτός ο σύνδεσμος επαναφοράς κωδικού πρόσβασης θα λήξει σε :count λεπτά.", + "This password does not match our records.": "Ο κωδικός σας, δεν αντιστοιχεί στα στοιχεία μας.", + "This password reset link will expire in :count minutes.": "Αυτός ο σύνδεσμος επαναφοράς κωδικού, θα λήξει σε :count λεπτά.", "This post has no content yet.": "Αυτή η ανάρτηση δεν έχει ακόμη περιεχόμενο.", "This provider is already associated with another account": "Αυτός ο πάροχος έχει ήδη συσχετιστεί με άλλον λογαριασμό", "This site is open source.": "Αυτός ο ιστότοπος είναι ανοιχτού κώδικα.", "This template will define what information are displayed on a contact page.": "Αυτό το πρότυπο θα καθορίσει ποιες πληροφορίες εμφανίζονται σε μια σελίδα επαφής.", - "This user already belongs to the team.": "Αυτός ο χρήστης ανήκει ήδη στην ομάδα.", + "This user already belongs to the team.": "Ο χρήστης ανήκει ήδη στην ομάδα.", "This user has already been invited to the team.": "Αυτός ο χρήστης έχει ήδη προσκληθεί στην ομάδα.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Αυτός ο χρήστης θα είναι μέρος του λογαριασμού σας, αλλά δεν θα έχει πρόσβαση σε όλα τα θησαυροφυλάκια αυτού του λογαριασμού, εκτός και αν τους δώσετε συγκεκριμένη πρόσβαση. Αυτό το άτομο θα μπορεί επίσης να δημιουργήσει θησαυροφυλάκια.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Αυτός ο χρήστης θα είναι μέρος του λογαριασμού σας, αλλά δεν θα έχει πρόσβαση σε όλα τα θησαυροφυλάκια σε αυτόν τον λογαριασμό, εκτός εάν τους δώσετε συγκεκριμένη πρόσβαση. Αυτό το άτομο θα μπορεί επίσης να δημιουργήσει θησαυροφυλάκια.", "This will immediately:": "Αυτό θα κάνει αμέσως:", "Three things that happened today": "Τρία πράγματα συνέβησαν σήμερα", "Thursday": "Πέμπτη", "Timezone": "Ζώνη ώρας", "Title": "Τίτλος", - "to": "προς την", + "to": "σε", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Για να ολοκληρώσετε την ενεργοποίηση του ελέγχου ταυτότητας δύο παραγόντων, σαρώστε τον ακόλουθο κωδικό QR χρησιμοποιώντας την εφαρμογή ελέγχου ταυτότητας του τηλεφώνου σας ή εισαγάγετε το κλειδί ρύθμισης και δώστε τον κωδικό OTP που δημιουργήθηκε.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Για να ολοκληρώσετε την ενεργοποίηση του ελέγχου ταυτότητας δύο παραγόντων, σαρώστε τον ακόλουθο κωδικό QR χρησιμοποιώντας την εφαρμογή ελέγχου ταυτότητας του τηλεφώνου σας ή εισαγάγετε το κλειδί ρύθμισης και δώστε τον κωδικό OTP που δημιουργήθηκε.", "Toggle navigation": "Εναλλαγή πλοήγησης", "To hear their story": "Για να ακούσω την ιστορία τους", - "Token Name": "Token Name", + "Token Name": "Διακριτικό Όνομα", "Token name (for your reference only)": "Token name (μόνο για την αναφορά σας)", "Took a new job": "Πήρε μια νέα δουλειά", "Took the bus": "Πήρε το λεωφορείο", @@ -1110,7 +1110,7 @@ "Transportation": "Μεταφορά", "Tuesday": "Τρίτη", "Two-factor Confirmation": "Επιβεβαίωση δύο παραγόντων", - "Two Factor Authentication": "Έλεγχος ταυτότητας δύο παραγόντων", + "Two Factor Authentication": "Έλεγχος Ταυτότητας Δύο Παραγόντων", "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Ο έλεγχος ταυτότητας δύο παραγόντων είναι πλέον ενεργοποιημένος. Σαρώστε τον ακόλουθο κωδικό QR χρησιμοποιώντας την εφαρμογή ελέγχου ταυτότητας του τηλεφώνου σας ή εισαγάγετε το κλειδί ρύθμισης.", "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Ο έλεγχος ταυτότητας δύο παραγόντων είναι πλέον ενεργοποιημένος. Σαρώστε τον ακόλουθο κωδικό QR χρησιμοποιώντας την εφαρμογή ελέγχου ταυτότητας του τηλεφώνου σας ή εισαγάγετε το κλειδί ρύθμισης.", "Type": "Τύπος", @@ -1120,14 +1120,13 @@ "Type something": "Πληκτρολόγησε κάτι", "Unarchive contact": "Κατάργηση αρχειοθέτησης επαφής", "unarchived the contact": "κατάργησε την αρχειοθέτηση της επαφής", - "Unauthorized": "Ανεξουσιοδότητος", - "uncle\/aunt": "θείος θεία", + "Unauthorized": "Χωρίς εξουσιοδότηση", + "uncle/aunt": "θείος/θεία", "Undefined": "Απροσδιόριστος", "Unexpected error on login.": "Απροσδόκητο σφάλμα κατά τη σύνδεση.", "Unknown": "Αγνωστος", "unknown action": "άγνωστη δράση", "Unknown age": "Άγνωστη ηλικία", - "Unknown contact name": "Άγνωστο όνομα επαφής", "Unknown name": "Άγνωστο όνομα", "Update": "Εκσυγχρονίζω", "Update a key.": "Ενημερώστε ένα κλειδί.", @@ -1141,12 +1140,11 @@ "updated the contact information": "ενημέρωσε τα στοιχεία επικοινωνίας", "updated the job information": "ενημέρωσε τις πληροφορίες εργασίας", "updated the religion": "ενημέρωσε τη θρησκεία", - "Update Password": "Ενημέρωση κωδικού πρόσβασης", - "Update your account's profile information and email address.": "Ενημερώστε τις πληροφορίες προφίλ και τη διεύθυνση email του λογαριασμού σας.", - "Update your account’s profile information and email address.": "Ενημερώστε τις πληροφορίες προφίλ και τη διεύθυνση email του λογαριασμού σας.", + "Update Password": "Ενημέρωση Κωδικού Πρόσβασης", + "Update your account's profile information and email address.": "Ενημερώστε τα στοιχεία του προφίλ του λογαριασμού σας και τη διεύθυνση ηλεκτρονικού ταχυδρομείου.", "Upload photo as avatar": "Μεταφόρτωση φωτογραφίας ως avatar", "Use": "Χρήση", - "Use an authentication code": "Χρησιμοποιήστε έναν κωδικό ελέγχου ταυτότητας", + "Use an authentication code": "Χρησιμοποιήστε έναν κωδικό εξουσιοδότησης", "Use a recovery code": "Χρησιμοποιήστε έναν κωδικό ανάκτησης", "Use a security key (Webauthn, or FIDO) to increase your account security.": "Χρησιμοποιήστε ένα κλειδί ασφαλείας (Webauthn ή FIDO) για να αυξήσετε την ασφάλεια του λογαριασμού σας.", "User preferences": "Προτιμήσεις χρήστη", @@ -1159,11 +1157,11 @@ "Value copied into your clipboard": "Η τιμή αντιγράφηκε στο πρόχειρό σας", "Vaults contain all your contacts data.": "Τα θησαυροφυλάκια περιέχουν όλα τα δεδομένα των επαφών σας.", "Vault settings": "Ρυθμίσεις θησαυροφυλάκιου", - "ve\/ver": "και\/δώστε", + "ve/ver": "ve/ver", "Verification email sent": "Το email επαλήθευσης στάλθηκε", "Verified": "Επαληθεύτηκε", "Verify Email Address": "Επιβεβαιώστε τη διεύθυνση ηλεκτρονικού ταχυδρομείου", - "Verify this email address": "Επαληθεύστε αυτήν τη διεύθυνση email", + "Verify this email address": "Επαληθεύστε αυτήν τη διεύθυνση ηλεκτρονικού ταχυδρομείου", "Version :version — commit [:short](:url).": "Έκδοση :version — δέσμευση [:short](:url).", "Via Telegram": "Μέσω Telegram", "Video call": "Κλήση βίντεο", @@ -1174,7 +1172,7 @@ "View history": "Προβολή ιστορικού", "View log": "Προβολή αρχείου καταγραφής", "View on map": "Προβολή στο χάρτη", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Περιμένετε μερικά δευτερόλεπτα για να σας αναγνωρίσει η Μόνικα (η εφαρμογή). Θα σας στείλουμε μια ψεύτικη ειδοποίηση για να δούμε αν λειτουργεί.", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Περιμένετε μερικά δευτερόλεπτα για να σας αναγνωρίσει η Monica (η εφαρμογή). Θα σας στείλουμε μια ψεύτικη ειδοποίηση για να δούμε αν λειτουργεί.", "Waiting for key…": "Αναμονή για το κλειδί…", "Walked": "Περπάτησε", "Wallpaper": "Ταπετσαρία", @@ -1185,45 +1183,46 @@ "Watch Netflix every day": "Παρακολουθήστε το Netflix κάθε μέρα", "Ways to connect": "Τρόποι σύνδεσης", "WebAuthn only supports secure connections. Please load this page with https scheme.": "Το WebAuthn υποστηρίζει μόνο ασφαλείς συνδέσεις. Φορτώστε αυτήν τη σελίδα με το σχήμα https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Τις ονομάζουμε σχέση και αντίστροφη σχέση της. Για κάθε σχέση που ορίζετε, πρέπει να ορίσετε το αντίστοιχο της.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Τις ονομάζουμε σχέση και αντίστροφη σχέση της. Για κάθε σχέση που ορίζετε, πρέπει να ορίσετε το αντίστοιχο.", "Wedding": "Γάμος", "Wednesday": "Τετάρτη", "We hope you'll like it.": "Ελπίζουμε να σας αρέσει.", "We hope you will like what we’ve done.": "Ελπίζουμε να σας αρέσει αυτό που κάναμε.", - "Welcome to Monica.": "Καλώς ήρθατε στη Μόνικα.", + "Welcome to Monica.": "Καλώς ήρθατε στη Monica.", "Went to a bar": "Πήγε σε ένα μπαρ", "We support Markdown to format the text (bold, lists, headings, etc…).": "Υποστηρίζουμε το Markdown για τη μορφοποίηση του κειμένου (έντονα γράμματα, λίστες, επικεφαλίδες, κ.λπ.).", - "We were unable to find a registered user with this email address.": "Δεν μπορέσαμε να βρούμε έναν εγγεγραμμένο χρήστη με αυτήν τη διεύθυνση ηλεκτρονικού ταχυδρομείου.", + "We were unable to find a registered user with this email address.": "Ήταν αδύνατο να βρούμε έναν εγγεγραμμένο χρήστη, με αυτή τη διεύθυνση ηλεκτρονικού ταχυδρομείου.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Θα στείλουμε ένα μήνυμα ηλεκτρονικού ταχυδρομείου σε αυτήν τη διεύθυνση ηλεκτρονικού ταχυδρομείου που θα πρέπει να επιβεβαιώσετε για να μπορέσουμε να στείλουμε ειδοποιήσεις σε αυτήν τη διεύθυνση.", "What happens now?": "Τι συμβαίνει τώρα?", "What is the loan?": "Τι είναι το δάνειο;", "What permission should :name have?": "Τι άδεια πρέπει να έχει το :name;", "What permission should the user have?": "Τι άδεια πρέπει να έχει ο χρήστης;", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "Τι πρέπει να χρησιμοποιήσουμε για να εμφανίσουμε τους χάρτες;", "What would make today great?": "Τι θα έκανε το σήμερα υπέροχο;", "When did the call happened?": "Πότε έγινε η κλήση;", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Όταν είναι ενεργοποιημένος ο έλεγχος ταυτότητας δύο παραγόντων, θα σας ζητηθεί ένα ασφαλές, τυχαίο διακριτικό κατά τον έλεγχο ταυτότητας. Μπορείτε να ανακτήσετε αυτό το διακριτικό από την εφαρμογή Google Authenticator του τηλεφώνου σας.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Όταν είναι ενεργοποιημένος ο έλεγχος ταυτότητας δύο παραγόντων, θα σας ζητηθεί ένα ασφαλές, τυχαίο διακριτικό κατά τη διάρκεια του ελέγχου ταυτότητας. Μπορείτε να ανακτήσετε αυτό το διακριτικό από την εφαρμογή Google Authenticator του τηλεφώνου σας.", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Όταν είναι ενεργοποιημένος ο έλεγχος ταυτότητας δύο παραγόντων, θα σας ζητηθεί ένα ασφαλές, τυχαίο διακριτικό κατά τον έλεγχο ταυτότητας. Μπορείτε να ανακτήσετε αυτό το διακριτικό από την εφαρμογή Authenticator του τηλεφώνου σας.", "When was the loan made?": "Πότε έγινε το δάνειο;", "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Όταν ορίζετε μια σχέση μεταξύ δύο επαφών, για παράδειγμα μια σχέση πατέρα-γιου, η Monica δημιουργεί δύο σχέσεις, μία για κάθε επαφή:", "Which email address should we send the notification to?": "Σε ποια διεύθυνση email πρέπει να στείλουμε την ειδοποίηση;", "Who called?": "Ποιος κάλεσε?", "Who makes the loan?": "Ποιος κάνει το δάνειο;", - "Whoops!": "Ωχ!", - "Whoops! Something went wrong.": "Ωχ! Κάτι πήγε στραβά.", + "Whoops!": "Ουπς!", + "Whoops! Something went wrong.": "Ουπς! Κάτι πήγε στραβά.", "Who should we invite in this vault?": "Ποιον να προσκαλέσουμε σε αυτό το θησαυροφυλάκιο;", "Who the loan is for?": "Σε ποιον είναι το δάνειο;", "Wish good day": "Εύχομαι καλή μέρα", "Work": "Δουλειά", - "Write the amount with a dot if you need decimals, like 100.50": "Γράψτε το ποσό με μια τελεία αν χρειάζεστε δεκαδικά, όπως 100,50", - "Written on": "Γραμμένο σε", + "Write the amount with a dot if you need decimals, like 100.50": "Γράψτε το ποσό με μια τελεία εάν χρειάζεστε δεκαδικά, όπως 100,50", + "Written on": "Γραμμένο επάνω", "wrote a note": "έγραψε ένα σημείωμα", - "xe\/xem": "αυτοκίνητο\/θέα", + "xe/xem": "xe/xem", "year": "έτος", "Years": "Χρόνια", "You are here:": "Είστε εδώ:", "You are invited to join Monica": "Είστε προσκεκλημένοι να γίνετε μέλος της Monica", - "You are receiving this email because we received a password reset request for your account.": "Λαμβάνετε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου επειδή λάβαμε ένα αίτημα επαναφοράς κωδικού πρόσβασης για τον λογαριασμό σας.", + "You are receiving this email because we received a password reset request for your account.": "Λαμβάνετε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου επειδή λάβαμε ένα αίτημα επαναφοράς κωδικού πρόσβασης για το λογαριασμό σας.", "you can't even use your current username or password to sign in,": "δεν μπορείτε καν να χρησιμοποιήσετε το τρέχον όνομα χρήστη ή τον κωδικό πρόσβασής σας για να συνδεθείτε,", "you can't import any data from your current Monica account(yet),": "δεν μπορείτε να εισαγάγετε δεδομένα από τον τρέχοντα λογαριασμό σας στη Monica (ακόμα),", "You can add job information to your contacts and manage the companies here in this tab.": "Μπορείτε να προσθέσετε πληροφορίες εργασίας στις επαφές σας και να διαχειριστείτε τις εταιρείες εδώ σε αυτήν την καρτέλα.", @@ -1232,22 +1231,22 @@ "You can change that at any time.": "Μπορείτε να το αλλάξετε ανά πάσα στιγμή.", "You can choose how you want Monica to display dates in the application.": "Μπορείτε να επιλέξετε πώς θέλετε η Monica να εμφανίζει ημερομηνίες στην εφαρμογή.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Μπορείτε να επιλέξετε ποια νομίσματα θα πρέπει να είναι ενεργοποιημένα στον λογαριασμό σας και ποια όχι.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Μπορείτε να προσαρμόσετε τον τρόπο εμφάνισης των επαφών σύμφωνα με το δικό σας γούστο\/κουλτούρα. Ίσως θα θέλατε να χρησιμοποιήσετε τον Τζέιμς Μποντ αντί για τον Μποντ Τζέιμς. Εδώ, μπορείτε να το ορίσετε κατά βούληση.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Μπορείτε να προσαρμόσετε τον τρόπο εμφάνισης των επαφών σύμφωνα με το δικό σας γούστο/κουλτούρα. Ίσως θα θέλατε να χρησιμοποιήσετε τον Τζέιμς Μποντ αντί για τον Μποντ Τζέιμς. Εδώ, μπορείτε να το ορίσετε κατά βούληση.", "You can customize the criteria that let you track your mood.": "Μπορείτε να προσαρμόσετε τα κριτήρια που σας επιτρέπουν να παρακολουθείτε τη διάθεσή σας.", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Μπορείτε να μετακινήσετε τις επαφές μεταξύ των θυρίδων. Αυτή η αλλαγή είναι άμεση. Μπορείτε να μετακινήσετε επαφές μόνο σε θησαυροφυλάκια στα οποία ανήκετε. Όλα τα δεδομένα επαφών θα μετακινηθούν μαζί του.", "You cannot remove your own administrator privilege.": "Δεν μπορείτε να αφαιρέσετε το δικό σας δικαίωμα διαχειριστή.", "You don’t have enough space left in your account.": "Δεν έχετε αρκετό χώρο στον λογαριασμό σας.", "You don’t have enough space left in your account. Please upgrade.": "Δεν έχετε αρκετό χώρο στον λογαριασμό σας. Παρακαλώ αναβαθμίστε.", - "You have been invited to join the :team team!": "Έχετε προσκληθεί να γίνετε μέλος της ομάδας :team!", + "You have been invited to join the :team team!": "Έχετε προσκληθεί να συμμετάσχετε στην ομάδα :team!", "You have enabled two factor authentication.": "Έχετε ενεργοποιήσει τον έλεγχο ταυτότητας δύο παραγόντων.", "You have not enabled two factor authentication.": "Δεν έχετε ενεργοποιήσει τον έλεγχο ταυτότητας δύο παραγόντων.", "You have not setup Telegram in your environment variables yet.": "Δεν έχετε ρυθμίσει ακόμα το Telegram στις μεταβλητές του περιβάλλοντος σας.", "You haven’t received a notification in this channel yet.": "Δεν έχετε λάβει ακόμη ειδοποίηση σε αυτό το κανάλι.", "You haven’t setup Telegram yet.": "Δεν έχετε ρυθμίσει ακόμα το Telegram.", "You may accept this invitation by clicking the button below:": "Μπορείτε να αποδεχτείτε αυτήν την πρόσκληση κάνοντας κλικ στο παρακάτω κουμπί:", - "You may delete any of your existing tokens if they are no longer needed.": "Μπορείτε να διαγράψετε οποιοδήποτε από τα υπάρχοντα διακριτικά σας εάν δεν χρειάζονται πλέον.", + "You may delete any of your existing tokens if they are no longer needed.": "Μπορείτε να διαγράψετε οποιαδήποτε από τις υπάρχουσες μάρκες σας, αν δεν χρειάζονται πλέον.", "You may not delete your personal team.": "Δεν μπορείτε να διαγράψετε την προσωπική σας ομάδα.", - "You may not leave a team that you created.": "Δεν μπορείτε να φύγετε από μια ομάδα που δημιουργήσατε.", + "You may not leave a team that you created.": "Δεν μπορείτε να αφήσετε μια ομάδα που δημιουργήσατε.", "You might need to reload the page to see the changes.": "Ίσως χρειαστεί να φορτώσετε ξανά τη σελίδα για να δείτε τις αλλαγές.", "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Χρειάζεστε τουλάχιστον ένα πρότυπο για να εμφανίζονται οι επαφές. Χωρίς πρότυπο, η Monica δεν θα ξέρει ποιες πληροφορίες πρέπει να εμφανίσει.", "Your account current usage": "Τρέχουσα χρήση του λογαριασμού σας", @@ -1260,13 +1259,13 @@ "Your life events": "Τα γεγονότα της ζωής σας", "Your mood has been recorded!": "Η διάθεσή σας έχει καταγραφεί!", "Your mood that day": "Η διάθεσή σου εκείνη την ημέρα", - "Your mood that you logged at this date": "Η διάθεσή σας που καταχωρήσατε αυτήν την ημερομηνία", + "Your mood that you logged at this date": "Η διάθεσή σας που συνδέεστε αυτήν την ημερομηνία", "Your mood this year": "Η φετινή σας διάθεση", "Your name here will be used to add yourself as a contact.": "Το όνομά σας εδώ θα χρησιμοποιηθεί για να προσθέσετε τον εαυτό σας ως επαφή.", "You wanted to be reminded of the following:": "Θέλατε να σας υπενθυμίσουμε τα εξής:", "You WILL still have to delete your account on Monica or OfficeLife.": "Θα πρέπει ακόμα να διαγράψετε τον λογαριασμό σας στη Monica ή στο OfficeLife.", "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Έχετε προσκληθεί να χρησιμοποιήσετε αυτήν τη διεύθυνση ηλεκτρονικού ταχυδρομείου στη Monica, ένα προσωπικό CRM ανοιχτού κώδικα, ώστε να μπορούμε να το χρησιμοποιήσουμε για να σας στέλνουμε ειδοποιήσεις.", - "ze\/hir": "σε αυτή", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Επικίνδυνη ζώνη", "🌳 Chalet": "🌳 Σαλέ", "🏠 Secondary residence": "🏠 Δευτερεύουσα κατοικία", diff --git a/lang/el/auth.php b/lang/el/auth.php index fee795928de..7ee236aa58a 100644 --- a/lang/el/auth.php +++ b/lang/el/auth.php @@ -2,7 +2,7 @@ return [ 'failed' => 'Τα στοιχεία αυτά δεν ταιριάζουν με τα δικά μας.', - 'lang' => 'ελληνικά', + 'lang' => 'Ελληνικά', 'password' => 'Ο κωδικός είναι λανθασμένος.', 'throttle' => 'Πολλές προσπάθειες σύνδεσης. Παρακαλώ δοκιμάστε ξανά σε :seconds δευτερόλεπτα.', ]; diff --git a/lang/el/pagination.php b/lang/el/pagination.php index c4191a68d0e..6eaf258c346 100644 --- a/lang/el/pagination.php +++ b/lang/el/pagination.php @@ -1,6 +1,6 @@ 'Επόμενη »', - 'previous' => '« Προηγούμενη', + 'next' => 'Επόμενη ❯', + 'previous' => '❮ Προηγούμενη', ]; diff --git a/lang/el/validation.php b/lang/el/validation.php index bc89bbf0353..5a6ef432225 100644 --- a/lang/el/validation.php +++ b/lang/el/validation.php @@ -93,6 +93,7 @@ 'string' => 'Το πεδίο :attribute πρέπει να είναι μεταξύ :min - :max χαρακτήρες.', ], 'boolean' => 'Το πεδίο :attribute πρέπει να είναι true ή false.', + 'can' => 'Το πεδίο :attribute περιέχει μια μη εξουσιοδοτημένη τιμή.', 'confirmed' => 'Η επιβεβαίωση του :attribute δεν ταιριάζει.', 'current_password' => 'Ο κωδικός πρόσβασης είναι λανθασμένος.', 'date' => 'Το πεδίο :attribute δεν είναι έγκυρη ημερομηνία.', diff --git a/lang/en.json b/lang/en.json index 2d88908a99d..6cdc424bcf6 100644 --- a/lang/en.json +++ b/lang/en.json @@ -1,190 +1,1283 @@ { "(and :count more error)": "(and :count more error)", "(and :count more errors)": "(and :count more errors)", - "A new verification link has been sent to the email address you provided in your profile settings.": "A new verification link has been sent to the email address you provided in your profile settings.", - "A new verification link has been sent to your email address.": "A new verification link has been sent to your email address.", + "(Help)": "(Help)", + "+ add a contact": "+ add a contact", + "+ add another": "+ add another", + "+ add another photo": "+ add another photo", + "+ add description": "+ add description", + "+ add distance": "+ add distance", + "+ add emotion": "+ add emotion", + "+ add reason": "+ add reason", + "+ add summary": "+ add summary", + "+ add title": "+ add title", + "+ change date": "+ change date", + "+ change template": "+ change template", + "+ create a group": "+ create a group", + "+ gender": "+ gender", + "+ last name": "+ last name", + "+ maiden name": "+ maiden name", + "+ middle name": "+ middle name", + "+ nickname": "+ nickname", + "+ note": "+ note", + "+ number of hours slept": "+ number of hours slept", + "+ prefix": "+ prefix", + "+ pronoun": "+ pronoun", + "+ suffix": "+ suffix", + ":count contact|:count contacts": ":count contact|:count contacts", + ":count hour slept|:count hours slept": ":count hour slept|:count hours slept", + ":count min read": ":count min read", + ":count post|:count posts": ":count post|:count posts", + ":count template section|:count template sections": ":count template section|:count template sections", + ":count word|:count words": ":count word|:count words", + ":distance km": ":distance km", + ":distance miles": ":distance miles", + ":file at line :line": ":file at line :line", + ":file in :class at line :line": ":file in :class at line :line", + ":Name called": ":Name called", + ":Name called, but I didn’t answer": ":Name called, but I didn’t answer", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.", "Accept Invitation": "Accept Invitation", + "Accept invitation and create your account": "Accept invitation and create your account", + "Account and security": "Account and security", + "Account settings": "Account settings", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.", + "Activate": "Activate", + "Activity feed": "Activity feed", + "Activity in this vault": "Activity in this vault", "Add": "Add", - "Add a new team member to your team, allowing them to collaborate with you.": "Add a new team member to your team, allowing them to collaborate with you.", + "add a call reason type": "add a call reason type", + "Add a contact": "Add a contact", + "Add a contact information": "Add a contact information", + "Add a date": "Add a date", + "Add additional security to your account using a security key.": "Add additional security to your account using a security key.", "Add additional security to your account using two factor authentication.": "Add additional security to your account using two factor authentication.", - "Add Team Member": "Add Team Member", + "Add a document": "Add a document", + "Add a due date": "Add a due date", + "Add a gender": "Add a gender", + "Add a gift occasion": "Add a gift occasion", + "Add a gift state": "Add a gift state", + "Add a goal": "Add a goal", + "Add a group type": "Add a group type", + "Add a header image": "Add a header image", + "Add a label": "Add a label", + "Add a life event": "Add a life event", + "Add a life event category": "Add a life event category", + "add a life event type": "add a life event type", + "Add a module": "Add a module", + "Add an address": "Add an address", + "Add an address type": "Add an address type", + "Add an email address": "Add an email address", + "Add an email to be notified when a reminder occurs.": "Add an email to be notified when a reminder occurs.", + "Add an entry": "Add an entry", + "add a new metric": "add a new metric", + "Add a new team member to your team, allowing them to collaborate with you.": "Add a new team member to your team, allowing them to collaborate with you.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.", + "Add a note": "Add a note", + "Add another life event": "Add another life event", + "Add a page": "Add a page", + "Add a parameter": "Add a parameter", + "Add a pet": "Add a pet", + "Add a photo": "Add a photo", + "Add a photo to a journal entry to see it here.": "Add a photo to a journal entry to see it here.", + "Add a post template": "Add a post template", + "Add a pronoun": "Add a pronoun", + "add a reason": "add a reason", + "Add a relationship": "Add a relationship", + "Add a relationship group type": "Add a relationship group type", + "Add a relationship type": "Add a relationship type", + "Add a religion": "Add a religion", + "Add a reminder": "Add a reminder", + "add a role": "add a role", + "add a section": "add a section", + "Add a tag": "Add a tag", + "Add a task": "Add a task", + "Add a template": "Add a template", + "Add at least one module.": "Add at least one module.", + "Add a type": "Add a type", + "Add a user": "Add a user", + "Add a vault": "Add a vault", + "Add date": "Add date", "Added.": "Added.", + "added a contact information": "added a contact information", + "added an address": "added an address", + "added an important date": "added an important date", + "added a pet": "added a pet", + "added the contact to a group": "added the contact to a group", + "added the contact to a post": "added the contact to a post", + "added the contact to the favorites": "added the contact to the favorites", + "Add genders to associate them to contacts.": "Add genders to associate them to contacts.", + "Add loan": "Add loan", + "Add one now": "Add one now", + "Add photos": "Add photos", + "Address": "Address", + "Addresses": "Addresses", + "Address type": "Address type", + "Address types": "Address types", + "Address types let you classify contact addresses.": "Address types let you classify contact addresses.", + "Add Team Member": "Add Team Member", + "Add to group": "Add to group", "Administrator": "Administrator", "Administrator users can perform any action.": "Administrator users can perform any action.", + "a father-son relation shown on the father page,": "a father-son relation shown on the father page,", + "after the next occurence of the date.": "after the next occurence of the date.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.", + "All contacts in the vault": "All contacts in the vault", + "All files": "All files", + "All groups in the vault": "All groups in the vault", + "All journal metrics in :name": "All journal metrics in :name", "All of the people that are part of this team.": "All of the people that are part of this team.", "All rights reserved.": "All rights reserved.", + "All tags": "All tags", + "All the address types": "All the address types", + "All the best,": "All the best,", + "All the call reasons": "All the call reasons", + "All the cities": "All the cities", + "All the companies": "All the companies", + "All the contact information types": "All the contact information types", + "All the countries": "All the countries", + "All the currencies": "All the currencies", + "All the files": "All the files", + "All the genders": "All the genders", + "All the gift occasions": "All the gift occasions", + "All the gift states": "All the gift states", + "All the group types": "All the group types", + "All the important dates": "All the important dates", + "All the important date types used in the vault": "All the important date types used in the vault", + "All the journals": "All the journals", + "All the labels used in the vault": "All the labels used in the vault", + "All the notes": "All the notes", + "All the pet categories": "All the pet categories", + "All the photos": "All the photos", + "All the planned reminders": "All the planned reminders", + "All the pronouns": "All the pronouns", + "All the relationship types": "All the relationship types", + "All the religions": "All the religions", + "All the reports": "All the reports", + "All the slices of life in :name": "All the slices of life in :name", + "All the tags used in the vault": "All the tags used in the vault", + "All the templates": "All the templates", + "All the vaults": "All the vaults", + "All the vaults in the account": "All the vaults in the account", + "All users and vaults will be deleted immediately,": "All users and vaults will be deleted immediately,", + "All users in this account": "All users in this account", "Already registered?": "Already registered?", + "Already used on this page": "Already used on this page", + "A new verification link has been sent to the email address you provided during registration.": "A new verification link has been sent to the email address you provided during registration.", + "A new verification link has been sent to the email address you provided in your profile settings.": "A new verification link has been sent to the email address you provided in your profile settings.", + "A new verification link has been sent to your email address.": "A new verification link has been sent to your email address.", + "Anniversary": "Anniversary", + "Apartment, suite, etc…": "Apartment, suite, etc…", "API Token": "API Token", "API Token Permissions": "API Token Permissions", "API Tokens": "API Tokens", "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokens allow third-party services to authenticate with our application on your behalf.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.", + "Archive": "Archive", + "Archive contact": "Archive contact", + "archived the contact": "archived the contact", + "Are you sure? The address will be deleted immediately.": "Are you sure? The address will be deleted immediately.", + "Are you sure? This action cannot be undone.": "Are you sure? This action cannot be undone.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.", + "Are you sure? This will delete the contact information permanently.": "Are you sure? This will delete the contact information permanently.", + "Are you sure? This will delete the document permanently.": "Are you sure? This will delete the document permanently.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Are you sure? This will delete the goal and all the streaks permanently.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.", "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.", + "Are you sure you would like to archive this contact?": "Are you sure you would like to archive this contact?", "Are you sure you would like to delete this API token?": "Are you sure you would like to delete this API token?", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Are you sure you would like to delete this contact? This will remove everything we know about this contact.", + "Are you sure you would like to delete this key?": "Are you sure you would like to delete this key?", "Are you sure you would like to leave this team?": "Are you sure you would like to leave this team?", "Are you sure you would like to remove this person from the team?": "Are you sure you would like to remove this person from the team?", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.", + "a son-father relation shown on the son page.": "a son-father relation shown on the son page.", + "assigned a label": "assigned a label", + "Association": "Association", + "At": "At", + "at ": "at ", + "Ate": "Ate", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.", + "Atheist": "Atheist", + "At which time should we send the notification, when the reminder occurs?": "At which time should we send the notification, when the reminder occurs?", + "Audio-only call": "Audio-only call", + "Auto saved a few seconds ago": "Auto saved a few seconds ago", + "Available modules:": "Available modules:", + "Avatar": "Avatar", + "Avatars": "Avatars", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.", + "best friend": "best friend", + "Bird": "Bird", + "Birthdate": "Birthdate", + "Birthday": "Birthday", + "Body": "Body", + "boss": "boss", + "Bought": "Bought", + "Breakdown of the current usage": "Breakdown of the current usage", + "brother/sister": "brother/sister", "Browser Sessions": "Browser Sessions", + "Buddhist": "Buddhist", + "Business": "Business", + "By last updated": "By last updated", + "Calendar": "Calendar", + "Call reasons": "Call reasons", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Call reasons let you indicate the reason of calls you make to your contacts.", + "Calls": "Calls", "Cancel": "Cancel", + "Cancel account": "Cancel account", + "Cancel all your active subscriptions": "Cancel all your active subscriptions", + "Cancel your account": "Cancel your account", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Can do everything, including adding or removing other users, managing billing and closing the account.", + "Can do everything, including adding or removing other users.": "Can do everything, including adding or removing other users.", + "Can edit data, but can’t manage the vault.": "Can edit data, but can’t manage the vault.", + "Can view data, but can’t edit it.": "Can view data, but can’t edit it.", + "Can’t be moved or deleted": "Can’t be moved or deleted", + "Cat": "Cat", + "Categories": "Categories", + "Chandler is in beta.": "Chandler is in beta.", + "Change": "Change", + "Change date": "Change date", + "Change permission": "Change permission", + "Changes saved": "Changes saved", + "Change template": "Change template", + "Child": "Child", + "child": "child", + "Choose": "Choose", + "Choose a color": "Choose a color", + "Choose an existing address": "Choose an existing address", + "Choose an existing contact": "Choose an existing contact", + "Choose a template": "Choose a template", + "Choose a value": "Choose a value", + "Chosen type:": "Chosen type:", + "Christian": "Christian", + "Christmas": "Christmas", + "City": "City", "Click here to re-send the verification email.": "Click here to re-send the verification email.", + "Click on a day to see the details": "Click on a day to see the details", "Close": "Close", + "close edit mode": "close edit mode", + "Club": "Club", "Code": "Code", + "colleague": "colleague", + "Companies": "Companies", + "Company name": "Company name", + "Compared to Monica:": "Compared to Monica:", + "Configure how we should notify you": "Configure how we should notify you", "Confirm": "Confirm", "Confirm Password": "Confirm Password", + "Connect": "Connect", + "Connected": "Connected", + "Connect with your security key": "Connect with your security key", + "Contact feed": "Contact feed", + "Contact information": "Contact information", + "Contact informations": "Contact informations", + "Contact information types": "Contact information types", + "Contact name": "Contact name", + "Contacts": "Contacts", + "Contacts in this post": "Contacts in this post", + "Contacts in this slice": "Contacts in this slice", + "Contacts will be shown as follow:": "Contacts will be shown as follow:", + "Content": "Content", + "Copied.": "Copied.", + "Copy": "Copy", + "Copy value into the clipboard": "Copy value into the clipboard", + "Could not get address book data.": "Could not get address book data.", + "Country": "Country", + "Couple": "Couple", + "cousin": "cousin", "Create": "Create", - "Create a new team to collaborate with others on projects.": "Create a new team to collaborate with others on projects.", + "Create account": "Create account", "Create Account": "Create Account", + "Create a contact": "Create a contact", + "Create a contact entry for this person": "Create a contact entry for this person", + "Create a journal": "Create a journal", + "Create a journal metric": "Create a journal metric", + "Create a journal to document your life.": "Create a journal to document your life.", + "Create an account": "Create an account", + "Create a new address": "Create a new address", + "Create a new team to collaborate with others on projects.": "Create a new team to collaborate with others on projects.", "Create API Token": "Create API Token", + "Create a post": "Create a post", + "Create a reminder": "Create a reminder", + "Create a slice of life": "Create a slice of life", + "Create at least one page to display contact’s data.": "Create at least one page to display contact’s data.", + "Create at least one template to use Monica.": "Create at least one template to use Monica.", + "Create a user": "Create a user", + "Create a vault": "Create a vault", + "Created.": "Created.", + "created a goal": "created a goal", + "created the contact": "created the contact", + "Create label": "Create label", + "Create new label": "Create new label", + "Create new tag": "Create new tag", "Create New Team": "Create New Team", "Create Team": "Create Team", - "Created.": "Created.", + "Currencies": "Currencies", + "Currency": "Currency", + "Current default": "Current default", + "Current language:": "Current language:", "Current Password": "Current Password", + "Current site used to display maps:": "Current site used to display maps:", + "Current streak": "Current streak", + "Current timezone:": "Current timezone:", + "Current way of displaying contact names:": "Current way of displaying contact names:", + "Current way of displaying dates:": "Current way of displaying dates:", + "Current way of displaying distances:": "Current way of displaying distances:", + "Current way of displaying numbers:": "Current way of displaying numbers:", + "Customize how contacts should be displayed": "Customize how contacts should be displayed", + "Custom name order": "Custom name order", + "Daily affirmation": "Daily affirmation", "Dashboard": "Dashboard", + "date": "date", + "Date of the event": "Date of the event", + "Date of the event:": "Date of the event:", + "Date type": "Date type", + "Date types are essential as they let you categorize dates that you add to a contact.": "Date types are essential as they let you categorize dates that you add to a contact.", + "Day": "Day", + "day": "day", + "Deactivate": "Deactivate", + "Deceased date": "Deceased date", + "Default template": "Default template", + "Default template to display contacts": "Default template to display contacts", "Delete": "Delete", "Delete Account": "Delete Account", + "Delete a new key": "Delete a new key", "Delete API Token": "Delete API Token", + "Delete contact": "Delete contact", + "deleted a contact information": "deleted a contact information", + "deleted a goal": "deleted a goal", + "deleted an address": "deleted an address", + "deleted an important date": "deleted an important date", + "deleted a note": "deleted a note", + "deleted a pet": "deleted a pet", + "Deleted author": "Deleted author", + "Delete group": "Delete group", + "Delete journal": "Delete journal", "Delete Team": "Delete Team", + "Delete the address": "Delete the address", + "Delete the photo": "Delete the photo", + "Delete the slice": "Delete the slice", + "Delete the vault": "Delete the vault", + "Delete your account on https://customers.monicahq.com.": "Delete your account on https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.", + "Description": "Description", + "Detail of a goal": "Detail of a goal", + "Details in the last year": "Details in the last year", "Disable": "Disable", + "Disable all": "Disable all", + "Disconnect": "Disconnect", + "Discuss partnership": "Discuss partnership", + "Discuss recent purchases": "Discuss recent purchases", + "Dismiss": "Dismiss", + "Display help links in the interface to help you (English only)": "Display help links in the interface to help you (English only)", + "Distance": "Distance", + "Documents": "Documents", + "Dog": "Dog", "Done.": "Done.", - "Edit Profile": "Edit Profile", + "Download": "Download", + "Download as vCard": "Download as vCard", + "Drank": "Drank", + "Drove": "Drove", + "Due and upcoming tasks": "Due and upcoming tasks", + "Edit": "Edit", + "edit": "edit", + "Edit a contact": "Edit a contact", + "Edit a journal": "Edit a journal", + "Edit a post": "Edit a post", + "edited a note": "edited a note", + "Edit group": "Edit group", + "Edit journal": "Edit journal", + "Edit journal information": "Edit journal information", + "Edit journal metrics": "Edit journal metrics", + "Edit names": "Edit names", "Editor": "Editor", "Editor users have the ability to read, create, and update.": "Editor users have the ability to read, create, and update.", + "Edit post": "Edit post", + "Edit Profile": "Edit Profile", + "Edit slice of life": "Edit slice of life", + "Edit the group": "Edit the group", + "Edit the slice of life": "Edit the slice of life", "Email": "Email", + "Email address": "Email address", + "Email address to send the invitation to": "Email address to send the invitation to", "Email Password Reset Link": "Email Password Reset Link", "Enable": "Enable", + "Enable all": "Enable all", "Ensure your account is using a long, random password to stay secure.": "Ensure your account is using a long, random password to stay secure.", + "Enter a number from 0 to 100000. No decimals.": "Enter a number from 0 to 100000. No decimals.", + "Events this month": "Events this month", + "Events this week": "Events this week", + "Events this year": "Events this year", + "Every": "Every", + "ex-boyfriend": "ex-boyfriend", + "Exception:": "Exception:", + "Existing company": "Existing company", + "External connections": "External connections", + "Facebook": "Facebook", + "Family": "Family", + "Family summary": "Family summary", + "Favorites": "Favorites", + "Female": "Female", + "Files": "Files", + "Filter": "Filter", + "Filter list or create a new label": "Filter list or create a new label", + "Filter list or create a new tag": "Filter list or create a new tag", + "Find a contact in this vault": "Find a contact in this vault", "Finish enabling two factor authentication.": "Finish enabling two factor authentication.", - "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "First name": "First name", + "First name Last name": "First name Last name", + "First name Last name (nickname)": "First name Last name (nickname)", + "Fish": "Fish", + "Food preferences": "Food preferences", + "for": "for", + "For:": "For:", + "For advice": "For advice", "Forbidden": "Forbidden", "Forgot your password?": "Forgot your password?", "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.", + "For your security, please confirm your password to continue.": "For your security, please confirm your password to continue.", + "Found": "Found", + "Friday": "Friday", + "Friend": "Friend", + "friend": "friend", + "From A to Z": "From A to Z", + "From Z to A": "From Z to A", + "Gender": "Gender", + "Gender and pronoun": "Gender and pronoun", + "Genders": "Genders", + "Gift occasions": "Gift occasions", + "Gift occasions let you categorize all your gifts.": "Gift occasions let you categorize all your gifts.", + "Gift states": "Gift states", + "Gift states let you define the various states for your gifts.": "Gift states let you define the various states for your gifts.", + "Give this email address a name": "Give this email address a name", + "Goals": "Goals", + "Go back": "Go back", + "godchild": "godchild", + "godparent": "godparent", + "Google Maps": "Google Maps", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.", + "Got fired": "Got fired", "Go to page :page": "Go to page :page", + "grand child": "grand child", + "grand parent": "grand parent", "Great! You have accepted the invitation to join the :team team.": "Great! You have accepted the invitation to join the :team team.", + "Group journal entries together with slices of life.": "Group journal entries together with slices of life.", + "Groups": "Groups", + "Groups let you put your contacts together in a single place.": "Groups let you put your contacts together in a single place.", + "Group type": "Group type", + "Group type: :name": "Group type: :name", + "Group types": "Group types", + "Group types let you group people together.": "Group types let you group people together.", + "Had a promotion": "Had a promotion", + "Hamster": "Hamster", + "Have a great day,": "Have a great day,", + "he/him": "he/him", "Hello!": "Hello!", + "Help": "Help", + "Hi :name": "Hi :name", + "Hinduist": "Hinduist", + "History of the notification sent": "History of the notification sent", + "Hobbies": "Hobbies", + "Home": "Home", + "Horse": "Horse", + "How are you?": "How are you?", + "How could I have done this day better?": "How could I have done this day better?", + "How did you feel?": "How did you feel?", + "How do you feel right now?": "How do you feel right now?", + "however, there are many, many new features that didn't exist before.": "however, there are many, many new features that didn’t exist before.", + "How much money was lent?": "How much money was lent?", + "How much was lent?": "How much was lent?", + "How often should we remind you about this date?": "How often should we remind you about this date?", + "How should we display dates": "How should we display dates", + "How should we display distance values": "How should we display distance values", + "How should we display numerical values": "How should we display numerical values", + "I agree to the :terms and :policy": "I agree to the :terms and :policy", "I agree to the :terms_of_service and :privacy_policy": "I agree to the :terms_of_service and :privacy_policy", + "I am grateful for": "I am grateful for", + "I called": "I called", + "I called, but :name didn’t answer": "I called, but :name didn’t answer", + "Idea": "Idea", + "I don’t know the name": "I don’t know the name", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.", + "If the date is in the past, the next occurence of the date will be next year.": "If the date is in the past, the next occurence of the date will be next year.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "If you’re having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:", "If you already have an account, you may accept this invitation by clicking the button below:": "If you already have an account, you may accept this invitation by clicking the button below:", "If you did not create an account, no further action is required.": "If you did not create an account, no further action is required.", "If you did not expect to receive an invitation to this team, you may discard this email.": "If you did not expect to receive an invitation to this team, you may discard this email.", "If you did not request a password reset, no further action is required.": "If you did not request a password reset, no further action is required.", "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:", + "If you’ve received this invitation by mistake, please discard it.": "If you’ve received this invitation by mistake, please discard it.", + "I know the exact date, including the year": "I know the exact date, including the year", + "I know the name": "I know the name", + "Important dates": "Important dates", + "Important date summary": "Important date summary", + "in": "in", + "Information": "Information", + "Information from Wikipedia": "Information from Wikipedia", + "in love with": "in love with", + "Inspirational post": "Inspirational post", + "Invalid JSON was returned from the route.": "Invalid JSON was returned from the route.", + "Invitation sent": "Invitation sent", + "Invite a new user": "Invite a new user", + "Invite someone": "Invite someone", + "I only know a number of years (an age, for example)": "I only know a number of years (an age, for example)", + "I only know the day and month, not the year": "I only know the day and month, not the year", + "it misses some of the features, the most important ones being the API and gift management,": "it misses some of the features, the most important ones being the API and gift management,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.", + "Jew": "Jew", + "Job information": "Job information", + "Job position": "Job position", + "Journal": "Journal", + "Journal entries": "Journal entries", + "Journal metrics": "Journal metrics", + "Journal metrics let you track data accross all your journal entries.": "Journal metrics let you track data accross all your journal entries.", + "Journals": "Journals", + "Just because": "Just because", + "Just to say hello": "Just to say hello", + "Key name": "Key name", + "kilometers (km)": "kilometers (km)", + "km": "km", + "Label:": "Label:", + "Labels": "Labels", + "Labels let you classify contacts using a system that matters to you.": "Labels let you classify contacts using a system that matters to you.", + "Language of the application": "Language of the application", "Last active": "Last active", + "Last active :date": "Last active :date", + "Last name": "Last name", + "Last name First name": "Last name First name", + "Last updated": "Last updated", "Last used": "Last used", + "Last used :date": "Last used :date", "Leave": "Leave", "Leave Team": "Leave Team", + "Life": "Life", + "Life & goals": "Life & goals", + "Life events": "Life events", + "Life events let you document what happened in your life.": "Life events let you document what happened in your life.", + "Life event types:": "Life event types:", + "Life event types and categories": "Life event types and categories", + "Life metrics": "Life metrics", + "Life metrics let you track metrics that are important to you.": "Life metrics let you track metrics that are important to you.", + "LinkedIn": "LinkedIn", + "List of addresses": "List of addresses", + "List of addresses of the contacts in the vault": "List of addresses of the contacts in the vault", + "List of all important dates": "List of all important dates", + "Loading…": "Loading…", + "Load previous entries": "Load previous entries", + "Loans": "Loans", + "Locale default: :value": "Locale default: :value", + "Log a call": "Log a call", + "Log details": "Log details", + "logged the mood": "logged the mood", "Log in": "Log in", - "Log Out": "Log Out", - "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", "Login": "Login", + "Login with:": "Login with:", + "Log Out": "Log Out", "Logout": "Logout", + "Log Out Other Browser Sessions": "Log Out Other Browser Sessions", + "Longest streak": "Longest streak", + "Love": "Love", + "loved by": "loved by", + "lover": "lover", + "Made from all over the world. We ❤️ you.": "Made from all over the world. We ❤️ you.", + "Maiden name": "Maiden name", + "Male": "Male", "Manage Account": "Manage Account", + "Manage accounts you have linked to your Customers account.": "Manage accounts you have linked to your Customers account.", + "Manage address types": "Manage address types", "Manage and log out your active sessions on other browsers and devices.": "Manage and log out your active sessions on other browsers and devices.", "Manage API Tokens": "Manage API Tokens", + "Manage call reasons": "Manage call reasons", + "Manage contact information types": "Manage contact information types", + "Manage currencies": "Manage currencies", + "Manage genders": "Manage genders", + "Manage gift occasions": "Manage gift occasions", + "Manage gift states": "Manage gift states", + "Manage group types": "Manage group types", + "Manage modules": "Manage modules", + "Manage pet categories": "Manage pet categories", + "Manage post templates": "Manage post templates", + "Manage pronouns": "Manage pronouns", + "Manager": "Manager", + "Manage relationship types": "Manage relationship types", + "Manage religions": "Manage religions", "Manage Role": "Manage Role", + "Manage storage": "Manage storage", "Manage Team": "Manage Team", + "Manage templates": "Manage templates", + "Manage users": "Manage users", + "Mastodon": "Mastodon", + "Maybe one of these contacts?": "Maybe one of these contacts?", + "mentor": "mentor", + "Middle name": "Middle name", + "miles": "miles", + "miles (mi)": "miles (mi)", + "Modules in this page": "Modules in this page", + "Monday": "Monday", + "Monica. All rights reserved. 2017 — :date.": "Monica. All rights reserved. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica is open source, made by hundreds of people from all around the world.", + "Monica was made to help you document your life and your social interactions.": "Monica was made to help you document your life and your social interactions.", + "Month": "Month", + "month": "month", + "Mood in the year": "Mood in the year", + "Mood tracking events": "Mood tracking events", + "Mood tracking parameters": "Mood tracking parameters", + "More details": "More details", + "More errors": "More errors", + "Move contact": "Move contact", + "Muslim": "Muslim", "Name": "Name", + "Name of the pet": "Name of the pet", + "Name of the reminder": "Name of the reminder", + "Name of the reverse relationship": "Name of the reverse relationship", + "Nature of the call": "Nature of the call", + "nephew/niece": "nephew/niece", "New Password": "New Password", + "New to Monica?": "New to Monica?", + "Next": "Next", + "Nickname": "Nickname", + "nickname": "nickname", + "No cities have been added yet in any contact’s addresses.": "No cities have been added yet in any contact’s addresses.", + "No contacts found.": "No contacts found.", + "No countries have been added yet in any contact’s addresses.": "No countries have been added yet in any contact’s addresses.", + "No dates in this month.": "No dates in this month.", + "No description yet.": "No description yet.", + "No groups found.": "No groups found.", + "No keys registered yet": "No keys registered yet", + "No labels yet.": "No labels yet.", + "No life event types yet.": "No life event types yet.", + "No notes found.": "No notes found.", + "No results found": "No results found", + "No role": "No role", + "No roles yet.": "No roles yet.", + "No tasks.": "No tasks.", + "Notes": "Notes", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.", "Not Found": "Not Found", + "Notification channels": "Notification channels", + "Notification sent": "Notification sent", + "Not set": "Not set", + "No upcoming reminders.": "No upcoming reminders.", + "Number of hours slept": "Number of hours slept", + "Numerical value": "Numerical value", "of": "of", + "Offered": "Offered", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.", + "Once you cancel,": "Once you cancel,", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.", "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.", + "Only once, when the next occurence of the date occurs.": "Only once, when the next occurence of the date occurs.", + "Oops! Something went wrong.": "Oops! Something went wrong.", + "Open Street Maps": "Open Street Maps", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps is a great privacy alternative, but offers less details.", + "Open Telegram to validate your identity": "Open Telegram to validate your identity", + "optional": "optional", + "Or create a new one": "Or create a new one", + "Or filter by type": "Or filter by type", + "Or remove the slice": "Or remove the slice", + "Or reset the fields": "Or reset the fields", + "Other": "Other", + "Out of respect and appreciation": "Out of respect and appreciation", "Page Expired": "Page Expired", + "Pages": "Pages", "Pagination Navigation": "Pagination Navigation", + "Parent": "Parent", + "parent": "parent", + "Participants": "Participants", + "Partner": "Partner", + "Part of": "Part of", "Password": "Password", "Payment Required": "Payment Required", "Pending Team Invitations": "Pending Team Invitations", + "per/per": "per/per", "Permanently delete this team.": "Permanently delete this team.", "Permanently delete your account.": "Permanently delete your account.", + "Permission for :name": "Permission for :name", "Permissions": "Permissions", + "Personal": "Personal", + "Personalize your account": "Personalize your account", + "Pet categories": "Pet categories", + "Pet categories let you add types of pets that contacts can add to their profile.": "Pet categories let you add types of pets that contacts can add to their profile.", + "Pet category": "Pet category", + "Pets": "Pets", + "Phone": "Phone", "Photo": "Photo", + "Photos": "Photos", + "Played basketball": "Played basketball", + "Played golf": "Played golf", + "Played soccer": "Played soccer", + "Played tennis": "Played tennis", + "Please choose a template for this new post": "Please choose a template for this new post", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.", "Please click the button below to verify your email address.": "Please click the button below to verify your email address.", + "Please complete this form to finalize your account.": "Please complete this form to finalize your account.", "Please confirm access to your account by entering one of your emergency recovery codes.": "Please confirm access to your account by entering one of your emergency recovery codes.", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Please confirm access to your account by entering the authentication code provided by your authenticator application.", - "Please copy your new API token. For your security, it won't be shown again.": "Please copy your new API token. For your security, it won't be shown again.", + "Please confirm access to your account by validating your security key.": "Please confirm access to your account by validating your security key.", + "Please copy your new API token. For your security, it won't be shown again.": "Please copy your new API token. For your security, it won’t be shown again.", + "Please copy your new API token. For your security, it won’t be shown again.": "Please copy your new API token. For your security, it won’t be shown again.", + "Please enter at least 3 characters to initiate a search.": "Please enter at least 3 characters to initiate a search.", + "Please enter your password to cancel the account": "Please enter your password to cancel the account", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.", + "Please indicate the contacts": "Please indicate the contacts", + "Please join Monica": "Please join Monica", "Please provide the email address of the person you would like to add to this team.": "Please provide the email address of the person you would like to add to this team.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Please read our documentation to know more about this feature, and which variables you have access to.", + "Please select a page on the left to load modules.": "Please select a page on the left to load modules.", + "Please type a few characters to create a new label.": "Please type a few characters to create a new label.", + "Please type a few characters to create a new tag.": "Please type a few characters to create a new tag.", + "Please validate your email address": "Please validate your email address", + "Please verify your email address": "Please verify your email address", + "Postal code": "Postal code", + "Post metrics": "Post metrics", + "Posts": "Posts", + "Posts in your journals": "Posts in your journals", + "Post templates": "Post templates", + "Prefix": "Prefix", + "Previous": "Previous", + "Previous addresses": "Previous addresses", "Privacy Policy": "Privacy Policy", "Profile": "Profile", + "Profile and security": "Profile and security", "Profile Information": "Profile Information", + "Profile of :name": "Profile of :name", + "Profile page of :name": "Profile page of :name", + "Pronoun": "Pronoun", + "Pronouns": "Pronouns", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.", + "protege": "protege", + "Protocol": "Protocol", + "Protocol: :name": "Protocol: :name", + "Province": "Province", + "Quick facts": "Quick facts", + "Quick facts let you document interesting facts about a contact.": "Quick facts let you document interesting facts about a contact.", + "Quick facts template": "Quick facts template", + "Quit job": "Quit job", + "Rabbit": "Rabbit", + "Ran": "Ran", + "Rat": "Rat", + "Read :count time|Read :count times": "Read :count time|Read :count times", + "Record a loan": "Record a loan", + "Record your mood": "Record your mood", "Recovery Code": "Recovery Code", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Regardless of where you are located in the world, have dates displayed in your own timezone.", "Regards": "Regards", "Regenerate Recovery Codes": "Regenerate Recovery Codes", "Register": "Register", + "Register a new key": "Register a new key", + "Register a new key.": "Register a new key.", + "Regular post": "Regular post", + "Regular user": "Regular user", + "Relationships": "Relationships", + "Relationship types": "Relationship types", + "Relationship types let you link contacts and document how they are connected.": "Relationship types let you link contacts and document how they are connected.", + "Religion": "Religion", + "Religions": "Religions", + "Religions is all about faith.": "Religions is all about faith.", "Remember me": "Remember me", + "Reminder for :name": "Reminder for :name", + "Reminders": "Reminders", + "Reminders for the next 30 days": "Reminders for the next 30 days", + "Remind me about this date every year": "Remind me about this date every year", + "Remind me about this date just once, in one year from now": "Remind me about this date just once, in one year from now", "Remove": "Remove", + "Remove avatar": "Remove avatar", + "Remove cover image": "Remove cover image", + "removed a label": "removed a label", + "removed the contact from a group": "removed the contact from a group", + "removed the contact from a post": "removed the contact from a post", + "removed the contact from the favorites": "removed the contact from the favorites", "Remove Photo": "Remove Photo", "Remove Team Member": "Remove Team Member", + "Rename": "Rename", + "Reports": "Reports", + "Reptile": "Reptile", "Resend Verification Email": "Resend Verification Email", "Reset Password": "Reset Password", "Reset Password Notification": "Reset Password Notification", "results": "results", + "Retry": "Retry", + "Revert": "Revert", + "Rode a bike": "Rode a bike", "Role": "Role", + "Roles:": "Roles:", + "Roomates": "Roomates", + "Saturday": "Saturday", "Save": "Save", "Saved.": "Saved.", + "Saving in progress": "Saving in progress", + "Searched": "Searched", + "Searching…": "Searching…", + "Search something": "Search something", + "Search something in the vault": "Search something in the vault", + "Sections:": "Sections:", + "Security keys": "Security keys", + "Select a group or create a new one": "Select a group or create a new one", "Select A New Photo": "Select A New Photo", + "Select a relationship type": "Select a relationship type", + "Send invitation": "Send invitation", + "Send test": "Send test", + "Sent at :time": "Sent at :time", "Server Error": "Server Error", "Service Unavailable": "Service Unavailable", + "Set as default": "Set as default", + "Set as favorite": "Set as favorite", + "Settings": "Settings", + "Settle": "Settle", + "Setup": "Setup", "Setup Key": "Setup Key", - "Show Recovery Codes": "Show Recovery Codes", + "Setup Key:": "Setup Key:", + "Setup Telegram": "Setup Telegram", + "she/her": "she/her", + "Shintoist": "Shintoist", + "Show Calendar tab": "Show Calendar tab", + "Show Companies tab": "Show Companies tab", + "Show completed tasks (:count)": "Show completed tasks (:count)", + "Show Files tab": "Show Files tab", + "Show Groups tab": "Show Groups tab", "Showing": "Showing", + "Showing :count of :total results": "Showing :count of :total results", + "Showing :first to :last of :total results": "Showing :first to :last of :total results", + "Show Journals tab": "Show Journals tab", + "Show Recovery Codes": "Show Recovery Codes", + "Show Reports tab": "Show Reports tab", + "Show Tasks tab": "Show Tasks tab", + "significant other": "significant other", + "Sign in to your account": "Sign in to your account", + "Sign up for an account": "Sign up for an account", + "Sikh": "Sikh", + "Slept :count hour|Slept :count hours": "Slept :count hour|Slept :count hours", + "Slice of life": "Slice of life", + "Slices of life": "Slices of life", + "Small animal": "Small animal", + "Social": "Social", + "Some dates have a special type that we will use in the software to calculate an age.": "Some dates have a special type that we will use in the software to calculate an age.", + "So… it works 😼": "So… it works 😼", + "Sport": "Sport", + "spouse": "spouse", + "Statistics": "Statistics", + "Storage": "Storage", "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.", + "Submit": "Submit", + "subordinate": "subordinate", + "Suffix": "Suffix", + "Summary": "Summary", + "Sunday": "Sunday", + "Switch role": "Switch role", "Switch Teams": "Switch Teams", + "Tabs visibility": "Tabs visibility", + "Tags": "Tags", + "Tags let you classify journal posts using a system that matters to you.": "Tags let you classify journal posts using a system that matters to you.", + "Taoist": "Taoist", + "Tasks": "Tasks", "Team Details": "Team Details", "Team Invitation": "Team Invitation", "Team Members": "Team Members", "Team Name": "Team Name", "Team Owner": "Team Owner", "Team Settings": "Team Settings", + "Telegram": "Telegram", + "Templates": "Templates", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.", "Terms of Service": "Terms of Service", - "The :attribute must be a valid role.": "The :attribute must be a valid role.", + "Test email for Monica": "Test email for Monica", + "Test email sent!": "Test email sent!", + "Thanks,": "Thanks,", + "Thanks for giving Monica a try.": "Thanks for giving Monica a try.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.", + "The :attribute must be at least :length characters.": "The :attribute must be at least :length characters.", "The :attribute must be at least :length characters and contain at least one number.": "The :attribute must be at least :length characters and contain at least one number.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "The :attribute must be at least :length characters and contain at least one special character and one number.", "The :attribute must be at least :length characters and contain at least one special character.": "The :attribute must be at least :length characters and contain at least one special character.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute must be at least :length characters and contain at least one uppercase character and one number.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "The :attribute must be at least :length characters and contain at least one special character and one number.", "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.", "The :attribute must be at least :length characters and contain at least one uppercase character.": "The :attribute must be at least :length characters and contain at least one uppercase character.", - "The :attribute must be at least :length characters.": "The :attribute must be at least :length characters.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "The :attribute must be at least :length characters and contain at least one uppercase character and one number.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.", + "The :attribute must be a valid role.": "The :attribute must be a valid role.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.", + "The address type has been created": "The address type has been created", + "The address type has been deleted": "The address type has been deleted", + "The address type has been updated": "The address type has been updated", + "The call has been created": "The call has been created", + "The call has been deleted": "The call has been deleted", + "The call has been edited": "The call has been edited", + "The call reason has been created": "The call reason has been created", + "The call reason has been deleted": "The call reason has been deleted", + "The call reason has been updated": "The call reason has been updated", + "The call reason type has been created": "The call reason type has been created", + "The call reason type has been deleted": "The call reason type has been deleted", + "The call reason type has been updated": "The call reason type has been updated", + "The channel has been added": "The channel has been added", + "The channel has been updated": "The channel has been updated", + "The contact does not belong to any group yet.": "The contact does not belong to any group yet.", + "The contact has been added": "The contact has been added", + "The contact has been deleted": "The contact has been deleted", + "The contact has been edited": "The contact has been edited", + "The contact has been removed from the group": "The contact has been removed from the group", + "The contact information has been created": "The contact information has been created", + "The contact information has been deleted": "The contact information has been deleted", + "The contact information has been edited": "The contact information has been edited", + "The contact information type has been created": "The contact information type has been created", + "The contact information type has been deleted": "The contact information type has been deleted", + "The contact information type has been updated": "The contact information type has been updated", + "The contact is archived": "The contact is archived", + "The currencies have been updated": "The currencies have been updated", + "The currency has been updated": "The currency has been updated", + "The date has been added": "The date has been added", + "The date has been deleted": "The date has been deleted", + "The date has been updated": "The date has been updated", + "The document has been added": "The document has been added", + "The document has been deleted": "The document has been deleted", + "The email address has been deleted": "The email address has been deleted", + "The email has been added": "The email has been added", + "The email is already taken. Please choose another one.": "The email is already taken. Please choose another one.", + "The gender has been created": "The gender has been created", + "The gender has been deleted": "The gender has been deleted", + "The gender has been updated": "The gender has been updated", + "The gift occasion has been created": "The gift occasion has been created", + "The gift occasion has been deleted": "The gift occasion has been deleted", + "The gift occasion has been updated": "The gift occasion has been updated", + "The gift state has been created": "The gift state has been created", + "The gift state has been deleted": "The gift state has been deleted", + "The gift state has been updated": "The gift state has been updated", "The given data was invalid.": "The given data was invalid.", + "The goal has been created": "The goal has been created", + "The goal has been deleted": "The goal has been deleted", + "The goal has been edited": "The goal has been edited", + "The group has been added": "The group has been added", + "The group has been deleted": "The group has been deleted", + "The group has been updated": "The group has been updated", + "The group type has been created": "The group type has been created", + "The group type has been deleted": "The group type has been deleted", + "The group type has been updated": "The group type has been updated", + "The important dates in the next 12 months": "The important dates in the next 12 months", + "The job information has been saved": "The job information has been saved", + "The journal lets you document your life with your own words.": "The journal lets you document your life with your own words.", + "The keys to manage uploads have not been set in this Monica instance.": "The keys to manage uploads have not been set in this Monica instance.", + "The label has been added": "The label has been added", + "The label has been created": "The label has been created", + "The label has been deleted": "The label has been deleted", + "The label has been updated": "The label has been updated", + "The life metric has been created": "The life metric has been created", + "The life metric has been deleted": "The life metric has been deleted", + "The life metric has been updated": "The life metric has been updated", + "The loan has been created": "The loan has been created", + "The loan has been deleted": "The loan has been deleted", + "The loan has been edited": "The loan has been edited", + "The loan has been settled": "The loan has been settled", + "The loan is an object": "The loan is an object", + "The loan is monetary": "The loan is monetary", + "The module has been added": "The module has been added", + "The module has been removed": "The module has been removed", + "The note has been created": "The note has been created", + "The note has been deleted": "The note has been deleted", + "The note has been edited": "The note has been edited", + "The notification has been sent": "The notification has been sent", + "The operation either timed out or was not allowed.": "The operation either timed out or was not allowed.", + "The page has been added": "The page has been added", + "The page has been deleted": "The page has been deleted", + "The page has been updated": "The page has been updated", "The password is incorrect.": "The password is incorrect.", + "The pet category has been created": "The pet category has been created", + "The pet category has been deleted": "The pet category has been deleted", + "The pet category has been updated": "The pet category has been updated", + "The pet has been added": "The pet has been added", + "The pet has been deleted": "The pet has been deleted", + "The pet has been edited": "The pet has been edited", + "The photo has been added": "The photo has been added", + "The photo has been deleted": "The photo has been deleted", + "The position has been saved": "The position has been saved", + "The post template has been created": "The post template has been created", + "The post template has been deleted": "The post template has been deleted", + "The post template has been updated": "The post template has been updated", + "The pronoun has been created": "The pronoun has been created", + "The pronoun has been deleted": "The pronoun has been deleted", + "The pronoun has been updated": "The pronoun has been updated", "The provided password does not match your current password.": "The provided password does not match your current password.", "The provided password was incorrect.": "The provided password was incorrect.", "The provided two factor authentication code was invalid.": "The provided two factor authentication code was invalid.", "The provided two factor recovery code was invalid.": "The provided two factor recovery code was invalid.", - "The team's name and owner information.": "The team's name and owner information.", + "There are no active addresses yet.": "There are no active addresses yet.", + "There are no calls logged yet.": "There are no calls logged yet.", + "There are no contact information yet.": "There are no contact information yet.", + "There are no documents yet.": "There are no documents yet.", + "There are no events on that day, future or past.": "There are no events on that day, future or past.", + "There are no files yet.": "There are no files yet.", + "There are no goals yet.": "There are no goals yet.", + "There are no journal metrics.": "There are no journal metrics.", + "There are no loans yet.": "There are no loans yet.", + "There are no notes yet.": "There are no notes yet.", + "There are no other users in this account.": "There are no other users in this account.", + "There are no pets yet.": "There are no pets yet.", + "There are no photos yet.": "There are no photos yet.", + "There are no posts yet.": "There are no posts yet.", + "There are no quick facts here yet.": "There are no quick facts here yet.", + "There are no relationships yet.": "There are no relationships yet.", + "There are no reminders yet.": "There are no reminders yet.", + "There are no tasks yet.": "There are no tasks yet.", + "There are no templates in the account. Go to the account settings to create one.": "There are no templates in the account. Go to the account settings to create one.", + "There is no activity yet.": "There is no activity yet.", + "There is no currencies in this account.": "There is no currencies in this account.", + "The relationship has been added": "The relationship has been added", + "The relationship has been deleted": "The relationship has been deleted", + "The relationship type has been created": "The relationship type has been created", + "The relationship type has been deleted": "The relationship type has been deleted", + "The relationship type has been updated": "The relationship type has been updated", + "The religion has been created": "The religion has been created", + "The religion has been deleted": "The religion has been deleted", + "The religion has been updated": "The religion has been updated", + "The reminder has been created": "The reminder has been created", + "The reminder has been deleted": "The reminder has been deleted", + "The reminder has been edited": "The reminder has been edited", + "The response is not a streamed response.": "The response is not a streamed response.", + "The response is not a view.": "The response is not a view.", + "The role has been created": "The role has been created", + "The role has been deleted": "The role has been deleted", + "The role has been updated": "The role has been updated", + "The section has been created": "The section has been created", + "The section has been deleted": "The section has been deleted", + "The section has been updated": "The section has been updated", "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.", + "The tag has been added": "The tag has been added", + "The tag has been created": "The tag has been created", + "The tag has been deleted": "The tag has been deleted", + "The tag has been updated": "The tag has been updated", + "The task has been created": "The task has been created", + "The task has been deleted": "The task has been deleted", + "The task has been edited": "The task has been edited", + "The team's name and owner information.": "The team’s name and owner information.", + "The Telegram channel has been deleted": "The Telegram channel has been deleted", + "The template has been created": "The template has been created", + "The template has been deleted": "The template has been deleted", + "The template has been set": "The template has been set", + "The template has been updated": "The template has been updated", + "The test email has been sent": "The test email has been sent", + "The type has been created": "The type has been created", + "The type has been deleted": "The type has been deleted", + "The type has been updated": "The type has been updated", + "The user has been added": "The user has been added", + "The user has been deleted": "The user has been deleted", + "The user has been removed": "The user has been removed", + "The user has been updated": "The user has been updated", + "The vault has been created": "The vault has been created", + "The vault has been deleted": "The vault has been deleted", + "The vault have been updated": "The vault have been updated", + "they/them": "they/them", + "This address is not active anymore": "This address is not active anymore", "This device": "This device", + "This email is a test email to check if Monica can send an email to this email address.": "This email is a test email to check if Monica can send an email to this email address.", "This is a secure area of the application. Please confirm your password before continuing.": "This is a secure area of the application. Please confirm your password before continuing.", + "This is a test email": "This is a test email", + "This is a test notification for :name": "This is a test notification for :name", + "This key is already registered. It’s not necessary to register it again.": "This key is already registered. It’s not necessary to register it again.", + "This link will open in a new tab": "This link will open in a new tab", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.", "This password does not match our records.": "This password does not match our records.", "This password reset link will expire in :count minutes.": "This password reset link will expire in :count minutes.", + "This post has no content yet.": "This post has no content yet.", + "This provider is already associated with another account": "This provider is already associated with another account", + "This site is open source.": "This site is open source.", + "This template will define what information are displayed on a contact page.": "This template will define what information are displayed on a contact page.", "This user already belongs to the team.": "This user already belongs to the team.", "This user has already been invited to the team.": "This user has already been invited to the team.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.", + "This will immediately:": "This will immediately:", + "Three things that happened today": "Three things that happened today", + "Thursday": "Thursday", + "Timezone": "Timezone", + "Title": "Title", "to": "to", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.", "Toggle navigation": "Toggle navigation", + "To hear their story": "To hear their story", "Token Name": "Token Name", + "Token name (for your reference only)": "Token name (for your reference only)", + "Took a new job": "Took a new job", + "Took the bus": "Took the bus", + "Took the metro": "Took the metro", "Too Many Requests": "Too Many Requests", + "To see if they need anything": "To see if they need anything", + "To start, you need to create a vault.": "To start, you need to create a vault.", + "Total:": "Total:", + "Total streaks": "Total streaks", + "Track a new metric": "Track a new metric", + "Transportation": "Transportation", + "Tuesday": "Tuesday", + "Two-factor Confirmation": "Two-factor Confirmation", "Two Factor Authentication": "Two Factor Authentication", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.", + "Type": "Type", + "Type:": "Type:", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Type anything in the conversation with the Monica bot. It can be `start` for instance.", + "Types": "Types", + "Type something": "Type something", + "Unarchive contact": "Unarchive contact", + "unarchived the contact": "unarchived the contact", "Unauthorized": "Unauthorized", + "uncle/aunt": "uncle/aunt", + "Undefined": "Undefined", + "Unexpected error on login.": "Unexpected error on login.", "Unknown": "Unknown", + "unknown action": "unknown action", + "Unknown age": "Unknown age", + "Unknown name": "Unknown name", + "Update": "Update", + "Update a key.": "Update a key.", + "updated a contact information": "updated a contact information", + "updated a goal": "updated a goal", + "updated an address": "updated an address", + "updated an important date": "updated an important date", + "updated a pet": "updated a pet", + "Updated on :date": "Updated on :date", + "updated the avatar of the contact": "updated the avatar of the contact", + "updated the contact information": "updated the contact information", + "updated the job information": "updated the job information", + "updated the religion": "updated the religion", "Update Password": "Update Password", - "Update your account's profile information and email address.": "Update your account's profile information and email address.", - "Use a recovery code": "Use a recovery code", + "Update your account's profile information and email address.": "Update your account’s profile information and email address.", + "Upload photo as avatar": "Upload photo as avatar", + "Use": "Use", "Use an authentication code": "Use an authentication code", + "Use a recovery code": "Use a recovery code", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "Use a security key (Webauthn, or FIDO) to increase your account security.", + "User preferences": "User preferences", + "Users": "Users", + "User settings": "User settings", + "Use the following template for this contact": "Use the following template for this contact", + "Use your password": "Use your password", + "Use your security key": "Use your security key", + "Validating key…": "Validating key…", + "Value copied into your clipboard": "Value copied into your clipboard", + "Vaults contain all your contacts data.": "Vaults contain all your contacts data.", + "Vault settings": "Vault settings", + "ve/ver": "ve/ver", + "Verification email sent": "Verification email sent", + "Verified": "Verified", "Verify Email Address": "Verify Email Address", + "Verify this email address": "Verify this email address", + "Version :version — commit [:short](:url).": "Version :version — commit [:short](:url).", + "Via Telegram": "Via Telegram", + "Video call": "Video call", + "View": "View", + "View all": "View all", + "View details": "View details", + "Viewer": "Viewer", + "View history": "View history", + "View log": "View log", + "View on map": "View on map", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.", + "Waiting for key…": "Waiting for key…", + "Walked": "Walked", + "Wallpaper": "Wallpaper", + "Was there a reason for the call?": "Was there a reason for the call?", + "Watched a movie": "Watched a movie", + "Watched a tv show": "Watched a tv show", + "Watched TV": "Watched TV", + "Watch Netflix every day": "Watch Netflix every day", + "Ways to connect": "Ways to connect", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn only supports secure connections. Please load this page with https scheme.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.", + "Wedding": "Wedding", + "Wednesday": "Wednesday", + "We hope you'll like it.": "We hope you’ll like it.", + "We hope you will like what we’ve done.": "We hope you will like what we’ve done.", + "Welcome to Monica.": "Welcome to Monica.", + "Went to a bar": "Went to a bar", + "We support Markdown to format the text (bold, lists, headings, etc…).": "We support Markdown to format the text (bold, lists, headings, etc…).", "We were unable to find a registered user with this email address.": "We were unable to find a registered user with this email address.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.", + "What happens now?": "What happens now?", + "What is the loan?": "What is the loan?", + "What permission should :name have?": "What permission should :name have?", + "What permission should the user have?": "What permission should the user have?", + "Whatsapp": "Whatsapp", + "What should we use to display maps?": "What should we use to display maps?", + "What would make today great?": "What would make today great?", + "When did the call happened?": "When did the call happened?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Google Authenticator application.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.", + "When was the loan made?": "When was the loan made?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:", + "Which email address should we send the notification to?": "Which email address should we send the notification to?", + "Who called?": "Who called?", + "Who makes the loan?": "Who makes the loan?", "Whoops!": "Whoops!", "Whoops! Something went wrong.": "Whoops! Something went wrong.", + "Who should we invite in this vault?": "Who should we invite in this vault?", + "Who the loan is for?": "Who the loan is for?", + "Wish good day": "Wish good day", + "Work": "Work", + "Write the amount with a dot if you need decimals, like 100.50": "Write the amount with a dot if you need decimals, like 100.50", + "Written on": "Written on", + "wrote a note": "wrote a note", + "xe/xem": "xe/xem", + "year": "year", + "Years": "Years", + "You are here:": "You are here:", + "You are invited to join Monica": "You are invited to join Monica", "You are receiving this email because we received a password reset request for your account.": "You are receiving this email because we received a password reset request for your account.", + "you can't even use your current username or password to sign in,": "you can’t even use your current username or password to sign in,", + "you can't import any data from your current Monica account(yet),": "you can’t import any data from your current Monica account(yet),", + "You can add job information to your contacts and manage the companies here in this tab.": "You can add job information to your contacts and manage the companies here in this tab.", + "You can add more account to log in to our service with one click.": "You can add more account to log in to our service with one click.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.", + "You can change that at any time.": "You can change that at any time.", + "You can choose how you want Monica to display dates in the application.": "You can choose how you want Monica to display dates in the application.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "You can choose which currencies should be enabled in your account, and which one shouldn’t.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.", + "You can customize the criteria that let you track your mood.": "You can customize the criteria that let you track your mood.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.", + "You cannot remove your own administrator privilege.": "You cannot remove your own administrator privilege.", + "You don’t have enough space left in your account.": "You don’t have enough space left in your account.", + "You don’t have enough space left in your account. Please upgrade.": "You don’t have enough space left in your account. Please upgrade.", "You have been invited to join the :team team!": "You have been invited to join the :team team!", "You have enabled two factor authentication.": "You have enabled two factor authentication.", "You have not enabled two factor authentication.": "You have not enabled two factor authentication.", + "You have not setup Telegram in your environment variables yet.": "You have not setup Telegram in your environment variables yet.", + "You haven’t received a notification in this channel yet.": "You haven’t received a notification in this channel yet.", + "You haven’t setup Telegram yet.": "You haven’t setup Telegram yet.", "You may accept this invitation by clicking the button below:": "You may accept this invitation by clicking the button below:", "You may delete any of your existing tokens if they are no longer needed.": "You may delete any of your existing tokens if they are no longer needed.", "You may not delete your personal team.": "You may not delete your personal team.", "You may not leave a team that you created.": "You may not leave a team that you created.", - "Your email address is unverified.": "Your email address is unverified." + "You might need to reload the page to see the changes.": "You might need to reload the page to see the changes.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.", + "Your account current usage": "Your account current usage", + "Your account has been created": "Your account has been created", + "Your account is linked": "Your account is linked", + "Your account limits": "Your account limits", + "Your account will be closed immediately,": "Your account will be closed immediately,", + "Your browser doesn’t currently support WebAuthn.": "Your browser doesn’t currently support WebAuthn.", + "Your email address is unverified.": "Your email address is unverified.", + "Your life events": "Your life events", + "Your mood has been recorded!": "Your mood has been recorded!", + "Your mood that day": "Your mood that day", + "Your mood that you logged at this date": "Your mood that you logged at this date", + "Your mood this year": "Your mood this year", + "Your name here will be used to add yourself as a contact.": "Your name here will be used to add yourself as a contact.", + "You wanted to be reminded of the following:": "You wanted to be reminded of the following:", + "You WILL still have to delete your account on Monica or OfficeLife.": "You WILL still have to delete your account on Monica or OfficeLife.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.", + "ze/hir": "ze/hir", + "⚠️ Danger zone": "⚠️ Danger zone", + "🌳 Chalet": "🌳 Chalet", + "🏠 Secondary residence": "🏠 Secondary residence", + "🏡 Home": "🏡 Home", + "🏢 Work": "🏢 Work", + "🔔 Reminder: :label for :contactName": "🔔 Reminder: :label for :contactName", + "😀 Good": "😀 Good", + "😁 Positive": "😁 Positive", + "😐 Meh": "😐 Meh", + "😔 Bad": "😔 Bad", + "😡 Negative": "😡 Negative", + "😩 Awful": "😩 Awful", + "😶‍🌫️ Neutral": "😶‍🌫️ Neutral", + "🥳 Awesome": "🥳 Awesome" } \ No newline at end of file diff --git a/lang/en/auth.php b/lang/en/auth.php index 0cb90340d7f..837b03931d3 100644 --- a/lang/en/auth.php +++ b/lang/en/auth.php @@ -4,8 +4,6 @@ return [ 'failed' => 'These credentials do not match our records.', - 'password' => 'The password is incorrect.', - 'throttle' => 'Too many login attempts. Please try again in :seconds seconds.', 'lang' => 'English', 'login_provider_azure' => 'Microsoft', 'login_provider_facebook' => 'Facebook', @@ -14,4 +12,6 @@ 'login_provider_linkedin' => 'LinkedIn', 'login_provider_saml2' => 'SAML 2.0 provider', 'login_provider_twitter' => 'Twitter', + 'password' => 'The password is incorrect.', + 'throttle' => 'Too many login attempts. Please try again in :seconds seconds.', ]; diff --git a/lang/en/currencies.php b/lang/en/currencies.php index 8b9e86a25b7..71f607b4da3 100644 --- a/lang/en/currencies.php +++ b/lang/en/currencies.php @@ -1,168 +1,168 @@ 'United Arab Emirates Dirham', 'AFA' => 'Afghan Afghani', 'ALL' => 'Albanian Lek', - 'DZD' => 'Algerian Dinar', + 'AMD' => 'Armenian Dram', + 'ANG' => 'Netherlands Antillean Guilder', 'AOA' => 'Angolan Kwanza', 'ARS' => 'Argentine Peso', - 'AMD' => 'Armenian Dram', - 'AWG' => 'Aruban Florin', 'AUD' => 'Australian Dollar', + 'AWG' => 'Aruban Florin', 'AZN' => 'Azerbaijani Manat', - 'BSD' => 'Bahamian Dollar', - 'BHD' => 'Bahraini Dinar', - 'BDT' => 'Bangladeshi Taka', + 'BAM' => 'Bosnia', 'BBD' => 'Barbadian Dollar', - 'BYR' => 'Belarusian Ruble', + 'BDT' => 'Bangladeshi Taka', 'BEF' => 'Belgian Franc', - 'BZD' => 'Belize Dollar', + 'BGN' => 'Bulgarian Lev', + 'BHD' => 'Bahraini Dinar', + 'BIF' => 'Burundian Franc', 'BMD' => 'Bermudan Dollar', - 'BTN' => 'Bhutanese Ngultrum', - 'BTC' => 'Bitcoin', + 'BND' => 'Brunei Dollar', 'BOB' => 'Bolivian Boliviano', - 'BAM' => 'Bosnia', - 'BWP' => 'Botswanan Pula', 'BRL' => 'Brazilian Real', - 'GBP' => 'British Pound Sterling', - 'BND' => 'Brunei Dollar', - 'BGN' => 'Bulgarian Lev', - 'BIF' => 'Burundian Franc', - 'KHR' => 'Cambodian Riel', + 'BSD' => 'Bahamian Dollar', + 'BTC' => 'Bitcoin', + 'BTN' => 'Bhutanese Ngultrum', + 'BWP' => 'Botswanan Pula', + 'BYR' => 'Belarusian Ruble', + 'BZD' => 'Belize Dollar', 'CAD' => 'Canadian Dollar', - 'CVE' => 'Cape Verdean Escudo', - 'KYD' => 'Cayman Islands Dollar', - 'XOF' => 'CFA Franc BCEAO', - 'XAF' => 'CFA Franc BEAC', - 'XPF' => 'CFP Franc', + 'CDF' => 'Congolese Franc', + 'CHF' => 'Swiss Franc', 'CLP' => 'Chilean Peso', 'CNY' => 'Chinese Yuan', 'COP' => 'Colombian Peso', - 'KMF' => 'Comorian Franc', - 'CDF' => 'Congolese Franc', 'CRC' => 'Costa Rican Colón', - 'HRK' => 'Croatian Kuna', 'CUC' => 'Cuban Convertible Peso', + 'CVE' => 'Cape Verdean Escudo', 'CZK' => 'Czech Republic Koruna', - 'DKK' => 'Danish Krone', + 'DEM' => 'German Mark', 'DJF' => 'Djiboutian Franc', + 'DKK' => 'Danish Krone', 'DOP' => 'Dominican Peso', - 'XCD' => 'East Caribbean Dollar', + 'DZD' => 'Algerian Dinar', + 'EEK' => 'Estonian Kroon', 'EGP' => 'Egyptian Pound', 'ERN' => 'Eritrean Nakfa', - 'EEK' => 'Estonian Kroon', 'ETB' => 'Ethiopian Birr', 'EUR' => 'Euro', - 'FKP' => 'Falkland Islands Pound', 'FJD' => 'Fijian Dollar', - 'GMD' => 'Gambian Dalasi', + 'FKP' => 'Falkland Islands Pound', + 'GBP' => 'British Pound Sterling', 'GEL' => 'Georgian Lari', - 'DEM' => 'German Mark', 'GHS' => 'Ghanaian Cedi', 'GIP' => 'Gibraltar Pound', + 'GMD' => 'Gambian Dalasi', + 'GNF' => 'Guinean Franc', 'GRD' => 'Greek Drachma', 'GTQ' => 'Guatemalan Quetzal', - 'GNF' => 'Guinean Franc', 'GYD' => 'Guyanaese Dollar', - 'HTG' => 'Haitian Gourde', - 'HNL' => 'Honduran Lempira', 'HKD' => 'Hong Kong Dollar', + 'HNL' => 'Honduran Lempira', + 'HRK' => 'Croatian Kuna', + 'HTG' => 'Haitian Gourde', 'HUF' => 'Hungarian Forint', - 'ISK' => 'Icelandic Króna', - 'INR' => 'Indian Rupee', 'IDR' => 'Indonesian Rupiah', - 'IRR' => 'Iranian Rial', - 'IQD' => 'Iraqi Dinar', 'ILS' => 'Israeli New Sheqel', + 'INR' => 'Indian Rupee', + 'IQD' => 'Iraqi Dinar', + 'IRR' => 'Iranian Rial', + 'ISK' => 'Icelandic Króna', 'ITL' => 'Italian Lira', 'JMD' => 'Jamaican Dollar', - 'JPY' => 'Japanese Yen', 'JOD' => 'Jordanian Dinar', - 'KZT' => 'Kazakhstani Tenge', + 'JPY' => 'Japanese Yen', 'KES' => 'Kenyan Shilling', - 'KWD' => 'Kuwaiti Dinar', 'KGS' => 'Kyrgystani Som', + 'KHR' => 'Cambodian Riel', + 'KMF' => 'Comorian Franc', + 'KPW' => 'North Korean Won', + 'KRW' => 'South Korean Won', + 'KWD' => 'Kuwaiti Dinar', + 'KYD' => 'Cayman Islands Dollar', + 'KZT' => 'Kazakhstani Tenge', 'LAK' => 'Laotian Kip', - 'LVL' => 'Latvian Lats', 'LBP' => 'Lebanese Pound', - 'LSL' => 'Lesotho Loti', + 'LKR' => 'Sri Lankan Rupee', 'LRD' => 'Liberian Dollar', - 'LYD' => 'Libyan Dinar', + 'LSL' => 'Lesotho Loti', 'LTL' => 'Lithuanian Litas', - 'MOP' => 'Macanese Pataca', - 'MKD' => 'Macedonian Denar', + 'LVL' => 'Latvian Lats', + 'LYD' => 'Libyan Dinar', + 'MAD' => 'Moroccan Dirham', + 'MDL' => 'Moldovan Leu', 'MGA' => 'Malagasy Ariary', - 'MWK' => 'Malawian Kwacha', - 'MYR' => 'Malaysian Ringgit', - 'MVR' => 'Maldivian Rufiyaa', + 'MKD' => 'Macedonian Denar', + 'MMK' => 'Myanmar Kyat', + 'MNT' => 'Mongolian Tugrik', + 'MOP' => 'Macanese Pataca', 'MRO' => 'Mauritanian Ouguiya', 'MUR' => 'Mauritian Rupee', + 'MVR' => 'Maldivian Rufiyaa', + 'MWK' => 'Malawian Kwacha', 'MXN' => 'Mexican Peso', - 'MDL' => 'Moldovan Leu', - 'MNT' => 'Mongolian Tugrik', - 'MAD' => 'Moroccan Dirham', + 'MYR' => 'Malaysian Ringgit', 'MZM' => 'Mozambican Metical', - 'MMK' => 'Myanmar Kyat', 'NAD' => 'Namibian Dollar', - 'NPR' => 'Nepalese Rupee', - 'ANG' => 'Netherlands Antillean Guilder', - 'TWD' => 'New Taiwan Dollar', - 'NZD' => 'New Zealand Dollar', - 'NIO' => 'Nicaraguan Córdoba', 'NGN' => 'Nigerian Naira', - 'KPW' => 'North Korean Won', + 'NIO' => 'Nicaraguan Córdoba', 'NOK' => 'Norwegian Krone', + 'NPR' => 'Nepalese Rupee', + 'NZD' => 'New Zealand Dollar', 'OMR' => 'Omani Rial', - 'PKR' => 'Pakistani Rupee', 'PAB' => 'Panamanian Balboa', - 'PGK' => 'Papua New Guinean Kina', - 'PYG' => 'Paraguayan Guarani', 'PEN' => 'Peruvian Nuevo Sol', + 'PGK' => 'Papua New Guinean Kina', 'PHP' => 'Philippine Peso', + 'PKR' => 'Pakistani Rupee', 'PLN' => 'Polish Zloty', + 'PYG' => 'Paraguayan Guarani', 'QAR' => 'Qatari Rial', 'RON' => 'Romanian Leu', + 'RSD' => 'Serbian Dinar', 'RUB' => 'Russian Ruble', 'RWF' => 'Rwandan Franc', - 'SVC' => 'Salvadoran Colón', - 'WST' => 'Samoan Tala', 'SAR' => 'Saudi Riyal', - 'RSD' => 'Serbian Dinar', + 'SBD' => 'Solomon Islands Dollar', 'SCR' => 'Seychellois Rupee', - 'SLL' => 'Sierra Leonean Leone', + 'SDG' => 'Sudanese Pound', + 'SEK' => 'Swedish Krona', 'SGD' => 'Singapore Dollar', + 'SHP' => 'St. Helena Pound', 'SKK' => 'Slovak Koruna', - 'SBD' => 'Solomon Islands Dollar', + 'SLL' => 'Sierra Leonean Leone', 'SOS' => 'Somali Shilling', - 'ZAR' => 'South African Rand', - 'KRW' => 'South Korean Won', - 'XDR' => 'Special Drawing Rights', - 'LKR' => 'Sri Lankan Rupee', - 'SHP' => 'St. Helena Pound', - 'SDG' => 'Sudanese Pound', 'SRD' => 'Surinamese Dollar', - 'SZL' => 'Swazi Lilangeni', - 'SEK' => 'Swedish Krona', - 'CHF' => 'Swiss Franc', - 'SYP' => 'Syrian Pound', 'STD' => 'São Tomé and Príncipe Dobra', - 'TJS' => 'Tajikistani Somoni', - 'TZS' => 'Tanzanian Shilling', + 'SVC' => 'Salvadoran Colón', + 'SYP' => 'Syrian Pound', + 'SZL' => 'Swazi Lilangeni', 'THB' => 'Thai Baht', - 'TOP' => 'Tongan pa anga', - 'TTD' => 'Trinidad & Tobago Dollar', + 'TJS' => 'Tajikistani Somoni', + 'TMT' => 'Turkmenistani Manat', 'TND' => 'Tunisian Dinar', + 'TOP' => 'Tongan pa anga', 'TRY' => 'Turkish Lira', - 'TMT' => 'Turkmenistani Manat', - 'UGX' => 'Ugandan Shilling', + 'TTD' => 'Trinidad & Tobago Dollar', + 'TWD' => 'New Taiwan Dollar', + 'TZS' => 'Tanzanian Shilling', 'UAH' => 'Ukrainian Hryvnia', - 'AED' => 'United Arab Emirates Dirham', - 'UYU' => 'Uruguayan Peso', + 'UGX' => 'Ugandan Shilling', 'USD' => 'US Dollar', + 'UYU' => 'Uruguayan Peso', 'UZS' => 'Uzbekistan Som', - 'VUV' => 'Vanuatu Vatu', 'VEF' => 'Venezuelan BolÃvar', 'VND' => 'Vietnamese Dong', + 'VUV' => 'Vanuatu Vatu', + 'WST' => 'Samoan Tala', + 'XAF' => 'CFA Franc BEAC', + 'XCD' => 'East Caribbean Dollar', + 'XDR' => 'Special Drawing Rights', + 'XOF' => 'CFA Franc BCEAO', + 'XPF' => 'CFP Franc', 'YER' => 'Yemeni Rial', + 'ZAR' => 'South African Rand', 'ZMK' => 'Zambian Kwacha', ]; diff --git a/lang/en/passwords.php b/lang/en/passwords.php index 3cc87301b9c..1130b8d4ac6 100644 --- a/lang/en/passwords.php +++ b/lang/en/passwords.php @@ -3,8 +3,8 @@ declare(strict_types=1); return [ - 'reset' => 'Your password has been reset!', - 'sent' => 'We have emailed your password reset link!', + 'reset' => 'Your password has been reset.', + 'sent' => 'We have emailed your password reset link.', 'throttled' => 'Please wait before retrying.', 'token' => 'This password reset token is invalid.', 'user' => 'We can\'t find a user with that email address.', diff --git a/lang/en/validation.php b/lang/en/validation.php index 3e6ea86b739..bd96682d837 100644 --- a/lang/en/validation.php +++ b/lang/en/validation.php @@ -12,7 +12,7 @@ 'alpha_dash' => 'The :attribute may only contain letters, numbers, and dashes.', 'alpha_num' => 'The :attribute may only contain letters and numbers.', 'array' => 'The :attribute must be an array.', - 'ascii' => 'The :attribute must only contain single-byte alphanumeric characters and symbols.', + 'ascii' => 'The :attribute field must only contain single-byte alphanumeric characters and symbols.', 'before' => 'The :attribute must be a date before :date.', 'before_or_equal' => 'The :attribute must be a date before or equal to :date.', 'between' => [ @@ -22,12 +22,13 @@ 'string' => 'The :attribute must be between :min and :max characters.', ], 'boolean' => 'The :attribute field must be true or false.', + 'can' => 'The :attribute field contains an unauthorized value.', 'confirmed' => 'The :attribute confirmation does not match.', 'current_password' => 'The password is incorrect.', 'date' => 'The :attribute is not a valid date.', 'date_equals' => 'The :attribute must be a date equal to :date.', 'date_format' => 'The :attribute does not match the format :format.', - 'decimal' => 'The :attribute must have :decimal decimal places.', + 'decimal' => 'The :attribute field must have :decimal decimal places.', 'declined' => 'The :attribute must be declined.', 'declined_if' => 'The :attribute must be declined when :other is :value.', 'different' => 'The :attribute and :other must be different.', @@ -35,8 +36,8 @@ 'digits_between' => 'The :attribute must be between :min and :max digits.', 'dimensions' => 'The :attribute has invalid image dimensions.', 'distinct' => 'The :attribute field has a duplicate value.', - 'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.', - 'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.', + 'doesnt_end_with' => 'The :attribute field must not end with one of the following: :values.', + 'doesnt_start_with' => 'The :attribute field must not start with one of the following: :values.', 'email' => 'The :attribute must be a valid email address.', 'ends_with' => 'The :attribute must end with one of the following: :values.', 'enum' => 'The selected :attribute is invalid.', @@ -63,7 +64,7 @@ 'ipv4' => 'The :attribute must be a valid IPv4 address.', 'ipv6' => 'The :attribute must be a valid IPv6 address.', 'json' => 'The :attribute must be a valid JSON string.', - 'lowercase' => 'The :attribute must be lowercase.', + 'lowercase' => 'The :attribute field must be lowercase.', 'lt' => [ 'array' => 'The :attribute must have less than :value items.', 'file' => 'The :attribute must be less than :value kilobytes.', @@ -83,7 +84,7 @@ 'numeric' => 'The :attribute may not be greater than :max.', 'string' => 'The :attribute may not be greater than :max characters.', ], - 'max_digits' => 'The :attribute must not have more than :max digits.', + 'max_digits' => 'The :attribute field must not have more than :max digits.', 'mimes' => 'The :attribute must be a file of type: :values.', 'mimetypes' => 'The :attribute must be a file of type: :values.', 'min' => [ @@ -92,7 +93,7 @@ 'numeric' => 'The :attribute must be at least :min.', 'string' => 'The :attribute must be at least :min characters.', ], - 'min_digits' => 'The :attribute must have at least :min digits.', + 'min_digits' => 'The :attribute field must have at least :min digits.', 'missing' => 'The :attribute field must be missing.', 'missing_if' => 'The :attribute field must be missing when :other is :value.', 'missing_unless' => 'The :attribute field must be missing unless :other is :value.', @@ -103,10 +104,10 @@ 'not_regex' => 'The :attribute format is invalid.', 'numeric' => 'The :attribute must be a number.', 'password' => [ - 'letters' => 'The :attribute must contain at least one letter.', - 'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.', - 'numbers' => 'The :attribute must contain at least one number.', - 'symbols' => 'The :attribute must contain at least one symbol.', + 'letters' => 'The :attribute field must contain at least one letter.', + 'mixed' => 'The :attribute field must contain at least one uppercase and one lowercase letter.', + 'numbers' => 'The :attribute field must contain at least one number.', + 'symbols' => 'The :attribute field must contain at least one symbol.', 'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.', ], 'present' => 'The :attribute field must be present.', @@ -134,10 +135,10 @@ 'starts_with' => 'The :attribute must start with one of the following: :values', 'string' => 'The :attribute must be a string.', 'timezone' => 'The :attribute must be a valid zone.', - 'ulid' => 'The :attribute must be a valid ULID.', + 'ulid' => 'The :attribute field must be a valid ULID.', 'unique' => 'The :attribute has already been taken.', 'uploaded' => 'The :attribute failed to upload.', - 'uppercase' => 'The :attribute must be uppercase.', + 'uppercase' => 'The :attribute field must be uppercase.', 'url' => 'The :attribute format is invalid.', 'uuid' => 'The :attribute must be a valid UUID.', 'attributes' => [ diff --git a/lang/es.json b/lang/es.json index d7107ffb0e0..a9be4010b6a 100644 --- a/lang/es.json +++ b/lang/es.json @@ -2,15 +2,15 @@ "(and :count more error)": "(y :count error más)", "(and :count more errors)": "(y :count errores más)", "(Help)": "(Ayuda)", - "+ add a contact": "+ a²gregar un contacto", + "+ add a contact": "+ agregar un contacto", "+ add another": "+ agregar otro", - "+ add another photo": "+ agregar otra foto.", - "+ add description": "+ agregar una descripción", + "+ add another photo": "+ agregar otra foto", + "+ add description": "+ agregar descripción", "+ add distance": "+ agregar distancia", - "+ add emotion": "+ agregar una emoción", - "+ add reason": "+ agregar una razón", + "+ add emotion": "+ agregar emoción", + "+ add reason": "+ añadir motivo", "+ add summary": "+ agregar resumen", - "+ add title": "+ agregar un título", + "+ add title": "+ agregar título", "+ change date": "+ cambiar fecha", "+ change template": "+ cambiar plantilla", "+ create a group": "+ crear un grupo", @@ -26,74 +26,74 @@ "+ suffix": "+ sufijo", ":count contact|:count contacts": ":count contacto|:count contactos", ":count hour slept|:count hours slept": ":count hora dormida|:count horas dormidas", - ":count min read": ":count minutos de lectura.", + ":count min read": ":count lectura mínima", ":count post|:count posts": ":count publicación|:count publicaciones", ":count template section|:count template sections": ":count sección de plantilla|:count secciones de plantilla", ":count word|:count words": ":count palabra|:count palabras", - ":distance km": ":distance km", + ":distance km": ":distance kilómetros", ":distance miles": ":distance millas", - ":file at line :line": ":archivo en la línea :line", - ":file in :class at line :line": ":archivo en :class en la línea :line", - ":Name called": ":Name llamó", + ":file at line :line": ":file en la línea :line", + ":file in :class at line :line": ":file en :class en la línea :line", + ":Name called": ":Name llamado", ":Name called, but I didn’t answer": ":Name llamó, pero no respondí", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName te invita a unirte a Mónica, un CRM personal de código abierto, diseñado para ayudarte a documentar tus relaciones.", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName te invita a unirte a Monica, un CRM personal de código abierto, diseñado para ayudarte a documentar tus relaciones.", "Accept Invitation": "Aceptar invitación", - "Accept invitation and create your account": "Aceptar la invitación y crear su cuenta", + "Accept invitation and create your account": "Acepta la invitación y crea tu cuenta.", "Account and security": "Cuenta y seguridad", - "Account settings": "Configuraciones de cuenta", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Una información de contacto puede ser cliqueable. Por ejemplo, un número de teléfono puede ser cliqueable y lanzar la aplicación por defecto en su computadora. Si no conoce el protocolo para el tipo que está agregando, puede simplemente omitir este campo.", + "Account settings": "Configuraciones de la cuenta", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Se puede hacer clic en una información de contacto. Por ejemplo, se puede hacer clic en un número de teléfono e iniciar la aplicación predeterminada en su computadora. Si no conoce el protocolo para el tipo que está agregando, simplemente puede omitir este campo.", "Activate": "Activar", - "Activity feed": "Feed de actividad", + "Activity feed": "Feed de actividades", "Activity in this vault": "Actividad en esta bóveda", "Add": "Añadir", - "add a call reason type": "Añadir un tipo de razón de llamada", - "Add a contact": "Agregar un contacto", - "Add a contact information": "Agregar información de contacto", - "Add a date": "Agregar una fecha", - "Add additional security to your account using a security key.": "Agregue seguridad adicional a su cuenta utilizando una clave de seguridad.", + "add a call reason type": "agregar un tipo de motivo de llamada", + "Add a contact": "Añade un contacto", + "Add a contact information": "Agregar una información de contacto", + "Add a date": "Añadir una fecha", + "Add additional security to your account using a security key.": "Agregue seguridad adicional a su cuenta usando una clave de seguridad.", "Add additional security to your account using two factor authentication.": "Agregue seguridad adicional a su cuenta mediante la autenticación de dos factores.", "Add a document": "Agregar un documento", "Add a due date": "Agregar una fecha de vencimiento", "Add a gender": "Agregar un género", - "Add a gift occasion": "Agregar una ocasión de regalo", + "Add a gift occasion": "Añade una ocasión de regalo", "Add a gift state": "Agregar un estado de regalo", - "Add a goal": "Agregar una meta", + "Add a goal": "Añadir un objetivo", "Add a group type": "Agregar un tipo de grupo", - "Add a header image": "Agregar una imagen de encabezado.", + "Add a header image": "Agregar una imagen de encabezado", "Add a label": "Agregar una etiqueta", - "Add a life event": "Agregar un evento de vida", - "Add a life event category": "Agregar una categoría de evento de la vida", - "add a life event type": "agregar un tipo de evento de la vida", + "Add a life event": "Agrega un evento de tu vida", + "Add a life event category": "Agregar una categoría de evento de vida", + "add a life event type": "agregar un tipo de evento de vida", "Add a module": "Agregar un módulo", - "Add an address": "Agregar una dirección", - "Add an address type": "Añadir un tipo de dirección", + "Add an address": "Añadir una dirección", + "Add an address type": "Agregar un tipo de dirección", "Add an email address": "Agregar una dirección de correo electrónico", - "Add an email to be notified when a reminder occurs.": "Agregar un correo electrónico para ser notificado cuando se produzca un recordatorio.", + "Add an email to be notified when a reminder occurs.": "Agregue un correo electrónico para recibir una notificación cuando se produzca un recordatorio.", "Add an entry": "Agregar una entrada", - "add a new metric": "añadir una nueva métrica", + "add a new metric": "agregar una nueva métrica", "Add a new team member to your team, allowing them to collaborate with you.": "Agregue un nuevo miembro a su equipo, permitiéndole colaborar con usted.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Agregar una fecha importante para recordar lo que importa sobre esta persona, como una fecha de nacimiento o de defunción.", - "Add a note": "Agregar una nota", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Agrega una fecha importante para recordar lo que te importa acerca de esta persona, como una fecha de nacimiento o una fecha de fallecimiento.", + "Add a note": "Agrega una nota", "Add another life event": "Agregar otro evento de vida", - "Add a page": "Agregar una página", + "Add a page": "Añadir una página", "Add a parameter": "Agregar un parámetro", - "Add a pet": "Agregar una mascota", + "Add a pet": "Añadir una mascota", "Add a photo": "Agregar una foto", - "Add a photo to a journal entry to see it here.": "Agrega una foto a una entrada de diario para verla aquí.", + "Add a photo to a journal entry to see it here.": "Agregue una foto a una entrada de diario para verla aquí.", "Add a post template": "Agregar una plantilla de publicación", - "Add a pronoun": "Agregar un pronombre", - "add a reason": "Añadir una razón", + "Add a pronoun": "Agrega un pronombre", + "add a reason": "agrega una razón", "Add a relationship": "Agregar una relación", - "Add a relationship group type": "Agregar un tipo de grupo de relaciones", + "Add a relationship group type": "Agregar un tipo de grupo de relación", "Add a relationship type": "Agregar un tipo de relación", - "Add a religion": "Agregar una religión", - "Add a reminder": "Agregar un recordatorio", - "add a role": "Agregar un rol", - "add a section": "Agregar una sección", - "Add a tag": "Agregar una etiqueta", + "Add a religion": "Añadir una religión", + "Add a reminder": "Añadir un recordatorio", + "add a role": "agregar un rol", + "add a section": "agregar una sección", + "Add a tag": "Añadir una etiqueta", "Add a task": "Agregar una tarea", "Add a template": "Agregar una plantilla", - "Add at least one module.": "Agregar al menos un módulo.", + "Add at least one module.": "Agregue al menos un módulo.", "Add a type": "Agregar un tipo", "Add a user": "Agregar un usuario", "Add a vault": "Agregar una bóveda", @@ -106,87 +106,87 @@ "added the contact to a group": "agregó el contacto a un grupo", "added the contact to a post": "agregó el contacto a una publicación", "added the contact to the favorites": "agregó el contacto a los favoritos", - "Add genders to associate them to contacts.": "Agregar géneros para asociarlos a contactos.", - "Add loan": "Agregar préstamo", - "Add one now": "Agregar uno ahora", - "Add photos": "Agregar fotos.", - "Address": "Dirección", + "Add genders to associate them to contacts.": "Agregue géneros para asociarlos a los contactos.", + "Add loan": "Añadir préstamo", + "Add one now": "Añade uno ahora", + "Add photos": "Agregar fotos", + "Address": "DIRECCIÓN", "Addresses": "Direcciones", "Address type": "Tipo de dirección", - "Address types": "Tipos de dirección", - "Address types let you classify contact addresses.": "Los tipos de dirección te permiten clasificar las direcciones de contacto.", + "Address types": "Tipos de direcciones", + "Address types let you classify contact addresses.": "Los tipos de direcciones le permiten clasificar direcciones de contactos.", "Add Team Member": "Añadir un nuevo miembro al equipo", - "Add to group": "Agregar al grupo", + "Add to group": "Añadir al grupo", "Administrator": "Administrador", "Administrator users can perform any action.": "Los administradores pueden realizar cualquier acción.", "a father-son relation shown on the father page,": "una relación padre-hijo que se muestra en la página del padre,", - "after the next occurence of the date.": "después de la próxima ocurrencia de la fecha.", + "after the next occurence of the date.": "después de la próxima aparición de la fecha.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Un grupo son dos o más personas juntas. Puede ser una familia, un hogar, un club deportivo. Lo que sea importante para ti.", "All contacts in the vault": "Todos los contactos en la bóveda", "All files": "Todos los archivos", "All groups in the vault": "Todos los grupos en la bóveda", - "All journal metrics in :name": "Todas las métricas de diarios en :name", + "All journal metrics in :name": "Todas las métricas del diario en :name", "All of the people that are part of this team.": "Todas las personas que forman parte de este equipo.", "All rights reserved.": "Todos los derechos reservados.", "All tags": "Todas las etiquetas", - "All the address types": "Todos los tipos de dirección", - "All the best,": "Todo lo mejor,", - "All the call reasons": "Todas las razones de llamada", - "All the cities": "Todas las ciudades", - "All the companies": "Todas las empresas", + "All the address types": "Todos los tipos de direcciones", + "All the best,": "Mis mejores deseos,", + "All the call reasons": "Todos los motivos de la llamada.", + "All the cities": "todas las ciudades", + "All the companies": "todas las empresas", "All the contact information types": "Todos los tipos de información de contacto", - "All the countries": "Todos los países", - "All the currencies": "Todas las monedas", + "All the countries": "todos los paises", + "All the currencies": "todas las monedas", "All the files": "Todos los archivos", - "All the genders": "Todos los géneros", + "All the genders": "todos los generos", "All the gift occasions": "Todas las ocasiones de regalo", "All the gift states": "Todos los estados de regalo", - "All the group types": "Todos los tipos de grupo", + "All the group types": "Todos los tipos de grupos", "All the important dates": "Todas las fechas importantes", - "All the important date types used in the vault": "Todos los tipos de fechas importantes utilizadas en la bóveda", - "All the journals": "Todos los diarios", - "All the labels used in the vault": "Todas las etiquetas utilizadas en la bóveda", - "All the notes": "Todas las notas", + "All the important date types used in the vault": "Todos los tipos de fechas importantes utilizados en la bóveda", + "All the journals": "todas las revistas", + "All the labels used in the vault": "Todas las etiquetas utilizadas en la bóveda.", + "All the notes": "todas las notas", "All the pet categories": "Todas las categorías de mascotas", - "All the photos": "Todas las fotos", + "All the photos": "todas las fotos", "All the planned reminders": "Todos los recordatorios planificados", - "All the pronouns": "Todos los pronombres", + "All the pronouns": "todos los pronombres", "All the relationship types": "Todos los tipos de relaciones", - "All the religions": "Todas las religiones", - "All the reports": "Todos los informes", - "All the slices of life in :name": "Todos los fragmentos de vida en :name.", - "All the tags used in the vault": "Todas las etiquetas utilizadas en la bóveda", + "All the religions": "todas las religiones", + "All the reports": "todos los informes", + "All the slices of life in :name": "Todos los aspectos de la vida en :name", + "All the tags used in the vault": "Todas las etiquetas utilizadas en la bóveda.", "All the templates": "Todas las plantillas", - "All the vaults": "Todas las bóvedas", - "All the vaults in the account": "Todas las bóvedas en la cuenta", - "All users and vaults will be deleted immediately,": "Todos los usuarios y bóvedas se eliminarán inmediatamente,", - "All users in this account": "Todos los usuarios en esta cuenta", + "All the vaults": "todas las bóvedas", + "All the vaults in the account": "Todas las bóvedas de la cuenta.", + "All users and vaults will be deleted immediately,": "Todos los usuarios y bóvedas se eliminarán inmediatamente.", + "All users in this account": "Todos los usuarios de esta cuenta", "Already registered?": "¿Ya se registró?", - "Already used on this page": "Ya utilizado en esta página:", - "A new verification link has been sent to the email address you provided during registration.": "Se ha enviado un nuevo enlace de verificación a la dirección de correo electrónico que proporcionaste durante el registro.", + "Already used on this page": "Ya usado en esta página.", + "A new verification link has been sent to the email address you provided during registration.": "Se ha enviado un nuevo enlace de verificación a la dirección de correo electrónico que proporcionó durante el registro.", "A new verification link has been sent to the email address you provided in your profile settings.": "Se ha enviado un nuevo enlace de verificación a la dirección de correo electrónico que proporcionó en la configuración de su perfil.", "A new verification link has been sent to your email address.": "Se ha enviado un nuevo enlace de verificación a su dirección de correo electrónico.", "Anniversary": "Aniversario", - "Apartment, suite, etc…": "Apartamento, suite, etc...", + "Apartment, suite, etc…": "Apartamento, suite, etc…", "API Token": "Token API", "API Token Permissions": "Permisos para el token API", "API Tokens": "Tokens API", "API tokens allow third-party services to authenticate with our application on your behalf.": "Los tokens API permiten a servicios de terceros autenticarse con nuestra aplicación en su nombre.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Una plantilla de publicación define cómo se debe mostrar el contenido de una publicación. Puedes definir tantas plantillas como quieras y elegir qué plantilla se debe usar en cada publicación.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Una plantilla de publicación define cómo se debe mostrar el contenido de una publicación. Puede definir tantas plantillas como desee y elegir qué plantilla se debe utilizar en cada publicación.", "Archive": "Archivo", - "Archive contact": "Archivar contacto", - "archived the contact": "archivó el contacto", - "Are you sure? The address will be deleted immediately.": "¿Está seguro? La dirección se eliminará de inmediato.", - "Are you sure? This action cannot be undone.": "¿Estás seguro? Esta acción no se puede deshacer.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "¿Está seguro? Esto eliminará todas las razones de llamada de este tipo para todos los contactos que lo estaban usando.", + "Archive contact": "Archivo de contacto", + "archived the contact": "archivado el contacto", + "Are you sure? The address will be deleted immediately.": "¿Está seguro? La dirección será eliminada inmediatamente.", + "Are you sure? This action cannot be undone.": "¿Está seguro? Esta acción no se puede deshacer.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "¿Está seguro? Esto eliminará todos los motivos de llamada de este tipo para todos los contactos que lo estaban usando.", "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "¿Está seguro? Esto eliminará todas las relaciones de este tipo para todos los contactos que lo estaban usando.", - "Are you sure? This will delete the contact information permanently.": "¿Está seguro? Esto eliminará la información de contacto permanentemente.", + "Are you sure? This will delete the contact information permanently.": "¿Está seguro? Esto eliminará la información de contacto de forma permanente.", "Are you sure? This will delete the document permanently.": "¿Está seguro? Esto eliminará el documento permanentemente.", - "Are you sure? This will delete the goal and all the streaks permanently.": "¿Estás seguro? Esto eliminará el objetivo y todas las rachas de forma permanente.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "¿Estás seguro? Esto eliminará los tipos de dirección de todos los contactos, pero no los contactos en sí.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "¿Está seguro? Esto eliminará los tipos de información de contacto de todos los contactos, pero no eliminará los contactos en sí mismos.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "¿Estás seguro? Esto eliminará los géneros de todos los contactos, pero no eliminará los contactos en sí.", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "¿Está seguro? Esto eliminará la plantilla de todos los contactos, pero no eliminará los propios contactos.", + "Are you sure? This will delete the goal and all the streaks permanently.": "¿Está seguro? Esto eliminará el objetivo y todas las rachas de forma permanente.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "¿Está seguro? Esto eliminará los tipos de direcciones de todos los contactos, pero no eliminará los contactos en sí.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "¿Está seguro? Esto eliminará los tipos de información de contacto de todos los contactos, pero no eliminará los contactos en sí.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "¿Está seguro? Esto eliminará los géneros de todos los contactos, pero no eliminará los contactos en sí.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "¿Está seguro? Esto eliminará la plantilla de todos los contactos, pero no eliminará los contactos en sí.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "¿Está seguro que desea eliminar este equipo? Una vez que se elimina un equipo, todos sus recursos y datos se eliminarán de forma permanente.", "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "¿Está seguro que desea eliminar su cuenta? Una vez que se elimine su cuenta, todos sus recursos y datos se eliminarán de forma permanente. Ingrese su contraseña para confirmar que desea eliminar su cuenta de forma permanente.", "Are you sure you would like to archive this contact?": "¿Está seguro de que desea archivar este contacto?", @@ -195,52 +195,52 @@ "Are you sure you would like to delete this key?": "¿Está seguro de que desea eliminar esta clave?", "Are you sure you would like to leave this team?": "¿Está seguro que le gustaría abandonar este equipo?", "Are you sure you would like to remove this person from the team?": "¿Está seguro que desea retirar a esta persona del equipo?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Un fragmento de vida le permite agrupar publicaciones por algo significativo para usted. Agregue un fragmento de vida en una publicación para verlo aquí.", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Una porción de la vida te permite agrupar publicaciones por algo significativo para ti. Añade un trozo de vida en una publicación para verlo aquí.", "a son-father relation shown on the son page.": "una relación hijo-padre que se muestra en la página del hijo.", - "assigned a label": "asignó una etiqueta", + "assigned a label": "asignado una etiqueta", "Association": "Asociación", - "At": "A las", - "at ": "a las ", + "At": "En", + "at ": "en", "Ate": "Comió", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Una plantilla define cómo se deben mostrar los contactos. Puede tener tantas plantillas como desee; se definen en la configuración de su cuenta. Sin embargo, es posible que desee definir una plantilla predeterminada para que todos sus contactos en esta bóveda tengan esta plantilla de forma predeterminada.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Una plantilla está compuesta por páginas y, en cada página, hay módulos. Cómo se muestra los datos depende completamente de usted.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Una plantilla define cómo se deben mostrar los contactos. Puede tener tantas plantillas como desee; están definidas en la configuración de su cuenta. Sin embargo, es posible que desee definir una plantilla predeterminada para que todos sus contactos en este almacén tengan esta plantilla de forma predeterminada.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Una plantilla está hecha de páginas y en cada página hay módulos. La forma en que se muestran los datos depende totalmente de usted.", "Atheist": "Ateo", - "At which time should we send the notification, when the reminder occurs?": "¿A qué hora debemos enviar la notificación cuando se produzca el recordatorio?", - "Audio-only call": "Llamada solo de audio", + "At which time should we send the notification, when the reminder occurs?": "¿En qué momento debemos enviar la notificación, cuando se produce el recordatorio?", + "Audio-only call": "Llamada de solo audio", "Auto saved a few seconds ago": "Guardado automáticamente hace unos segundos.", "Available modules:": "Módulos disponibles:", "Avatar": "Avatar", - "Avatars": "Avatares", + "Avatars": "avatares", "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Antes de continuar, ¿podría verificar su dirección de correo electrónico haciendo clic en el enlace que le acabamos de enviar? Si no recibió el correo electrónico, con gusto le enviaremos otro.", - "best friend": "mejor amigo", + "best friend": "mejor amiga", "Bird": "Pájaro", "Birthdate": "Fecha de nacimiento", "Birthday": "Cumpleaños", "Body": "Cuerpo", "boss": "jefe", - "Bought": "Comprado", + "Bought": "Compró", "Breakdown of the current usage": "Desglose del uso actual", - "brother\/sister": "hermano\/hermana", + "brother/sister": "hermano/hermana", "Browser Sessions": "Sesiones del navegador", "Buddhist": "Budista", - "Business": "Negocios", + "Business": "Negocio", "By last updated": "Por última actualización", "Calendar": "Calendario", - "Call reasons": "Razones de llamada", - "Call reasons let you indicate the reason of calls you make to your contacts.": "Las razones de llamada te permiten indicar la razón de las llamadas que realizas a tus contactos.", - "Calls": "Llamadas", + "Call reasons": "Motivos de llamada", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Los motivos de las llamadas le permiten indicar el motivo de las llamadas que realiza a sus contactos.", + "Calls": "llamadas", "Cancel": "Cancelar", "Cancel account": "Cancelar cuenta", - "Cancel all your active subscriptions": "Cancelar todas sus suscripciones activas", - "Cancel your account": "Cancelar tu cuenta", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "Puede hacer todo, incluyendo agregar o eliminar otros usuarios, administrar la facturación y cerrar la cuenta.", - "Can do everything, including adding or removing other users.": "Puede hacer todo, incluida la adición o eliminación de otros usuarios.", + "Cancel all your active subscriptions": "Cancela todas tus suscripciones activas", + "Cancel your account": "Cancela tu cuenta", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Puede hacer de todo, incluso agregar o eliminar otros usuarios, administrar la facturación y cerrar la cuenta.", + "Can do everything, including adding or removing other users.": "Puede hacer de todo, incluso agregar o eliminar otros usuarios.", "Can edit data, but can’t manage the vault.": "Puede editar datos, pero no puede administrar la bóveda.", "Can view data, but can’t edit it.": "Puede ver datos, pero no puede editarlos.", - "Can’t be moved or deleted": "No se puede mover o eliminar", + "Can’t be moved or deleted": "No se puede mover ni eliminar", "Cat": "Gato", "Categories": "Categorías", - "Chandler is in beta.": "Chandler está en beta.", + "Chandler is in beta.": "Chandler está en versión beta.", "Change": "Cambiar", "Change date": "Cambiar fecha", "Change permission": "Cambiar permiso", @@ -249,39 +249,39 @@ "Child": "Niño", "child": "niño", "Choose": "Elegir", - "Choose a color": "Elegir un color", - "Choose an existing address": "Elegir una dirección existente", - "Choose an existing contact": "Seleccionar un contacto existente", - "Choose a template": "Elegir una plantilla.", - "Choose a value": "Elegir un valor", + "Choose a color": "Elige un color", + "Choose an existing address": "Elija una dirección existente", + "Choose an existing contact": "Elija un contacto existente", + "Choose a template": "Elige una plantilla", + "Choose a value": "Elige un valor", "Chosen type:": "Tipo elegido:", - "Christian": "Cristiano", + "Christian": "cristiano", "Christmas": "Navidad", "City": "Ciudad", "Click here to re-send the verification email.": "Haga clic aquí para reenviar el correo de verificación.", "Click on a day to see the details": "Haga clic en un día para ver los detalles", "Close": "Cerrar", - "close edit mode": "cerrar el modo de edición", + "close edit mode": "cerrar modo de edición", "Club": "Club", "Code": "Código", "colleague": "colega", - "Companies": "Empresas", - "Company name": "Nombre de la empresa", - "Compared to Monica:": "En comparación con Mónica:", - "Configure how we should notify you": "Configura cómo deberíamos notificarte", + "Companies": "Compañías", + "Company name": "Nombre de empresa", + "Compared to Monica:": "Comparado con Monica:", + "Configure how we should notify you": "Configura cómo debemos avisarte", "Confirm": "Confirmar", "Confirm Password": "Confirmar contraseña", "Connect": "Conectar", "Connected": "Conectado", - "Connect with your security key": "Conéctese con su clave de seguridad", + "Connect with your security key": "Conéctate con tu llave de seguridad", "Contact feed": "Feed de contacto", - "Contact information": "Información de contacto", + "Contact information": "Información del contacto", "Contact informations": "Información de contacto", "Contact information types": "Tipos de información de contacto", - "Contact name": "Nombre del contacto", + "Contact name": "Nombre de contacto", "Contacts": "Contactos", - "Contacts in this post": "Contactos en esta publicación.", - "Contacts in this slice": "Contactos en este fragmento.", + "Contacts in this post": "Contactos en esta publicación", + "Contacts in this slice": "Contactos en este segmento", "Contacts will be shown as follow:": "Los contactos se mostrarán de la siguiente manera:", "Content": "Contenido", "Copied.": "Copiado.", @@ -292,26 +292,26 @@ "Couple": "Pareja", "cousin": "primo", "Create": "Crear", - "Create account": "Crear cuenta", + "Create account": "Crear una cuenta", "Create Account": "Crear cuenta", "Create a contact": "Crear un contacto", "Create a contact entry for this person": "Crear una entrada de contacto para esta persona", - "Create a journal": "Crear un diario", - "Create a journal metric": "Crear una métrica de diarios", + "Create a journal": "crear un diario", + "Create a journal metric": "Crear una métrica de diario", "Create a journal to document your life.": "Crea un diario para documentar tu vida.", - "Create an account": "Crear una cuenta", + "Create an account": "Crea una cuenta", "Create a new address": "Crear una nueva dirección", "Create a new team to collaborate with others on projects.": "Cree un nuevo equipo para colaborar con otros en proyectos.", "Create API Token": "Crear Token API", "Create a post": "Crear una publicación", "Create a reminder": "Crear un recordatorio", - "Create a slice of life": "Crear un fragmento de vida.", - "Create at least one page to display contact’s data.": "Crea al menos una página para mostrar los datos de contacto.", + "Create a slice of life": "Crea una porción de vida", + "Create at least one page to display contact’s data.": "Cree al menos una página para mostrar los datos del contacto.", "Create at least one template to use Monica.": "Crea al menos una plantilla para usar Monica.", "Create a user": "Crear un usuario", - "Create a vault": "Crear una bóveda", + "Create a vault": "crear una bóveda", "Created.": "Creado.", - "created a goal": "creó un objetivo", + "created a goal": "creó una meta", "created the contact": "creó el contacto", "Create label": "Crear etiqueta", "Create new label": "Crear nueva etiqueta", @@ -319,41 +319,41 @@ "Create New Team": "Crear nuevo equipo", "Create Team": "Crear equipo", "Currencies": "Monedas", - "Currency": "Moneda", - "Current default": "Predeterminado actual", + "Currency": "Divisa", + "Current default": "Valor predeterminado actual", "Current language:": "Idioma actual:", "Current Password": "Contraseña actual", "Current site used to display maps:": "Sitio actual utilizado para mostrar mapas:", "Current streak": "Racha actual", "Current timezone:": "Zona horaria actual:", - "Current way of displaying contact names:": "Forma actual de mostrar los nombres de contacto:", - "Current way of displaying dates:": "Forma actual de mostrar las fechas:", - "Current way of displaying distances:": "Forma actual de mostrar las distancias:", + "Current way of displaying contact names:": "Forma actual de mostrar los nombres de los contactos:", + "Current way of displaying dates:": "Forma actual de mostrar fechas:", + "Current way of displaying distances:": "Forma actual de mostrar distancias:", "Current way of displaying numbers:": "Forma actual de mostrar números:", - "Customize how contacts should be displayed": "Personalizar cómo se deben mostrar los contactos", - "Custom name order": "Orden personalizado del nombre", + "Customize how contacts should be displayed": "Personaliza cómo se deben mostrar los contactos", + "Custom name order": "Orden de nombre personalizado", "Daily affirmation": "Afirmación diaria", "Dashboard": "Panel", - "date": "pareja", + "date": "fecha", "Date of the event": "Fecha del evento", "Date of the event:": "Fecha del evento:", "Date type": "Tipo de fecha", - "Date types are essential as they let you categorize dates that you add to a contact.": "Los tipos de fechas son esenciales ya que le permiten categorizar las fechas que agrega a un contacto.", + "Date types are essential as they let you categorize dates that you add to a contact.": "Los tipos de fechas son esenciales ya que te permiten categorizar las fechas que agregas a un contacto.", "Day": "Día", "day": "día", "Deactivate": "Desactivar", - "Deceased date": "Fecha de fallecimiento", + "Deceased date": "fecha de fallecimiento", "Default template": "Plantilla predeterminada", "Default template to display contacts": "Plantilla predeterminada para mostrar contactos", "Delete": "Eliminar", "Delete Account": "Borrar cuenta", "Delete a new key": "Eliminar una nueva clave", "Delete API Token": "Borrar token API", - "Delete contact": "Eliminar contacto", + "Delete contact": "Borrar contacto", "deleted a contact information": "eliminó una información de contacto", - "deleted a goal": "eliminó un objetivo", + "deleted a goal": "eliminado un gol", "deleted an address": "eliminó una dirección", - "deleted an important date": "eliminó una fecha importante", + "deleted an important date": "borró una fecha importante", "deleted a note": "eliminó una nota", "deleted a pet": "eliminó una mascota", "Deleted author": "Autor eliminado", @@ -361,21 +361,21 @@ "Delete journal": "Eliminar diario", "Delete Team": "Borrar equipo", "Delete the address": "Eliminar la dirección", - "Delete the photo": "Eliminar la foto.", - "Delete the slice": "Eliminar el fragmento de vida.", + "Delete the photo": "borrar la foto", + "Delete the slice": "Eliminar el segmento", "Delete the vault": "Eliminar la bóveda", - "Delete your account on https:\/\/customers.monicahq.com.": "Eliminar su cuenta en https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Eliminar la bóveda significa eliminar todos los datos dentro de esta bóveda, para siempre. No hay vuelta atrás. Por favor, asegúrese.", + "Delete your account on https://customers.monicahq.com.": "Elimina tu cuenta en https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Eliminar la bóveda significa eliminar todos los datos dentro de esta bóveda, para siempre. No hay vuelta atrás. Por favor esté seguro.", "Description": "Descripción", - "Detail of a goal": "Detalle de un objetivo", - "Details in the last year": "Detalles en el último año", + "Detail of a goal": "Detalle de un gol", + "Details in the last year": "Detalles en el último año.", "Disable": "Deshabilitar", "Disable all": "Desactivar todo", "Disconnect": "Desconectar", "Discuss partnership": "Discutir asociación", - "Discuss recent purchases": "Discutir compras recientes", - "Dismiss": "Descartar", - "Display help links in the interface to help you (English only)": "Mostrar enlaces de ayuda en la interfaz para ayudarte (sólo en inglés)", + "Discuss recent purchases": "Hablar de compras recientes", + "Dismiss": "Despedir", + "Display help links in the interface to help you (English only)": "Mostrar enlaces de ayuda en la interfaz para ayudarle (solo en inglés)", "Distance": "Distancia", "Documents": "Documentos", "Dog": "Perro", @@ -384,25 +384,25 @@ "Download as vCard": "Descargar como vCard", "Drank": "Bebió", "Drove": "Condujo", - "Due and upcoming tasks": "Tareas pendientes y próximas", + "Due and upcoming tasks": "Tareas vencidas y próximas", "Edit": "Editar", "edit": "editar", "Edit a contact": "Editar un contacto", "Edit a journal": "Editar un diario", - "Edit a post": "Editar una publicación.", - "edited a note": "editó una nota", + "Edit a post": "Editar una publicación", + "edited a note": "editado una nota", "Edit group": "Editar grupo", "Edit journal": "Editar diario", "Edit journal information": "Editar información del diario", - "Edit journal metrics": "Editar métricas del diario", + "Edit journal metrics": "Editar métricas de diario", "Edit names": "Editar nombres", "Editor": "Editor", "Editor users have the ability to read, create, and update.": "Los editores están habilitados para leer, crear y actualizar.", - "Edit post": "Editar publicación.", + "Edit post": "Editar post", "Edit Profile": "Editar perfil", - "Edit slice of life": "Editar fragmento de vida.", + "Edit slice of life": "Editar parte de la vida", "Edit the group": "Editar el grupo", - "Edit the slice of life": "Editar el fragmento de vida.", + "Edit the slice of life": "Editar la parte de la vida", "Email": "Correo electrónico", "Email address": "Dirección de correo electrónico", "Email address to send the invitation to": "Dirección de correo electrónico a la que enviar la invitación", @@ -415,160 +415,160 @@ "Events this week": "Eventos esta semana", "Events this year": "Eventos este año", "Every": "Cada", - "ex-boyfriend": "ex-novio", + "ex-boyfriend": "ex novio", "Exception:": "Excepción:", "Existing company": "Empresa existente", "External connections": "Conexiones externas", + "Facebook": "Facebook", "Family": "Familia", "Family summary": "Resumen familiar", "Favorites": "Favoritos", "Female": "Femenino", "Files": "Archivos", - "Filter": "Filtro", - "Filter list or create a new label": "Filtrar la lista o crear una nueva etiqueta", + "Filter": "Filtrar", + "Filter list or create a new label": "Filtrar lista o crear una nueva etiqueta", "Filter list or create a new tag": "Filtrar lista o crear una nueva etiqueta", - "Find a contact in this vault": "Encontrar un contacto en esta bóveda", + "Find a contact in this vault": "Encuentra un contacto en esta bóveda", "Finish enabling two factor authentication.": "Termine de habilitar la autenticación de dos factores.", - "First name": "Nombre", + "First name": "Nombre de pila", "First name Last name": "Nombre Apellido", - "First name Last name (nickname)": "Nombre Apellido (Apodo)", + "First name Last name (nickname)": "Nombre Apellido (apodo)", "Fish": "Pez", - "Food preferences": "Preferencias alimentarias", + "Food preferences": "Preferencias de comida", "for": "para", "For:": "Para:", - "For advice": "Para consejos", + "For advice": "Como consejo", "Forbidden": "Prohibido", - "Forgot password?": "¿Olvidó su contraseña?", "Forgot your password?": "¿Olvidó su contraseña?", "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "¿Olvidó su contraseña? No hay problema. Simplemente déjenos saber su dirección de correo electrónico y le enviaremos un enlace para restablecer la contraseña que le permitirá elegir una nueva.", "For your security, please confirm your password to continue.": "Por su seguridad, confirme su contraseña para continuar.", - "Found": "Encontrado", + "Found": "Encontró", "Friday": "Viernes", "Friend": "Amigo", "friend": "amigo", - "From A to Z": "De A a Z", - "From Z to A": "De Z a A", + "From A to Z": "De la A a la Z", + "From Z to A": "De la Z a la A", "Gender": "Género", "Gender and pronoun": "Género y pronombre", "Genders": "Géneros", - "Gift center": "Centro de regalos", "Gift occasions": "Ocasiones de regalo", - "Gift occasions let you categorize all your gifts.": "Las ocasiones de regalo te permiten categorizar todos tus regalos.", + "Gift occasions let you categorize all your gifts.": "Las ocasiones de regalo te permiten clasificar todos tus regalos.", "Gift states": "Estados de regalo", - "Gift states let you define the various states for your gifts.": "Los estados de regalo te permiten definir los diferentes estados de tus regalos.", - "Give this email address a name": "Asigne un nombre a esta dirección de correo electrónico", - "Goals": "Metas", - "Go back": "Regresar", + "Gift states let you define the various states for your gifts.": "Los estados de obsequio le permiten definir los distintos estados de sus obsequios.", + "Give this email address a name": "Dale un nombre a esta dirección de correo electrónico.", + "Goals": "Objetivos", + "Go back": "Regresa", "godchild": "ahijado", "godparent": "padrino", - "Google Maps": "Google Maps", + "Google Maps": "mapas de Google", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps ofrece la mejor precisión y detalles, pero no es ideal desde el punto de vista de la privacidad.", "Got fired": "Fue despedido", "Go to page :page": "Ir a la página :page", "grand child": "nieto", "grand parent": "abuelo", "Great! You have accepted the invitation to join the :team team.": "¡Genial! Usted ha aceptado la invitación para unirse al equipo :team.", - "Group journal entries together with slices of life.": "Agrupe las entradas del diario junto con los fragmentos de vida.", + "Group journal entries together with slices of life.": "Agrupe las entradas del diario junto con fragmentos de la vida.", "Groups": "Grupos", - "Groups let you put your contacts together in a single place.": "Los grupos te permiten poner tus contactos juntos en un solo lugar.", + "Groups let you put your contacts together in a single place.": "Los grupos te permiten reunir a tus contactos en un solo lugar.", "Group type": "Tipo de grupo", "Group type: :name": "Tipo de grupo: :name", - "Group types": "Tipos de grupos", - "Group types let you group people together.": "Los tipos de grupo te permiten agrupar personas juntas.", - "Had a promotion": "Tuvo una promoción", + "Group types": "Tipos de grupo", + "Group types let you group people together.": "Los tipos de grupo le permiten agrupar personas.", + "Had a promotion": "tuvo una promoción", "Hamster": "Hámster", - "Have a great day,": "Que tengas un buen día,", - "he\/him": "él\/él", + "Have a great day,": "Qué tengas un lindo día,", + "he/him": "él/él", "Hello!": "¡Hola!", - "Help": "Ayuda:", + "Help": "Ayuda", "Hi :name": "Hola :name", - "Hinduist": "Hindú", + "Hinduist": "hinduista", "History of the notification sent": "Historial de la notificación enviada", - "Hobbies": "Pasatiempos", - "Home": "Inicio", + "Hobbies": "Aficiones", + "Home": "Hogar", "Horse": "Caballo", "How are you?": "¿Cómo estás?", - "How could I have done this day better?": "¿Cómo podría haber hecho mejor este día?", + "How could I have done this day better?": "¿Cómo podría haber hecho este día mejor?", "How did you feel?": "¿Cómo te sentiste?", - "How do you feel right now?": "¿Cómo te sientes en este momento?", - "however, there are many, many new features that didn't exist before.": "sin embargo, hay muchas, muchas características nuevas que no existían antes.", + "How do you feel right now?": "¿Cómo te sientes ahora?", + "however, there are many, many new features that didn't exist before.": "sin embargo, hay muchas, muchas características nuevas que antes no existían.", "How much money was lent?": "¿Cuánto dinero se prestó?", "How much was lent?": "¿Cuánto se prestó?", "How often should we remind you about this date?": "¿Con qué frecuencia debemos recordarte esta fecha?", - "How should we display dates": "¿Cómo deberíamos mostrar las fechas?", - "How should we display distance values": "¿Cómo deberíamos mostrar los valores de distancia?", - "How should we display numerical values": "¿Cómo deberíamos mostrar los valores numéricos?", + "How should we display dates": "¿Cómo debemos mostrar las fechas?", + "How should we display distance values": "¿Cómo debemos mostrar los valores de distancia?", + "How should we display numerical values": "¿Cómo debemos mostrar los valores numéricos?", "I agree to the :terms and :policy": "Acepto los :terms y :policy", "I agree to the :terms_of_service and :privacy_policy": "Acepto los :terms_of_service y la :privacy_policy", "I am grateful for": "Estoy agradecido por", - "I called": "Yo llamé", - "I called, but :name didn’t answer": "Yo llamé, pero :name no respondió", + "I called": "llamé", + "I called, but :name didn’t answer": "Llamé, pero :name no respondió", "Idea": "Idea", - "I don’t know the name": "No sé el nombre", + "I don’t know the name": "no se el nombre", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Si es necesario, puede salir de todas las demás sesiones de otros navegadores en todos sus dispositivos. Algunas de sus sesiones recientes se enumeran a continuación; sin embargo, es posible que esta lista no sea exhaustiva. Si cree que su cuenta se ha visto comprometida, también debería actualizar su contraseña.", - "If the date is in the past, the next occurence of the date will be next year.": "Si la fecha es pasada, la próxima ocurrencia de la fecha será el próximo año.", + "If the date is in the past, the next occurence of the date will be next year.": "Si la fecha está en el pasado, la próxima aparición de la fecha será el próximo año.", "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Si está teniendo problemas al hacer clic en el botón \":actionText\", copie y pegue la URL de abajo\nen su navegador web:", "If you already have an account, you may accept this invitation by clicking the button below:": "Si ya tiene una cuenta, puede aceptar esta invitación haciendo clic en el botón de abajo:", "If you did not create an account, no further action is required.": "Si no ha creado una cuenta, no se requiere ninguna acción adicional.", "If you did not expect to receive an invitation to this team, you may discard this email.": "Si no esperaba recibir una invitación para este equipo, puede descartar este correo electrónico.", "If you did not request a password reset, no further action is required.": "Si no ha solicitado el restablecimiento de contraseña, omita este mensaje de correo electrónico.", "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Si no tiene una cuenta, puede crear una haciendo clic en el botón de abajo. Después de crear una cuenta, puede hacer clic en el botón de aceptación de la invitación en este correo electrónico para aceptar la invitación del equipo:", - "If you’ve received this invitation by mistake, please discard it.": "Si ha recibido esta invitación por error, por favor descártela.", - "I know the exact date, including the year": "Conozco la fecha exacta, incluyendo el año", - "I know the name": "Conozco el nombre", + "If you’ve received this invitation by mistake, please discard it.": "Si recibió esta invitación por error, deséchela.", + "I know the exact date, including the year": "Sé la fecha exacta, incluido el año.", + "I know the name": "se el nombre", "Important dates": "Fechas importantes", - "Important date summary": "Resumen de fecha importante", + "Important date summary": "Resumen de fechas importantes", "in": "en", "Information": "Información", "Information from Wikipedia": "Información de Wikipedia", "in love with": "enamorado de", "Inspirational post": "Publicación inspiradora", + "Invalid JSON was returned from the route.": "Se devolvió un JSON no válido desde la ruta.", "Invitation sent": "Invitación enviada", "Invite a new user": "Invitar a un nuevo usuario", - "Invite someone": "Invitar a alguien", - "I only know a number of years (an age, for example)": "Solo conozco un número de años (una edad, por ejemplo)", - "I only know the day and month, not the year": "Solo conozco el día y el mes, no el año", - "it misses some of the features, the most important ones being the API and gift management,": "echa de menos algunas de las características, las más importantes son la API y la gestión de regalos,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Parece que todavía no hay plantillas en la cuenta. Por favor, agrega al menos una plantilla a tu cuenta primero, luego asocia esta plantilla con este contacto.", - "Jew": "Judio", - "Job information": "Información laboral", - "Job position": "Cargo", + "Invite someone": "Invita a alguien", + "I only know a number of years (an age, for example)": "Sólo sé una cantidad de años (una edad, por ejemplo)", + "I only know the day and month, not the year": "Sólo sé el día y el mes, no el año.", + "it misses some of the features, the most important ones being the API and gift management,": "pierde algunas de las características, las más importantes son la API y la gestión de regalos,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Parece que todavía no hay plantillas en la cuenta. Primero agregue al menos una plantilla a su cuenta y luego asocie esta plantilla con este contacto.", + "Jew": "judío", + "Job information": "Informacion del trabajo", + "Job position": "Puesto de trabajo", "Journal": "Diario", "Journal entries": "Entradas de diario", - "Journal metrics": "Métricas de diarios", - "Journal metrics let you track data accross all your journal entries.": "Las métricas de diarios te permiten rastrear datos en todas tus entradas de diario.", - "Journals": "Diarios", - "Just because": "Solo porque", - "Just to say hello": "Solo para decir hola", + "Journal metrics": "Métricas de diario", + "Journal metrics let you track data accross all your journal entries.": "Las métricas del diario le permiten realizar un seguimiento de los datos de todas las entradas del diario.", + "Journals": "Revistas", + "Just because": "Simplemente porque", + "Just to say hello": "Sólo para decir hola", "Key name": "Nombre clave", "kilometers (km)": "kilómetros (km)", - "km": "km", + "km": "kilómetros", "Label:": "Etiqueta:", "Labels": "Etiquetas", - "Labels let you classify contacts using a system that matters to you.": "Las etiquetas le permiten clasificar los contactos utilizando un sistema que le importa.", - "Language of the application": "Idioma de la aplicación:", + "Labels let you classify contacts using a system that matters to you.": "Las etiquetas te permiten clasificar contactos usando un sistema que te interese.", + "Language of the application": "Idioma de la solicitud", "Last active": "Activo por última vez", - "Last active :date": "Última activa :date", + "Last active :date": "Último activo :date", "Last name": "Apellido", - "Last name First name": "Apellido Nombre", + "Last name First name": "Apellido nombre", "Last updated": "Última actualización", "Last used": "Usado por última vez", - "Last used :date": "Última vez usada :date", + "Last used :date": "Usado por última vez :date", "Leave": "Abandonar", "Leave Team": "Abandonar equipo", "Life": "Vida", - "Life & goals": "Vida y objetivos", - "Life events": "Eventos de vida", - "Life events let you document what happened in your life.": "Los eventos de vida te permiten documentar lo que ha pasado en tu vida.", - "Life event types:": "Tipos de eventos de la vida:", + "Life & goals": "Metas de la vida", + "Life events": "Eventos de la vida", + "Life events let you document what happened in your life.": "Los acontecimientos de la vida le permiten documentar lo que sucedió en su vida.", + "Life event types:": "Tipos de eventos de vida:", "Life event types and categories": "Tipos y categorías de eventos de la vida", "Life metrics": "Métricas de vida", - "Life metrics let you track metrics that are important to you.": "Las métricas de vida te permiten rastrear métricas que son importantes para ti.", - "Link to documentation": "Enlace a la documentación", + "Life metrics let you track metrics that are important to you.": "Las métricas de vida le permiten realizar un seguimiento de las métricas que son importantes para usted.", + "LinkedIn": "LinkedIn", "List of addresses": "Lista de direcciones", "List of addresses of the contacts in the vault": "Lista de direcciones de los contactos en la bóveda", "List of all important dates": "Lista de todas las fechas importantes", - "Loading…": "Cargando...", + "Loading…": "Cargando…", "Load previous entries": "Cargar entradas anteriores", "Loans": "Préstamos", "Locale default: :value": "Configuración regional predeterminada: :value", @@ -577,41 +577,42 @@ "logged the mood": "registró el estado de ánimo", "Log in": "Iniciar sesión", "Login": "Iniciar sesión", - "Login with:": "Iniciar sesión con:", + "Login with:": "Inicia con:", "Log Out": "Finalizar sesión", "Logout": "Finalizar sesión", "Log Out Other Browser Sessions": "Cerrar las demás sesiones", "Longest streak": "Racha más larga", - "Love": "Amor", + "Love": "Amar", "loved by": "amado por", "lover": "amante", - "Made from all over the world. We ❤️ you.": "Hecho con amor de todo el mundo. Te ❤️.", - "Maiden name": "Apellido de soltera", + "Made from all over the world. We ❤️ you.": "Fabricado en todo el mundo. Nosotros te ❤️.", + "Maiden name": "Nombre de soltera", "Male": "Masculino", "Manage Account": "Administrar cuenta", - "Manage accounts you have linked to your Customers account.": "Administrar las cuentas que ha vinculado a su cuenta de clientes.", - "Manage address types": "Gestionar tipos de dirección:", + "Manage accounts you have linked to your Customers account.": "Administre las cuentas que haya vinculado a su cuenta de Clientes.", + "Manage address types": "Administrar tipos de direcciones", "Manage and log out your active sessions on other browsers and devices.": "Administre y cierre sus sesiones activas en otros navegadores y dispositivos.", "Manage API Tokens": "Administrar Tokens API", - "Manage call reasons": "Gestionar razones de llamada:", - "Manage contact information types": "Gestionar tipos de información de contacto:", - "Manage currencies": "Gestionar monedas:", - "Manage genders": "Gestionar géneros:", - "Manage gift occasions": "Gestionar ocasiones de regalo:", - "Manage gift states": "Gestionar estados de regalo:", - "Manage group types": "Gestionar tipos de grupo:", - "Manage modules": "Gestionar módulos:", - "Manage pet categories": "Gestionar categorías de mascotas:", - "Manage post templates": "Gestionar plantillas de publicaciones:", - "Manage pronouns": "Gestionar pronombres:", + "Manage call reasons": "Administrar motivos de llamada", + "Manage contact information types": "Administrar tipos de información de contacto", + "Manage currencies": "Administrar monedas", + "Manage genders": "Gestionar géneros", + "Manage gift occasions": "Gestionar ocasiones de regalo", + "Manage gift states": "Administrar estados de regalo", + "Manage group types": "Administrar tipos de grupos", + "Manage modules": "Administrar módulos", + "Manage pet categories": "Administrar categorías de mascotas", + "Manage post templates": "Administrar plantillas de publicaciones", + "Manage pronouns": "Administrar pronombres", "Manager": "Gerente", - "Manage relationship types": "Gestionar tipos de relación:", - "Manage religions": "Gestionar religiones:", + "Manage relationship types": "Administrar tipos de relaciones", + "Manage religions": "Gestionar religiones", "Manage Role": "Administrar rol", "Manage storage": "Administrar almacenamiento", "Manage Team": "Administrar equipo", - "Manage templates": "Gestionar plantillas:", + "Manage templates": "Administrar plantillas", "Manage users": "Administrar usuarios", + "Mastodon": "Mastodonte", "Maybe one of these contacts?": "¿Quizás uno de estos contactos?", "mentor": "mentor", "Middle name": "Segundo nombre", @@ -619,45 +620,45 @@ "miles (mi)": "millas (mi)", "Modules in this page": "Módulos en esta página", "Monday": "Lunes", - "Monica. All rights reserved. 2017 — :date.": "Monica. Todos los derechos reservados. 2017 — :date.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Reservados todos los derechos. 2017: :date.", "Monica is open source, made by hundreds of people from all around the world.": "Monica es de código abierto, creada por cientos de personas de todo el mundo.", - "Monica was made to help you document your life and your social interactions.": "Monica fue creada para ayudarlo a documentar su vida y sus interacciones sociales.", + "Monica was made to help you document your life and your social interactions.": "Monica fue creada para ayudarte a documentar tu vida y tus interacciones sociales.", "Month": "Mes", "month": "mes", - "Mood in the year": "Estado de ánimo en el año", - "Mood tracking events": "Eventos de seguimiento de estado de ánimo", + "Mood in the year": "Estado de ánimo en el año.", + "Mood tracking events": "Eventos de seguimiento del estado de ánimo", "Mood tracking parameters": "Parámetros de seguimiento del estado de ánimo", "More details": "Más detalles", "More errors": "Más errores", "Move contact": "Mover contacto", - "Muslim": "Musulmán", + "Muslim": "musulmán", "Name": "Nombre", - "Name of the pet": "Nombre de la mascota", + "Name of the pet": "nombre de la mascota", "Name of the reminder": "Nombre del recordatorio", "Name of the reverse relationship": "Nombre de la relación inversa", "Nature of the call": "Naturaleza de la llamada", - "nephew\/niece": "sobrino\/sobrina", + "nephew/niece": "sobrino/sobrina", "New Password": "Nueva Contraseña", "New to Monica?": "¿Nuevo en Monica?", - "Next": "Siguiente", + "Next": "Próximo", "Nickname": "Apodo", - "nickname": "Apodo", - "No cities have been added yet in any contact’s addresses.": "Todavía no se han agregado ciudades en las direcciones de ningún contacto.", + "nickname": "apodo", + "No cities have been added yet in any contact’s addresses.": "Aún no se han agregado ciudades en las direcciones de ningún contacto.", "No contacts found.": "No se encontraron contactos.", - "No countries have been added yet in any contact’s addresses.": "Todavía no se han agregado países en las direcciones de ningún contacto.", + "No countries have been added yet in any contact’s addresses.": "Aún no se han agregado países en las direcciones de ningún contacto.", "No dates in this month.": "No hay fechas en este mes.", - "No description yet.": "Sin descripción aún.", + "No description yet.": "Aún no hay descripción.", "No groups found.": "No se encontraron grupos.", - "No keys registered yet": "Aún no hay claves registradas", + "No keys registered yet": "Aún no hay llaves registradas", "No labels yet.": "Aún no hay etiquetas.", - "No life event types yet.": "Aún no hay tipos de eventos de la vida.", + "No life event types yet.": "Aún no hay tipos de eventos de vida.", "No notes found.": "No se encontraron notas.", - "No results found": "No se encontraron resultados", + "No results found": "No se han encontrado resultados", "No role": "Sin rol", - "No roles yet.": "Todavía no hay roles.", + "No roles yet.": "Aún no hay roles.", "No tasks.": "Sin tareas.", "Notes": "Notas", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Ten en cuenta que eliminar un módulo de una página no eliminará los datos reales en tus páginas de contacto. Simplemente los ocultará.", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Tenga en cuenta que eliminar un módulo de una página no eliminará los datos reales de sus páginas de contacto. Simplemente lo ocultará.", "Not Found": "No encontrado", "Notification channels": "Canales de notificación", "Notification sent": "Notificación enviada", @@ -669,32 +670,32 @@ "Offered": "Ofrecido", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Una vez que se elimina un equipo, todos sus recursos y datos se eliminarán de forma permanente. Antes de eliminar este equipo, descargue cualquier dato o información sobre este equipo que desee conservar.", "Once you cancel,": "Una vez que canceles,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Una vez que hagas clic en el botón de configuración a continuación, tendrás que abrir Telegram con el botón que te proporcionaremos. Esto localizará el bot de Telegram de Mónica para ti.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Una vez que hagas clic en el botón Configuración a continuación, tendrás que abrir Telegram con el botón que te proporcionaremos. Esto localizará el bot de Monica Telegram por ti.", "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Una vez que se elimine su cuenta, todos sus recursos y datos se eliminarán de forma permanente. Antes de borrar su cuenta, por favor descargue cualquier dato o información que desee conservar.", - "Only once, when the next occurence of the date occurs.": "Solo una vez, cuando ocurre la próxima ocurrencia de la fecha.", + "Only once, when the next occurence of the date occurs.": "Sólo una vez, cuando ocurra la siguiente fecha.", "Oops! Something went wrong.": "¡Ups! Algo salió mal.", - "Open Street Maps": "Open Street Maps", - "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps es una gran alternativa de privacidad, pero ofrece menos detalles.", + "Open Street Maps": "Abrir mapas de calles", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps es una excelente alternativa de privacidad, pero ofrece menos detalles.", "Open Telegram to validate your identity": "Abre Telegram para validar tu identidad", "optional": "opcional", - "Or create a new one": "O crear una nueva", + "Or create a new one": "O crear uno nuevo", "Or filter by type": "O filtrar por tipo", - "Or remove the slice": "O quitar la instantánea", - "Or reset the fields": "O resetear los campos", + "Or remove the slice": "O quitar la rebanada", + "Or reset the fields": "O restablecer los campos", "Other": "Otro", "Out of respect and appreciation": "Por respeto y aprecio", "Page Expired": "Página expirada", - "Pages": "Páginas", + "Pages": "paginas", "Pagination Navigation": "Navegación por los enlaces de paginación", "Parent": "Padre", "parent": "padre", "Participants": "Participantes", - "Partner": "Socio", + "Partner": "Pareja", "Part of": "Parte de", "Password": "Contraseña", "Payment Required": "Pago requerido", "Pending Team Invitations": "Invitaciones de equipo pendientes", - "per\/per": "per\/per", + "per/per": "por/por", "Permanently delete this team.": "Eliminar este equipo de forma permanente", "Permanently delete your account.": "Eliminar su cuenta de forma permanente.", "Permission for :name": "Permiso para :name", @@ -703,41 +704,41 @@ "Personalize your account": "Personaliza tu cuenta", "Pet categories": "Categorías de mascotas", "Pet categories let you add types of pets that contacts can add to their profile.": "Las categorías de mascotas te permiten agregar tipos de mascotas que los contactos pueden agregar a su perfil.", - "Pet category": "Categoría de la mascota", + "Pet category": "Categoría de mascota", "Pets": "Mascotas", "Phone": "Teléfono", "Photo": "Foto", "Photos": "Fotos", - "Played basketball": "Jugó al baloncesto", - "Played golf": "Jugó al golf", - "Played soccer": "Jugó al fútbol", - "Played tennis": "Jugó al tenis", - "Please choose a template for this new post": "Por favor, elija una plantilla para esta nueva publicación.", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Por favor, elige una plantilla de las siguientes para decirle a Mónica cómo debe mostrarse este contacto. Las plantillas te permiten definir qué datos deben mostrarse en la página del contacto.", + "Played basketball": "Jugó basquetbol", + "Played golf": "Jugó golf", + "Played soccer": "Jugó fútbol", + "Played tennis": "Jugó tenis", + "Please choose a template for this new post": "Por favor elija una plantilla para esta nueva publicación", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Elija una plantilla a continuación para decirle a Monica cómo se debe mostrar este contacto. Las plantillas le permiten definir qué datos deben mostrarse en la página de contacto.", "Please click the button below to verify your email address.": "Por favor, haga clic en el botón de abajo para verificar su dirección de correo electrónico.", - "Please complete this form to finalize your account.": "Por favor completa este formulario para finalizar tu cuenta.", + "Please complete this form to finalize your account.": "Por favor complete este formulario para finalizar su cuenta.", "Please confirm access to your account by entering one of your emergency recovery codes.": "Por favor confirme el acceso a su cuenta ingresando uno de sus códigos de recuperación de emergencia.", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Por favor confirme el acceso a su cuenta digitando el código de autenticación provisto por su aplicación autenticadora.", "Please confirm access to your account by validating your security key.": "Confirme el acceso a su cuenta validando su clave de seguridad.", "Please copy your new API token. For your security, it won't be shown again.": "Por favor copie su nuevo token API. Por su seguridad, no se volverá a mostrar.", - "Please copy your new API token. For your security, it won’t be shown again.": "Por favor copia tu nuevo token de API. Por tu seguridad, no se mostrará de nuevo.", - "Please enter at least 3 characters to initiate a search.": "Por favor ingrese al menos 3 caracteres para iniciar una búsqueda.", - "Please enter your password to cancel the account": "Por favor ingresa tu contraseña para cancelar la cuenta", + "Please copy your new API token. For your security, it won’t be shown again.": "Copie su nuevo token API. Por tu seguridad, no se volverá a mostrar.", + "Please enter at least 3 characters to initiate a search.": "Introduzca al menos 3 caracteres para iniciar una búsqueda.", + "Please enter your password to cancel the account": "Por favor ingrese su contraseña para cancelar la cuenta", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Por favor ingrese su contraseña para confirmar que desea cerrar las demás sesiones de otros navegadores en todos sus dispositivos.", "Please indicate the contacts": "Por favor indique los contactos", - "Please join Monica": "Por favor únete a Mónica", + "Please join Monica": "Por favor únete a Monica", "Please provide the email address of the person you would like to add to this team.": "Por favor proporcione la dirección de correo electrónico de la persona que le gustaría agregar a este equipo.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Lea nuestra documentación<\/link> para obtener más información sobre esta función y a qué variables tiene acceso.", - "Please select a page on the left to load modules.": "Por favor, selecciona una página a la izquierda para cargar los módulos.", - "Please type a few characters to create a new label.": "Por favor escriba algunos caracteres para crear una nueva etiqueta.", - "Please type a few characters to create a new tag.": "Por favor, escriba algunos caracteres para crear una nueva etiqueta.", - "Please validate your email address": "Por favor, valida tu dirección de correo electrónico", - "Please verify your email address": "Por favor, verifica tu dirección de correo electrónico", - "Postal code": "Código postal", - "Post metrics": "Métricas de publicaciones", - "Posts": "Entradas de diario", - "Posts in your journals": "Entradas de diario en tus diarios", - "Post templates": "Plantillas de publicación", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Lea nuestra documentación para saber más sobre esta función y a qué variables tiene acceso.", + "Please select a page on the left to load modules.": "Seleccione una página a la izquierda para cargar módulos.", + "Please type a few characters to create a new label.": "Escriba algunos caracteres para crear una nueva etiqueta.", + "Please type a few characters to create a new tag.": "Escriba algunos caracteres para crear una nueva etiqueta.", + "Please validate your email address": "Por favor valide su dirección de correo electrónico", + "Please verify your email address": "por favor verifique su dirección de correo electrónico", + "Postal code": "Código Postal", + "Post metrics": "Publicar métricas", + "Posts": "Publicaciones", + "Posts in your journals": "Publicaciones en sus diarios", + "Post templates": "Plantillas de publicaciones", "Prefix": "Prefijo", "Previous": "Anterior", "Previous addresses": "Direcciones anteriores", @@ -746,135 +747,134 @@ "Profile and security": "Perfil y seguridad", "Profile Information": "Información de perfil", "Profile of :name": "Perfil de :name", - "Profile page of :name": "Página de perfil de :nombre", + "Profile page of :name": "Página de perfil de :name", "Pronoun": "Pronombre", "Pronouns": "Pronombres", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Los pronombres son básicamente cómo nos identificamos aparte de nuestro nombre. Es cómo alguien se refiere a ti en una conversación.", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Los pronombres son básicamente la forma en que nos identificamos además de nuestro nombre. Así es como alguien se refiere a ti en una conversación.", "protege": "protegido", "Protocol": "Protocolo", "Protocol: :name": "Protocolo: :name", "Province": "Provincia", - "Quick facts": "Datos rápidos", - "Quick facts let you document interesting facts about a contact.": "Los datos rápidos le permiten documentar datos interesantes sobre un contacto.", - "Quick facts template": "Plantilla de datos rápidos", - "Quit job": "Renunció al trabajo", + "Quick facts": "Hechos rápidos", + "Quick facts let you document interesting facts about a contact.": "Los datos breves le permiten documentar datos interesantes sobre un contacto.", + "Quick facts template": "Plantilla de datos breves", + "Quit job": "dejar el trabajo", "Rabbit": "Conejo", "Ran": "Corrió", "Rat": "Rata", - "Read :count time|Read :count times": "Leído :count vez|Leído :count veces", + "Read :count time|Read :count times": "Leer :count vez|Leer :count veces", "Record a loan": "Registrar un préstamo", - "Record your mood": "Registra tu estado de ánimo", + "Record your mood": "Graba tu estado de ánimo", "Recovery Code": "Código de recuperación", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Independientemente de dónde se encuentre en el mundo, las fechas se mostrarán en su propia zona horaria.", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Independientemente de dónde se encuentre en el mundo, las fechas se muestran en su propia zona horaria.", "Regards": "Saludos", "Regenerate Recovery Codes": "Regenerar códigos de recuperación", "Register": "Registrarse", "Register a new key": "Registrar una nueva clave", - "Register a new key.": "Registrar una nueva clave.", - "Regular post": "Publicación regular", + "Register a new key.": "Registre una nueva clave.", + "Regular post": "Correo ordinario", "Regular user": "Usuario regular", "Relationships": "Relaciones", - "Relationship types": "Tipos de relaciones", - "Relationship types let you link contacts and document how they are connected.": "Los tipos de relaciones te permiten vincular contactos y documentar cómo están conectados.", + "Relationship types": "Tipos de relación", + "Relationship types let you link contacts and document how they are connected.": "Los tipos de relaciones le permiten vincular contactos y documentar cómo están conectados.", "Religion": "Religión", "Religions": "Religiones", - "Religions is all about faith.": "La religión se trata de fe.", + "Religions is all about faith.": "Las religiones tienen que ver con la fe.", "Remember me": "Mantener sesión activa", - "Reminder for :name": "Recordatorio para :nombre", + "Reminder for :name": "Recordatorio para :name", "Reminders": "Recordatorios", "Reminders for the next 30 days": "Recordatorios para los próximos 30 días", - "Remind me about this date every year": "Recordarme sobre esta fecha cada año", - "Remind me about this date just once, in one year from now": "Recordarme sobre esta fecha solo una vez, dentro de un año desde ahora", + "Remind me about this date every year": "Recuérdame esta fecha todos los años.", + "Remind me about this date just once, in one year from now": "Recuérdame esta fecha sólo una vez, dentro de un año.", "Remove": "Eliminar", "Remove avatar": "Eliminar avatar", - "Remove cover image": "Eliminar la imagen de portada.", - "removed a label": "eliminó una etiqueta", + "Remove cover image": "Quitar imagen de portada", + "removed a label": "quitó una etiqueta", "removed the contact from a group": "eliminó el contacto de un grupo", "removed the contact from a post": "eliminó el contacto de una publicación", "removed the contact from the favorites": "eliminó el contacto de los favoritos", "Remove Photo": "Eliminar foto", "Remove Team Member": "Eliminar miembro del equipo", - "Rename": "Renombrar", + "Rename": "Rebautizar", "Reports": "Informes", "Reptile": "Reptil", "Resend Verification Email": "Reenviar correo de verificación", "Reset Password": "Restablecer contraseña", "Reset Password Notification": "Notificación de restablecimiento de contraseña", "results": "resultados", - "Retry": "Reintentar", + "Retry": "Rever", "Revert": "Revertir", - "Rode a bike": "Montó en bicicleta", + "Rode a bike": "Montó una bicicleta", "Role": "Rol", - "Roles:": "Roles:", - "Roomates": "Compañeros de habitación", + "Roles:": "Funciones:", + "Roomates": "Compañeros de cuarto", "Saturday": "Sábado", "Save": "Guardar", "Saved.": "Guardado.", - "Saving in progress": "Guardando en progreso.", - "Searched": "Buscado", - "Searching…": "Buscando...", - "Search something": "Buscar algo", - "Search something in the vault": "Buscar algo en la bóveda", + "Saving in progress": "Guardando en progreso", + "Searched": "buscado", + "Searching…": "Buscando…", + "Search something": "buscar algo", + "Search something in the vault": "Busca algo en la bóveda", "Sections:": "Secciones:", "Security keys": "Claves de seguridad", - "Select a group or create a new one": "Seleccione un grupo o cree uno nuevo", + "Select a group or create a new one": "Selecciona un grupo o crea uno nuevo", "Select A New Photo": "Seleccione una nueva foto", - "Select a relationship type": "Seleccionar un tipo de relación", - "Send invitation": "Enviar invitación", + "Select a relationship type": "Seleccione un tipo de relación", + "Send invitation": "Enviar invitacion", "Send test": "Enviar prueba", - "Sent at :time": "Enviado a las :time", + "Sent at :time": "Enviado a :time", "Server Error": "Error del servidor", "Service Unavailable": "Servicio no disponible", - "Set as default": "Establecer como predeterminado", + "Set as default": "Establecer por defecto", "Set as favorite": "Establecer como favorito", - "Settings": "Configuraciones", - "Settle": "Pagar", + "Settings": "Ajustes", + "Settle": "Asentarse", "Setup": "Configuración", "Setup Key": "Clave de configuración", "Setup Key:": "Clave de configuración:", - "Setup Telegram": "Configurar Telegram", - "she\/her": "ella\/ella", - "Shintoist": "Shintoísta", - "Show Calendar tab": "Mostrar pestaña de calendario", - "Show Companies tab": "Mostrar pestaña de empresas", + "Setup Telegram": "Configurar telegrama", + "she/her": "Ella/ella", + "Shintoist": "sintoísta", + "Show Calendar tab": "Mostrar pestaña Calendario", + "Show Companies tab": "Mostrar pestaña Empresas", "Show completed tasks (:count)": "Mostrar tareas completadas (:count)", - "Show Files tab": "Mostrar pestaña de archivos", - "Show Groups tab": "Mostrar pestaña de grupos", + "Show Files tab": "Mostrar pestaña Archivos", + "Show Groups tab": "Mostrar pestaña Grupos", "Showing": "Mostrando", "Showing :count of :total results": "Mostrando :count de :total resultados", "Showing :first to :last of :total results": "Mostrando :first a :last de :total resultados", - "Show Journals tab": "Mostrar pestaña de diarios", + "Show Journals tab": "Mostrar pestaña Diarios", "Show Recovery Codes": "Mostrar códigos de recuperación", - "Show Reports tab": "Mostrar pestaña de informes", - "Show Tasks tab": "Mostrar pestaña de tareas", - "significant other": "otro significativo", - "Sign in to your account": "Inicia sesión en tu cuenta", - "Sign up for an account": "Regístrate para obtener una cuenta", - "Sikh": "Sij", - "Slept :count hour|Slept :count hours": "Dormido :count hora|Dormido :count horas", - "Slice of life": "Fragmento de vida.", - "Slices of life": "Instantáneas de la vida", + "Show Reports tab": "Mostrar pestaña Informes", + "Show Tasks tab": "Mostrar pestaña Tareas", + "significant other": "pareja", + "Sign in to your account": "Iniciar sesión en su cuenta", + "Sign up for an account": "Regístrese para obtener una cuenta", + "Sikh": "sij", + "Slept :count hour|Slept :count hours": "Dormí :count hora|Dormí :count horas", + "Slice of life": "Rebanada de vida", + "Slices of life": "Rebanadas de vida", "Small animal": "Animal pequeño", "Social": "Social", - "Some dates have a special type that we will use in the software to calculate an age.": "Algunas fechas tienen un tipo especial que usaremos en el software para calcular la edad.", - "Sort contacts": "Ordenar contactos", - "So… it works 😼": "Entonces... funciona 😼", + "Some dates have a special type that we will use in the software to calculate an age.": "Algunas fechas tienen un tipo especial que usaremos en el software para calcular una edad.", + "So… it works 😼": "Entonces… funciona 😼", "Sport": "Deporte", "spouse": "cónyuge", "Statistics": "Estadísticas", "Storage": "Almacenamiento", "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Guarde estos códigos de recuperación en un administrador de contraseñas seguro. Se pueden utilizar para recuperar el acceso a su cuenta si pierde su dispositivo de autenticación de dos factores.", - "Submit": "Enviar", - "subordinate": "subordinado", + "Submit": "Entregar", + "subordinate": "subordinar", "Suffix": "Sufijo", "Summary": "Resumen", "Sunday": "Domingo", "Switch role": "Cambiar rol", "Switch Teams": "Cambiar de equipo", - "Tabs visibility": "Visibilidad de las pestañas", + "Tabs visibility": "Visibilidad de pestañas", "Tags": "Etiquetas", - "Tags let you classify journal posts using a system that matters to you.": "Las etiquetas le permiten clasificar las publicaciones del diario utilizando un sistema que le importa.", - "Taoist": "Taoísta", + "Tags let you classify journal posts using a system that matters to you.": "Las etiquetas le permiten clasificar publicaciones de diarios utilizando un sistema que le interese.", + "Taoist": "taoísta", "Tasks": "Tareas", "Team Details": "Detalles del equipo", "Team Invitation": "Invitación de equipo", @@ -882,16 +882,15 @@ "Team Name": "Nombre del equipo", "Team Owner": "Propietario del equipo", "Team Settings": "Ajustes del equipo", - "Telegram": "Telegram", + "Telegram": "Telegrama", "Templates": "Plantillas", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Las plantillas te permiten personalizar qué datos se deben mostrar en tus contactos. Puedes definir tantas plantillas como desees y elegir qué plantilla se debe usar en cada contacto.", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Las plantillas le permiten personalizar qué datos deben mostrarse en sus contactos. Puede definir tantas plantillas como desee y elegir qué plantilla se debe utilizar en cada contacto.", "Terms of Service": "Términos del servicio", - "Test email for Monica": "Correo electrónico de prueba para Mónica", + "Test email for Monica": "Correo electrónico de prueba para Monica", "Test email sent!": "¡Correo electrónico de prueba enviado!", "Thanks,": "Gracias,", - "Thanks for giving Monica a try": "Gracias por probar Monica", - "Thanks for giving Monica a try.": "Gracias por probar Monica.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Gracias por registrarte! Antes de comenzar, ¿podrías verificar tu dirección de correo electrónico haciendo clic en el enlace que acabamos de enviarte por correo electrónico? Si no recibiste el correo electrónico, con gusto te enviaremos otro.", + "Thanks for giving Monica a try.": "Gracias por darle una oportunidad a Monica.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Gracias por registrarte! Antes de comenzar, ¿podría verificar su dirección de correo electrónico haciendo clic en el enlace que le acabamos de enviar por correo electrónico? Si no recibió el correo electrónico, con gusto le enviaremos otro.", "The :attribute must be at least :length characters.": "La :attribute debe tener al menos :length caracteres.", "The :attribute must be at least :length characters and contain at least one number.": "La :attribute debe tener al menos :length caracteres y contener por lo menos un número.", "The :attribute must be at least :length characters and contain at least one special character.": "La :attribute debe tener al menos :length caracteres y contener por lo menos un carácter especial.", @@ -901,212 +900,213 @@ "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "La :attribute debe tener al menos :length caracteres y contener por lo menos una letra mayúscula y un número.", "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "La :attribute debe tener al menos :length caracteres y contener por lo menos una letra mayúscula y un carácter especial.", "The :attribute must be a valid role.": ":Attribute debe ser un rol válido.", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Los datos de la cuenta se eliminarán permanentemente de nuestros servidores en un plazo de 30 días y de todas las copias de seguridad en un plazo de 60 días.", - "The address type has been created": "El tipo de dirección ha sido creado", - "The address type has been deleted": "El tipo de dirección ha sido eliminado", - "The address type has been updated": "El tipo de dirección ha sido actualizado", - "The call has been created": "La llamada ha sido creada", - "The call has been deleted": "La llamada ha sido eliminada", - "The call has been edited": "La llamada ha sido editada", - "The call reason has been created": "La razón de llamada ha sido creada", - "The call reason has been deleted": "La razón de llamada ha sido eliminada", - "The call reason has been updated": "La razón de llamada ha sido actualizada", - "The call reason type has been created": "El tipo de razón de llamada ha sido creado", - "The call reason type has been deleted": "El tipo de razón de llamada ha sido eliminado", - "The call reason type has been updated": "El tipo de razón de llamada ha sido actualizado", - "The channel has been added": "El canal ha sido añadido", - "The channel has been updated": "El canal ha sido actualizado", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Los datos de la cuenta se eliminarán permanentemente de nuestros servidores dentro de los 30 días y de todas las copias de seguridad dentro de los 60 días.", + "The address type has been created": "El tipo de dirección ha sido creado.", + "The address type has been deleted": "El tipo de dirección ha sido eliminado.", + "The address type has been updated": "El tipo de dirección ha sido actualizado.", + "The call has been created": "La convocatoria ha sido creada.", + "The call has been deleted": "La llamada ha sido eliminada.", + "The call has been edited": "La convocatoria ha sido editada.", + "The call reason has been created": "El motivo de la llamada ha sido creado.", + "The call reason has been deleted": "El motivo de la llamada ha sido eliminado.", + "The call reason has been updated": "El motivo de la llamada ha sido actualizado.", + "The call reason type has been created": "Se ha creado el tipo de motivo de llamada.", + "The call reason type has been deleted": "Se ha eliminado el tipo de motivo de llamada.", + "The call reason type has been updated": "El tipo de motivo de llamada ha sido actualizado.", + "The channel has been added": "El canal ha sido agregado.", + "The channel has been updated": "El canal ha sido actualizado.", "The contact does not belong to any group yet.": "El contacto aún no pertenece a ningún grupo.", - "The contact has been added": "El contacto ha sido agregado", - "The contact has been deleted": "El contacto ha sido eliminado", - "The contact has been edited": "El contacto ha sido editado", - "The contact has been removed from the group": "El contacto ha sido removido del grupo", - "The contact information has been created": "La información de contacto ha sido creada", - "The contact information has been deleted": "La información de contacto ha sido eliminada", - "The contact information has been edited": "La información de contacto ha sido editada", - "The contact information type has been created": "El tipo de información de contacto ha sido creado", - "The contact information type has been deleted": "El tipo de información de contacto ha sido eliminado", - "The contact information type has been updated": "El tipo de información de contacto ha sido actualizado", - "The contact is archived": "El contacto ha sido archivado", - "The currencies have been updated": "Las monedas han sido actualizadas", - "The currency has been updated": "La moneda ha sido actualizada", - "The date has been added": "La fecha ha sido agregada", - "The date has been deleted": "La fecha ha sido eliminada", - "The date has been updated": "La fecha ha sido actualizada", - "The document has been added": "El documento ha sido agregado", - "The document has been deleted": "El documento ha sido eliminado", - "The email address has been deleted": "La dirección de correo electrónico ha sido eliminada", - "The email has been added": "El correo electrónico ha sido agregado", - "The email is already taken. Please choose another one.": "El correo electrónico ya está tomado. Por favor elije otro.", - "The gender has been created": "El género ha sido creado", - "The gender has been deleted": "El género ha sido eliminado", - "The gender has been updated": "El género ha sido actualizado", - "The gift occasion has been created": "La ocasión de regalo ha sido creada", - "The gift occasion has been deleted": "La ocasión de regalo ha sido eliminada", - "The gift occasion has been updated": "La ocasión de regalo ha sido actualizada", - "The gift state has been created": "El estado de regalo ha sido creado", - "The gift state has been deleted": "El estado de regalo ha sido eliminado", - "The gift state has been updated": "El estado de regalo ha sido actualizado", + "The contact has been added": "El contacto ha sido añadido.", + "The contact has been deleted": "El contacto ha sido eliminado.", + "The contact has been edited": "El contacto ha sido editado.", + "The contact has been removed from the group": "El contacto ha sido eliminado del grupo.", + "The contact information has been created": "La información de contacto ha sido creada.", + "The contact information has been deleted": "La información de contacto ha sido eliminada.", + "The contact information has been edited": "La información de contacto ha sido editada.", + "The contact information type has been created": "El tipo de información de contacto ha sido creado.", + "The contact information type has been deleted": "El tipo de información de contacto ha sido eliminado.", + "The contact information type has been updated": "El tipo de información de contacto ha sido actualizado.", + "The contact is archived": "El contacto está archivado.", + "The currencies have been updated": "Las monedas han sido actualizadas.", + "The currency has been updated": "La moneda ha sido actualizada.", + "The date has been added": "La fecha ha sido agregada.", + "The date has been deleted": "La fecha ha sido eliminada.", + "The date has been updated": "La fecha ha sido actualizada.", + "The document has been added": "El documento ha sido añadido.", + "The document has been deleted": "El documento ha sido eliminado.", + "The email address has been deleted": "La dirección de correo electrónico ha sido eliminada.", + "The email has been added": "El correo electrónico ha sido añadido.", + "The email is already taken. Please choose another one.": "El correo electrónico ya está en uso. Por favor elije otro.", + "The gender has been created": "El género ha sido creado.", + "The gender has been deleted": "El género ha sido eliminado.", + "The gender has been updated": "El género ha sido actualizado.", + "The gift occasion has been created": "La ocasión del regalo ha sido creada.", + "The gift occasion has been deleted": "La ocasión del regalo ha sido eliminada.", + "The gift occasion has been updated": "La ocasión del regalo ha sido actualizada.", + "The gift state has been created": "Se ha creado el estado de donación.", + "The gift state has been deleted": "El estado de regalo ha sido eliminado.", + "The gift state has been updated": "El estado del regalo ha sido actualizado.", "The given data was invalid.": "Los datos proporcionados no son válidos.", - "The goal has been created": "La meta ha sido creada", - "The goal has been deleted": "La meta ha sido eliminada", - "The goal has been edited": "La meta ha sido editada", - "The group has been added": "El grupo ha sido añadido", - "The group has been deleted": "El grupo ha sido eliminado", - "The group has been updated": "El grupo ha sido actualizado", - "The group type has been created": "El tipo de grupo ha sido creado", - "The group type has been deleted": "El tipo de grupo ha sido eliminado", - "The group type has been updated": "El tipo de grupo ha sido actualizado", - "The important dates in the next 12 months": "Las fechas importantes en los próximos 12 meses", - "The job information has been saved": "La información laboral ha sido guardada", + "The goal has been created": "La meta ha sido creada.", + "The goal has been deleted": "El objetivo ha sido eliminado.", + "The goal has been edited": "El objetivo ha sido editado.", + "The group has been added": "El grupo ha sido agregado.", + "The group has been deleted": "El grupo ha sido eliminado.", + "The group has been updated": "El grupo ha sido actualizado.", + "The group type has been created": "El tipo de grupo ha sido creado.", + "The group type has been deleted": "El tipo de grupo ha sido eliminado.", + "The group type has been updated": "El tipo de grupo ha sido actualizado.", + "The important dates in the next 12 months": "Las fechas importantes de los próximos 12 meses", + "The job information has been saved": "La información del trabajo ha sido guardada.", "The journal lets you document your life with your own words.": "El diario te permite documentar tu vida con tus propias palabras.", - "The keys to manage uploads have not been set in this Monica instance.": "Las claves para gestionar las cargas no han sido definidas en esta instancia de Monica.", - "The label has been added": "La etiqueta ha sido añadida", + "The keys to manage uploads have not been set in this Monica instance.": "Las claves para administrar las cargas no se han configurado en esta instancia de Monica.", + "The label has been added": "La etiqueta ha sido agregada.", "The label has been created": "La etiqueta ha sido creada.", - "The label has been deleted": "La etiqueta ha sido eliminada", + "The label has been deleted": "La etiqueta ha sido eliminada.", "The label has been updated": "La etiqueta ha sido actualizada.", - "The life metric has been created": "La métrica de vida ha sido creada", - "The life metric has been deleted": "La métrica de vida ha sido eliminada", - "The life metric has been updated": "La métrica de vida ha sido actualizada", - "The loan has been created": "El préstamo ha sido creado", - "The loan has been deleted": "El préstamo ha sido eliminado", - "The loan has been edited": "El préstamo ha sido editado", - "The loan has been settled": "El préstamo ha sido pagado", - "The loan is an object": "El préstamo es un objeto", - "The loan is monetary": "El préstamo es monetario", - "The module has been added": "El módulo ha sido agregado", - "The module has been removed": "El módulo ha sido eliminado", - "The note has been created": "La nota ha sido creada", - "The note has been deleted": "La nota ha sido eliminada", - "The note has been edited": "La nota ha sido editada", - "The notification has been sent": "La notificación ha sido enviada", + "The life metric has been created": "La métrica de vida ha sido creada.", + "The life metric has been deleted": "La métrica de vida ha sido eliminada.", + "The life metric has been updated": "La métrica de vida ha sido actualizada.", + "The loan has been created": "El préstamo ha sido creado.", + "The loan has been deleted": "El préstamo ha sido eliminado.", + "The loan has been edited": "El préstamo ha sido editado.", + "The loan has been settled": "El préstamo ha sido liquidado.", + "The loan is an object": "El préstamo es un objeto.", + "The loan is monetary": "El préstamo es monetario.", + "The module has been added": "El módulo ha sido agregado.", + "The module has been removed": "El módulo ha sido eliminado.", + "The note has been created": "La nota ha sido creada.", + "The note has been deleted": "La nota ha sido eliminada.", + "The note has been edited": "La nota ha sido editada.", + "The notification has been sent": "La notificación ha sido enviada.", "The operation either timed out or was not allowed.": "La operación expiró o no fue permitida.", - "The page has been added": "La página ha sido agregada", - "The page has been deleted": "La página ha sido eliminada", - "The page has been updated": "La página ha sido actualizada", + "The page has been added": "La pagina ha sido agregada.", + "The page has been deleted": "La pagina ha sido eliminada.", + "The page has been updated": "La pagina ha sido actualizada", "The password is incorrect.": "La contraseña es incorrecta.", - "The pet category has been created": "La categoría de mascota ha sido creada", - "The pet category has been deleted": "La categoría de mascota ha sido eliminada", - "The pet category has been updated": "La categoría de mascota ha sido actualizada", - "The pet has been added": "La mascota ha sido agregada", - "The pet has been deleted": "La mascota ha sido eliminada", - "The pet has been edited": "La mascota ha sido editada", - "The photo has been added": "La foto ha sido agregada", - "The photo has been deleted": "La foto ha sido eliminada", - "The position has been saved": "La posición ha sido guardada", - "The post template has been created": "La plantilla de publicación ha sido creada", - "The post template has been deleted": "La plantilla de publicación ha sido eliminada", - "The post template has been updated": "La plantilla de publicación ha sido actualizada", - "The pronoun has been created": "El pronombre ha sido creado", - "The pronoun has been deleted": "El pronombre ha sido eliminado", - "The pronoun has been updated": "El pronombre ha sido actualizado", + "The pet category has been created": "La categoría de mascota ha sido creada.", + "The pet category has been deleted": "La categoría de mascota ha sido eliminada.", + "The pet category has been updated": "La categoría de mascotas ha sido actualizada.", + "The pet has been added": "La mascota ha sido agregada.", + "The pet has been deleted": "La mascota ha sido eliminada.", + "The pet has been edited": "La mascota ha sido editada.", + "The photo has been added": "La foto ha sido agregada.", + "The photo has been deleted": "La foto ha sido eliminada.", + "The position has been saved": "La posición ha sido guardada.", + "The post template has been created": "La plantilla de publicación ha sido creada.", + "The post template has been deleted": "La plantilla de publicación ha sido eliminada.", + "The post template has been updated": "La plantilla de publicación ha sido actualizada.", + "The pronoun has been created": "El pronombre ha sido creado.", + "The pronoun has been deleted": "El pronombre ha sido eliminado.", + "The pronoun has been updated": "El pronombre ha sido actualizado.", "The provided password does not match your current password.": "La contraseña proporcionada no coincide con su contraseña actual.", "The provided password was incorrect.": "La contraseña proporcionada no es correcta.", "The provided two factor authentication code was invalid.": "El código de autenticación de dos factores proporcionado no es válido.", "The provided two factor recovery code was invalid.": "El código de recuperación de dos factores proporcionado no es válido.", - "There are no active addresses yet.": "Todavía no hay direcciones activas.", - "There are no calls logged yet.": "Todavía no se han registrado llamadas.", - "There are no contact information yet.": "Todavía no hay información de contacto.", - "There are no documents yet.": "Todavía no hay documentos.", + "There are no active addresses yet.": "Aún no hay direcciones activas.", + "There are no calls logged yet.": "Aún no hay llamadas registradas.", + "There are no contact information yet.": "Aún no hay información de contacto.", + "There are no documents yet.": "Aún no hay documentos.", "There are no events on that day, future or past.": "No hay eventos en ese día, futuro o pasado.", - "There are no files yet.": "Todavía no hay archivos.", - "There are no goals yet.": "Todavía no hay metas.", - "There are no journal metrics.": "No hay métricas de diarios.", + "There are no files yet.": "Aún no hay archivos.", + "There are no goals yet.": "Aún no hay goles.", + "There are no journal metrics.": "No hay métricas de diario.", "There are no loans yet.": "Aún no hay préstamos.", - "There are no notes yet.": "Todavía no hay notas.", + "There are no notes yet.": "Aún no hay notas.", "There are no other users in this account.": "No hay otros usuarios en esta cuenta.", - "There are no pets yet.": "Todavía no hay mascotas.", - "There are no photos yet.": "Todavía no hay fotos.", - "There are no posts yet.": "Todavía no hay entradas de diario.", - "There are no quick facts here yet.": "Todavía no hay datos aquí.", - "There are no relationships yet.": "Todavía no hay relaciones.", - "There are no reminders yet.": "Todavía no hay recordatorios.", - "There are no tasks yet.": "Todavía no hay tareas.", - "There are no templates in the account. Go to the account settings to create one.": "No hay plantillas en la cuenta. Vaya a la configuración de la cuenta para crear uno.", - "There is no activity yet.": "Todavía no hay actividad.", + "There are no pets yet.": "Aún no hay mascotas.", + "There are no photos yet.": "No hay fotos todavía.", + "There are no posts yet.": "Aún no hay publicaciones.", + "There are no quick facts here yet.": "No hay datos breves aquí todavía.", + "There are no relationships yet.": "Aún no hay relaciones.", + "There are no reminders yet.": "Aún no hay recordatorios.", + "There are no tasks yet.": "Aún no hay tareas.", + "There are no templates in the account. Go to the account settings to create one.": "No hay plantillas en la cuenta. Vaya a la configuración de la cuenta para crear una.", + "There is no activity yet.": "No hay actividad todavía.", "There is no currencies in this account.": "No hay monedas en esta cuenta.", - "The relationship has been added": "La relación ha sido añadida", - "The relationship has been deleted": "La relación ha sido eliminada", - "The relationship type has been created": "El tipo de relación ha sido creado", - "The relationship type has been deleted": "El tipo de relación ha sido eliminado", - "The relationship type has been updated": "El tipo de relación ha sido actualizado", - "The religion has been created": "La religión ha sido creada", - "The religion has been deleted": "La religión ha sido eliminada", - "The religion has been updated": "La religión ha sido actualizada", - "The reminder has been created": "El recordatorio ha sido creado", - "The reminder has been deleted": "El recordatorio ha sido eliminado", - "The reminder has been edited": "El recordatorio ha sido editado", - "The role has been created": "El rol ha sido creado", - "The role has been deleted": "El rol ha sido eliminado", - "The role has been updated": "El rol ha sido actualizado", - "The section has been created": "La sección ha sido creada", - "The section has been deleted": "La sección ha sido eliminada", - "The section has been updated": "La sección ha sido actualizada", + "The relationship has been added": "La relación ha sido agregada.", + "The relationship has been deleted": "La relación ha sido eliminada.", + "The relationship type has been created": "El tipo de relación ha sido creado.", + "The relationship type has been deleted": "El tipo de relación ha sido eliminado.", + "The relationship type has been updated": "El tipo de relación ha sido actualizado.", + "The religion has been created": "La religión ha sido creada.", + "The religion has been deleted": "La religión ha sido eliminada.", + "The religion has been updated": "La religión ha sido actualizada.", + "The reminder has been created": "El recordatorio ha sido creado.", + "The reminder has been deleted": "El recordatorio ha sido eliminado.", + "The reminder has been edited": "El recordatorio ha sido editado.", + "The response is not a streamed response.": "La respuesta no es una respuesta transmitida.", + "The response is not a view.": "La respuesta no es una vista.", + "The role has been created": "El rol ha sido creado.", + "The role has been deleted": "El rol ha sido eliminado.", + "The role has been updated": "El rol ha sido actualizado.", + "The section has been created": "La sección ha sido creada.", + "The section has been deleted": "La sección ha sido eliminada.", + "The section has been updated": "La sección ha sido actualizada.", "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Estas personas han sido invitadas a su equipo y se les ha enviado un correo electrónico de invitación. Pueden unirse al equipo aceptando la invitación por correo electrónico.", "The tag has been added": "La etiqueta ha sido agregada.", "The tag has been created": "La etiqueta ha sido creada.", "The tag has been deleted": "La etiqueta ha sido eliminada.", "The tag has been updated": "La etiqueta ha sido actualizada.", - "The task has been created": "La tarea ha sido creada", - "The task has been deleted": "La tarea ha sido eliminada", - "The task has been edited": "La tarea ha sido editada", + "The task has been created": "La tarea ha sido creada.", + "The task has been deleted": "La tarea ha sido eliminada.", + "The task has been edited": "La tarea ha sido editada.", "The team's name and owner information.": "Nombre del equipo e información del propietario.", - "The Telegram channel has been deleted": "El canal de Telegram ha sido eliminado", - "The template has been created": "La plantilla ha sido creada", + "The Telegram channel has been deleted": "El canal de Telegram ha sido eliminado.", + "The template has been created": "La plantilla ha sido creada.", "The template has been deleted": "La plantilla ha sido eliminada.", - "The template has been set": "La plantilla ha sido establecida", - "The template has been updated": "La plantilla ha sido actualizada", - "The test email has been sent": "El correo electrónico de prueba ha sido enviado", + "The template has been set": "La plantilla ha sido configurada.", + "The template has been updated": "La plantilla ha sido actualizada.", + "The test email has been sent": "El correo electrónico de prueba ha sido enviado.", "The type has been created": "El tipo ha sido creado.", "The type has been deleted": "El tipo ha sido eliminado.", "The type has been updated": "El tipo ha sido actualizado.", "The user has been added": "El usuario ha sido agregado.", "The user has been deleted": "El usuario ha sido eliminado.", "The user has been removed": "El usuario ha sido eliminado.", - "The user has been updated": "El usuario ha sido actualizado", + "The user has been updated": "El usuario ha sido actualizado.", "The vault has been created": "La bóveda ha sido creada.", "The vault has been deleted": "La bóveda ha sido eliminada.", "The vault have been updated": "La bóveda ha sido actualizada.", - "they\/them": "ellos\/ellos", + "they/them": "ellos/ellos", "This address is not active anymore": "Esta dirección ya no está activa", "This device": "Este dispositivo", - "This email is a test email to check if Monica can send an email to this email address.": "Este correo electrónico es un correo electrónico de prueba para verificar si Mónica puede enviar un correo electrónico a esta dirección de correo electrónico.", + "This email is a test email to check if Monica can send an email to this email address.": "Este correo electrónico es un correo electrónico de prueba para comprobar si Monica puede enviar un correo electrónico a esta dirección de correo electrónico.", "This is a secure area of the application. Please confirm your password before continuing.": "Esta es un área segura de la aplicación. Confirme su contraseña antes de continuar.", "This is a test email": "Este es un correo electrónico de prueba.", "This is a test notification for :name": "Esta es una notificación de prueba para :name", "This key is already registered. It’s not necessary to register it again.": "Esta clave ya está registrada. No es necesario volver a registrarlo.", - "This link will open in a new tab": "Este enlace se abrirá en una nueva pestaña", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Esta página muestra todas las notificaciones que se han enviado en este canal en el pasado. Sirve principalmente como una forma de depuración en caso de que no reciba la notificación que ha configurado.", + "This link will open in a new tab": "Este enlace se abrirá en una nueva pestaña.", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Esta página muestra todas las notificaciones que se han enviado en este canal en el pasado. Sirve principalmente como una forma de depurar en caso de que no reciba la notificación que configuró.", "This password does not match our records.": "Esta contraseña no coincide con nuestros registros.", "This password reset link will expire in :count minutes.": "Este enlace de restablecimiento de contraseña expirará en :count minutos.", "This post has no content yet.": "Esta publicación aún no tiene contenido.", - "This provider is already associated with another account": "Este proveedor ya está asociado con otra cuenta", + "This provider is already associated with another account": "Este proveedor ya está asociado con otra cuenta.", "This site is open source.": "Este sitio es de código abierto.", "This template will define what information are displayed on a contact page.": "Esta plantilla definirá qué información se muestra en una página de contacto.", "This user already belongs to the team.": "Este usuario ya pertenece al equipo.", "This user has already been invited to the team.": "Este usuario ya ha sido invitado al equipo.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Este usuario será parte de su cuenta, pero no tendrá acceso a todas las bóvedas de esta cuenta a menos que les dé acceso específico. Esta persona también podrá crear bóvedas.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Este usuario será parte de su cuenta, pero no tendrá acceso a todas las bóvedas de esta cuenta a menos que usted les dé acceso específico. Esta persona también podrá crear bóvedas.", "This will immediately:": "Esto inmediatamente:", - "Three things that happened today": "Tres cosas que sucedieron hoy", + "Three things that happened today": "Tres cosas que pasaron hoy", "Thursday": "Jueves", "Timezone": "Zona horaria", "Title": "Título", "to": "al", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Para terminar de habilitar la autenticación de dos factores, escanee el siguiente código QR usando la aplicación de autenticación de su teléfono o ingrese la clave de configuración y proporcione el código OTP generado.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Para terminar de habilitar la autenticación de dos factores, escanee el siguiente código QR usando la aplicación de autenticación de su teléfono o ingrese la clave de configuración y proporcione el código OTP generado.", "Toggle navigation": "Alternar navegación", "To hear their story": "Para escuchar su historia", "Token Name": "Nombre del token", "Token name (for your reference only)": "Nombre del token (solo para su referencia)", "Took a new job": "Tomó un nuevo trabajo", "Took the bus": "Tomó el autobús", - "Took the metro": "Tomó el metro", + "Took the metro": "tomó el metro", "Too Many Requests": "Demasiadas peticiones", "To see if they need anything": "Para ver si necesitan algo", - "To start, you need to create a vault.": "Para comenzar, debe crear una bóveda.", + "To start, you need to create a vault.": "Para comenzar, necesitas crear una bóveda.", "Total:": "Total:", "Total streaks": "Rachas totales", - "Track a new metric": "Seguir una nueva métrica", + "Track a new metric": "Seguimiento de una nueva métrica", "Transportation": "Transporte", "Tuesday": "Martes", "Two-factor Confirmation": "Confirmación de dos factores", @@ -1115,35 +1115,33 @@ "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "La autenticación de dos factores ahora está habilitada. Escanee el siguiente código QR usando la aplicación de autenticación de su teléfono o ingrese la clave de configuración.", "Type": "Tipo", "Type:": "Tipo:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Escribe cualquier cosa en la conversación con el bot de Mónica. Puede ser start, por ejemplo.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Escribe cualquier cosa en la conversación con el robot Monica. Puede ser \"inicio\", por ejemplo.", "Types": "Tipos", "Type something": "Escribe algo", "Unarchive contact": "Desarchivar contacto", - "unarchived the contact": "desarchivó el contacto", + "unarchived the contact": "desarchivado el contacto", "Unauthorized": "No autorizado", - "uncle\/aunt": "tío\/tía", + "uncle/aunt": "tío/tía", "Undefined": "Indefinido", - "Unexpected error on login.": "Error inesperado en el inicio de sesión.", + "Unexpected error on login.": "Error inesperado al iniciar sesión.", "Unknown": "Desconocido", "unknown action": "acción desconocida", - "Unknown age": "Edad desconocida", - "Unknown contact name": "Nombre de contacto desconocido", + "Unknown age": "edad desconocida", "Unknown name": "Nombre desconocido", "Update": "Actualizar", "Update a key.": "Actualizar una clave.", - "updated a contact information": "actualizó una información de contacto", - "updated a goal": "actualizó un objetivo", + "updated a contact information": "actualizado una información de contacto", + "updated a goal": "actualizado un objetivo", "updated an address": "actualizó una dirección", - "updated an important date": "actualizó una fecha importante", - "updated a pet": "actualizó una mascota", + "updated an important date": "actualizado una fecha importante", + "updated a pet": "actualizado una mascota", "Updated on :date": "Actualizado el :date", - "updated the avatar of the contact": "actualizó el avatar del contacto", - "updated the contact information": "actualizó la información de contacto", - "updated the job information": "actualizó la información del trabajo", + "updated the avatar of the contact": "actualizado el avatar del contacto", + "updated the contact information": "actualizado la información de contacto", + "updated the job information": "actualizado la información del trabajo", "updated the religion": "actualizó la religión", "Update Password": "Actualizar contraseña", "Update your account's profile information and email address.": "Actualice la información de su cuenta y la dirección de correo electrónico.", - "Update your account’s profile information and email address.": "Actualiza la información de perfil y la dirección de correo electrónico de tu cuenta.", "Upload photo as avatar": "Subir foto como avatar", "Use": "Usar", "Use an authentication code": "Use un código de autenticación", @@ -1151,136 +1149,135 @@ "Use a security key (Webauthn, or FIDO) to increase your account security.": "Utilice una clave de seguridad (Webauthn o FIDO) para aumentar la seguridad de su cuenta.", "User preferences": "Preferencias del usuario", "Users": "Usuarios", - "User settings": "Configuraciones de usuario", - "Use the following template for this contact": "Usar la siguiente plantilla para este contacto", + "User settings": "Ajustes de usuario", + "Use the following template for this contact": "Utilice la siguiente plantilla para este contacto", "Use your password": "Usa tu contraseña", - "Use your security key": "Usa tu clave de seguridad", + "Use your security key": "Utilice su clave de seguridad", "Validating key…": "Validando clave…", "Value copied into your clipboard": "Valor copiado en su portapapeles", "Vaults contain all your contacts data.": "Las bóvedas contienen todos los datos de sus contactos.", "Vault settings": "Configuración de la bóveda", - "ve\/ver": "ve\/ver", - "Verification email sent": "¡Correo electrónico de verificación enviado", + "ve/ver": "ve/ver", + "Verification email sent": "El mensaje de verificación ha sido enviado", "Verified": "Verificado", "Verify Email Address": "Confirme su correo electrónico", - "Verify this email address": "Verificar esta dirección de correo electrónico", - "Version :version — commit [:short](:url).": "Versión :version - commit [:short](:url).", - "Via Telegram": "A través de Telegram", - "Video call": "Llamada de video", - "View": "Ver", + "Verify this email address": "Verifique este correo electronico", + "Version :version — commit [:short](:url).": "Versión :version — commit [:short](:url).", + "Via Telegram": "Vía telegrama", + "Video call": "Videollamada", + "View": "Vista", "View all": "Ver todo", "View details": "Ver detalles", "Viewer": "Espectador", "View history": "Ver historial", "View log": "Ver registro", "View on map": "Ver en el mapa", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Espera unos segundos para que Mónica (la aplicación) te reconozca. Te enviaremos una notificación falsa para ver si funciona.", - "Waiting for key…": "Esperando clave…", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Espera unos segundos a que Monica (la aplicación) te reconozca. Le enviaremos una notificación falsa para ver si funciona.", + "Waiting for key…": "Esperando la llave...", "Walked": "Caminó", - "Wallpaper": "Papel tapiz", - "Was there a reason for the call?": "¿Hubo una razón para la llamada?", - "Watched a movie": "Vio una película", - "Watched a tv show": "Vio un programa de televisión", - "Watched TV": "Vio la televisión", - "Watch Netflix every day": "Ver Netflix todos los días", - "Ways to connect": "Formas de conectar", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn solo admite conexiones seguras. Cargue esta página con el esquema https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Los llamamos una relación y su relación inversa. Por cada relación que definas, necesitas definir su contraparte.", + "Wallpaper": "Fondo de pantalla", + "Was there a reason for the call?": "¿Hubo algún motivo para la llamada?", + "Watched a movie": "Vi una película", + "Watched a tv show": "Viste un programa de televisión", + "Watched TV": "Vió la televisión", + "Watch Netflix every day": "Mira Netflix todos los días", + "Ways to connect": "Formas de conectarse", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn sólo admite conexiones seguras. Cargue esta página con el esquema https.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Los llamamos relación y su relación inversa. Para cada relación que defina, necesita definir su contraparte.", "Wedding": "Boda", "Wednesday": "Miércoles", "We hope you'll like it.": "Esperamos que te guste.", "We hope you will like what we’ve done.": "Esperamos que te guste lo que hemos hecho.", - "Welcome to Monica.": "Bienvenido a Mónica.", - "Went to a bar": "Fue a un bar", - "We support Markdown to format the text (bold, lists, headings, etc…).": "Soportamos Markdown para dar formato al texto (negrita, listas, encabezados, etc...).", + "Welcome to Monica.": "Bienvenido a Monica.", + "Went to a bar": "Fui a un bar", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Admitimos Markdown para formatear el texto (negrita, listas, encabezados, etc…).", "We were unable to find a registered user with this email address.": "No pudimos encontrar un usuario registrado con esta dirección de correo electrónico.", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Enviaremos un correo electrónico a esta dirección de correo electrónico que deberá confirmar antes de que podamos enviar notificaciones a esta dirección.", - "What happens now?": "¿Qué sucede ahora?", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Le enviaremos un correo electrónico a esta dirección de correo electrónico que deberá confirmar antes de que podamos enviar notificaciones a esta dirección.", + "What happens now?": "¿Que pasa ahora?", "What is the loan?": "¿Qué es el préstamo?", - "What permission should :name have?": "¿Qué permisos debería tener :name?", - "What permission should the user have?": "¿Qué permisos debería tener el usuario?", - "What should we use to display maps?": "¿Qué deberíamos usar para mostrar mapas?", - "What would make today great?": "¿Qué haría que hoy fuera genial?", + "What permission should :name have?": "¿Qué permiso debería tener :name?", + "What permission should the user have?": "¿Qué permiso debe tener el usuario?", + "Whatsapp": "Whatsapp", + "What should we use to display maps?": "¿Qué debemos utilizar para mostrar mapas?", + "What would make today great?": "¿Qué haría que hoy fuera grandioso?", "When did the call happened?": "¿Cuándo ocurrió la llamada?", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Cuando la autenticación de dos factores esté habilitada, le pediremos un token aleatorio seguro durante la autenticación. Puede recuperar este token desde la aplicación Google Authenticator de su teléfono.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Cuando la autenticación de dos factores está habilitada, se le solicitará un token seguro y aleatorio durante la autenticación. Puede recuperar este token de la aplicación de autenticación de su teléfono.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Cuando la autenticación de dos factores está habilitada, se le solicitará un token aleatorio seguro durante la autenticación. Puede recuperar este token desde la aplicación Authenticator de su teléfono.", "When was the loan made?": "¿Cuándo se hizo el préstamo?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Cuando defines una relación entre dos contactos, por ejemplo, una relación padre-hijo, Monica crea dos relaciones, una para cada contacto:", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Cuando defines una relación entre dos contactos, por ejemplo una relación padre-hijo, Monica crea dos relaciones, una para cada contacto:", "Which email address should we send the notification to?": "¿A qué dirección de correo electrónico debemos enviar la notificación?", - "Who called?": "¿Quién llamó?", + "Who called?": "¿Quien llamó?", "Who makes the loan?": "¿Quién hace el préstamo?", "Whoops!": "¡Ups!", "Whoops! Something went wrong.": "¡Ups! Algo salió mal.", - "Who should we invite in this vault?": "¿A quién deberíamos invitar en esta bóveda?", + "Who should we invite in this vault?": "¿A quién deberíamos invitar a esta bóveda?", "Who the loan is for?": "¿Para quién es el préstamo?", - "Wish good day": "Desear buen día", - "Work": "Trabajo", - "Write the amount with a dot if you need decimals, like 100.50": "Escriba el monto con un punto si necesita decimales, como 100.50", - "Written on": "Escrito en.", + "Wish good day": "deseo buen dia", + "Work": "Trabajar", + "Write the amount with a dot if you need decimals, like 100.50": "Escribe la cantidad con un punto si necesitas decimales, como 100,50", + "Written on": "Escrito en", "wrote a note": "escribió una nota", - "xe\/xem": "xe\/xem", + "xe/xem": "xe/xem", "year": "año", "Years": "Años", "You are here:": "Usted está aquí:", - "You are invited to join Monica": "Estás invitado a unirte a Mónica", + "You are invited to join Monica": "Estás invitado a unirte a Monica.", "You are receiving this email because we received a password reset request for your account.": "Ha recibido este mensaje porque se solicitó un restablecimiento de contraseña para su cuenta.", - "you can't even use your current username or password to sign in,": "ni siquiera puedes usar tu nombre de usuario o contraseña actual para iniciar sesión,", - "you can't even use your current username or password to sign in, ": "ni siquiera puedes usar tu nombre de usuario o contraseña actual para iniciar sesión, ", - "you can't import any data from your current Monica account(yet),": "no puede importar ningún dato de su cuenta actual de Mónica (todavía),", - "you can't import any data from your current Monica account(yet), ": "no puede importar ningún dato de su cuenta actual de Mónica (todavía), ", - "You can add job information to your contacts and manage the companies here in this tab.": "Puedes agregar información laboral a tus contactos y administrar las empresas aquí en esta pestaña.", - "You can add more account to log in to our service with one click.": "Puede agregar más cuentas para iniciar sesión en nuestro servicio con un clic.", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Puede ser notificado a través de diferentes canales: correos electrónicos, un mensaje de Telegram, en Facebook. Tú decides.", - "You can change that at any time.": "Puede cambiar eso en cualquier momento.", - "You can choose how you want Monica to display dates in the application.": "Puedes elegir cómo quieres que Mónica muestre las fechas en la aplicación.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Puede elegir qué monedas deben estar habilitadas en su cuenta y cuáles no.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Puedes personalizar cómo se deben mostrar los contactos según tu propio gusto\/cultura. Tal vez quieras usar James Bond en lugar de Bond James. Aquí puedes definirlo a voluntad.", + "you can't even use your current username or password to sign in,": "ni siquiera puedes usar tu nombre de usuario o contraseña actuales para iniciar sesión,", + "you can't import any data from your current Monica account(yet),": "no puedes importar ningún dato de tu cuenta actual de Monica (todavía),", + "You can add job information to your contacts and manage the companies here in this tab.": "Puede agregar información laboral a sus contactos y administrar las empresas aquí en esta pestaña.", + "You can add more account to log in to our service with one click.": "Puede agregar más cuentas para iniciar sesión en nuestro servicio con un solo clic.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Puedes recibir notificaciones a través de diferentes canales: correos electrónicos, un mensaje de Telegram, en Facebook. Tú decides.", + "You can change that at any time.": "Puedes cambiar eso en cualquier momento.", + "You can choose how you want Monica to display dates in the application.": "Puedes elegir cómo quieres que Monica muestre las fechas en la aplicación.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Puede elegir qué monedas deben habilitarse en su cuenta y cuáles no.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Puede personalizar cómo se deben mostrar los contactos según su propio gusto/cultura. Quizás quieras usar James Bond en lugar de Bond James. Aquí puedes definirlo a tu antojo.", "You can customize the criteria that let you track your mood.": "Puede personalizar los criterios que le permiten realizar un seguimiento de su estado de ánimo.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Puede mover contactos entre bóvedas. Este cambio es inmediato. Solo puede mover contactos a bóvedas de las que es parte. Todos los datos de contacto se moverán con él.", - "You cannot remove your own administrator privilege.": "No puedes eliminar tu propio privilegio de administrador.", - "You don’t have enough space left in your account.": "No tienes suficiente espacio en tu cuenta.", - "You don’t have enough space left in your account. Please upgrade.": "No tiene suficiente espacio disponible en su cuenta. Por favor, actualice su cuenta.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Puede mover contactos entre bóvedas. Este cambio es inmediato. Solo puede mover contactos a las bóvedas de las que forma parte. Todos los datos de los contactos se moverán con él.", + "You cannot remove your own administrator privilege.": "No puede eliminar su propio privilegio de administrador.", + "You don’t have enough space left in your account.": "No te queda suficiente espacio en tu cuenta.", + "You don’t have enough space left in your account. Please upgrade.": "No te queda suficiente espacio en tu cuenta. Por favor actualice.", "You have been invited to join the :team team!": "¡Usted ha sido invitado a unirse al equipo :team!", "You have enabled two factor authentication.": "Ha habilitado la autenticación de dos factores.", "You have not enabled two factor authentication.": "No ha habilitado la autenticación de dos factores.", - "You have not setup Telegram in your environment variables yet.": "Todavía no has configurado Telegram en tus variables de entorno.", - "You haven’t received a notification in this channel yet.": "Todavía no ha recibido una notificación en este canal.", - "You haven’t setup Telegram yet.": "Todavía no has configurado Telegram.", + "You have not setup Telegram in your environment variables yet.": "Aún no has configurado Telegram en tus variables de entorno.", + "You haven’t received a notification in this channel yet.": "Aún no has recibido una notificación en este canal.", + "You haven’t setup Telegram yet.": "Aún no has configurado Telegram.", "You may accept this invitation by clicking the button below:": "Puede aceptar esta invitación haciendo clic en el botón de abajo:", "You may delete any of your existing tokens if they are no longer needed.": "Puede eliminar cualquiera de sus tokens existentes si ya no los necesita.", "You may not delete your personal team.": "No se puede borrar su equipo personal.", "You may not leave a team that you created.": "No se puede abandonar un equipo que usted creó.", - "You might need to reload the page to see the changes.": "Es posible que deba volver a cargar la página para ver los cambios.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Necesitas al menos una plantilla para que se muestren los contactos. Sin una plantilla, Monica no sabrá qué información debe mostrar.", - "Your account current usage": "El uso actual de su cuenta", + "You might need to reload the page to see the changes.": "Es posible que tengas que recargar la página para ver los cambios.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Necesita al menos una plantilla para que se muestren los contactos. Sin una plantilla, Monica no sabrá qué información debe mostrar.", + "Your account current usage": "Uso actual de su cuenta", "Your account has been created": "Tu cuenta ha sido creada", "Your account is linked": "Tu cuenta está vinculada", - "Your account limits": "Los límites de su cuenta", - "Your account will be closed immediately,": "Tu cuenta se cerrará inmediatamente,", - "Your browser doesn’t currently support WebAuthn.": "Su navegador actualmente no es compatible con WebAuthn.", + "Your account limits": "Los límites de tu cuenta", + "Your account will be closed immediately,": "Su cuenta se cerrará inmediatamente,", + "Your browser doesn’t currently support WebAuthn.": "Actualmente, su navegador no es compatible con WebAuthn.", "Your email address is unverified.": "Su dirección de correo electrónico no está verificada.", - "Your life events": "Eventos de tu vida", + "Your life events": "Los acontecimientos de tu vida.", "Your mood has been recorded!": "¡Tu estado de ánimo ha sido registrado!", "Your mood that day": "Tu estado de ánimo ese día", - "Your mood that you logged at this date": "Tu estado de ánimo que registraste en esta fecha", + "Your mood that you logged at this date": "Tu estado de ánimo que registraste en esta fecha.", "Your mood this year": "Tu estado de ánimo este año", "Your name here will be used to add yourself as a contact.": "Su nombre aquí se utilizará para agregarse como contacto.", - "You wanted to be reminded of the following:": "Querías que se te recordara lo siguiente:", - "You WILL still have to delete your account on Monica or OfficeLife.": "TODAVÍA tendrá que eliminar su cuenta en Monica o OfficeLife.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Has sido invitado a usar esta dirección de correo electrónico en Monica, un CRM personal de código abierto, para que podamos usarlo para enviarte notificaciones.", - "ze\/hir": "ze\/hir", + "You wanted to be reminded of the following:": "Quería que le recordaran lo siguiente:", + "You WILL still have to delete your account on Monica or OfficeLife.": "Aún tendrás que eliminar tu cuenta en Monica u OfficeLife.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Se le ha invitado a utilizar esta dirección de correo electrónico en Monica, un CRM personal de código abierto, para que podamos utilizarla para enviarle notificaciones.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Zona de peligro", - "🌳 Chalet": "🌳 Cabaña", + "🌳 Chalet": "🌳 Chalet", "🏠 Secondary residence": "🏠 Residencia secundaria", - "🏡 Home": "🏡 Hogar", + "🏡 Home": "🏡 Inicio", "🏢 Work": "🏢 Trabajo", "🔔 Reminder: :label for :contactName": "🔔 Recordatorio: :label para :contactName", - "😀 Good": "😀 Bien", + "😀 Good": "😀 Bueno", "😁 Positive": "😁 Positivo", - "😐 Meh": "😐 Meh", + "😐 Meh": "😐 Bueno", "😔 Bad": "😔 Malo", "😡 Negative": "😡 Negativo", - "😩 Awful": "😩 Terrible", - "😶‍🌫️ Neutral": "😶‍🌫️ Neutral", - "🥳 Awesome": "🥳 Increíble" + "😩 Awful": "😩 Horrible", + "😶‍🌫️ Neutral": "😶‍🌫️ Neutro", + "🥳 Awesome": "🥳 Impresionante" } \ No newline at end of file diff --git a/lang/es/http-statuses.php b/lang/es/http-statuses.php index cbbf158546c..27125a8e04a 100644 --- a/lang/es/http-statuses.php +++ b/lang/es/http-statuses.php @@ -5,7 +5,7 @@ '100' => 'Continuar', '101' => 'Protocolos de conmutación', '102' => 'Procesando', - '200' => 'OK', + '200' => 'DE ACUERDO', '201' => 'Creado', '202' => 'Aceptado', '203' => 'Información no autorizada', diff --git a/lang/es/validation.php b/lang/es/validation.php index 9015b2cc952..664a94253e3 100644 --- a/lang/es/validation.php +++ b/lang/es/validation.php @@ -93,6 +93,7 @@ 'string' => 'El campo :attribute tiene que tener entre :min - :max caracteres.', ], 'boolean' => 'El campo :attribute debe tener un valor verdadero o falso.', + 'can' => 'El campo :attribute contiene un valor no autorizado.', 'confirmed' => 'La confirmación de :attribute no coincide.', 'current_password' => 'La contraseña es incorrecta.', 'date' => 'El campo :attribute debe ser una fecha válida.', diff --git a/lang/fr.json b/lang/fr.json index 4daf1031205..e1b44985d0c 100644 --- a/lang/fr.json +++ b/lang/fr.json @@ -6,10 +6,10 @@ "+ add another": "+ ajouter une autre information", "+ add another photo": "+ ajouter une autre photo", "+ add description": "+ ajouter une description", - "+ add distance": "+ distance", + "+ add distance": "+ ajouter une distance", "+ add emotion": "+ ajouter une émotion", "+ add reason": "+ ajouter une raison", - "+ add summary": "+ résumé", + "+ add summary": "+ ajouter un résumé", "+ add title": "+ ajouter un titre", "+ change date": "+ changer de date", "+ change template": "+ changer de modèle", @@ -18,7 +18,7 @@ "+ last name": "+ nom de famille", "+ maiden name": "+ nom de jeune fille", "+ middle name": "+ deuxième prénom", - "+ nickname": "+ surnom", + "+ nickname": "+ pseudo", "+ note": "+ note", "+ number of hours slept": "+ nombre d’heures de sommeil", "+ prefix": "+ préfixe", @@ -26,8 +26,8 @@ "+ suffix": "+ suffixe", ":count contact|:count contacts": ":count contact|:count contacts", ":count hour slept|:count hours slept": ":count heure de sommeil|:count heures de sommeil", - ":count min read": ":count min de lecture", - ":count post|:count posts": ":count publication|:count publications", + ":count min read": ":count minutes de lecture", + ":count post|:count posts": ":count message|:count messages", ":count template section|:count template sections": ":count section de modèle|:count sections de modèle", ":count word|:count words": ":count mot|:count mots", ":distance km": ":distance km", @@ -41,16 +41,16 @@ "Accept invitation and create your account": "Accepter l’invitation et créer votre compte", "Account and security": "Compte et sécurité", "Account settings": "Paramètres du compte", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Une information de contact peut être cliquable. Par exemple, un numéro de téléphone peut être cliquable et lancer l’application par défaut de votre ordinateur. Si vous ne connaissez pas le protocole pour le type que vous ajoutez, vous pouvez simplement omettre ce champ.", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Une information de contact peut être cliquable. Par exemple, un numéro de téléphone peut être cliquable et lancer l’application par défaut sur votre ordinateur. Si vous ne connaissez pas le protocole du type que vous ajoutez, vous pouvez simplement omettre ce champ.", "Activate": "Activer", "Activity feed": "Flux d’activité", - "Activity in this vault": "Activité dans ce coffre-fort", + "Activity in this vault": "Activité dans ce coffre", "Add": "Ajouter", - "add a call reason type": "ajouter un type de raison d’appel", + "add a call reason type": "ajouter un type de motif d’appel", "Add a contact": "Ajouter un contact", "Add a contact information": "Ajouter une information de contact", "Add a date": "Ajouter une date", - "Add additional security to your account using a security key.": "Ajouter une sécurité supplémentaire à votre compte en utilisant une clé de sécurité.", + "Add additional security to your account using a security key.": "Ajouter une sécurité supplémentaire à votre compte à l’aide d’une clé de sécurité.", "Add additional security to your account using two factor authentication.": "Ajouter une sécurité supplémentaire à votre compte en utilisant l’authentification à deux facteurs.", "Add a document": "Ajouter un document", "Add a due date": "Ajouter une date d’échéance", @@ -68,19 +68,19 @@ "Add an address": "Ajouter une adresse", "Add an address type": "Ajouter un type d’adresse", "Add an email address": "Ajouter une adresse e-mail", - "Add an email to be notified when a reminder occurs.": "Ajouter un e-mail pour être averti lorsqu’un rappel se produit.", + "Add an email to be notified when a reminder occurs.": "Ajouter une addresse e-mail pour être averti lorsqu’un rappel se produit.", "Add an entry": "Ajouter une entrée", "add a new metric": "ajouter une nouvelle métrique", "Add a new team member to your team, allowing them to collaborate with you.": "Ajouter un nouveau membre de l’équipe à votre équipe, lui permettant de collaborer avec vous.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Ajoutez une date importante pour vous rappeler ce qui compte pour vous à propos de cette personne, comme une date de naissance ou une date de décès.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Ajoutez une date importante pour vous souvenir de ce qui compte pour vous chez cette personne, comme une date de naissance ou une date de décès.", "Add a note": "Ajouter une note", - "Add another life event": "Ajouter un autre événement de vie", + "Add another life event": "Ajouter un autre événement de la vie", "Add a page": "Ajouter une page", "Add a parameter": "Ajouter un paramètre", "Add a pet": "Ajouter un animal de compagnie", "Add a photo": "Ajouter une photo", "Add a photo to a journal entry to see it here.": "Ajoutez une photo à une entrée de journal pour la voir ici.", - "Add a post template": "Ajouter un modèle d’entrée de journal", + "Add a post template": "Ajouter un modèle de publication", "Add a pronoun": "Ajouter un pronom", "add a reason": "ajouter une raison", "Add a relationship": "Ajouter une relation", @@ -89,26 +89,26 @@ "Add a religion": "Ajouter une religion", "Add a reminder": "Ajouter un rappel", "add a role": "ajouter un rôle", - "add a section": "ajouter une section", - "Add a tag": "Ajouter une étiquette", + "add a section": "ajouter une rubrique", + "Add a tag": "Ajouter une balise", "Add a task": "Ajouter une tâche", "Add a template": "Ajouter un modèle", - "Add at least one module.": "Ajouter au moins un module.", + "Add at least one module.": "Ajoutez au moins un module.", "Add a type": "Ajouter un type", "Add a user": "Ajouter un utilisateur", - "Add a vault": "Ajouter une voûte", + "Add a vault": "Ajouter un coffre", "Add date": "Ajouter une date", "Added.": "Ajouté.", - "added a contact information": "a ajouté une information de contact", - "added an address": "a ajouté une adresse", - "added an important date": "a ajouté une date importante", - "added a pet": "a ajouté un animal de compagnie", - "added the contact to a group": "a ajouté le contact à un groupe", - "added the contact to a post": "a ajouté le contact à un poste", - "added the contact to the favorites": "a ajouté le contact aux favoris", - "Add genders to associate them to contacts.": "Ajouter des genres pour les associer aux contacts.", + "added a contact information": "ajouté une information de contact", + "added an address": "ajouté une adresse", + "added an important date": "ajouté une date importante", + "added a pet": "ajouté un animal de compagnie", + "added the contact to a group": "ajouté le contact à un groupe", + "added the contact to a post": "ajouté le contact à un message", + "added the contact to the favorites": "ajouté le contact aux favoris", + "Add genders to associate them to contacts.": "Ajoutez des genres pour les associer aux contacts.", "Add loan": "Ajouter un prêt", - "Add one now": "Ajouter une maintenant", + "Add one now": "Ajoutez-en un maintenant", "Add photos": "Ajouter des photos", "Address": "Adresse", "Addresses": "Adresses", @@ -119,19 +119,19 @@ "Add to group": "Ajouter au groupe", "Administrator": "Administrateur", "Administrator users can perform any action.": "Les administrateurs peuvent effectuer n’importe quelle action.", - "a father-son relation shown on the father page,": "une relation père-fils affichée sur la page du père,", + "a father-son relation shown on the father page,": "une relation père-fils indiquée sur la page père,", "after the next occurence of the date.": "après la prochaine occurrence de la date.", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Un groupe est deux personnes ou plus ensemble. Cela peut être une famille, un foyer, un club de sport. Tout ce qui est important pour vous.", - "All contacts in the vault": "Tous les contacts dans la voûte", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Un groupe est composé de deux personnes ou plus ensemble. Cela peut être une famille, un foyer, un club de sport. Tout ce qui est important pour vous.", + "All contacts in the vault": "Tous les contacts dans le coffre", "All files": "Tous les fichiers", - "All groups in the vault": "Tous les groupes dans la voûte", + "All groups in the vault": "Tous les groupes dans le coffre", "All journal metrics in :name": "Toutes les métriques du journal dans :name", "All of the people that are part of this team.": "Toutes les personnes faisant partie de cette équipe.", "All rights reserved.": "Tous droits réservés.", - "All tags": "Toutes les étiquettes", + "All tags": "Toutes les balises", "All the address types": "Tous les types d’adresses", - "All the best,": "Tout le meilleur,", - "All the call reasons": "Toutes les raisons d’appel", + "All the best,": "Tous mes vœux,", + "All the call reasons": "Tous les motifs d’appel", "All the cities": "Toutes les villes", "All the companies": "Toutes les entreprises", "All the contact information types": "Tous les types d’informations de contact", @@ -139,13 +139,13 @@ "All the currencies": "Toutes les devises", "All the files": "Tous les fichiers", "All the genders": "Tous les genres", - "All the gift occasions": "Toutes les occasions de cadeaux", - "All the gift states": "Tous les états de cadeaux", + "All the gift occasions": "Toutes les occasions cadeaux", + "All the gift states": "Tous les états cadeaux", "All the group types": "Tous les types de groupes", "All the important dates": "Toutes les dates importantes", - "All the important date types used in the vault": "Tous les types de dates importantes utilisés dans la voûte", - "All the journals": "Tous les journaux", - "All the labels used in the vault": "Toutes les étiquettes utilisées dans la voûte", + "All the important date types used in the vault": "Tous les types de dates importants utilisés dans le coffre", + "All the journals": "Toutes les revues", + "All the labels used in the vault": "Toutes les étiquettes utilisées dans le coffre", "All the notes": "Toutes les notes", "All the pet categories": "Toutes les catégories d’animaux de compagnie", "All the photos": "Toutes les photos", @@ -154,105 +154,105 @@ "All the relationship types": "Tous les types de relations", "All the religions": "Toutes les religions", "All the reports": "Tous les rapports", - "All the slices of life in :name": "Toutes les tranches de vie dans :name", - "All the tags used in the vault": "Toutes les étiquettes utilisées dans la voûte", + "All the slices of life in :name": "Toutes les tranches de vie de :name", + "All the tags used in the vault": "Toutes les balises utilisées dans le coffre", "All the templates": "Tous les modèles", - "All the vaults": "Toutes les voûtes", - "All the vaults in the account": "Toutes les voûtes du compte", + "All the vaults": "Tous les coffres", + "All the vaults in the account": "Tous les coffres du compte", "All users and vaults will be deleted immediately,": "Tous les utilisateurs et coffres seront supprimés immédiatement,", "All users in this account": "Tous les utilisateurs de ce compte", - "Already registered?": "Déjà inscrit·e ?", + "Already registered?": "Déjà inscrit·e ?", "Already used on this page": "Déjà utilisé sur cette page", "A new verification link has been sent to the email address you provided during registration.": "Un nouveau lien de vérification a été envoyé à l’adresse e-mail que vous avez fournie lors de l’inscription.", "A new verification link has been sent to the email address you provided in your profile settings.": "Un nouveau lien de vérification a été envoyé à l’adresse e-mail que vous avez indiquée dans vos paramètres de profil.", "A new verification link has been sent to your email address.": "Un nouveau lien de vérification a été envoyé à votre adresse e-mail.", - "Anniversary": "Anniversaire de mariage", + "Anniversary": "Anniversaire", "Apartment, suite, etc…": "Appartement, suite, etc…", "API Token": "Jeton API", "API Token Permissions": "Autorisations de jeton API", "API Tokens": "Jeton API", "API tokens allow third-party services to authenticate with our application on your behalf.": "Les jetons API permettent à des services tiers de s’authentifier auprès de notre application en votre nom.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Un modèle d’entrée de journal définit comment le contenu d’une entrée de journal doit être affiché. Vous pouvez définir autant de modèles que vous le souhaitez, et choisir quel modèle doit être utilisé sur quelle entrée de journal.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Un modèle de publication définit la manière dont le contenu d’une publication doit être affiché. Vous pouvez définir autant de modèles que vous le souhaitez et choisir quel modèle doit être utilisé sur quelle publication.", "Archive": "Archiver", "Archive contact": "Archiver le contact", "archived the contact": "a archivé le contact", - "Are you sure? The address will be deleted immediately.": "Êtes-vous sûr⋅e ? L’adresse sera supprimée immédiatement.", - "Are you sure? This action cannot be undone.": "Êtes-vous sûr⋅e ? Cette action ne peut pas être annulée.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Êtes-vous sûr⋅e ? Cela supprimera toutes les raisons d’appel de ce type pour tous les contacts qui l’utilisaient.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Êtes-vous sûr⋅e ? Cela supprimera toutes les relations de ce type pour tous les contacts qui l’utilisaient.", - "Are you sure? This will delete the contact information permanently.": "Êtes-vous sûr⋅e ? Cela supprimera l’information de contact de façon permanente.", - "Are you sure? This will delete the document permanently.": "Êtes-vous sûr⋅e ? Cela supprimera le document de façon permanente.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Êtes-vous sûr⋅e ? Cela supprimera l’objectif et toutes les séries de façon permanente.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Êtes-vous sûr⋅e ? Cela supprimera les types d’adresses de tous les contacts, mais ne supprimera pas les contacts eux-mêmes.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Êtes-vous sûr⋅e ? Cela supprimera les types d’informations de contact de tous les contacts, mais ne supprimera pas les contacts eux-mêmes.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Êtes-vous sûr⋅e ? Cela supprimera les genres de tous les contacts, mais ne supprimera pas les contacts eux-mêmes.", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Êtes-vous sûr⋅e ? Cela supprimera le modèle de tous les contacts, mais ne supprimera pas les contacts eux-mêmes.", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Êtes-vous sûr·e de vouloir supprimer cette équipe ? Lorsqu’une équipe est supprimée, toutes les données associées seront définitivement supprimées.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Êtes-vous sûr·e de vouloir supprimer votre compte ? Une fois que votre compte est supprimé, toutes les données associées seront supprimées définitivement. Pour confirmer que vous voulez supprimer définitivement votre compte, renseignez votre mot de passe.", - "Are you sure you would like to archive this contact?": "Êtes-vous sûr·e de vouloir archiver ce contact ?", - "Are you sure you would like to delete this API token?": "Êtes-vous sûr·e de vouloir supprimer ce jeton API ?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Êtes-vous sûr·e de vouloir supprimer ce contact ? Cela supprimera tout ce que nous savons sur ce contact.", - "Are you sure you would like to delete this key?": "Êtes-vous sûr·e de vouloir supprimer cette clé ?", - "Are you sure you would like to leave this team?": "Êtes-vous sûr·e de vouloir quitter cette équipe ?", - "Are you sure you would like to remove this person from the team?": "Êtes-vous sûr·e de vouloir supprimer cette personne de cette équipe ?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Une tranche de vie vous permet de regrouper des publications par quelque chose de significatif pour vous. Ajoutez une tranche de vie dans une publication pour la voir ici.", - "a son-father relation shown on the son page.": "une relation fils-père affichée sur la page du fils.", - "assigned a label": "a attribué un label", + "Are you sure? The address will be deleted immediately.": "Êtes-vous sûr⋅e? L’adresse sera immédiatement supprimée.", + "Are you sure? This action cannot be undone.": "Êtes-vous sûr⋅e? Cette action ne peut pas être annulée.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Êtes-vous sûr⋅e? Cela supprimera tous les motifs d’appel de ce type pour tous les contacts qui l’utilisaient.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Êtes-vous sûr⋅e? Cela supprimera toutes les relations de ce type pour tous les contacts qui l’utilisaient.", + "Are you sure? This will delete the contact information permanently.": "Êtes-vous sûr⋅e? Cela supprimera définitivement les informations de contact.", + "Are you sure? This will delete the document permanently.": "Êtes-vous sûr⋅e? Cela supprimera définitivement le document.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Êtes-vous sûr⋅e? Cela supprimera définitivement le but et toutes les séquences.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Êtes-vous sûr⋅e? Cela supprimera les types d’adresses de tous les contacts, mais ne supprimera pas les contacts eux-mêmes.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Êtes-vous sûr⋅e? Cela supprimera les types d’informations de contact de tous les contacts, mais ne supprimera pas les contacts eux-mêmes.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Êtes-vous sûr⋅e? Cela supprimera le genre de tous les contacts, mais ne supprimera pas les contacts eux-mêmes.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Êtes-vous sûr⋅e? Cela supprimera le modèle de tous les contacts, mais ne supprimera pas les contacts eux-mêmes.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Êtes-vous sûr·e de vouloir supprimer cette équipe ? Lorsqu’une équipe est supprimée, toutes les données associées seront définitivement supprimées.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Êtes-vous sûr·e de vouloir supprimer votre compte ? Une fois que votre compte est supprimé, toutes les données associées seront supprimées définitivement. Pour confirmer que vous voulez supprimer définitivement votre compte, renseignez votre mot de passe.", + "Are you sure you would like to archive this contact?": "Êtes-vous sûr de vouloir archiver ce contact ?", + "Are you sure you would like to delete this API token?": "Êtes-vous sûr·e de vouloir supprimer ce jeton API ?", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Êtes-vous sûr de vouloir supprimer ce contact ? Cela supprimera tout ce que nous savons sur ce contact.", + "Are you sure you would like to delete this key?": "Êtes-vous sûr de vouloir supprimer cette clé ?", + "Are you sure you would like to leave this team?": "Êtes-vous sûr·e de vouloir quitter cette équipe ?", + "Are you sure you would like to remove this person from the team?": "Êtes-vous sûr·e de vouloir supprimer cette personne de cette équipe ?", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Une tranche de vie vous permet de regrouper les publications en fonction de quelque chose qui a du sens pour vous. Ajoutez une tranche de vie dans un post pour la voir ici.", + "a son-father relation shown on the son page.": "une relation fils-père indiquée sur la page fils.", + "assigned a label": "a attribué une étiquette", "Association": "Association", "At": "À", - "at ": "à ", + "at ": "à", "Ate": "A mangé", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Un modèle définit comment les contacts doivent être affichés. Vous pouvez avoir autant de modèles que vous le souhaitez - ils sont définis dans les paramètres de votre compte. Cependant, vous voudrez peut-être définir un modèle par défaut afin que tous vos contacts dans cette voûte aient ce modèle par défaut.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Un modèle est composé de pages, et dans chaque page, il y a des modules. La façon dont les données sont affichées vous appartient entièrement.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Un modèle définit la manière dont les contacts doivent être affichés. Vous pouvez avoir autant de modèles que vous le souhaitez – ils sont définis dans les paramètres de votre compte. Cependant, vous souhaiterez peut-être définir un modèle par défaut afin que tous vos contacts dans ce coffre disposent de ce modèle par défaut.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Un modèle est composé de pages, et dans chaque page, il y a des modules. La manière dont les données sont affichées dépend entièrement de vous.", "Atheist": "Athée", - "At which time should we send the notification, when the reminder occurs?": "À quelle heure devons-nous envoyer la notification, lorsque le rappel se produit ?", + "At which time should we send the notification, when the reminder occurs?": "À quel moment devons-nous envoyer la notification, lorsque le rappel intervient ?", "Audio-only call": "Appel audio uniquement", - "Auto saved a few seconds ago": "Sauvegardé automatiquement il y a quelques secondes", + "Auto saved a few seconds ago": "Enregistrement automatique il y a quelques secondes", "Available modules:": "Modules disponibles :", "Avatar": "Avatar", "Avatars": "Avatars", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Avant de continuer, pourriez-vous vérifier votre adresse e-mail en cliquant sur le lien de vérification que l’on vient de vous envoyer ? Si vous n’avez pas reçu l’e-mail, nous vous en enverrons un autre avec plaisir.", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Avant de continuer, pourriez-vous vérifier votre adresse e-mail en cliquant sur le lien de vérification que l’on vient de vous envoyer ? Si vous n’avez pas reçu l’e-mail, nous vous en enverrons un autre avec plaisir.", "best friend": "meilleur ami", "Bird": "Oiseau", "Birthdate": "Date de naissance", "Birthday": "Anniversaire", "Body": "Corps", - "boss": "patron", + "boss": "chef", "Bought": "Acheté", - "Breakdown of the current usage": "Répartition de l’utilisation actuelle", - "brother\/sister": "frère\/soeur", + "Breakdown of the current usage": "Répartition de l’usage actuel", + "brother/sister": "frère/soeur", "Browser Sessions": "Sessions de navigateur", "Buddhist": "Bouddhiste", "Business": "Entreprise", "By last updated": "Par dernière mise à jour", "Calendar": "Calendrier", - "Call reasons": "Raisons d’appel", - "Call reasons let you indicate the reason of calls you make to your contacts.": "Les raisons d’appel vous permettent d’indiquer la raison des appels que vous passez à vos contacts.", + "Call reasons": "Raisons de l’appel", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Motifs d’appel vous permettent d’indiquer le motif des appels que vous passez à vos contacts.", "Calls": "Appels", "Cancel": "Annuler", - "Cancel account": "Effacer le compte", - "Cancel all your active subscriptions": "Annuler toutes vos abonnements actifs", - "Cancel your account": "Effacer votre compte", + "Cancel account": "Annuler le compte", + "Cancel all your active subscriptions": "Annulez tous vos abonnements actifs", + "Cancel your account": "Annuler votre compte", "Can do everything, including adding or removing other users, managing billing and closing the account.": "Peut tout faire, y compris ajouter ou supprimer d’autres utilisateurs, gérer la facturation et fermer le compte.", "Can do everything, including adding or removing other users.": "Peut tout faire, y compris ajouter ou supprimer d’autres utilisateurs.", - "Can edit data, but can’t manage the vault.": "Peut modifier les données, mais ne peut pas gérer la voûte.", - "Can view data, but can’t edit it.": "Peut voir les données, mais ne peut pas les modifier.", + "Can edit data, but can’t manage the vault.": "Peut modifier les données, mais ne peut pas gérer le coffre.", + "Can view data, but can’t edit it.": "Peut afficher les données, mais ne peut pas les modifier.", "Can’t be moved or deleted": "Ne peut pas être déplacé ou supprimé", "Cat": "Chat", "Categories": "Catégories", "Chandler is in beta.": "Chandler est en version bêta.", "Change": "Changer", "Change date": "Date de modification", - "Change permission": "Changer l’autorisation", - "Changes saved": "Modifications enregistrées", + "Change permission": "Changer les permissions", + "Changes saved": "Changements sauvegardés", "Change template": "Changer de modèle", "Child": "Enfant", "child": "enfant", "Choose": "Choisir", - "Choose a color": "Choisissez une couleur", + "Choose a color": "Choisir une couleur", "Choose an existing address": "Choisir une adresse existante", - "Choose an existing contact": "Choisissez un contact existant", - "Choose a template": "Choisissez un modèle", + "Choose an existing contact": "Choisir un contact existant", + "Choose a template": "Choisir un modèle", "Choose a value": "Choisir une valeur", "Chosen type:": "Type choisi :", "Christian": "Chrétien", @@ -261,33 +261,33 @@ "Click here to re-send the verification email.": "Cliquez ici pour renvoyer l’e-mail de vérification.", "Click on a day to see the details": "Cliquez sur un jour pour voir les détails", "Close": "Fermer", - "close edit mode": "fermer le mode d’édition", + "close edit mode": "fermer le mode édition", "Club": "Club", "Code": "Code", "colleague": "collègue", "Companies": "Entreprises", "Company name": "Nom de l’entreprise", - "Compared to Monica:": "Par rapport à Monica :", - "Configure how we should notify you": "Configurez comment nous devons vous avertir", + "Compared to Monica:": "Comparé à Monica :", + "Configure how we should notify you": "Configurez la manière dont nous devons vous informer", "Confirm": "Confirmer", "Confirm Password": "Confirmer le mot de passe", "Connect": "Connecter", "Connected": "Connecté", "Connect with your security key": "Connectez-vous avec votre clé de sécurité", - "Contact feed": "Flux de contact", - "Contact information": "Informations de contact", - "Contact informations": "Informations de contact", + "Contact feed": "Flux de contacts", + "Contact information": "Coordonnées", + "Contact informations": "Coordonnées", "Contact information types": "Types d’informations de contact", "Contact name": "Nom du contact", "Contacts": "Contacts", - "Contacts in this post": "Contacts dans cette publication", - "Contacts in this slice": "Contacts dans cette tranche de vie", + "Contacts in this post": "Contacts dans cet article", + "Contacts in this slice": "Contacts dans cette tranche", "Contacts will be shown as follow:": "Les contacts seront affichés comme suit :", "Content": "Contenu", "Copied.": "Copié.", "Copy": "Copier", "Copy value into the clipboard": "Copier la valeur dans le presse-papiers", - "Could not get address book data.": "Impossible d'obtenir les données du carnet d'adresses.", + "Could not get address book data.": "Impossible d’obtenir les données du carnet d’adresses.", "Country": "Pays", "Couple": "Couple", "cousin": "cousin", @@ -295,43 +295,43 @@ "Create account": "Créer un compte", "Create Account": "Créer un compte", "Create a contact": "Créer un contact", - "Create a contact entry for this person": "Créer une fiche de contact pour cette personne", + "Create a contact entry for this person": "Créer une entrée de contact pour cette personne", "Create a journal": "Créer un journal", "Create a journal metric": "Créer une métrique de journal", - "Create a journal to document your life.": "Créez un journal pour documenter votre vie.", + "Create a journal to document your life.": "Créer un journal pour documenter votre vie.", "Create an account": "Créer un compte", "Create a new address": "Créer une nouvelle adresse", "Create a new team to collaborate with others on projects.": "Créer une nouvelle équipe pour collaborer avec d’autres personnes sur des projets.", "Create API Token": "Créer un jeton API", - "Create a post": "Créer une publication", + "Create a post": "Créer un message", "Create a reminder": "Créer un rappel", - "Create a slice of life": "Créer une tranche de vie", - "Create at least one page to display contact’s data.": "Créez au moins une page pour afficher les données du contact.", - "Create at least one template to use Monica.": "Créez au moins un modèle pour utiliser Monica.", + "Create a slice of life": "Créez une tranche de vie", + "Create at least one page to display contact’s data.": "Créer au moins une page pour afficher les données du contact.", + "Create at least one template to use Monica.": "Créer au moins un modèle pour utiliser Monica.", "Create a user": "Créer un utilisateur", - "Create a vault": "Créer une voûte", + "Create a vault": "Créer un coffre", "Created.": "Créé·e.", "created a goal": "a créé un objectif", "created the contact": "a créé le contact", "Create label": "Créer une étiquette", "Create new label": "Créer une nouvelle étiquette", - "Create new tag": "Créer une nouvelle étiquette", + "Create new tag": "Créer une nouvelle balise", "Create New Team": "Créer une nouvelle équipe", "Create Team": "Créer l’équipe", "Currencies": "Devises", "Currency": "Devise", - "Current default": "Défaut actuel", - "Current language:": "Langue actuelle :", + "Current default": "Valeur par défaut actuelle", + "Current language:": "Langue courante :", "Current Password": "Mot de passe actuel", - "Current site used to display maps:": "Site actuellement utilisé pour afficher les cartes :", - "Current streak": "Série en cours", + "Current site used to display maps:": "Site actuel utilisé pour afficher les cartes :", + "Current streak": "Série actuelle", "Current timezone:": "Fuseau horaire actuel :", - "Current way of displaying contact names:": "Méthode actuelle d’affichage des noms de contact :", - "Current way of displaying dates:": "Méthode actuelle d’affichage des dates :", - "Current way of displaying distances:": "Méthode actuelle d’affichage des distances:", - "Current way of displaying numbers:": "Méthode actuelle d’affichage des nombres :", + "Current way of displaying contact names:": "Mode actuel d’affichage des noms de contacts :", + "Current way of displaying dates:": "Mode actuel d’affichage des dates :", + "Current way of displaying distances:": "Mode actuel d’affichage des distances :", + "Current way of displaying numbers:": "Mode actuel d’affichage des nombres :", "Customize how contacts should be displayed": "Personnaliser la façon dont les contacts doivent être affichés", - "Custom name order": "Ordre de nom personnalisé", + "Custom name order": "Ordre des noms personnalisés", "Daily affirmation": "Affirmation quotidienne", "Dashboard": "Tableau de bord", "date": "rencard", @@ -349,7 +349,7 @@ "Delete Account": "Supprimer le compte", "Delete a new key": "Supprimer une nouvelle clé", "Delete API Token": "Supprimer le jeton API", - "Delete contact": "Supprimer le contact", + "Delete contact": "Effacer le contact", "deleted a contact information": "a supprimé une information de contact", "deleted a goal": "a supprimé un objectif", "deleted an address": "a supprimé une adresse", @@ -362,34 +362,34 @@ "Delete Team": "Supprimer l’équipe", "Delete the address": "Supprimer l’adresse", "Delete the photo": "Supprimer la photo", - "Delete the slice": "Supprimer la tranche de vie", - "Delete the vault": "Supprimer la voûte", - "Delete your account on https:\/\/customers.monicahq.com.": "Supprimez votre compte sur https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Supprimer la voûte signifie supprimer toutes les données à l’intérieur de cette voûte, pour toujours. Il n’y a pas de retour en arrière. Soyez certain.", + "Delete the slice": "Supprimer la tranche", + "Delete the vault": "Supprimer le coffre", + "Delete your account on https://customers.monicahq.com.": "Supprimez votre compte sur https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Supprimer le coffre signifie supprimer définitivement toutes les données contenues dans ce coffre. Il n’y a pas de retour en arrière. Soyez-en sûr, s’il vous plaît.", "Description": "Description", "Detail of a goal": "Détail d’un objectif", "Details in the last year": "Détails de l’année dernière", "Disable": "Désactiver", - "Disable all": "Tout désactiver", + "Disable all": "Désactiver tous les", "Disconnect": "Déconnecter", - "Discuss partnership": "Discuter du partenariat", - "Discuss recent purchases": "Discuter des achats récents", + "Discuss partnership": "Discution à propos partenariat", + "Discuss recent purchases": "Discution à propos d’achats récents", "Dismiss": "Rejeter", - "Display help links in the interface to help you (English only)": "Afficher des liens d’aide dans l’interface pour vous aider (anglais seulement)", + "Display help links in the interface to help you (English only)": "Afficher des liens d’aide dans l’interface pour vous aider (en anglais uniquement)", "Distance": "Distance", "Documents": "Documents", "Dog": "Chien", "Done.": "Terminé.", "Download": "Télécharger", - "Download as vCard": "Télécharger en tant que vCard", - "Drank": "A bu", + "Download as vCard": "Télécharger sous forme de vCard", + "Drank": "Buvait", "Drove": "A conduit", "Due and upcoming tasks": "Tâches dues et à venir", "Edit": "Modifier", "edit": "modifier", "Edit a contact": "Modifier un contact", "Edit a journal": "Modifier un journal", - "Edit a post": "Modifier une publication", + "Edit a post": "Modifier un message", "edited a note": "a modifié une note", "Edit group": "Modifier le groupe", "Edit journal": "Modifier le journal", @@ -398,27 +398,28 @@ "Edit names": "Modifier les noms", "Editor": "Éditeur", "Editor users have the ability to read, create, and update.": "Les éditeurs peuvent lire, créer et mettre à jour", - "Edit post": "Modifier la publication", + "Edit post": "Modifier le message", "Edit Profile": "Éditer le profil", - "Edit slice of life": "Modifier la tranche de vie", + "Edit slice of life": "Modifier une tranche de vie", "Edit the group": "Modifier le groupe", "Edit the slice of life": "Modifier la tranche de vie", "Email": "E-mail", - "Email address": "Adresse email", + "Email address": "Adresse e-mail", "Email address to send the invitation to": "Adresse e-mail à laquelle envoyer l’invitation", "Email Password Reset Link": "Lien de réinitialisation du mot de passe", "Enable": "Activer", - "Enable all": "Tout activer", + "Enable all": "Activer tout", "Ensure your account is using a long, random password to stay secure.": "Assurez-vous d’utiliser un mot de passe long et aléatoire pour sécuriser votre compte.", - "Enter a number from 0 to 100000. No decimals.": "Entrez un nombre de 0 à 100000. Pas de décimales.", - "Events this month": "Evènements ce mois", - "Events this week": "Evènements cette semaine", - "Events this year": "Evènements cette année", + "Enter a number from 0 to 100000. No decimals.": "Entrez un nombre compris entre 0 et 100 000. Pas de décimales.", + "Events this month": "Événements ce mois-ci", + "Events this week": "Événements cette semaine", + "Events this year": "Événements cette année", "Every": "Chaque", - "ex-boyfriend": "ex-petit ami", + "ex-boyfriend": "ex petit ami", "Exception:": "Exception :", "Existing company": "Entreprise existante", "External connections": "Connexions externes", + "Facebook": "Facebook", "Family": "Famille", "Family summary": "Résumé de la famille", "Favorites": "Favoris", @@ -426,8 +427,8 @@ "Files": "Fichiers", "Filter": "Filtrer", "Filter list or create a new label": "Filtrer la liste ou créer une nouvelle étiquette", - "Filter list or create a new tag": "Filtrer la liste ou créer une nouvelle étiquette", - "Find a contact in this vault": "Trouver un contact dans cette voûte", + "Filter list or create a new tag": "Filtrer la liste ou créer une nouvelle balise", + "Find a contact in this vault": "Trouver un contact dans ce coffre", "Finish enabling two factor authentication.": "Terminez l’activation de l’authentification à deux facteurs.", "First name": "Prénom", "First name Last name": "Prénom Nom", @@ -436,11 +437,10 @@ "Food preferences": "Préférences alimentaires", "for": "pour", "For:": "Pour :", - "For advice": "Pour des conseils", + "For advice": "Pour obtenir des conseils", "Forbidden": "Interdit", - "Forgot password?": "Mot de passe oublié ?", - "Forgot your password?": "Mot de passe oublié ?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Mot de passe oublié ? Pas de soucis. Veuillez nous indiquer votre adresse e-mail et nous vous enverrons un lien de réinitialisation du mot de passe.", + "Forgot your password?": "Mot de passe oublié ?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Mot de passe oublié ? Pas de soucis. Veuillez nous indiquer votre adresse e-mail et nous vous enverrons un lien de réinitialisation du mot de passe.", "For your security, please confirm your password to continue.": "Par mesure de sécurité, veuillez confirmer votre mot de passe pour continuer.", "Found": "Trouvé", "Friday": "Vendredi", @@ -451,34 +451,33 @@ "Gender": "Genre", "Gender and pronoun": "Genre et pronom", "Genders": "Genres", - "Gift center": "Centre de cadeaux", "Gift occasions": "Occasions de cadeaux", - "Gift occasions let you categorize all your gifts.": "Les occasions de cadeaux vous permettent de catégoriser tous vos cadeaux.", - "Gift states": "États de cadeaux", - "Gift states let you define the various states for your gifts.": "Les états de cadeaux vous permettent de définir les différents états de vos cadeaux.", + "Gift occasions let you categorize all your gifts.": "Les occasions cadeaux vous permettent de catégoriser tous vos cadeaux.", + "Gift states": "États cadeaux", + "Gift states let you define the various states for your gifts.": "Les états des cadeaux vous permettent de définir les différents états de vos cadeaux.", "Give this email address a name": "Donnez un nom à cette adresse e-mail", "Goals": "Objectifs", "Go back": "Retour", "godchild": "filleul", "godparent": "parrain", "Google Maps": "Google Maps", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps offre la meilleure précision et les meilleurs détails, mais il n’est pas idéal du point de vue de la confidentialité.", - "Got fired": "A été viré", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps offre la meilleure précision et les meilleurs détails, mais ce n’est pas idéal du point de vue de la confidentialité.", + "Got fired": "S’est fait virer", "Go to page :page": "Aller à la page :page", - "grand child": "petit enfant", - "grand parent": "grand parent", - "Great! You have accepted the invitation to join the :team team.": "Super ! Vous avez accepté l’invitation à rejoindre l’équipe :team", + "grand child": "petit-enfant", + "grand parent": "grand-parent", + "Great! You have accepted the invitation to join the :team team.": "Super ! Vous avez accepté l’invitation à rejoindre l’équipe :team", "Group journal entries together with slices of life.": "Regroupez les entrées de journal avec des tranches de vie.", "Groups": "Groupes", "Groups let you put your contacts together in a single place.": "Les groupes vous permettent de regrouper vos contacts en un seul endroit.", "Group type": "Type de groupe", "Group type: :name": "Type de groupe : :name", "Group types": "Types de groupes", - "Group types let you group people together.": "Les types de groupes vous permettent de regrouper des personnes ensemble.", + "Group types let you group people together.": "Les types de groupe vous permettent de regrouper des personnes.", "Had a promotion": "A eu une promotion", "Hamster": "Hamster", - "Have a great day,": "Passez une bonne journée,", - "he\/him": "il\/lui", + "Have a great day,": "Passe une bonne journée,", + "he/him": "il/lui", "Hello!": "Bonjour !", "Help": "Aide", "Hi :name": "Salut :name", @@ -488,16 +487,16 @@ "Home": "Accueil", "Horse": "Cheval", "How are you?": "Comment allez-vous ?", - "How could I have done this day better?": "Comment aurais-je pu faire mieux cette journée?", + "How could I have done this day better?": "Comment aurais-je pu mieux faire cette journée ?", "How did you feel?": "Comment vous sentiez-vous ?", "How do you feel right now?": "Comment vous sentez-vous en ce moment ?", - "however, there are many, many new features that didn't exist before.": "toutefois, il y a de nombreuses nouvelles fonctionnalités qui n’existaient pas auparavant.", - "How much money was lent?": "Combien d’argent a été prêté ?", - "How much was lent?": "Combien a été prêté ?", + "however, there are many, many new features that didn't exist before.": "cependant, il y a à présent de nombreuses nouvelles fonctionnalités qui n’existaient pas auparavant.", + "How much money was lent?": "Quel montant d’argent a été prêté ?", + "How much was lent?": "Quel montant a été prêté ?", "How often should we remind you about this date?": "À quelle fréquence devons-nous vous rappeler cette date ?", - "How should we display dates": "Comment devons-nous afficher les dates", - "How should we display distance values": "Comment devons-nous afficher les valeurs de distance", - "How should we display numerical values": "Comment devons-nous afficher les valeurs numériques", + "How should we display dates": "Comment devrions-nous afficher les dates", + "How should we display distance values": "Comment devrions-nous afficher les valeurs de distance", + "How should we display numerical values": "Comment devrions-nous afficher les valeurs numériques", "I agree to the :terms and :policy": "J’accepte les :terms et :policy", "I agree to the :terms_of_service and :privacy_policy": "Je suis d’accord avec :terms_of_service et :privacy_policy", "I am grateful for": "Je suis reconnaissant pour", @@ -506,29 +505,30 @@ "Idea": "Idée", "I don’t know the name": "Je ne connais pas le nom", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Si nécessaire, vous pouvez vous déconnecter de toutes vos autres sessions de navigateurs ouvertes sur tous vos appareils. Vos dernières sessions sont listées ci-dessous ; cependant, cette liste peut ne pas être exhaustive. Si vous pensez que votre compte a été compromis, vous devriez également mettre à jour votre mot de passe.", - "If the date is in the past, the next occurence of the date will be next year.": "Si la date est dans le passé, la prochaine occurrence de la date sera l’année prochaine.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Si vous avez des difficultés à cliquer sur le bouton \":actionText\", copiez et collez l’URL ci-dessous\ndans votre navigateur Web :", - "If you already have an account, you may accept this invitation by clicking the button below:": "Si vous avez déjà un compte, vous pouvez accepter cette invitation en cliquant sur le bouton ci-dessous :", + "If the date is in the past, the next occurence of the date will be next year.": "Si la date se situe dans le passé, la prochaine occurrence de la date aura lieu l’année prochaine.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Si vous avez des difficultés à cliquer sur le bouton \":actionText\", copiez et collez l’URL ci-dessous\ndans votre navigateur Web :", + "If you already have an account, you may accept this invitation by clicking the button below:": "Si vous avez déjà un compte, vous pouvez accepter cette invitation en cliquant sur le bouton ci-dessous :", "If you did not create an account, no further action is required.": "Si vous n’avez pas créé de compte, vous pouvez ignorer ce message.", "If you did not expect to receive an invitation to this team, you may discard this email.": "Si vous n’attendiez pas d’invitation de cette équipe, vous pouvez supprimer cet e-mail.", "If you did not request a password reset, no further action is required.": "Si vous n’avez pas demandé de réinitialisation de mot de passe, vous pouvez ignorer ce message.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Si vous n’avez pas de compte, vous pouvez en créer un en cliquant sur le bouton ci-dessous. Ensuite, vous pourrez cliquer sur le bouton de cet e-mail pour accepter l’invitation de rejoindre l’équipe :", - "If you’ve received this invitation by mistake, please discard it.": "Si vous avez reçu cette invitation par erreur, veuillez la supprimer.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Si vous n’avez pas de compte, vous pouvez en créer un en cliquant sur le bouton ci-dessous. Ensuite, vous pourrez cliquer sur le bouton de cet e-mail pour accepter l’invitation de rejoindre l’équipe :", + "If you’ve received this invitation by mistake, please discard it.": "Si vous avez reçu cette invitation par erreur, veuillez la jeter.", "I know the exact date, including the year": "Je connais la date exacte, y compris l’année", "I know the name": "Je connais le nom", - "Important dates": "Dates importantes", + "Important dates": "Rendez-vous importants", "Important date summary": "Résumé des dates importantes", "in": "dans", "Information": "Information", "Information from Wikipedia": "Informations de Wikipédia", "in love with": "amoureux de", - "Inspirational post": "Poste inspirant", + "Inspirational post": "Article inspirant", + "Invalid JSON was returned from the route.": "Un JSON non valide a été renvoyé par la route.", "Invitation sent": "Invitation envoyée", "Invite a new user": "Inviter un nouvel utilisateur", "Invite someone": "Inviter quelqu’un", - "I only know a number of years (an age, for example)": "Je ne connais qu’un nombre d’années (un âge, par exemple)", - "I only know the day and month, not the year": "Je connais seulement le jour et le mois, pas l’année", - "it misses some of the features, the most important ones being the API and gift management,": "il manque certaines fonctionnalités, les plus importantes étant l'API et la gestion des cadeaux,", + "I only know a number of years (an age, for example)": "Je ne connais qu’un nombre d’années (un âge par exemple)", + "I only know the day and month, not the year": "Je ne connais que le jour et le mois, pas l’année", + "it misses some of the features, the most important ones being the API and gift management,": "il manque certaines fonctionnalités, les plus importantes étant l’API et la gestion des cadeaux,", "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Il semble qu’il n’y ait pas encore de modèles dans le compte. Veuillez d’abord ajouter au moins un modèle à votre compte, puis associer ce modèle à ce contact.", "Jew": "Juif", "Job information": "Informations professionnelles", @@ -536,44 +536,44 @@ "Journal": "Journal", "Journal entries": "Entrées de journal", "Journal metrics": "Métriques du journal", - "Journal metrics let you track data accross all your journal entries.": "Les métriques de journal vous permettent de suivre les données dans toutes vos entrées de journal.", + "Journal metrics let you track data accross all your journal entries.": "Les métriques de journal vous permettent de suivre les données de toutes vos entrées de journal.", "Journals": "Journaux", "Just because": "Juste parce que", "Just to say hello": "Juste pour dire bonjour", "Key name": "Nom de la clé", "kilometers (km)": "kilomètres (km)", "km": "km", - "Label:": "Libellé :", + "Label:": "Étiquette :", "Labels": "Étiquettes", - "Labels let you classify contacts using a system that matters to you.": "Les étiquettes vous permettent de classer les contacts en utilisant un système qui vous concerne.", + "Labels let you classify contacts using a system that matters to you.": "Les étiquettes vous permettent de classer les contacts à l’aide d’un système qui compte pour vous.", "Language of the application": "Langue de l’application", "Last active": "Dernier actif", "Last active :date": "Dernière activité :date", "Last name": "Nom de famille", "Last name First name": "Nom Prénom", - "Last updated": "Dernièrement mis à jour", + "Last updated": "Dernière mise à jour", "Last used": "Dernière utilisation", "Last used :date": "Dernière utilisation :date", "Leave": "Quitter", "Leave Team": "Quitter l’équipe", "Life": "Vie", "Life & goals": "Vie et objectifs", - "Life events": "Événements de vie", - "Life events let you document what happened in your life.": "Les événements de vie vous permettent de documenter ce qui s’est passé dans votre vie.", - "Life event types:": "Types d’événements de la vie:", + "Life events": "Événements de la vie", + "Life events let you document what happened in your life.": "Les événements de la vie vous permettent de documenter ce qui s’est passé dans votre vie.", + "Life event types:": "Types d’événements de la vie :", "Life event types and categories": "Types et catégories d’événements de la vie", - "Life metrics": "Métriques de vie", - "Life metrics let you track metrics that are important to you.": "Les métriques de vie vous permettent de suivre les métriques qui vous sont importantes.", - "Link to documentation": "Lien vers la documentation", + "Life metrics": "Métrique de vie", + "Life metrics let you track metrics that are important to you.": "Les métriques de vie vous permettent de suivre les métriques qui sont importantes pour vous.", + "LinkedIn": "LinkedIn", "List of addresses": "Liste des adresses", - "List of addresses of the contacts in the vault": "Liste des adresses des contacts dans la voûte", + "List of addresses of the contacts in the vault": "Liste des adresses des contacts dans le coffre", "List of all important dates": "Liste de toutes les dates importantes", "Loading…": "Chargement…", "Load previous entries": "Charger les entrées précédentes", "Loans": "Prêts", - "Locale default: :value": "Paramètres régionaux par défaut : :value", + "Locale default: :value": "Paramètres régionaux par défaut : :value", "Log a call": "Enregistrer un appel", - "Log details": "Détails des logs", + "Log details": "Détails du journal", "logged the mood": "a enregistré l’humeur", "Log in": "Se connecter", "Login": "Connexion", @@ -581,10 +581,10 @@ "Log Out": "Se déconnecter", "Logout": "Déconnexion", "Log Out Other Browser Sessions": "Déconnecter les sessions ouvertes sur d’autres navigateurs", - "Longest streak": "Plus longue série", + "Longest streak": "La plus longue série", "Love": "Amour", "loved by": "aimé par", - "lover": "amant", + "lover": "amoureux", "Made from all over the world. We ❤️ you.": "Fait avec amour à travers le monde. On vous ❤️.", "Maiden name": "Nom de naissance", "Male": "Homme", @@ -593,12 +593,12 @@ "Manage address types": "Gérer les types d’adresses", "Manage and log out your active sessions on other browsers and devices.": "Gérer et déconnecter vos sessions actives sur les autres navigateurs et appareils.", "Manage API Tokens": "Gérer les jetons API", - "Manage call reasons": "Gérer les raisons d’appel", + "Manage call reasons": "Gérer les motifs d’appel", "Manage contact information types": "Gérer les types d’informations de contact", "Manage currencies": "Gérer les devises", "Manage genders": "Gérer les genres", "Manage gift occasions": "Gérer les occasions de cadeaux", - "Manage gift states": "Gérer les états des cadeaux", + "Manage gift states": "Gérer les états de cadeaux", "Manage group types": "Gérer les types de groupes", "Manage modules": "Gérer les modules", "Manage pet categories": "Gérer les catégories d’animaux de compagnie", @@ -612,6 +612,7 @@ "Manage Team": "Gérer l’équipe", "Manage templates": "Gérer les modèles", "Manage users": "Gérer les utilisateurs", + "Mastodon": "Mastodon", "Maybe one of these contacts?": "Peut-être un de ces contacts ?", "mentor": "mentor", "Middle name": "Deuxième prénom", @@ -621,7 +622,7 @@ "Monday": "Lundi", "Monica. All rights reserved. 2017 — :date.": "Monica. Tous droits réservés. 2017 — :date.", "Monica is open source, made by hundreds of people from all around the world.": "Monica est open source, créé par des centaines de personnes du monde entier.", - "Monica was made to help you document your life and your social interactions.": "Monica a été créée pour vous aider à documenter votre vie et vos interactions sociales.", + "Monica was made to help you document your life and your social interactions.": "Monica a été conçue pour vous aider à documenter votre vie et vos interactions sociales.", "Month": "Mois", "month": "mois", "Mood in the year": "Humeur dans l’année", @@ -636,33 +637,33 @@ "Name of the reminder": "Nom du rappel", "Name of the reverse relationship": "Nom de la relation inverse", "Nature of the call": "Nature de l’appel", - "nephew\/niece": "neveu\/nièce", + "nephew/niece": "neveu/nièce", "New Password": "Nouveau mot de passe", "New to Monica?": "Nouveau sur Monica ?", "Next": "Suivant", "Nickname": "Surnom", "nickname": "surnom", - "No cities have been added yet in any contact’s addresses.": "Aucune ville n’a encore été ajoutée dans les adresses d’un contact.", + "No cities have been added yet in any contact’s addresses.": "Aucune ville n’a encore été ajoutée dans les adresses des contacts.", "No contacts found.": "Aucun contact trouvé.", - "No countries have been added yet in any contact’s addresses.": "Aucun pays n’a encore été ajouté dans les adresses d’un contact.", - "No dates in this month.": "Pas de dates ce mois-ci.", - "No description yet.": "Pas encore de description.", + "No countries have been added yet in any contact’s addresses.": "Aucun pays n’a encore été ajouté dans les adresses des contacts.", + "No dates in this month.": "Aucun rendz-vous ce mois-ci.", + "No description yet.": "Aucune description pour l’instant.", "No groups found.": "Aucun groupe trouvé.", - "No keys registered yet": "Pas encore de clés enregistrées", + "No keys registered yet": "Aucune clé enregistrée pour le moment", "No labels yet.": "Pas encore d’étiquettes.", - "No life event types yet.": "Pas encore de types d’événements de la vie.", + "No life event types yet.": "Aucun type d’événement de la vie pour l’instant.", "No notes found.": "Aucune note trouvée.", - "No results found": "Aucun résultat", + "No results found": "Aucun résultat trouvé", "No role": "Aucun rôle", - "No roles yet.": "Pas encore de rôles.", - "No tasks.": "Pas de tâches.", + "No roles yet.": "Aucun rôle pour l’instant.", + "No tasks.": "Aucune tâche.", "Notes": "Notes", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Notez que la suppression d’un module d’une page ne supprimera pas les données réelles de vos pages de contact. Il suffira de le masquer.", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Notez que supprimer un module d’une page ne supprimera pas les données réelles de vos pages de contact. Cela le cachera simplement.", "Not Found": "Non trouvé", "Notification channels": "Canaux de notification", "Notification sent": "Notification envoyée", "Not set": "Non défini", - "No upcoming reminders.": "Pas de rappels à venir.", + "No upcoming reminders.": "Aucun rappel à venir.", "Number of hours slept": "Nombre d’heures de sommeil", "Numerical value": "Valeur numérique", "of": "de", @@ -671,15 +672,15 @@ "Once you cancel,": "Une fois que vous annulez,", "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Une fois que vous aurez cliqué sur le bouton Configurer ci-dessous, vous devrez ouvrir Telegram avec le bouton que nous vous fournirons. Cela localisera le bot Monica Telegram pour vous.", "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Une fois que votre compte est supprimé, toutes vos données sont supprimées définitivement. Avant de supprimer votre compte, veuillez télécharger vos données.", - "Only once, when the next occurence of the date occurs.": "Une seule fois, lorsque la prochaine occurrence de la date se produit.", - "Oops! Something went wrong.": "Oups ! Quelque chose s’est mal passé.", + "Only once, when the next occurence of the date occurs.": "Une seule fois, lors de la prochaine occurrence de la date.", + "Oops! Something went wrong.": "Oops! Quelque chose s’est mal passé.", "Open Street Maps": "Open Street Maps", "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps est une excellente alternative en matière de confidentialité, mais offre moins de détails.", "Open Telegram to validate your identity": "Ouvrez Telegram pour valider votre identité", - "optional": "optionnel", - "Or create a new one": "Ou en créer une nouvelle", + "optional": "facultatif", + "Or create a new one": "Ou créez-en un nouveau", "Or filter by type": "Ou filtrer par type", - "Or remove the slice": "Ou supprimer la tranche", + "Or remove the slice": "Ou retirez la tranche", "Or reset the fields": "Ou réinitialiser les champs", "Other": "Autre", "Out of respect and appreciation": "Par respect et appréciation", @@ -694,7 +695,7 @@ "Password": "Mot de passe", "Payment Required": "Paiement requis", "Pending Team Invitations": "Invitations d’équipe en attente", - "per\/per": "per\/per", + "per/per": "per/per", "Permanently delete this team.": "Supprimer définitivement cette équipe.", "Permanently delete your account.": "Supprimer définitivement votre compte.", "Permission for :name": "Autorisation pour :name", @@ -703,41 +704,41 @@ "Personalize your account": "Personnalisez votre compte", "Pet categories": "Catégories d’animaux de compagnie", "Pet categories let you add types of pets that contacts can add to their profile.": "Les catégories d’animaux de compagnie vous permettent d’ajouter des types d’animaux de compagnie que les contacts peuvent ajouter à leur profil.", - "Pet category": "Catégorie de l’animal de compagnie", + "Pet category": "Catégorie d’animaux de compagnie", "Pets": "Animaux de compagnie", "Phone": "Téléphone", "Photo": "Image", "Photos": "Photos", - "Played basketball": "A joué au basket-ball", + "Played basketball": "A joué au basketball", "Played golf": "A joué au golf", "Played soccer": "A joué au football", "Played tennis": "A joué au tennis", - "Please choose a template for this new post": "Veuillez choisir un modèle pour cette nouvelle publication", + "Please choose a template for this new post": "Veuillez choisir un modèle pour ce nouveau message", "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Veuillez choisir un modèle ci-dessous pour indiquer à Monica comment ce contact doit être affiché. Les modèles vous permettent de définir quelles données doivent être affichées sur la page de contact.", - "Please click the button below to verify your email address.": "Veuillez cliquer sur le bouton ci-dessous pour vérifier votre adresse e-mail :", + "Please click the button below to verify your email address.": "Veuillez cliquer sur le bouton ci-dessous pour vérifier votre adresse e-mail :", "Please complete this form to finalize your account.": "Veuillez remplir ce formulaire pour finaliser votre compte.", "Please confirm access to your account by entering one of your emergency recovery codes.": "Veuillez confirmer l’accès à votre compte en entrant l’un des codes de récupération d’urgence.", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Veuillez confirmer l’accès à votre compte en entrant le code d’authentification fourni par votre application d’authentification.", "Please confirm access to your account by validating your security key.": "Veuillez confirmer l’accès à votre compte en validant votre clé de sécurité.", "Please copy your new API token. For your security, it won't be shown again.": "Veuillez copier votre nouveau token API. Pour votre sécurité, il ne sera pas ré-affiché.", "Please copy your new API token. For your security, it won’t be shown again.": "Veuillez copier votre nouveau jeton API. Pour votre sécurité, il ne sera plus affiché.", - "Please enter at least 3 characters to initiate a search.": "Veuillez entrer au moins 3 caractères pour lancer une recherche.", + "Please enter at least 3 characters to initiate a search.": "Veuillez saisir au moins 3 caractères pour lancer une recherche.", "Please enter your password to cancel the account": "Veuillez entrer votre mot de passe pour annuler le compte", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Veuillez entrer votre mot de passe pour confirmer que vous voulez déconnecter toutes les autres sessions de navigateurs sur l’ensemble de vos appareils.", - "Please indicate the contacts": "Veuillez indiquer les contacts", - "Please join Monica": "Veuillez rejoindre Monica", + "Please indicate the contacts": "Merci d’indiquer les contacts", + "Please join Monica": "S’il vous plaît, rejoignez Monica", "Please provide the email address of the person you would like to add to this team.": "Veuillez indiquer l’adresse e-mail de la personne que vous souhaitez ajouter à cette équipe.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Veuillez lire notre documentation<\/link> pour en savoir plus sur cette fonctionnalité et sur les variables auxquelles vous avez accès.", - "Please select a page on the left to load modules.": "Veuillez sélectionner une page à gauche pour charger les modules.", - "Please type a few characters to create a new label.": "Veuillez taper quelques caractères pour créer une nouvelle étiquette.", - "Please type a few characters to create a new tag.": "Veuillez taper quelques caractères pour créer une nouvelle étiquette.", - "Please validate your email address": "Veuillez valider votre adresse e-mail", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Veuillez lire notre documentation pour en savoir plus sur cette fonctionnalité et sur les variables auxquelles vous avez accès.", + "Please select a page on the left to load modules.": "Veuillez sélectionner une page sur la gauche pour charger les modules.", + "Please type a few characters to create a new label.": "Veuillez saisir quelques caractères pour créer une nouvelle étiquette.", + "Please type a few characters to create a new tag.": "Veuillez saisir quelques caractères pour créer une nouvelle balise.", + "Please validate your email address": "Veuillez valider votre adresse email", "Please verify your email address": "Veuillez vérifier votre adresse e-mail", - "Postal code": "Code postal", - "Post metrics": "Métriques de publication", + "Postal code": "Code Postal", + "Post metrics": "Publier des métriques", "Posts": "Entrées de journal", - "Posts in your journals": "Entrées de journal dans vos journaux", - "Post templates": "Modèles d’entrée de journal", + "Posts in your journals": "Entrées de vos journaux", + "Post templates": "Modèles des entrées de journal", "Prefix": "Préfixe", "Previous": "Précédent", "Previous addresses": "Adresses précédentes", @@ -749,7 +750,7 @@ "Profile page of :name": "Page de profil de :name", "Pronoun": "Pronom", "Pronouns": "Pronoms", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Les pronoms sont essentiellement la façon dont nous nous identifions en dehors de notre nom. C’est la façon dont quelqu’un vous désigne dans une conversation.", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Les pronoms sont essentiellement la façon dont nous nous identifions en dehors de notre nom. C’est ainsi que quelqu’un se réfère à vous dans une conversation.", "protege": "protégé", "Protocol": "Protocole", "Protocol: :name": "Protocole : :name", @@ -757,15 +758,15 @@ "Quick facts": "À savoir", "Quick facts let you document interesting facts about a contact.": "Les faits rapides vous permettent de documenter des faits intéressants sur un contact.", "Quick facts template": "Modèle de faits rapides", - "Quit job": "A quitté le travail", + "Quit job": "Démissioner le job", "Rabbit": "Lapin", - "Ran": "A couru", + "Ran": "Couru", "Rat": "Rat", "Read :count time|Read :count times": "Lu :count fois|Lu :count fois", "Record a loan": "Enregistrer un prêt", - "Record your mood": "Enregistrer votre humeur", + "Record your mood": "Enregistrez votre humeur", "Recovery Code": "Code de récupération", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Peu importe où vous vous trouvez dans le monde, faites afficher les dates dans votre propre fuseau horaire.", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Quel que soit l’endroit où vous vous trouvez dans le monde, affichez les dates dans votre propre fuseau horaire.", "Regards": "Cordialement", "Regenerate Recovery Codes": "Régénérer les codes de récupération", "Register": "Inscription", @@ -775,22 +776,22 @@ "Regular user": "Utilisateur régulier", "Relationships": "Relations", "Relationship types": "Types de relations", - "Relationship types let you link contacts and document how they are connected.": "Les types de relations vous permettent de lier des contacts et de documenter comment ils sont connectés.", + "Relationship types let you link contacts and document how they are connected.": "Les types de relations vous permettent de lier des contacts et de documenter la manière dont ils sont connectés.", "Religion": "Religion", "Religions": "Religions", - "Religions is all about faith.": "La religion est une question de foi.", + "Religions is all about faith.": "Les religions sont avant tout une question de foi.", "Remember me": "Se souvenir de moi", - "Reminder for :name": "Rappel pour :nom", + "Reminder for :name": "Rappel pour :name", "Reminders": "Rappels", "Reminders for the next 30 days": "Rappels pour les 30 prochains jours", "Remind me about this date every year": "Rappelez-moi cette date chaque année", - "Remind me about this date just once, in one year from now": "Rappelez-moi cette date une seule fois, dans un an à partir de maintenant", + "Remind me about this date just once, in one year from now": "Rappelez-moi cette date juste une fois, dans un an", "Remove": "Supprimer", "Remove avatar": "Supprimer l’avatar", "Remove cover image": "Supprimer l’image de couverture", - "removed a label": "a supprimé un label", + "removed a label": "a supprimé une étiquette", "removed the contact from a group": "a supprimé le contact d’un groupe", - "removed the contact from a post": "a supprimé le contact d’un poste", + "removed the contact from a post": "a supprimé le contact d’un message", "removed the contact from the favorites": "a supprimé le contact des favoris", "Remove Photo": "Supprimer l’image", "Remove Team Member": "Supprimer le membre d’équipe", @@ -801,7 +802,7 @@ "Reset Password": "Réinitialisation du mot de passe", "Reset Password Notification": "Notification de réinitialisation du mot de passe", "results": "résultats", - "Retry": "Réessayer", + "Retry": "Recommencer", "Revert": "Annuler", "Rode a bike": "A fait du vélo", "Role": "Rôle", @@ -811,17 +812,17 @@ "Save": "Sauvegarder", "Saved.": "Sauvegardé.", "Saving in progress": "Sauvegarde en cours", - "Searched": "Recherché", - "Searching…": "Recherche en cours…", + "Searched": "Reherché", + "Searching…": "Recherche…", "Search something": "Rechercher quelque chose", - "Search something in the vault": "Rechercher quelque chose dans la voûte", + "Search something in the vault": "Rechercher quelque chose dans le coffre", "Sections:": "Sections :", "Security keys": "Clés de sécurité", "Select a group or create a new one": "Sélectionner un groupe ou en créer un nouveau", "Select A New Photo": "Sélectionner une nouvelle image", "Select a relationship type": "Sélectionnez un type de relation", - "Send invitation": "Envoyer l’invitation", - "Send test": "Envoyer un test", + "Send invitation": "Envoyer une invitation", + "Send test": "Envoyer le test", "Sent at :time": "Envoyé à :time", "Server Error": "Erreur serveur", "Service Unavailable": "Service indisponible", @@ -830,10 +831,10 @@ "Settings": "Paramètres", "Settle": "Régler", "Setup": "Configurer", - "Setup Key": "Clé de configuration", - "Setup Key:": "Clé de configuration :", + "Setup Key": "Configurer la clé", + "Setup Key:": "Configurer la clé :", "Setup Telegram": "Configurer Telegram", - "she\/her": "elle\/elle", + "she/her": "elle/elle", "Shintoist": "Shintoïste", "Show Calendar tab": "Afficher l’onglet Calendrier", "Show Companies tab": "Afficher l’onglet Entreprises", @@ -841,13 +842,13 @@ "Show Files tab": "Afficher l’onglet Fichiers", "Show Groups tab": "Afficher l’onglet Groupes", "Showing": "Montrant", - "Showing :count of :total results": "Affichage de :count sur :total résultats", - "Showing :first to :last of :total results": "Affichage de :first à :last sur :total résultats", + "Showing :count of :total results": "Affichage de :count résultats sur :total", + "Showing :first to :last of :total results": "Affichage de :first à :last résultats sur :total", "Show Journals tab": "Afficher l’onglet Journaux", "Show Recovery Codes": "Afficher les codes de récupération", "Show Reports tab": "Afficher l’onglet Rapports", "Show Tasks tab": "Afficher l’onglet Tâches", - "significant other": "autre significatif", + "significant other": "moitié", "Sign in to your account": "Connectez-vous à votre compte", "Sign up for an account": "Créer un compte", "Sikh": "Sikh", @@ -855,25 +856,24 @@ "Slice of life": "Tranche de vie", "Slices of life": "Tranches de vie", "Small animal": "Petit animal", - "Social": "Social", + "Social": "Sociale", "Some dates have a special type that we will use in the software to calculate an age.": "Certaines dates ont un type spécial que nous utiliserons dans le logiciel pour calculer un âge.", - "Sort contacts": "Trier les contacts", - "So… it works 😼": "Du coup… ça marche 😼", - "Sport": "Sport", + "So… it works 😼": "Alors… ça marche 😼", + "Sport": "sport", "spouse": "conjoint", "Statistics": "Statistiques", "Storage": "Stockage", "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Enregistrez ces codes dans un gestionnaire de mot de passe sécurisé. Ils peuvent être réutilisés pour accéder à votre compte si l’authentification à deux facteurs n’aboutit pas.", "Submit": "Soumettre", - "subordinate": "subordonné", + "subordinate": "subalterne", "Suffix": "Suffixe", "Summary": "Résumé", "Sunday": "Dimanche", "Switch role": "Changer de rôle", "Switch Teams": "Permuter les équipes", "Tabs visibility": "Visibilité des onglets", - "Tags": "Étiquettes", - "Tags let you classify journal posts using a system that matters to you.": "Les étiquettes vous permettent de classer les articles de journal en utilisant un système qui vous concerne.", + "Tags": "Balises", + "Tags let you classify journal posts using a system that matters to you.": "Les balises vous permettent de classer les articles de journaux à l’aide d’un système qui compte pour vous.", "Taoist": "Taoïste", "Tasks": "Tâches", "Team Details": "Détails de l’équipe", @@ -884,14 +884,13 @@ "Team Settings": "Préférences de l’équipe", "Telegram": "Telegram", "Templates": "Modèles", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Les modèles vous permettent de personnaliser les données qui doivent être affichées sur vos contacts. Vous pouvez définir autant de modèles que vous le souhaitez, et choisir quel modèle doit être utilisé sur quel contact.", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Les modèles vous permettent de personnaliser les données qui doivent être affichées sur vos contacts. Vous pouvez définir autant de modèles que vous le souhaitez et choisir quel modèle doit être utilisé sur quel contact.", "Terms of Service": "Conditions d’utilisation", - "Test email for Monica": "Courriel de test pour Monica", - "Test email sent!": "E-mail de test envoyé !", + "Test email for Monica": "E-mail de test pour Monica", + "Test email sent!": "Email test envoyé !", "Thanks,": "Merci,", - "Thanks for giving Monica a try": "Merci d’avoir essayé Monica", "Thanks for giving Monica a try.": "Merci d’avoir essayé Monica.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Merci de vous être inscrit⋅e ! Avant de commencer, pourriez-vous vérifier votre adresse e-mail en cliquant sur le lien que nous venons de vous envoyer par e-mail ? Si vous n’avez pas reçu l’e-mail, nous vous en enverrons un autre avec plaisir.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Merci pour l’enregistrement! Avant de commencer, pourriez-vous vérifier votre adresse e-mail en cliquant sur le lien que nous venons de vous envoyer par e-mail ? Si vous n’avez pas reçu l’e-mail, nous vous en enverrons volontiers un autre.", "The :attribute must be at least :length characters.": "Le champ :attribute doit avoir au moins :length caractères.", "The :attribute must be at least :length characters and contain at least one number.": "Le champ :attribute doit avoir au moins :length caractères et contenir au moins un chiffre.", "The :attribute must be at least :length characters and contain at least one special character.": "Le champ :attribute doit avoir au moins :length caractères et contenir au moins un caractère spécial.", @@ -901,32 +900,32 @@ "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Le champ :attribute doit avoir au moins :length caractères et contenir au moins une majuscule et un chiffre.", "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Le champ :attribute doit avoir au moins :length caractères et contenir au moins une majuscule et un caractère spécial.", "The :attribute must be a valid role.": "Le :attribute doit être un rôle valide.", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Les données du compte seront définitivement supprimées de nos serveurs dans les 30 jours et de toutes les sauvegardes dans les 60 jours.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Les données du compte seront définitivement supprimées de nos serveurs dans un délai de 30 jours et de toutes les sauvegardes dans un délai de 60 jours.", "The address type has been created": "Le type d’adresse a été créé", "The address type has been deleted": "Le type d’adresse a été supprimé", "The address type has been updated": "Le type d’adresse a été mis à jour", "The call has been created": "L’appel a été créé", "The call has been deleted": "L’appel a été supprimé", "The call has been edited": "L’appel a été modifié", - "The call reason has been created": "La raison d’appel a été créée", - "The call reason has been deleted": "La raison d’appel a été supprimée", - "The call reason has been updated": "La raison d’appel a été mise à jour", - "The call reason type has been created": "Le type de raison d’appel a été créé", - "The call reason type has been deleted": "Le type de raison d’appel a été supprimé", - "The call reason type has been updated": "Le type de raison d’appel a été mis à jour", - "The channel has been added": "Le canal a été ajouté", - "The channel has been updated": "Le canal a été mis à jour", - "The contact does not belong to any group yet.": "Le contact n’appartient pas encore à un groupe.", + "The call reason has been created": "Le motif de l’appel a été créé", + "The call reason has been deleted": "Le motif de l’appel a été supprimé", + "The call reason has been updated": "Le motif de l’appel a été mis à jour", + "The call reason type has been created": "Le type de motif d’appel a été créé", + "The call reason type has been deleted": "Le type de motif d’appel a été supprimé", + "The call reason type has been updated": "Le type de motif d’appel a été mis à jour", + "The channel has been added": "La chaîne a été ajoutée", + "The channel has been updated": "La chaîne a été mise à jour", + "The contact does not belong to any group yet.": "Le contact n’appartient à aucun groupe pour l’instant.", "The contact has been added": "Le contact a été ajouté", - "The contact has been deleted": "Le contact a été supprimé.", + "The contact has been deleted": "Le contact a été supprimé", "The contact has been edited": "Le contact a été modifié", "The contact has been removed from the group": "Le contact a été supprimé du groupe", - "The contact information has been created": "L’information de contact a été créée", - "The contact information has been deleted": "L’information de contact a été supprimée", - "The contact information has been edited": "L’information de contact a été modifiée", - "The contact information type has been created": "Le type d’information de contact a été créé", - "The contact information type has been deleted": "Le type d’information de contact a été supprimé", - "The contact information type has been updated": "Le type d’information de contact a été mis à jour", + "The contact information has been created": "Les coordonnées ont été créées", + "The contact information has been deleted": "Les coordonnées ont été supprimées", + "The contact information has been edited": "Les coordonnées ont été modifiées", + "The contact information type has been created": "Le type d’informations de contact a été créé", + "The contact information type has been deleted": "Le type d’informations de contact a été supprimé", + "The contact information type has been updated": "Le type d’informations de contact a été mis à jour", "The contact is archived": "Le contact est archivé", "The currencies have been updated": "Les devises ont été mises à jour", "The currency has been updated": "La devise a été mise à jour", @@ -935,18 +934,18 @@ "The date has been updated": "La date a été mise à jour", "The document has been added": "Le document a été ajouté", "The document has been deleted": "Le document a été supprimé", - "The email address has been deleted": "L’adresse e-mail a été supprimée", + "The email address has been deleted": "L’adresse email a été supprimée", "The email has been added": "L’e-mail a été ajouté", - "The email is already taken. Please choose another one.": "L'e-mail est déjà pris. Veuillez en choisir un autre.", - "The gender has been created": "Le genre a été crée", + "The email is already taken. Please choose another one.": "L’email est déjà pris. Veuillez en choisir un autre.", + "The gender has been created": "Le genre a été créé", "The gender has been deleted": "Le genre a été supprimé", "The gender has been updated": "Le genre a été mis à jour", - "The gift occasion has been created": "L’occasion de cadeau a été créée", + "The gift occasion has been created": "L’occasion cadeau a été créée", "The gift occasion has been deleted": "L’occasion de cadeau a été supprimée", - "The gift occasion has been updated": "L’occasion de cadeau a été mise à jour", - "The gift state has been created": "L’état de cadeau a été créé", - "The gift state has been deleted": "L’état de cadeau a été supprimé", - "The gift state has been updated": "L’état de cadeau a été mis à jour", + "The gift occasion has been updated": "L’occasion du cadeau a été mise à jour", + "The gift state has been created": "L’état du cadeau a été créé", + "The gift state has been deleted": "L’état du cadeau a été supprimé", + "The gift state has been updated": "L’état du cadeau a été mis à jour", "The given data was invalid.": "La donnée renseignée est incorrecte.", "The goal has been created": "L’objectif a été créé", "The goal has been deleted": "L’objectif a été supprimé", @@ -960,7 +959,7 @@ "The important dates in the next 12 months": "Les dates importantes dans les 12 prochains mois", "The job information has been saved": "Les informations professionnelles ont été enregistrées", "The journal lets you document your life with your own words.": "Le journal vous permet de documenter votre vie avec vos propres mots.", - "The keys to manage uploads have not been set in this Monica instance.": "Les clés pour gérer les téléchargements n’ont pas été définies dans cette instance de Monica.", + "The keys to manage uploads have not been set in this Monica instance.": "Les clés permettant de gérer les téléchargements n’ont pas été définies dans cette instance Monica.", "The label has been added": "L’étiquette a été ajoutée", "The label has been created": "L’étiquette a été créée", "The label has been deleted": "L’étiquette a été supprimée", @@ -970,7 +969,7 @@ "The life metric has been updated": "La métrique de vie a été mise à jour", "The loan has been created": "Le prêt a été créé", "The loan has been deleted": "Le prêt a été supprimé", - "The loan has been edited": "Le prêt a été modifié", + "The loan has been edited": "Le prêt a été modifé", "The loan has been settled": "Le prêt a été réglé", "The loan is an object": "Le prêt est un objet", "The loan is monetary": "Le prêt est monétaire", @@ -993,10 +992,10 @@ "The pet has been edited": "L’animal de compagnie a été modifié", "The photo has been added": "La photo a été ajoutée", "The photo has been deleted": "La photo a été supprimée", - "The position has been saved": "L’ordre a été enregistré", - "The post template has been created": "Le modèle d’entrée de journal a été créé", - "The post template has been deleted": "Le modèle d’entrée de journal a été supprimé", - "The post template has been updated": "Le modèle d’entrée de journal a été mis à jour", + "The position has been saved": "La position a été enregistré", + "The post template has been created": "Le modèle de message a été créé", + "The post template has been deleted": "Le modèle de message a été supprimé", + "The post template has been updated": "Le modèle de message a été mis à jour", "The pronoun has been created": "Le pronom a été créé", "The pronoun has been deleted": "Le pronom a été supprimé", "The pronoun has been updated": "Le pronom a été mis à jour", @@ -1008,23 +1007,23 @@ "There are no calls logged yet.": "Il n’y a pas encore d’appel enregistré.", "There are no contact information yet.": "Il n’y a pas encore d’information de contact.", "There are no documents yet.": "Il n’y a pas encore de document.", - "There are no events on that day, future or past.": "Il n’y a pas d’événement ce jour-là, futur ou passé.", - "There are no files yet.": "Il n’y a pas encore de fichiers.", + "There are no events on that day, future or past.": "Il n’y a aucun événement ce jour-là, futur ou passé.", + "There are no files yet.": "Il n’y a pas encore de fichier.", "There are no goals yet.": "Il n’y a pas encore d’objectif.", - "There are no journal metrics.": "Il n’y a pas de métriques de journal.", + "There are no journal metrics.": "Il n’y a pas de mesure de journal.", "There are no loans yet.": "Il n’y a pas encore de prêt.", "There are no notes yet.": "Il n’y a pas encore de note.", - "There are no other users in this account.": "Il n’y a pas d’autres utilisateurs dans ce compte.", - "There are no pets yet.": "Il n’y a pas encore d’animal de compagnie.", - "There are no photos yet.": "Il n’y a pas encore de photo.", - "There are no posts yet.": "Il n’y a pas encore d’entrée de journal.", - "There are no quick facts here yet.": "Il n’y a pas encore d’information ici.", + "There are no other users in this account.": "Il n’y a aucun autre utilisateur dans ce compte.", + "There are no pets yet.": "Il n’y a pas encore d’animl de compagnie.", + "There are no photos yet.": "Il n’y a aucune photo pour le moment.", + "There are no posts yet.": "Il n’y a pas encore de message.", + "There are no quick facts here yet.": "Il n’y a pas encore de fait rapide ici.", "There are no relationships yet.": "Il n’y a pas encore de relation.", "There are no reminders yet.": "Il n’y a pas encore de rappel.", "There are no tasks yet.": "Il n’y a pas encore de tâche.", - "There are no templates in the account. Go to the account settings to create one.": "Il n’y a pas de modèles dans le compte. Allez dans les paramètres du compte pour en créer un.", + "There are no templates in the account. Go to the account settings to create one.": "Il n’y a aucun modèle dans le compte. Accédez aux paramètres du compte pour en créer un.", "There is no activity yet.": "Il n’y a pas encore d’activité.", - "There is no currencies in this account.": "Il n’y a pas de devises dans ce compte.", + "There is no currencies in this account.": "Il n’y a aucune devise dans ce compte.", "The relationship has been added": "La relation a été ajoutée", "The relationship has been deleted": "La relation a été supprimée", "The relationship type has been created": "Le type de relation a été créé", @@ -1036,27 +1035,29 @@ "The reminder has been created": "Le rappel a été créé", "The reminder has been deleted": "Le rappel a été supprimé", "The reminder has been edited": "Le rappel a été modifié", + "The response is not a streamed response.": "La réponse n’est pas une réponse diffusée.", + "The response is not a view.": "La réponse n’est pas une vue.", "The role has been created": "Le rôle a été créé", "The role has been deleted": "Le rôle a été supprimé", "The role has been updated": "Le rôle a été mis à jour", - "The section has been created": "La section a été créée", - "The section has been deleted": "La section a été supprimée", - "The section has been updated": "La section a été mise à jour", + "The section has been created": "La rubrique a été créée", + "The section has been deleted": "La rubrique a été supprimée", + "The section has been updated": "La rubrique a été mise à jour", "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Ces personnes ont été invitées à rejoindre votre équipe et ont été prévenues avec un e-mail d’invitation. Ils peuvent rejoindre l’équipe grâce à l’e-mail d’invitation.", - "The tag has been added": "L’étiquette a été ajoutée", - "The tag has been created": "L’étiquette a été créée", - "The tag has been deleted": "L’étiquette a été supprimée", - "The tag has been updated": "L’étiquette a été mise à jour", + "The tag has been added": "La balise a été ajoutée", + "The tag has been created": "La balise a été créée", + "The tag has been deleted": "La balise a été supprimée", + "The tag has been updated": "La balisee a été mise à jour", "The task has been created": "La tâche a été créée", "The task has been deleted": "La tâche a été supprimée", "The task has been edited": "La tâche a été modifiée", "The team's name and owner information.": "Les informations concernant l’équipe et son propriétaire.", - "The Telegram channel has been deleted": "Le canal Telegram a été supprimé", + "The Telegram channel has been deleted": "La chaîne Telegram a été supprimée", "The template has been created": "Le modèle a été créé", "The template has been deleted": "Le modèle a été supprimé", "The template has been set": "Le modèle a été défini", "The template has been updated": "Le modèle a été mis à jour", - "The test email has been sent": "L’e-mail de test a été envoyé", + "The test email has been sent": "L’email de test a été envoyé", "The type has been created": "Le type a été créé", "The type has been deleted": "Le type a été supprimé", "The type has been updated": "Le type a été mis à jour", @@ -1064,10 +1065,10 @@ "The user has been deleted": "L’utilisateur a été supprimé", "The user has been removed": "L’utilisateur a été supprimé", "The user has been updated": "L’utilisateur a été mis à jour", - "The vault has been created": "La voûte a été créée", - "The vault has been deleted": "La voûte a été supprimée", - "The vault have been updated": "La voûte a été mise à jour", - "they\/them": "ils\/eux", + "The vault has been created": "Le coffre a été créé", + "The vault has been deleted": "Le coffre a été supprimé", + "The vault have been updated": "Le coffre a été mis à jour", + "they/them": "ils/eux", "This address is not active anymore": "Cette adresse n’est plus active", "This device": "Cet appareil", "This email is a test email to check if Monica can send an email to this email address.": "Cet e-mail est un e-mail de test pour vérifier si Monica peut envoyer un e-mail à cette adresse e-mail.", @@ -1076,34 +1077,33 @@ "This is a test notification for :name": "Ceci est une notification de test pour :name", "This key is already registered. It’s not necessary to register it again.": "Cette clé est déjà enregistrée. Il n’est pas nécessaire de l’enregistrer à nouveau.", "This link will open in a new tab": "Ce lien s’ouvrira dans un nouvel onglet", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Cette page affiche toutes les notifications qui ont été envoyées dans ce canal dans le passé. Elle sert principalement de moyen de débogage au cas où vous ne recevez pas la notification que vous avez configurée.", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Cette page affiche toutes les notifications qui ont été envoyées sur ce canal dans le passé. Il sert principalement à déboguer au cas où vous ne recevriez pas la notification que vous avez configurée.", "This password does not match our records.": "Ce mot de passe ne correspond pas à nos enregistrements.", "This password reset link will expire in :count minutes.": "Ce lien de réinitialisation du mot de passe expirera dans :count minutes.", - "This post has no content yet.": "Cette publication n’a pas encore de contenu.", + "This post has no content yet.": "Cet article n’a pas encore de contenu.", "This provider is already associated with another account": "Ce fournisseur est déjà associé à un autre compte", "This site is open source.": "Ce site est open source.", - "This template will define what information are displayed on a contact page.": "Ce modèle définira quelles informations sont affichées sur une page de contact.", + "This template will define what information are displayed on a contact page.": "Ce modèle définira les informations affichées sur une page de contact.", "This user already belongs to the team.": "Cet utilisateur appartient déjà à l’équipe.", "This user has already been invited to the team.": "Cet utilisateur a déjà été invité à rejoindre l’équipe.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Cet utilisateur fera partie de votre compte, mais n’aura pas accès à tous les coffres-forts de ce compte à moins que vous ne lui donniez un accès spécifique. Cette personne pourra également créer des coffres-forts.", - "This will immediately:": "Cela va immédiatement:", - "Three things that happened today": "Trois choses qui se sont passées aujourd’hui", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Cet utilisateur fera partie de votre compte, mais n’aura pas accès à tous les coffres-forts de ce compte, sauf si vous leur accordez un accès spécifique. Cette personne pourra également créer des coffres-forts.", + "This will immediately:": "Cela va immédiatement :", + "Three things that happened today": "Trois choses qui se sont produites aujourd’hui", "Thursday": "Jeudi", "Timezone": "Fuseau horaire", "Title": "Titre", "to": "à", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Pour terminer l’activation de l’authentification à deux facteurs, scannez le code QR suivant à l’aide de l’application d’authentification de votre téléphone ou entrez la clé de configuration et fournissez le code OTP généré.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Pour terminer l’activation de l’authentification à deux facteurs, scannez le code QR suivant à l’aide de l’application d’authentification de votre téléphone ou entrez la clé de configuration et fournissez le code OTP généré.", - "Toggle navigation": "Afficher \/ masquer le menu de navigation", + "Toggle navigation": "Afficher / masquer le menu de navigation", "To hear their story": "Pour entendre leur histoire", "Token Name": "Nom du jeton", "Token name (for your reference only)": "Nom du jeton (pour votre référence uniquement)", - "Took a new job": "A pris un nouveau travail", + "Took a new job": "A pris un nouvel emploi", "Took the bus": "A pris le bus", "Took the metro": "A pris le métro", "Too Many Requests": "Trop de requêtes", "To see if they need anything": "Pour voir s’ils ont besoin de quelque chose", - "To start, you need to create a vault.": "Pour commencer, vous devez créer une voûte.", + "To start, you need to create a vault.": "Pour commencer, vous devez créer un coffre.", "Total:": "Total :", "Total streaks": "Total des séries", "Track a new metric": "Suivre une nouvelle métrique", @@ -1112,44 +1112,42 @@ "Two-factor Confirmation": "Confirmation à deux facteurs", "Two Factor Authentication": "Authentification à deux facteurs", "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "L’authentification à deux facteurs est maintenant activée. Scannez le code QR suivant à l’aide de l’application d’authentification de votre téléphone ou entrez la clé de configuration.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "L’authentification à deux facteurs est maintenant activée. Scannez le code QR suivant à l’aide de l’application d’authentification de votre téléphone ou entrez la clé de configuration.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "L’authentification à deux facteurs est désormais activée. Scannez le code QR suivant à l’aide de l’application d’authentification de votre téléphone ou saisissez la clé de configuration.", "Type": "Type", "Type:": "Type :", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Tapez n’importe quoi dans la conversation avec le bot Monica. Cela peut être `start` par exemple.", - "Types": "Types", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Tapez n’importe quoi dans la conversation avec le bot Monica. Cela peut être « start » par exemple.", + "Types": "Les types", "Type something": "Tapez quelque chose", "Unarchive contact": "Désarchiver le contact", "unarchived the contact": "a désarchivé le contact", "Unauthorized": "Non autorisé", - "uncle\/aunt": "oncle\/tante", + "uncle/aunt": "oncle/tante", "Undefined": "Indéfini", "Unexpected error on login.": "Erreur inattendue lors de la connexion.", "Unknown": "Inconnu·e", "unknown action": "action inconnue", "Unknown age": "Âge inconnu", - "Unknown contact name": "Nom de contact inconnu", "Unknown name": "Nom inconnu", "Update": "Mettre à jour", "Update a key.": "Mettre à jour une clé.", - "updated a contact information": "a mis à jour une information de contact", + "updated a contact information": "a mis à jour les coordonnées", "updated a goal": "a mis à jour un objectif", "updated an address": "a mis à jour une adresse", "updated an important date": "a mis à jour une date importante", "updated a pet": "a mis à jour un animal de compagnie", "Updated on :date": "Mis à jour le :date", "updated the avatar of the contact": "a mis à jour l’avatar du contact", - "updated the contact information": "a mis à jour les informations de contact", - "updated the job information": "a mis à jour les informations sur l’emploi", + "updated the contact information": "a mis à jour les coordonnées", + "updated the job information": "a mis à jour les informations professionnelles", "updated the religion": "a mis à jour la religion", "Update Password": "Mettre à jour le mot de passe", "Update your account's profile information and email address.": "Modifier le profil associé à votre compte ainsi que votre adresse e-mail.", - "Update your account’s profile information and email address.": "Mettez à jour les informations de profil et l’adresse e-mail de votre compte.", - "Upload photo as avatar": "Télécharger une photo comme avatar", + "Upload photo as avatar": "Télécharger une photo en tant qu’avatar", "Use": "Utiliser", "Use an authentication code": "Utiliser un code d’authentification", "Use a recovery code": "Utiliser un code de récupération", "Use a security key (Webauthn, or FIDO) to increase your account security.": "Utilisez une clé de sécurité (Webauthn ou FIDO) pour augmenter la sécurité de votre compte.", - "User preferences": "Préférences utilisateur", + "User preferences": "Préférences de l’utilisateur", "Users": "Utilisateurs", "User settings": "Paramètres utilisateur", "Use the following template for this contact": "Utilisez le modèle suivant pour ce contact", @@ -1157,106 +1155,106 @@ "Use your security key": "Utilisez votre clé de sécurité", "Validating key…": "Validation de la clé…", "Value copied into your clipboard": "Valeur copiée dans votre presse-papiers", - "Vaults contain all your contacts data.": "Les voûtes contiennent toutes les données de vos contacts.", - "Vault settings": "Paramètres de la voûte", - "ve\/ver": "ve\/ver", - "Verification email sent": "E-mail de vérification envoyé", + "Vaults contain all your contacts data.": "Les coffres contiennent toutes les données de vos contacts.", + "Vault settings": "Paramètres du coffre", + "ve/ver": "ve/ver", + "Verification email sent": "L’email de vérification a été envoyé", "Verified": "Vérifié", "Verify Email Address": "Vérifier l’adresse e-mail", "Verify this email address": "Vérifiez cette adresse e-mail", "Version :version — commit [:short](:url).": "Version :version — commit [:short](:url).", - "Via Telegram": "Via Telegram", + "Via Telegram": "Par Telegram", "Video call": "Appel vidéo", - "View": "Voir", - "View all": "Voir tout", - "View details": "Voir les détails", + "View": "Afficher", + "View all": "Afficher tout", + "View details": "Afficher les détails", "Viewer": "Spectateur", - "View history": "Voir l’historique", - "View log": "Voir le log", - "View on map": "Voir sur la carte", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Attendez quelques secondes pour que Monica (l’application) vous reconnaisse. Nous vous enverrons une fausse notification pour voir si cela fonctionne.", + "View history": "Afficher l’historique", + "View log": "Afficher le journal", + "View on map": "Afficher sur la carte", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Attendez quelques secondes que Monica (l’application) vous reconnaisse. Nous vous enverrons une fausse notification pour voir si cela fonctionne.", "Waiting for key…": "En attente de la clé…", "Walked": "A marché", - "Wallpaper": "Papier peint", - "Was there a reason for the call?": "Y avait-il une raison pour l’appel ?", + "Wallpaper": "Fond d’écran", + "Was there a reason for the call?": "Y avait-il une raison pour cet appel ?", "Watched a movie": "A regardé un film", "Watched a tv show": "A regardé une émission de télévision", "Watched TV": "A regardé la télévision", "Watch Netflix every day": "Regarder Netflix tous les jours", "Ways to connect": "Façons de se connecter", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn ne prend en charge que les connexions sécurisées. Veuillez charger cette page avec le schéma https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Nous les appelons une relation, et sa relation inverse. Pour chaque relation que vous définissez, vous devez définir son homologue.", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn prend uniquement en charge les connexions sécurisées. Veuillez charger cette page avec le schéma https.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Nous les appelons une relation, et sa relation inverse. Pour chaque relation que vous définissez, vous devez définir sa contrepartie.", "Wedding": "Mariage", "Wednesday": "Mercredi", "We hope you'll like it.": "Nous espérons que vous l’aimerez.", "We hope you will like what we’ve done.": "Nous espérons que vous aimerez ce que nous avons fait.", - "Welcome to Monica.": "Bienvenue à Monica.", - "Went to a bar": "Est allé dans un bar", - "We support Markdown to format the text (bold, lists, headings, etc…).": "Nous supportons Markdown pour formater le texte (gras, listes, titres, etc…).", + "Welcome to Monica.": "Bienvenue sur Monica.", + "Went to a bar": "Est allé⋅e dans un bar", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Nous prenons en charge Markdown pour formater le texte (gras, listes, titres, etc…).", "We were unable to find a registered user with this email address.": "Nous n’avons pas pu trouver un utilisateur enregistré avec cette adresse e-mail.", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Nous enverrons un e-mail à cette adresse e-mail que vous devrez confirmer avant que nous puissions envoyer des notifications à cette adresse.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Nous enverrons un e-mail à cette adresse e-mail que vous devrez confirmer avant de pouvoir envoyer des notifications à cette adresse.", "What happens now?": "Que se passe-t-il maintenant ?", "What is the loan?": "Quel est le prêt ?", - "What permission should :name have?": "Quelle autorisation :name doit-il avoir ?", - "What permission should the user have?": "Quelle autorisation l’utilisateur doit-il avoir ?", + "What permission should :name have?": "Quelle autorisation :name devrait-il avoir ?", + "What permission should the user have?": "De quelle autorisation l’utilisateur doit-il disposer ?", + "Whatsapp": "WhatsApp", "What should we use to display maps?": "Que devons-nous utiliser pour afficher les cartes ?", - "What would make today great?": "Qu’est-ce qui rendrait aujourd’hui formidable ?", + "What would make today great?": "Qu’est-ce qui rendrait cette journée formidable ?", "When did the call happened?": "Quand l’appel a-t-il eu lieu ?", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Lorsque l’authentification à deux facteurs est activée, vous serez invité à saisir un jeton aléatoire sécurisé lors de l’authentification. Vous pouvez récupérer ce jeton depuis l’application Google Authenticator de votre téléphone.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Lorsque l’authentification à deux facteurs est activée, vous serez invité à saisir un jeton sécurisé et aléatoire lors de l’authentification. Vous pouvez récupérer ce jeton à partir de l’application Authenticator de votre téléphone.", - "When was the loan made?": "Quand le prêt a-t-il été fait ?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Lorsque l’authentification à deux facteurs est activée, vous serez invité à fournir un jeton sécurisé et aléatoire lors de l’authentification. Vous pouvez récupérer ce jeton depuis l’application Authenticator de votre téléphone.", + "When was the loan made?": "Quand le prêt a-t-il été accordé ?", "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Lorsque vous définissez une relation entre deux contacts, par exemple une relation père-fils, Monica crée deux relations, une pour chaque contact :", "Which email address should we send the notification to?": "À quelle adresse e-mail devons-nous envoyer la notification ?", - "Who called?": "Qui a appelé ?", - "Who makes the loan?": "Qui fait le prêt ?", - "Whoops!": "Oups !", - "Whoops! Something went wrong.": "Oups ! Un problème est survenu.", - "Who should we invite in this vault?": "Qui devrions-nous inviter dans cette voûte?", - "Who the loan is for?": "Pour qui est le prêt ?", + "Who called?": "Qui a appelé?", + "Who makes the loan?": "Qui accorde le prêt ?", + "Whoops!": "Oups !", + "Whoops! Something went wrong.": "Oups ! Un problème est survenu.", + "Who should we invite in this vault?": "Qui devrions-nous inviter dans ce coffre ?", + "Who the loan is for?": "À qui s’adresse le prêt ?", "Wish good day": "Souhaiter une bonne journée", "Work": "Travail", - "Write the amount with a dot if you need decimals, like 100.50": "Écrivez le montant avec un point si vous avez besoin de décimales, comme 100.50", + "Write the amount with a dot if you need decimals, like 100.50": "Écrivez le montant avec une virgule si vous avez besoin de décimales, comme 100,50", "Written on": "Écrit le", "wrote a note": "a écrit une note", - "xe\/xem": "xe\/xem", + "xe/xem": "xe/xem", "year": "année", "Years": "Années", "You are here:": "Vous êtes ici :", "You are invited to join Monica": "Vous êtes invité à rejoindre Monica", "You are receiving this email because we received a password reset request for your account.": "Vous recevez cet e-mail car nous avons reçu une demande de réinitialisation de mot de passe pour votre compte.", - "you can't even use your current username or password to sign in,": "vous ne pouvez même pas utiliser votre nom d'utilisateur ou votre mot de passe actuel pour vous connecter,", - "you can't even use your current username or password to sign in, ": "vous ne pouvez même pas utiliser votre nom d'utilisateur ou votre mot de passe actuel pour vous connecter,", - "you can't import any data from your current Monica account(yet),": "vous ne pouvez pas (encore) importer de données depuis votre compte Monica actuel,", - "You can add job information to your contacts and manage the companies here in this tab.": "Vous pouvez ajouter des informations sur les emplois à vos contacts et gérer les entreprises ici dans cet onglet.", - "You can add more account to log in to our service with one click.": "Vous pouvez ajouter plus de compte pour vous connecter à notre service en un clic.", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Vous pouvez être averti par différents canaux : e-mails, message Telegram, sur Facebook. Vous décidez.", - "You can change that at any time.": "Vous pouvez changer cela à tout moment.", - "You can choose how you want Monica to display dates in the application.": "Vous pouvez choisir comment vous voulez que Monica affiche les dates dans l’application.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Vous pouvez choisir quelles devises doivent être activées dans votre compte, et lesquelles ne doivent pas l’être.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Vous pouvez personnaliser la façon dont les contacts doivent être affichés selon vos goûts\/culture. Peut-être voudriez-vous utiliser James Bond au lieu de Bond James. Ici, vous pouvez le définir à volonté.", + "you can't even use your current username or password to sign in,": "vous ne pouvez même pas utiliser votre nom d’utilisateur ou votre mot de passe actuel pour vous connecter,", + "you can't import any data from your current Monica account(yet),": "vous ne pouvez pas (encore) importer de donnée de votre compte Monica actuel,", + "You can add job information to your contacts and manage the companies here in this tab.": "Vous pouvez ajouter des informations professionnelles à vos contacts et gérer les entreprises ici dans cet onglet.", + "You can add more account to log in to our service with one click.": "Vous pouvez ajouter plus de compte pour vous connecter à notre service en un seul clic.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Vous pouvez être averti via différents canaux : e-mails, message Telegram, sur Facebook. C’est vous qui décidez.", + "You can change that at any time.": "Vous pouvez modifier cela à tout moment.", + "You can choose how you want Monica to display dates in the application.": "Vous pouvez choisir comment Monica doit afficher les dates dans l’application.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Vous pouvez choisir quelles devises doivent être activées sur votre compte et lesquelles ne doivent pas être activées.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Vous pouvez personnaliser la façon dont les contacts doivent être affichés en fonction de vos propres goûts/cultures. Peut-être voudriez-vous utiliser James Bond au lieu de Bond James. Ici vous pouvez le définir à volonté.", "You can customize the criteria that let you track your mood.": "Vous pouvez personnaliser les critères qui vous permettent de suivre votre humeur.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Vous pouvez déplacer des contacts entre les coffres-forts. Ce changement est immédiat. Vous ne pouvez déplacer des contacts que vers des coffres-forts dont vous faites partie. Toutes les données des contacts se déplaceront avec lui.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Vous pouvez déplacer des contacts entre les coffres-forts. Ce changement est immédiat. Vous ne pouvez déplacer des contacts que vers les coffres dont vous faites partie. Toutes les données des contacts seront déplacées avec.", "You cannot remove your own administrator privilege.": "Vous ne pouvez pas supprimer votre propre privilège d’administrateur.", - "You don’t have enough space left in your account.": "Il ne vous reste plus assez d’espace dans votre compte.", - "You don’t have enough space left in your account. Please upgrade.": "Il ne vous reste plus assez d’espace dans votre compte. Veuillez passer au plan payant.", - "You have been invited to join the :team team!": "Vous avez été invité·e à rejoindre l’équipe :team !", + "You don’t have enough space left in your account.": "Il ne vous reste plus assez d’espace sur votre compte.", + "You don’t have enough space left in your account. Please upgrade.": "Il ne vous reste plus assez d’espace sur votre compte. Veuillez mettre à niveau.", + "You have been invited to join the :team team!": "Vous avez été invité·e à rejoindre l’équipe :team !", "You have enabled two factor authentication.": "Vous avez activé l’authentification à deux facteurs.", "You have not enabled two factor authentication.": "Vous n’avez pas activé l’authentification à deux facteurs.", "You have not setup Telegram in your environment variables yet.": "Vous n’avez pas encore configuré Telegram dans vos variables d’environnement.", - "You haven’t received a notification in this channel yet.": "Vous n’avez pas encore reçu de notification dans ce canal.", + "You haven’t received a notification in this channel yet.": "Vous n’avez pas encore reçu de notification sur cette chaîne.", "You haven’t setup Telegram yet.": "Vous n’avez pas encore configuré Telegram.", - "You may accept this invitation by clicking the button below:": "Vous pouvez accepter cette invitation en cliquant sur le bouton ci-dessous :", + "You may accept this invitation by clicking the button below:": "Vous pouvez accepter cette invitation en cliquant sur le bouton ci-dessous :", "You may delete any of your existing tokens if they are no longer needed.": "Vous pouvez supprimer n’importe lequel de vos jetons existants s’ils ne sont plus nécessaires.", "You may not delete your personal team.": "Vous ne pouvez pas supprimer votre équipe personnelle.", "You may not leave a team that you created.": "Vous ne pouvez pas quitter une équipe que vous avez créée.", "You might need to reload the page to see the changes.": "Vous devrez peut-être recharger la page pour voir les modifications.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Vous avez besoin d’au moins un modèle pour que les contacts soient affichés. Sans modèle, Monica ne saura pas quelles informations il doit afficher.", - "Your account current usage": "Votre utilisation actuelle du compte", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Vous avez besoin d’au moins un modèle pour que les contacts soient affichés. Sans modèle, Monica ne saura pas quelles informations elle doit afficher.", + "Your account current usage": "Utilisation actuelle de votre compte", "Your account has been created": "Votre compte a été créé", "Your account is linked": "Votre compte est lié", - "Your account limits": "Vos limites de compte", + "Your account limits": "Limites de votre compte", "Your account will be closed immediately,": "Votre compte sera fermé immédiatement,", - "Your browser doesn’t currently support WebAuthn.": "Votre navigateur ne prend pas en charge WebAuthn pour le moment.", + "Your browser doesn’t currently support WebAuthn.": "Votre navigateur ne prend actuellement pas en charge WebAuthn.", "Your email address is unverified.": "Votre adresse e-mail n’est pas vérifiée.", "Your life events": "Vos événements de vie", "Your mood has been recorded!": "Votre humeur a été enregistrée !", @@ -1264,14 +1262,14 @@ "Your mood that you logged at this date": "Votre humeur que vous avez enregistrée à cette date", "Your mood this year": "Votre humeur cette année", "Your name here will be used to add yourself as a contact.": "Votre nom ici sera utilisé pour vous ajouter en tant que contact.", - "You wanted to be reminded of the following:": "Vous vouliez être rappelé de ce qui suit :", - "You WILL still have to delete your account on Monica or OfficeLife.": "Vous devrez TOUJOURS supprimer votre compte sur Monica ou OfficeLife.", + "You wanted to be reminded of the following:": "Vous vouliez qu’on vous rappelle ce qui suit :", + "You WILL still have to delete your account on Monica or OfficeLife.": "Vous devrez toujours supprimer votre compte sur Monica ou OfficeLife.", "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Vous avez été invité à utiliser cette adresse e-mail dans Monica, un CRM personnel open source, afin que nous puissions l’utiliser pour vous envoyer des notifications.", - "ze\/hir": "ze\/hir", - "⚠️ Danger zone": "⚠️ Zone de danger", + "ze/hir": "ze/hir", + "⚠️ Danger zone": "⚠️ Zone dangereuse", "🌳 Chalet": "🌳 Chalet", "🏠 Secondary residence": "🏠 Résidence secondaire", - "🏡 Home": "🏡 Maison", + "🏡 Home": "🏡 Accueil", "🏢 Work": "🏢 Travail", "🔔 Reminder: :label for :contactName": "🔔 Rappel : :label pour :contactName", "😀 Good": "😀 Bien", diff --git a/lang/fr/http-statuses.php b/lang/fr/http-statuses.php index cb32eca50e5..32c43bba53a 100644 --- a/lang/fr/http-statuses.php +++ b/lang/fr/http-statuses.php @@ -5,7 +5,7 @@ '100' => 'Continuer', '101' => 'Protocoles de commutation', '102' => 'En traitement', - '200' => 'D’accord', + '200' => 'D\'accord', '201' => 'Créé', '202' => 'Accepté', '203' => 'Informations non autorisées', @@ -14,7 +14,7 @@ '206' => 'Contenu partiel', '207' => 'Multi-statut', '208' => 'Déjà rapporté', - '226' => 'J’ai l’habitude', + '226' => 'J\'ai l\'habitude', '300' => 'Choix multiples', '301' => 'Déplacé de façon permanente', '302' => 'A trouvé', @@ -31,7 +31,7 @@ '405' => 'Méthode Non Autorisée', '406' => 'Pas acceptable', '407' => 'Authentification proxy requise', - '408' => 'Délai d’expiration de la demande', + '408' => 'Délai d\'expiration de la demande', '409' => 'Conflit', '410' => 'Disparu', '411' => 'Longueur requise', @@ -40,7 +40,7 @@ '414' => 'URI trop long', '415' => 'Type de support non supporté', '416' => 'Plage non satisfaisante', - '417' => 'Échec de l’attente', + '417' => 'Échec de l\'attente', '418' => 'Je suis une théière', '419' => 'La session a expiré', '421' => 'Demande mal dirigée', @@ -51,7 +51,7 @@ '426' => 'Mise à niveau requise', '428' => 'Condition préalable requise', '429' => 'Trop de demandes', - '431' => 'Demander des champs d’en-tête trop grands', + '431' => 'Demander des champs d\'en-tête trop grands', '444' => 'Connexion fermée sans réponse', '449' => 'Réessayer avec', '451' => 'Indisponible pour des raisons légales', @@ -60,7 +60,7 @@ '501' => 'Pas mis en œuvre', '502' => 'Mauvaise passerelle', '503' => 'Mode de Maintenance', - '504' => 'Délai d’attente de la passerelle', + '504' => 'Délai d\'attente de la passerelle', '505' => 'Version HTTP non prise en charge', '506' => 'La variante négocie également', '507' => 'Espace insuffisant', @@ -71,8 +71,8 @@ '520' => 'Erreur inconnue', '521' => 'Le serveur Web est en panne', '522' => 'La connexion a expiré', - '523' => 'L’origine est inaccessible', - '524' => 'Un dépassement de délai s’est produit', + '523' => 'L\'origine est inaccessible', + '524' => 'Un dépassement de délai s\'est produit', '525' => 'Échec de la prise de contact SSL', '526' => 'Certificat SSL invalide', '527' => 'Erreur de canon ferroviaire', diff --git a/lang/fr/passwords.php b/lang/fr/passwords.php index 0f4001d3b83..bc37505db63 100644 --- a/lang/fr/passwords.php +++ b/lang/fr/passwords.php @@ -1,9 +1,9 @@ 'Votre mot de passe a été réinitialisé !', - 'sent' => 'Nous vous avons envoyé par email le lien de réinitialisation du mot de passe !', + 'reset' => 'Votre mot de passe a été réinitialisé !', + 'sent' => 'Nous vous avons envoyé par email le lien de réinitialisation du mot de passe !', 'throttled' => 'Veuillez patienter avant de réessayer.', - 'token' => 'Ce jeton de réinitialisation du mot de passe n’est pas valide.', - 'user' => 'Aucun utilisateur n’a été trouvé avec cette adresse email.', + 'token' => 'Ce jeton de réinitialisation du mot de passe n\'est pas valide.', + 'user' => 'Aucun utilisateur n\'a été trouvé avec cette adresse email.', ]; diff --git a/lang/fr/validation.php b/lang/fr/validation.php index f1e3b3a0f26..6c362e5624f 100644 --- a/lang/fr/validation.php +++ b/lang/fr/validation.php @@ -3,7 +3,7 @@ return [ 'accepted' => 'Le champ :attribute doit être accepté.', 'accepted_if' => 'Le champ :attribute doit être accepté quand :other a la valeur :value.', - 'active_url' => 'Le champ :attribute n’est pas une URL valide.', + 'active_url' => 'Le champ :attribute n\'est pas une URL valide.', 'after' => 'Le champ :attribute doit être une date postérieure au :date.', 'after_or_equal' => 'Le champ :attribute doit être une date postérieure ou égale au :date.', 'alpha' => 'Le champ :attribute doit contenir uniquement des lettres.', @@ -42,8 +42,8 @@ 'image' => 'image', 'last_name' => 'nom', 'lesson' => 'leçon', - 'line_address_1' => 'ligne d’adresse 1', - 'line_address_2' => 'ligne d’adresse 2', + 'line_address_1' => 'ligne d\'adresse 1', + 'line_address_2' => 'ligne d\'adresse 2', 'message' => 'message', 'middle_name' => 'deuxième prénom', 'minute' => 'minute', @@ -62,7 +62,7 @@ 'recaptcha_response_field' => 'champ de réponse recaptcha', 'remember' => 'se souvenir', 'restored_at' => 'restauré à', - 'result_text_under_image' => 'texte de résultat sous l’image', + 'result_text_under_image' => 'texte de résultat sous l\'image', 'role' => 'rôle', 'second' => 'seconde', 'sex' => 'sexe', @@ -81,7 +81,7 @@ 'time' => 'heure', 'title' => 'titre', 'updated_at' => 'mis à jour à', - 'username' => 'nom d’utilisateur', + 'username' => 'nom d\'utilisateur', 'year' => 'année', ], 'before' => 'Le champ :attribute doit être une date antérieure au :date.', @@ -93,9 +93,10 @@ 'string' => 'Le texte :attribute doit contenir entre :min et :max caractères.', ], 'boolean' => 'Le champ :attribute doit être vrai ou faux.', + 'can' => 'Le champ :attribute contient une valeur non autorisée.', 'confirmed' => 'Le champ de confirmation :attribute ne correspond pas.', 'current_password' => 'Le mot de passe est incorrect.', - 'date' => 'Le champ :attribute n’est pas une date valide.', + 'date' => 'Le champ :attribute n\'est pas une date valide.', 'date_equals' => 'Le champ :attribute doit être une date égale à :date.', 'date_format' => 'Le champ :attribute ne correspond pas au format :format.', 'decimal' => 'Le champ :attribute doit comporter :decimal décimales.', @@ -104,7 +105,7 @@ 'different' => 'Les champs :attribute et :other doivent être différents.', 'digits' => 'Le champ :attribute doit contenir :digits chiffres.', 'digits_between' => 'Le champ :attribute doit contenir entre :min et :max chiffres.', - 'dimensions' => 'La taille de l’image :attribute n’est pas conforme.', + 'dimensions' => 'La taille de l\'image :attribute n\'est pas conforme.', 'distinct' => 'Le champ :attribute a une valeur en double.', 'doesnt_end_with' => 'Le champ :attribute ne doit pas finir avec une des valeurs suivantes : :values.', 'doesnt_start_with' => 'Le champ :attribute ne doit pas commencer avec une des valeurs suivantes : :values.', @@ -129,7 +130,7 @@ 'image' => 'Le champ :attribute doit être une image.', 'in' => 'Le champ :attribute est invalide.', 'integer' => 'Le champ :attribute doit être un entier.', - 'in_array' => 'Le champ :attribute n’existe pas dans :other.', + 'in_array' => 'Le champ :attribute n\'existe pas dans :other.', 'ip' => 'Le champ :attribute doit être une adresse IP valide.', 'ipv4' => 'Le champ :attribute doit être une adresse IPv4 valide.', 'ipv6' => 'Le champ :attribute doit être une adresse IPv6 valide.', @@ -170,8 +171,8 @@ 'missing_with' => 'Le champ :attribute doit être manquant quand :values est présent.', 'missing_with_all' => 'Le champ :attribute doit être manquant quand :values sont présents.', 'multiple_of' => 'La valeur de :attribute doit être un multiple de :value', - 'not_in' => 'Le champ :attribute sélectionné n’est pas valide.', - 'not_regex' => 'Le format du champ :attribute n’est pas valide.', + 'not_in' => 'Le champ :attribute sélectionné n\'est pas valide.', + 'not_regex' => 'Le format du champ :attribute n\'est pas valide.', 'numeric' => 'Le champ :attribute doit contenir un nombre.', 'password' => [ 'letters' => 'Le champ :attribute doit contenir au moins une lettre.', @@ -183,8 +184,8 @@ 'present' => 'Le champ :attribute doit être présent.', 'prohibited' => 'Le champ :attribute est interdit.', 'prohibited_if' => 'Le champ :attribute est interdit quand :other a la valeur :value.', - 'prohibited_unless' => 'Le champ :attribute est interdit à moins que :other est l’une des valeurs :values.', - 'prohibits' => 'Le champ :attribute interdit :other d’être présent.', + 'prohibited_unless' => 'Le champ :attribute est interdit à moins que :other est l\'une des valeurs :values.', + 'prohibits' => 'Le champ :attribute interdit :other d\'être présent.', 'regex' => 'Le format du champ :attribute est invalide.', 'required' => 'Le champ :attribute est obligatoire.', 'required_array_keys' => 'Le champ :attribute doit contenir des entrées pour : :values.', @@ -192,8 +193,8 @@ 'required_if_accepted' => 'Le champ :attribute est obligatoire quand le champ :other a été accepté.', 'required_unless' => 'Le champ :attribute est obligatoire sauf si :other est :values.', 'required_with' => 'Le champ :attribute est obligatoire quand :values est présent.', - 'required_without' => 'Le champ :attribute est obligatoire quand :values n’est pas présent.', - 'required_without_all' => 'Le champ :attribute est requis quand aucun de :values n’est présent.', + 'required_without' => 'Le champ :attribute est obligatoire quand :values n\'est pas présent.', + 'required_without_all' => 'Le champ :attribute est requis quand aucun de :values n\'est présent.', 'required_with_all' => 'Le champ :attribute est obligatoire quand :values sont présents.', 'same' => 'Les champs :attribute et :other doivent être identiques.', 'size' => [ @@ -207,8 +208,8 @@ 'timezone' => 'Le champ :attribute doit être un fuseau horaire valide.', 'ulid' => 'Le champ :attribute doit être un ULID valide.', 'unique' => 'La valeur du champ :attribute est déjà utilisée.', - 'uploaded' => 'Le fichier du champ :attribute n’a pu être téléversé.', + 'uploaded' => 'Le fichier du champ :attribute n\'a pu être téléversé.', 'uppercase' => 'Le champ :attribute doit être en majuscules.', - 'url' => 'Le format de l’URL de :attribute n’est pas valide.', + 'url' => 'Le format de l\'URL de :attribute n\'est pas valide.', 'uuid' => 'Le champ :attribute doit être un UUID valide', ]; diff --git a/lang/he.json b/lang/he.json index 70a6c05e592..5e625e23178 100644 --- a/lang/he.json +++ b/lang/he.json @@ -1,6 +1,6 @@ { - "(and :count more error)": "(ו-:count more error)", - "(and :count more errors)": "(ו:ספור שגיאות נוספות)", + "(and :count more error)": "(ועוד :count שגיאות)", + "(and :count more errors)": "(ועוד :count שגיאות)", "(Help)": "(עֶזרָה)", "+ add a contact": "+ הוסף איש קשר", "+ add another": "+ הוסף עוד", @@ -13,7 +13,7 @@ "+ add title": "+ הוסף כותרת", "+ change date": "+ שינוי תאריך", "+ change template": "+ שנה תבנית", - "+ create a group": "+ צור קבוצה", + "+ create a group": "+ ליצור קבוצה", "+ gender": "+ מגדר", "+ last name": "+ שם משפחה", "+ maiden name": "+ שם נעורים", @@ -22,21 +22,21 @@ "+ note": "+ הערה", "+ number of hours slept": "+ מספר שעות שינה", "+ prefix": "+ קידומת", - "+ pronoun": "+ נוטה", + "+ pronoun": "+ כינוי", "+ suffix": "+ סיומת", - ":count contact|:count contacts": ":count contact|:count אנשי קשר", - ":count hour slept|:count hours slept": ":סופר שעות שינה|:סופר שעות שינה", - ":count min read": ":ספור דקות קריאה", - ":count post|:count posts": ":count post|:count posts", - ":count template section|:count template sections": "מקטע תבנית :count|:קטע תבנית count", - ":count word|:count words": ":לספור מילים|:לספור מילים", - ":distance km": ":מרחק ק\"מ", - ":distance miles": ":מרחק מיילים", - ":file at line :line": ":קובץ בשורה :שורה", + ":count contact|:count contacts": "איש קשר :count|:count אנשי קשר", + ":count hour slept|:count hours slept": ":count שעה שינה|:count שעות שינה", + ":count min read": ":count דקות קריאה", + ":count post|:count posts": "פוסט :count|:count פוסטים", + ":count template section|:count template sections": "קטע תבנית :count|:count קטעי תבנית", + ":count word|:count words": ":count מילה|:count מילים", + ":distance km": ":distance ק\"מ", + ":distance miles": ":distance מיילים", + ":file at line :line": ":file בשורה :line", ":file in :class at line :line": ":file ב-:class בשורה :line", - ":Name called": ":שם נקרא", - ":Name called, but I didn’t answer": "השם קרא, אבל לא עניתי", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName מזמין אותך להצטרף ל- Monica, CRM אישי בקוד פתוח, שנועד לעזור לך לתעד את מערכות היחסים שלך.", + ":Name called": ":Name התקשר", + ":Name called, but I didn’t answer": ":Name התקשר, אבל לא עניתי", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName מזמין אותך להצטרף ל- Monica, קוד פתוח ל-CRM אישי, שנועד לעזור לך לתעד את מערכות היחסים שלך.", "Accept Invitation": "קבל הזמנה", "Accept invitation and create your account": "קבל את ההזמנה וצור את החשבון שלך", "Account and security": "חשבון ואבטחה", @@ -45,13 +45,13 @@ "Activate": "לְהַפְעִיל", "Activity feed": "הזן פעילות", "Activity in this vault": "פעילות בכספת הזו", - "Add": "לְהוֹסִיף", + "Add": "הוסף", "add a call reason type": "הוסף סוג סיבת שיחה", "Add a contact": "הוסף איש קשר", "Add a contact information": "הוסף מידע ליצירת קשר", "Add a date": "הוסף תאריך", "Add additional security to your account using a security key.": "הוסף אבטחה נוספת לחשבון שלך באמצעות מפתח אבטחה.", - "Add additional security to your account using two factor authentication.": "הוסף אבטחה נוספת לחשבון שלך באמצעות אימות דו-גורמי.", + "Add additional security to your account using two factor authentication.": "הוסף אבטחה נוספת לחשבון שלך באמצעות אימות שני גורמים.", "Add a document": "הוסף מסמך", "Add a due date": "הוסף תאריך יעד", "Add a gender": "הוסף מין", @@ -71,7 +71,7 @@ "Add an email to be notified when a reminder occurs.": "הוסף אימייל כדי לקבל הודעה כאשר מתרחשת תזכורת.", "Add an entry": "הוסף ערך", "add a new metric": "להוסיף מדד חדש", - "Add a new team member to your team, allowing them to collaborate with you.": "הוסף חבר צוות חדש לצוות שלך, ואפשר להם לשתף איתך פעולה.", + "Add a new team member to your team, allowing them to collaborate with you.": "הוסף חבר צוות חדש לצוות שלך, המאפשר להם לשתף איתך פעולה.", "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "הוסף תאריך חשוב כדי לזכור מה חשוב לך לגבי האדם הזה, כמו תאריך לידה או תאריך נפטר.", "Add a note": "הוסף הערה", "Add another life event": "הוסף עוד אירוע חיים", @@ -98,7 +98,7 @@ "Add a user": "הוסף משתמש", "Add a vault": "הוסף כספת", "Add date": "הוסף תאריך", - "Added.": "נוסף.", + "Added.": "הוסיף.", "added a contact information": "הוסיף פרטי קשר", "added an address": "הוסיף כתובת", "added an important date": "הוסיף תאריך חשוב", @@ -115,10 +115,10 @@ "Address type": "סוג כתובת", "Address types": "סוגי כתובות", "Address types let you classify contact addresses.": "סוגי כתובות מאפשרים לך לסווג כתובות ליצירת קשר.", - "Add Team Member": "הוסף חבר צוות", + "Add Team Member": "הוסף איש צוות", "Add to group": "הוסף לקבוצה", "Administrator": "מנהל", - "Administrator users can perform any action.": "משתמשי מנהל יכולים לבצע כל פעולה.", + "Administrator users can perform any action.": "משתמשי מנהל המערכת יכולים לבצע כל פעולה.", "a father-son relation shown on the father page,": "קשר אב-בן המוצג בדף האב,", "after the next occurence of the date.": "לאחר ההתרחשות הבאה של התאריך.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "קבוצה היא שני אנשים או יותר ביחד. זה יכול להיות משפחה, משק בית, מועדון ספורט. מה שחשוב לך.", @@ -127,7 +127,7 @@ "All groups in the vault": "כל הקבוצות בכספת", "All journal metrics in :name": "כל מדדי היומן ב-:name", "All of the people that are part of this team.": "כל האנשים שהם חלק מהצוות הזה.", - "All rights reserved.": "כל הזכויות שמורות.", + "All rights reserved.": "כל הזכויות שמורות", "All tags": "כל התגים", "All the address types": "כל סוגי הכתובות", "All the best,": "כל טוב,", @@ -167,12 +167,12 @@ "A new verification link has been sent to the email address you provided in your profile settings.": "קישור אימות חדש נשלח לכתובת האימייל שסיפקת בהגדרות הפרופיל שלך.", "A new verification link has been sent to your email address.": "קישור אימות חדש נשלח לכתובת האימייל שלך.", "Anniversary": "יוֹם הַשָׁנָה", - "Apartment, suite, etc…": "דירה, סוויטה וכו'...", + "Apartment, suite, etc…": "דירה, סוויטה וכו’...", "API Token": "אסימון API", - "API Token Permissions": "הרשאות אסימון API", + "API Token Permissions": "הרשאות Token API", "API Tokens": "אסימוני API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "אסימוני API מאפשרים לשירותי צד שלישי לבצע אימות עם האפליקציה שלנו בשמך.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "תבנית פוסט מגדירה כיצד יש להציג את התוכן של פוסט. אתה יכול להגדיר כמה תבניות שתרצה, ולבחור באיזו תבנית יש להשתמש באיזה פוסט.", + "API tokens allow third-party services to authenticate with our application on your behalf.": "אסימוני API מאפשרים לשירותי צד שלישי לאמת עם היישום שלנו בשמך.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "תבנית פוסט מגדירה כיצד יש להציג את התוכן של פוסט. אתה יכול להגדיר כמה תבניות שאתה רוצה, ולבחור באיזו תבנית יש להשתמש באיזה פוסט.", "Archive": "ארכיון", "Archive contact": "איש קשר לארכיון", "archived the contact": "העביר את איש הקשר לארכיון", @@ -187,14 +187,14 @@ "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "האם אתה בטוח? פעולה זו תסיר את סוגי פרטי הקשר מכל אנשי הקשר, אך לא תמחק את אנשי הקשר עצמם.", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "האם אתה בטוח? פעולה זו תסיר את המגדרים מכל אנשי הקשר, אך לא תמחק את אנשי הקשר עצמם.", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "האם אתה בטוח? פעולה זו תסיר את התבנית מכל אנשי הקשר, אך לא תמחק את אנשי הקשר עצמם.", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "האם אתה בטוח שברצונך למחוק את הצוות הזה? לאחר מחיקת צוות, כל המשאבים והנתונים שלו יימחקו לצמיתות.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "האם אתה בטוח שברצונך למחוק את חשבונך? לאחר מחיקת החשבון שלך, כל המשאבים והנתונים שלו יימחקו לצמיתות. אנא הזן את הסיסמה שלך כדי לאשר שברצונך למחוק את חשבונך לצמיתות.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "אתה בטוח שאתה רוצה למחוק את הצוות הזה? ברגע שצוות נמחק, כל המשאבים והנתונים שלו יימחקו לצמיתות.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "האם אתה בטוח שאתה רוצה למחוק את החשבון שלך? לאחר מחיקת חשבונך, כל המשאבים והנתונים שלו יימחקו לצמיתות. אנא הזן את הסיסמה שלך כדי לאשר שברצונך למחוק לצמיתות את החשבון שלך.", "Are you sure you would like to archive this contact?": "האם אתה בטוח שברצונך להעביר איש קשר זה לארכיון?", - "Are you sure you would like to delete this API token?": "האם אתה בטוח שברצונך למחוק אסימון API זה?", + "Are you sure you would like to delete this API token?": "האם אתה בטוח שאתה רוצה למחוק אסימון API זה?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "האם אתה בטוח שברצונך למחוק איש קשר זה? פעולה זו תסיר את כל מה שאנחנו יודעים על איש הקשר הזה.", "Are you sure you would like to delete this key?": "האם אתה בטוח שברצונך למחוק מפתח זה?", - "Are you sure you would like to leave this team?": "האם אתה בטוח שתרצה לעזוב את הצוות הזה?", - "Are you sure you would like to remove this person from the team?": "האם אתה בטוח שברצונך להסיר את האדם הזה מהצוות?", + "Are you sure you would like to leave this team?": "האם אתה בטוח שאתה רוצה לעזוב את הקבוצה הזאת?", + "Are you sure you would like to remove this person from the team?": "האם אתה בטוח שאתה רוצה להסיר את האדם הזה מהצוות?", "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "נתח חיים מאפשר לך לקבץ פוסטים לפי משהו משמעותי עבורך. הוסף חלק מהחיים בפוסט כדי לראות אותו כאן.", "a son-father relation shown on the son page.": "קשר בן-אב המוצג בדף הבן.", "assigned a label": "הוקצתה תווית", @@ -220,8 +220,8 @@ "boss": "בּוֹס", "Bought": "קנה", "Breakdown of the current usage": "פירוט השימוש הנוכחי", - "brother\/sister": "אח אחות", - "Browser Sessions": "הפעלות דפדפן", + "brother/sister": "אח/אחות", + "Browser Sessions": "הפעלות בדפדפן", "Buddhist": "בודהיסט", "Business": "עֵסֶק", "By last updated": "לפי עדכון אחרון", @@ -229,7 +229,7 @@ "Call reasons": "סיבות להתקשרות", "Call reasons let you indicate the reason of calls you make to your contacts.": "סיבות שיחות מאפשרות לך לציין את סיבת השיחות שאתה מבצע לאנשי הקשר שלך.", "Calls": "שיחות", - "Cancel": "לְבַטֵל", + "Cancel": "ביטול", "Cancel account": "בטל חשבון", "Cancel all your active subscriptions": "בטל את כל המנויים הפעילים שלך", "Cancel your account": "בטל את חשבונך", @@ -240,7 +240,7 @@ "Can’t be moved or deleted": "לא ניתן להזיז או למחוק", "Cat": "חתול", "Categories": "קטגוריות", - "Chandler is in beta.": "צ'נדלר בגרסת בטא.", + "Chandler is in beta.": "צ’נדלר בגרסת בטא.", "Change": "שינוי", "Change date": "שנה תאריך", "Change permission": "שנה הרשאה", @@ -267,10 +267,10 @@ "colleague": "עמית", "Companies": "חברות", "Company name": "שם החברה", - "Compared to Monica:": "בהשוואה למוניקה:", - "Configure how we should notify you": "הגדר כיצד עלינו להודיע ​​לך", - "Confirm": "לְאַשֵׁר", - "Confirm Password": "אשר סיסמה", + "Compared to Monica:": "בהשוואה ל-Monica:", + "Configure how we should notify you": "הגדר כיצד עלינו להודיע לך", + "Confirm": "אישור", + "Confirm Password": "אימות סיסמה", "Connect": "לְחַבֵּר", "Connected": "מְחוּבָּר", "Connect with your security key": "התחבר עם מפתח האבטחה שלך", @@ -291,7 +291,7 @@ "Country": "מדינה", "Couple": "זוּג", "cousin": "בת דודה", - "Create": "לִיצוֹר", + "Create": "צור", "Create account": "צור חשבון", "Create Account": "צור חשבון", "Create a contact": "צור איש קשר", @@ -301,13 +301,13 @@ "Create a journal to document your life.": "צור יומן כדי לתעד את חייך.", "Create an account": "צור חשבון", "Create a new address": "צור כתובת חדשה", - "Create a new team to collaborate with others on projects.": "צור צוות חדש כדי לשתף פעולה עם אחרים בפרויקטים.", + "Create a new team to collaborate with others on projects.": "צור צוות חדש לשיתוף פעולה עם אחרים בפרויקטים.", "Create API Token": "צור אסימון API", "Create a post": "צור פוסט", "Create a reminder": "צור תזכורת", "Create a slice of life": "צור פרוסת חיים", "Create at least one page to display contact’s data.": "צור עמוד אחד לפחות כדי להציג את הנתונים של איש הקשר.", - "Create at least one template to use Monica.": "צור תבנית אחת לפחות כדי להשתמש במוניקה.", + "Create at least one template to use Monica.": "צור תבנית אחת לפחות כדי להשתמש Monica.", "Create a user": "צור משתמש", "Create a vault": "צור כספת", "Created.": "נוצר.", @@ -322,18 +322,18 @@ "Currency": "מַטְבֵּעַ", "Current default": "ברירת המחדל הנוכחית", "Current language:": "שפה נוכחית:", - "Current Password": "סיסמה נוכחית", + "Current Password": "ססמה נוכחית", "Current site used to display maps:": "האתר הנוכחי המשמש להצגת מפות:", "Current streak": "רצף נוכחי", "Current timezone:": "אזור זמן נוכחי:", - "Current way of displaying contact names:": "דרך נוכחית להצגת שמות אנשי קשר:", + "Current way of displaying contact names:": "הדרך הנוכחית להצגת שמות אנשי קשר:", "Current way of displaying dates:": "דרך נוכחית להצגת תאריכים:", "Current way of displaying distances:": "דרך נוכחית להצגת מרחקים:", "Current way of displaying numbers:": "הדרך הנוכחית להצגת מספרים:", "Customize how contacts should be displayed": "התאם אישית את אופן הצגת אנשי הקשר", "Custom name order": "סדר שמות מותאם אישית", "Daily affirmation": "אישור יומי", - "Dashboard": "לוּחַ מַחווָנִים", + "Dashboard": "לוח מחוונים", "date": "תַאֲרִיך", "Date of the event": "תאריך האירוע", "Date of the event:": "תאריך האירוע:", @@ -345,7 +345,7 @@ "Deceased date": "תאריך נפטר", "Default template": "תבנית ברירת מחדל", "Default template to display contacts": "תבנית ברירת מחדל להצגת אנשי קשר", - "Delete": "לִמְחוֹק", + "Delete": "מחק", "Delete Account": "מחק חשבון", "Delete a new key": "מחק מפתח חדש", "Delete API Token": "מחק אסימון API", @@ -359,17 +359,17 @@ "Deleted author": "מחבר נמחק", "Delete group": "מחק קבוצה", "Delete journal": "מחק יומן", - "Delete Team": "מחק את הצוות", + "Delete Team": "מחק צוות", "Delete the address": "מחק את הכתובת", "Delete the photo": "מחק את התמונה", "Delete the slice": "מחק את הנתח", "Delete the vault": "מחק את הכספת", - "Delete your account on https:\/\/customers.monicahq.com.": "מחק את חשבונך ב-https:\/\/customers.monicahq.com.", + "Delete your account on https://customers.monicahq.com.": "מחק את חשבונך ב-https://customers.monicahq.com.", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "מחיקת הכספת פירושה מחיקת כל הנתונים בתוך הכספת הזו, לנצח. אין דרך חזרה. נא להיות בטוחים.", "Description": "תיאור", "Detail of a goal": "פירוט של מטרה", "Details in the last year": "פרטים בשנה האחרונה", - "Disable": "השבת", + "Disable": "בטל", "Disable all": "השבת הכל", "Disconnect": "לְנַתֵק", "Discuss partnership": "לדון בשותפות", @@ -396,18 +396,18 @@ "Edit journal information": "ערוך מידע ביומן", "Edit journal metrics": "ערוך מדדי יומן", "Edit names": "ערוך שמות", - "Editor": "עוֹרֵך", - "Editor users have the ability to read, create, and update.": "למשתמשי עורך יש את היכולת לקרוא, ליצור ולעדכן.", + "Editor": "עורך", + "Editor users have the ability to read, create, and update.": "למשתמשי העורך יש את היכולת לקרוא, ליצור ולעדכן.", "Edit post": "ערוך פוסט", "Edit Profile": "ערוך פרופיל", "Edit slice of life": "ערוך את נתח החיים", "Edit the group": "ערוך את הקבוצה", "Edit the slice of life": "ערוך את פרוסת החיים", - "Email": "אימייל", + "Email": "דוא \" ל", "Email address": "כתובת דוא\"ל", "Email address to send the invitation to": "כתובת אימייל לשליחת ההזמנה", - "Email Password Reset Link": "קישור לאיפוס סיסמת דואר אלקטרוני", - "Enable": "לְאַפשֵׁר", + "Email Password Reset Link": "איפוס סיסמה", + "Enable": "אפשר", "Enable all": "אפשר הכל", "Ensure your account is using a long, random password to stay secure.": "ודא שהחשבון שלך משתמש בסיסמה ארוכה ואקראית כדי להישאר מאובטח.", "Enter a number from 0 to 100000. No decimals.": "הזן מספר מ-0 עד 100000. ללא עשרוניות.", @@ -419,6 +419,7 @@ "Exception:": "יוצא מן הכלל:", "Existing company": "חברה קיימת", "External connections": "חיבורים חיצוניים", + "Facebook": "פייסבוק", "Family": "מִשׁפָּחָה", "Family summary": "סיכום משפחתי", "Favorites": "מועדפים", @@ -438,20 +439,18 @@ "For:": "ל:", "For advice": "לעצה", "Forbidden": "אסור", - "Forgot password?": "שכחת את הסיסמא?", - "Forgot your password?": "שכחת ססמה?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "שכחת ססמה? אין בעיה. פשוט הודע לנו על כתובת הדוא\"ל שלך ואנו נשלח לך באימייל קישור לאיפוס סיסמה שיאפשר לך לבחור כתובת חדשה.", - "For your security, please confirm your password to continue.": "למען אבטחתך, אנא אשר את הסיסמה שלך כדי להמשיך.", + "Forgot your password?": "שכחת את הסיסמה שלך?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "שכחת את הסיסמה שלך? אין בעיה. רק תודיע לנו את כתובת הדוא \" ל שלך ואנו נשלח לך קישור איפוס סיסמה שיאפשר לך לבחור אחד חדש.", + "For your security, please confirm your password to continue.": "למען ביטחונכם, אנא אשרו את סיסמתכם להמשך.", "Found": "מצאתי", "Friday": "יוֹם שִׁישִׁי", "Friend": "חבר", "friend": "חבר", - "From A to Z": "מ - א 'ועד ת", + "From A to Z": "מ - א ’ועד ת", "From Z to A": "מ-Z עד A", "Gender": "מִין", "Gender and pronoun": "מגדר וכינוי", "Genders": "מגדרים", - "Gift center": "מרכז מתנות", "Gift occasions": "אירועי מתנות", "Gift occasions let you categorize all your gifts.": "אירועי מתנות מאפשרים לך לסווג את כל המתנות שלך.", "Gift states": "מצבי מתנה", @@ -464,10 +463,10 @@ "Google Maps": "גוגל מפות", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "מפות גוגל מציעה את הדיוק והפרטים הטובים ביותר, אך היא אינה אידיאלית מנקודת מבט של פרטיות.", "Got fired": "פוטר", - "Go to page :page": "עבור לדף :דף", + "Go to page :page": "עבור לעמוד :page", "grand child": "ילד נכד", "grand parent": "הורה סבא", - "Great! You have accepted the invitation to join the :team team.": "גדול! קיבלת את ההזמנה להצטרף לצוות :team.", + "Great! You have accepted the invitation to join the :team team.": "נהדר! קיבלת את ההזמנה להצטרף לצוות :team.", "Group journal entries together with slices of life.": "רשומות יומן קבוצתיות יחד עם פרוסות חיים.", "Groups": "קבוצות", "Groups let you put your contacts together in a single place.": "קבוצות מאפשרות לך לחבר את אנשי הקשר שלך במקום אחד.", @@ -478,11 +477,11 @@ "Had a promotion": "היה קידום", "Hamster": "אוֹגֵר", "Have a great day,": "שיהיה לך יום טוב,", - "he\/him": "הוא\/הוא", + "he/him": "הוא/הוא", "Hello!": "שלום!", "Help": "עֶזרָה", - "Hi :name": "היי :שם", - "Hinduist": "הינדי", + "Hi :name": "היי :name", + "Hinduist": "הינדואיסט", "History of the notification sent": "היסטוריה של ההודעה שנשלחה", "Hobbies": "תחביבים", "Home": "בית", @@ -498,21 +497,21 @@ "How should we display dates": "כיצד עלינו להציג תאריכים", "How should we display distance values": "כיצד עלינו להציג ערכי מרחק", "How should we display numerical values": "כיצד עלינו להציג ערכים מספריים", - "I agree to the :terms and :policy": "אני מסכים ל:תנאים ולמדיניות", - "I agree to the :terms_of_service and :privacy_policy": "אני מסכים ל:תנאי_השירות ולמדיניות_הפרטיות", + "I agree to the :terms and :policy": "אני מסכים ל:terms ול-:policy", + "I agree to the :terms_of_service and :privacy_policy": "אני מסכים :terms_of_service ו :privacy_policy", "I am grateful for": "אני אסיר תודה עבור", "I called": "התקשרתי", - "I called, but :name didn’t answer": "התקשרתי, אבל :name לא ענה", + "I called, but :name didn’t answer": "התקשרתי, אבל :name לא עניתי", "Idea": "רַעְיוֹן", "I don’t know the name": "אני לא יודע את השם", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "במידת הצורך, תוכל להתנתק מכל הפעלות הדפדפן האחרות שלך בכל המכשירים שלך. חלק מהמפגשים האחרונים שלך מפורטים להלן; עם זאת, ייתכן שרשימה זו אינה ממצה. אם אתה מרגיש שחשבונך נפרץ, עליך לעדכן גם את הסיסמה שלך.", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "במידת הצורך, תוכל להתנתק מכל הפעלות הדפדפן האחרות שלך בכל המכשירים שלך. חלק מהפגישות האחרונות שלך מפורטות להלן; עם זאת, רשימה זו לא יכולה להיות ממצה. אם אתה מרגיש שהחשבון שלך נפרץ, עליך גם לעדכן את הסיסמה שלך.", "If the date is in the past, the next occurence of the date will be next year.": "אם התאריך הוא בעבר, ההתרחשות הבאה של התאריך תהיה בשנה הבאה.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "אם אתה מתקשה ללחוץ על הלחצן \":actionText\", העתק והדבק את כתובת האתר למטה\nלדפדפן האינטרנט שלך:", - "If you already have an account, you may accept this invitation by clicking the button below:": "אם כבר יש לך חשבון, תוכל לקבל הזמנה זו על ידי לחיצה על הלחצן למטה:", - "If you did not create an account, no further action is required.": "אם לא יצרת חשבון, אין צורך בפעולה נוספת.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "אם לא ציפית לקבל הזמנה לצוות זה, תוכל למחוק דוא\"ל זה.", - "If you did not request a password reset, no further action is required.": "אם לא ביקשת איפוס סיסמה, אין צורך בפעולה נוספת.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "אם אין לך חשבון, אתה יכול ליצור אחד על ידי לחיצה על הכפתור למטה. לאחר יצירת חשבון, תוכל ללחוץ על כפתור אישור ההזמנה בדוא\"ל זה כדי לקבל את הזמנת הצוות:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "אם אתם נתקלים בבעיה ללחוץ על \":actionText\", אנא העתיקו את הקישור המופיע מטה לתוך שורת הכתובות", + "If you already have an account, you may accept this invitation by clicking the button below:": "אם כבר יש לך חשבון, תוכל לקבל הזמנה זו על ידי לחיצה על הכפתור למטה:", + "If you did not create an account, no further action is required.": "אם לא יצרתם את החשבון, אין צורך לעשות דבר.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "אם לא ציפית לקבל הזמנה לצוות זה, אתה יכול להשליך דוא \" ל זה.", + "If you did not request a password reset, no further action is required.": "אם לא ביקשתם לאפס את הסיסמה, אין צורך לעשות דבר.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "אם אין לך חשבון, תוכל ליצור חשבון על ידי לחיצה על הכפתור למטה. לאחר יצירת חשבון, תוכל ללחוץ על כפתור קבלת ההזמנה בדוא \" ל זה כדי לקבל את הזמנת הצוות:", "If you’ve received this invitation by mistake, please discard it.": "אם קיבלת הזמנה זו בטעות, אנא הסר אותה.", "I know the exact date, including the year": "אני יודע את התאריך המדויק, כולל השנה", "I know the name": "אני מכיר את השם", @@ -523,6 +522,7 @@ "Information from Wikipedia": "מידע מויקיפדיה", "in love with": "מאוהב ב", "Inspirational post": "פוסט מעורר השראה", + "Invalid JSON was returned from the route.": "JSON לא חוקי הוחזר מהמסלול.", "Invitation sent": "הזמנה נשלחה", "Invite a new user": "הזמן משתמש חדש", "Invite someone": "להזמין מישהו", @@ -548,14 +548,14 @@ "Labels let you classify contacts using a system that matters to you.": "תוויות מאפשרות לך לסווג אנשי קשר באמצעות מערכת שחשובה לך.", "Language of the application": "שפת האפליקציה", "Last active": "פעיל אחרון", - "Last active :date": "פעיל אחרון :תאריך", + "Last active :date": "פעיל אחרון :date", "Last name": "שם משפחה", "Last name First name": "שם משפחה שם פרטי", "Last updated": "עודכן לאחרונה", - "Last used": "בשימוש אחרון", - "Last used :date": "בשימוש אחרון :תאריך", - "Leave": "לעזוב", - "Leave Team": "עזוב את הצוות", + "Last used": "שימוש אחרון", + "Last used :date": "בשימוש אחרון :date", + "Leave": "השאר", + "Leave Team": "השאר צוות", "Life": "חַיִים", "Life & goals": "מטרות החיים", "Life events": "אירועי החיים", @@ -564,23 +564,23 @@ "Life event types and categories": "סוגי אירועי חיים וקטגוריות", "Life metrics": "מדדי חיים", "Life metrics let you track metrics that are important to you.": "מדדי חיים מאפשרים לך לעקוב אחר מדדים שחשובים לך.", - "Link to documentation": "קישור לתיעוד", + "LinkedIn": "לינקדאין", "List of addresses": "רשימת כתובות", "List of addresses of the contacts in the vault": "רשימת הכתובות של אנשי הקשר בכספת", "List of all important dates": "רשימה של כל התאריכים החשובים", "Loading…": "טוען…", "Load previous entries": "טען ערכים קודמים", "Loans": "הלוואות", - "Locale default: :value": "ברירת המחדל של מיקום: :value", + "Locale default: :value": "ברירת המחדל של המקום: :value", "Log a call": "רישום שיחה", "Log details": "פרטי יומן", "logged the mood": "רשם את מצב הרוח", - "Log in": "התחברות", + "Log in": "התחבר", "Login": "התחברות", "Login with:": "התחבר עם:", - "Log Out": "להתנתק", - "Logout": "להתנתק", - "Log Out Other Browser Sessions": "התנתק מהפעלות דפדפן אחרות", + "Log Out": "התנתק", + "Logout": "התנתקות", + "Log Out Other Browser Sessions": "להתנתק הפעלות דפדפן אחרות", "Longest streak": "הרצף הארוך ביותר", "Love": "אהבה", "loved by": "אהוב על ידי", @@ -588,11 +588,11 @@ "Made from all over the world. We ❤️ you.": "עשוי מכל העולם. אנחנו ❤️ אותך.", "Maiden name": "שם נעורים", "Male": "זָכָר", - "Manage Account": "נהל חשבון", + "Manage Account": "ניהול חשבון", "Manage accounts you have linked to your Customers account.": "נהל חשבונות שקישרת לחשבון הלקוחות שלך.", "Manage address types": "נהל סוגי כתובות", - "Manage and log out your active sessions on other browsers and devices.": "נהל והתנתק מההפעלות הפעילות שלך בדפדפנים ובמכשירים אחרים.", - "Manage API Tokens": "נהל אסימוני API", + "Manage and log out your active sessions on other browsers and devices.": "נהל והתחבר להפעלות הפעילות שלך בדפדפנים ובמכשירים אחרים.", + "Manage API Tokens": "ניהול אסימוני API", "Manage call reasons": "נהל סיבות לשיחה", "Manage contact information types": "נהל סוגי פרטי קשר", "Manage currencies": "נהל מטבעות", @@ -612,6 +612,7 @@ "Manage Team": "ניהול צוות", "Manage templates": "נהל תבניות", "Manage users": "נהל משתמשים", + "Mastodon": "מסטודון", "Maybe one of these contacts?": "אולי אחד מאנשי הקשר האלה?", "mentor": "מנטור", "Middle name": "שם אמצעי", @@ -619,9 +620,9 @@ "miles (mi)": "מיילים (מייל)", "Modules in this page": "מודולים בעמוד זה", "Monday": "יוֹם שֵׁנִי", - "Monica. All rights reserved. 2017 — :date.": "מוניקה. כל הזכויות שמורות. 2017 - :תאריך.", - "Monica is open source, made by hundreds of people from all around the world.": "מוניקה היא קוד פתוח, שנוצרה על ידי מאות אנשים מכל רחבי העולם.", - "Monica was made to help you document your life and your social interactions.": "מוניקה נוצרה כדי לעזור לך לתעד את חייך ואת האינטראקציות החברתיות שלך.", + "Monica. All rights reserved. 2017 — :date.": "Monica. כל הזכויות שמורות. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica היא קוד פתוח, שנוצרה על ידי מאות אנשים מכל רחבי העולם.", + "Monica was made to help you document your life and your social interactions.": "Monica נוצרה כדי לעזור לך לתעד את חייך ואת האינטראקציות החברתיות שלך.", "Month": "חוֹדֶשׁ", "month": "חוֹדֶשׁ", "Mood in the year": "מצב רוח בשנה", @@ -631,14 +632,14 @@ "More errors": "עוד שגיאות", "Move contact": "העבר איש קשר", "Muslim": "מוסלמי", - "Name": "שֵׁם", + "Name": "שם", "Name of the pet": "שם חיית המחמד", "Name of the reminder": "שם התזכורת", "Name of the reverse relationship": "שם הקשר ההפוך", "Nature of the call": "אופי השיחה", - "nephew\/niece": "אחיין אחיינית", + "nephew/niece": "אחיין/אחיינית", "New Password": "סיסמה חדשה", - "New to Monica?": "חדש במוניקה?", + "New to Monica?": "חדש Monica?", "Next": "הַבָּא", "Nickname": "כינוי", "nickname": "כינוי", @@ -665,12 +666,12 @@ "No upcoming reminders.": "אין תזכורות קרובות.", "Number of hours slept": "מספר שעות שינה", "Numerical value": "ערך מספרי", - "of": "שֶׁל", + "of": "של", "Offered": "מוּצָע", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "לאחר מחיקת צוות, כל המשאבים והנתונים שלו יימחקו לצמיתות. לפני מחיקת צוות זה, אנא הורד כל מידע או מידע לגבי צוות זה שברצונך לשמור.", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "ברגע שצוות נמחק, כל המשאבים והנתונים שלו יימחקו לצמיתות. לפני מחיקת צוות זה, אנא הורד נתונים או מידע כלשהם בנוגע לצוות זה שברצונך לשמור.", "Once you cancel,": "ברגע שאתה מבטל,", "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "לאחר שתלחץ על כפתור ההגדרה למטה, תצטרך לפתוח את Telegram עם הכפתור שנספק לך. זה יאתר עבורך את הבוט Monica Telegram.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "לאחר מחיקת החשבון שלך, כל המשאבים והנתונים שלו יימחקו לצמיתות. לפני מחיקת חשבונך, הורד את כל הנתונים או המידע שברצונך לשמור.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "לאחר מחיקת חשבונך, כל המשאבים והנתונים שלו יימחקו לצמיתות. לפני מחיקת החשבון שלך, אנא הורד נתונים או מידע שברצונך לשמור.", "Only once, when the next occurence of the date occurs.": "רק פעם אחת, כאשר ההתרחשות הבאה של התאריך מתרחשת.", "Oops! Something went wrong.": "אופס! משהו השתבש.", "Open Street Maps": "פתח את מפות רחוב", @@ -683,9 +684,9 @@ "Or reset the fields": "או אפס את השדות", "Other": "אַחֵר", "Out of respect and appreciation": "מתוך כבוד והערכה", - "Page Expired": "פג תוקף העמוד", + "Page Expired": "תוקף הדף פג", "Pages": "דפים", - "Pagination Navigation": "ניווט עימוד", + "Pagination Navigation": "ניווט בדפים", "Parent": "הוֹרֶה", "parent": "הוֹרֶה", "Participants": "משתתפים", @@ -693,10 +694,10 @@ "Part of": "חלק מ", "Password": "סיסמה", "Payment Required": "נדרש תשלום", - "Pending Team Invitations": "הזמנות צוות ממתינות", - "per\/per": "בשביל בשביל", - "Permanently delete this team.": "מחק את הצוות הזה לצמיתות.", - "Permanently delete your account.": "מחק את חשבונך לצמיתות.", + "Pending Team Invitations": "הזמנות תלויות ועומדות לצוות", + "per/per": "לכל/לכל", + "Permanently delete this team.": "למחוק לצמיתות את הצוות הזה.", + "Permanently delete your account.": "מחק את החשבון שלך לצמיתות.", "Permission for :name": "הרשאה עבור :name", "Permissions": "הרשאות", "Personal": "אישי", @@ -713,26 +714,26 @@ "Played soccer": "שיחקתי כדורגל", "Played tennis": "שיחק טניס", "Please choose a template for this new post": "אנא בחר תבנית עבור הפוסט החדש הזה", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "אנא בחר תבנית אחת למטה כדי לספר למוניקה כיצד יש להציג איש קשר זה. תבניות מאפשרות לך להגדיר אילו נתונים יש להציג בדף יצירת הקשר.", - "Please click the button below to verify your email address.": "אנא לחץ על הלחצן למטה כדי לאמת את כתובת הדוא\"ל שלך.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "אנא בחר תבנית אחת למטה כדי לספר Monica כיצד יש להציג איש קשר זה. תבניות מאפשרות לך להגדיר אילו נתונים יש להציג בדף יצירת הקשר.", + "Please click the button below to verify your email address.": "אנא לחצו על הכפתור מטה לאימות הדואר האלקטרוני שלכם.", "Please complete this form to finalize your account.": "אנא מלא טופס זה כדי לסיים את חשבונך.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "אשר את הגישה לחשבון שלך על ידי הזנת אחד מקודי שחזור החירום שלך.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "אנא אשר את הגישה לחשבונך על ידי הזנת קוד האימות שסופק על ידי אפליקציית המאמת שלך.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "אנא אשר גישה לחשבון שלך על ידי הזנת אחד קודי שחזור חירום שלך.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "אנא אשר גישה לחשבון שלך על ידי הזנת קוד האימות המסופק על ידי יישום המאמת שלך.", "Please confirm access to your account by validating your security key.": "אשר את הגישה לחשבון שלך על ידי אימות מפתח האבטחה שלך.", - "Please copy your new API token. For your security, it won't be shown again.": "אנא העתק את אסימון ה-API החדש שלך. למען אבטחתך, הוא לא יוצג שוב.", + "Please copy your new API token. For your security, it won't be shown again.": "אנא העתק את אסימון ה-API החדש שלך. למען ביטחונך, זה לא יוצג שוב.", "Please copy your new API token. For your security, it won’t be shown again.": "אנא העתק את אסימון ה-API החדש שלך. למען אבטחתך, הוא לא יוצג שוב.", "Please enter at least 3 characters to initiate a search.": "אנא הזן לפחות 3 תווים כדי להתחיל חיפוש.", "Please enter your password to cancel the account": "אנא הזן את הסיסמה שלך כדי לבטל את החשבון", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "אנא הזן את הסיסמה שלך כדי לאשר שברצונך להתנתק מהפעלות הדפדפן האחרות שלך בכל המכשירים שלך.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "הזן את הסיסמה שלך כדי לוודא שברצונך להתנתק מההפעלות האחרות בדפדפן שלך בכל המכשירים שלך.", "Please indicate the contacts": "נא לציין את אנשי הקשר", - "Please join Monica": "נא להצטרף למוניקה", - "Please provide the email address of the person you would like to add to this team.": "אנא ספק את כתובת האימייל של האדם שברצונך להוסיף לצוות זה.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "אנא קרא את התיעוד<\/link> שלנו כדי לדעת יותר על תכונה זו, ולאילו משתנים יש לך גישה.", + "Please join Monica": "נא להצטרף Monica", + "Please provide the email address of the person you would like to add to this team.": "אנא ספק את כתובת הדוא \" ל של האדם שברצונך להוסיף לצוות זה.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "אנא קרא את התיעוד שלנו כדי לדעת יותר על תכונה זו, ולאילו משתנים יש לך גישה.", "Please select a page on the left to load modules.": "אנא בחר עמוד בצד שמאל כדי לטעון מודולים.", "Please type a few characters to create a new label.": "אנא הקלד כמה תווים כדי ליצור תווית חדשה.", "Please type a few characters to create a new tag.": "אנא הקלד כמה תווים כדי ליצור תג חדש.", "Please validate your email address": "נא לאמת את כתובת הדוא\"ל שלך", - "Please verify your email address": "נא לאמת את כתובת הדוא\"ל שלך", + "Please verify your email address": "אנא אמת את כתובת הדוא\"ל שלך", "Postal code": "מיקוד", "Post metrics": "מדדי פרסום", "Posts": "פוסטים", @@ -741,13 +742,13 @@ "Prefix": "קידומת", "Previous": "קודם", "Previous addresses": "כתובות קודמות", - "Privacy Policy": "מדיניות הפרטיות", - "Profile": "פּרוֹפִיל", + "Privacy Policy": "מדיניות פרטיות", + "Profile": "פרופיל", "Profile and security": "פרופיל ואבטחה", - "Profile Information": "מידע על הפרופיל", + "Profile Information": "פרטי פרופיל", "Profile of :name": "פרופיל של :name", "Profile page of :name": "דף הפרופיל של :name", - "Pronoun": "הם נוטים", + "Pronoun": "כנוי", "Pronouns": "כינויים", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "כינויים הם בעצם הדרך שבה אנו מזהים את עצמנו מלבד השם שלנו. זה איך שמישהו מתייחס אליך בשיחה.", "protege": "בן חסות", @@ -761,14 +762,14 @@ "Rabbit": "ארנב", "Ran": "רץ", "Rat": "עכברוש", - "Read :count time|Read :count times": "קרא את :count time|קרא את :count times", + "Read :count time|Read :count times": "קרא פעם :count|קרא :count פעמים", "Record a loan": "רשום הלוואה", "Record your mood": "רשום את מצב הרוח שלך", "Recovery Code": "קוד שחזור", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "לא משנה היכן אתה נמצא בעולם, הצגת תאריכים באזור הזמן שלך.", "Regards": "בברכה", - "Regenerate Recovery Codes": "צור מחדש קודי שחזור", - "Register": "הירשם", + "Regenerate Recovery Codes": "חידוש קודי שחזור", + "Register": "הרשמה", "Register a new key": "רשום מפתח חדש", "Register a new key.": "רשום מפתח חדש.", "Regular post": "פוסט רגיל", @@ -785,7 +786,7 @@ "Reminders for the next 30 days": "תזכורות ל-30 הימים הבאים", "Remind me about this date every year": "תזכיר לי על התאריך הזה כל שנה", "Remind me about this date just once, in one year from now": "תזכיר לי על התאריך הזה רק פעם אחת, בעוד שנה מהיום", - "Remove": "לְהַסִיר", + "Remove": "הסר", "Remove avatar": "הסר את הדמות", "Remove cover image": "הסר את תמונת השער", "removed a label": "הסיר תווית", @@ -797,19 +798,19 @@ "Rename": "שנה שם", "Reports": "דיווחים", "Reptile": "זוֹחֵל", - "Resend Verification Email": "לשלוח דוא\"ל לאימות", - "Reset Password": "לאפס את הסיסמה", - "Reset Password Notification": "אפס הודעת סיסמה", + "Resend Verification Email": "שלח שוב דוא \" ל אימות", + "Reset Password": "איפוס סיסמה", + "Reset Password Notification": "הודעת איפוס סיסמה", "results": "תוצאות", "Retry": "נסה שוב", "Revert": "לַחֲזוֹר", "Rode a bike": "רכב על אופניים", - "Role": "תַפְקִיד", + "Role": "תפקיד", "Roles:": "תפקידים:", - "Roomates": "בִּזְחִילָה", + "Roomates": "שותפים לדירה", "Saturday": "יום שבת", - "Save": "להציל", - "Saved.": "שמור.", + "Save": "שמור", + "Saved.": "ניצלתי.", "Saving in progress": "שמירה מתבצעת", "Searched": "חיפשו", "Searching…": "מחפש...", @@ -823,8 +824,8 @@ "Send invitation": "שלח הזמנה", "Send test": "שלח מבחן", "Sent at :time": "נשלח ב-:time", - "Server Error": "שגיאת שרת", - "Service Unavailable": "שירותים לא זמינים", + "Server Error": "תקלת שרת", + "Service Unavailable": "השירות אינו זמין", "Set as default": "נקבע כברירת מחדל", "Set as favorite": "הגדר כמועדף", "Settings": "הגדרות", @@ -833,16 +834,16 @@ "Setup Key": "מפתח הגדרה", "Setup Key:": "מפתח הגדרה:", "Setup Telegram": "הגדרת טלגרם", - "she\/her": "היא היא", + "she/her": "היא/היא", "Shintoist": "שינטואיסט", "Show Calendar tab": "הצג את הכרטיסייה לוח שנה", "Show Companies tab": "הצג את הכרטיסייה חברות", "Show completed tasks (:count)": "הצג משימות שהושלמו (:count)", "Show Files tab": "הצג את הכרטיסייה קבצים", "Show Groups tab": "הצג את הכרטיסייה קבוצות", - "Showing": "מראה", - "Showing :count of :total results": "מציג :ספירה של :סה\"כ תוצאות", - "Showing :first to :last of :total results": "מציג :first to :last של :סה\"כ תוצאות", + "Showing": "מציג", + "Showing :count of :total results": "מציג :count מתוך :total תוצאות", + "Showing :first to :last of :total results": "מציג :first עד :last מתוך :total תוצאות", "Show Journals tab": "הצג את הכרטיסייה יומנים", "Show Recovery Codes": "הצג קודי שחזור", "Show Reports tab": "הצג את הכרטיסייה דוחות", @@ -851,13 +852,12 @@ "Sign in to your account": "תתחבר לחשבון שלך", "Sign up for an account": "תירשם בשביל חשבון", "Sikh": "סיקי", - "Slept :count hour|Slept :count hours": "שינה: ספירת שעות|שינה: ספירת שעות", + "Slept :count hour|Slept :count hours": "ישן :count שעה|ישן :count שעות", "Slice of life": "פרוסת חיים", "Slices of life": "פרוסות חיים", "Small animal": "חיה קטנה", "Social": "חֶברָתִי", "Some dates have a special type that we will use in the software to calculate an age.": "לחלק מהתאריכים יש סוג מיוחד בו נשתמש בתוכנה לחישוב גיל.", - "Sort contacts": "מיין אנשי קשר", "So… it works 😼": "אז... זה עובד 😼", "Sport": "ספּוֹרט", "spouse": "בן זוג", @@ -870,37 +870,36 @@ "Summary": "סיכום", "Sunday": "יוֹם רִאשׁוֹן", "Switch role": "החלף תפקיד", - "Switch Teams": "החלף צוות", + "Switch Teams": "החלף צוותים", "Tabs visibility": "נראות הכרטיסיות", "Tags": "תגים", - "Tags let you classify journal posts using a system that matters to you.": "תגים מאפשרים לך לסווג פוסטים ביומן באמצעות מערכת שחשובה לך.", + "Tags let you classify journal posts using a system that matters to you.": "תגיות מאפשרות לך לסווג פוסטים ביומן באמצעות מערכת שחשובה לך.", "Taoist": "טאואיסט", "Tasks": "משימות", - "Team Details": "פרטי הצוות", - "Team Invitation": "הזמנה לצוות", + "Team Details": "פרטי צוות", + "Team Invitation": "הזמנה קבוצתית", "Team Members": "חברי צוות", - "Team Name": "שם קבוצה", - "Team Owner": "בעל צוות", + "Team Name": "שם הקבוצה", + "Team Owner": "בעל הקבוצה", "Team Settings": "הגדרות צוות", "Telegram": "מִברָק", "Templates": "תבניות", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "תבניות מאפשרות לך להתאים אישית אילו נתונים אמורים להיות מוצגים באנשי הקשר שלך. אתה יכול להגדיר כמה תבניות שתרצה, ולבחור באיזו תבנית יש להשתמש באיזה איש קשר.", - "Terms of Service": "תנאי השירות", - "Test email for Monica": "דוא\"ל בדיקה עבור מוניקה", + "Terms of Service": "תנאי שימוש", + "Test email for Monica": "דוא\"ל בדיקה עבור Monica", "Test email sent!": "מייל בדיקה נשלח!", "Thanks,": "תודה,", - "Thanks for giving Monica a try": "תודה שניסית את מוניקה", - "Thanks for giving Monica a try.": "תודה שניסית את מוניקה.", + "Thanks for giving Monica a try.": "תודה שניסית את Monica.", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "תודה על ההרשמה! לפני שתתחיל, האם תוכל לאמת את כתובת הדוא\"ל שלך על ידי לחיצה על הקישור שזה עתה שלחנו לך בדוא\"ל? אם לא קיבלת את המייל, נשלח לך בשמחה דוא\"ל נוסף.", - "The :attribute must be at least :length characters.": "התכונה :לפחות חייבת להיות תווים :length לפחות.", - "The :attribute must be at least :length characters and contain at least one number.": "התכונה :לפחות חייבת להיות לפחות תווים :length ולהכיל מספר אחד לפחות.", - "The :attribute must be at least :length characters and contain at least one special character.": "התכונה : חייבת להיות לפחות תווים :length ולהכיל לפחות תו מיוחד אחד.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "התכונה :לפחות חייבת להיות לפחות תווים :length ולהכיל לפחות תו מיוחד אחד ומספר אחד.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "התכונה : חייבת להיות לפחות תווים :length ולהכיל לפחות תו אחד גדול, מספר אחד ותו מיוחד אחד.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "התכונה : חייבת להיות לפחות תווים :length ולהכיל לפחות תו גדול אחד.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "התכונה : חייבת להיות לפחות תווים :length ולהכיל לפחות תו גדול ומספר אחד.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "התכונה : חייבת להיות לפחות תווים :length ולהכיל לפחות תו אחד גדול ותו מיוחד אחד.", - "The :attribute must be a valid role.": "התכונה : חייבת להיות תפקיד חוקי.", + "The :attribute must be at least :length characters.": ":Attribute חייב להיות לפחות :length תווים.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute חייב להיות לפחות :length תווים מכילים לפחות מספר אחד.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute חייב להיות לפחות :length תווים מכילים לפחות תו מיוחד אחד.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute חייב להיות לפחות :length תווים מכילים לפחות תו מיוחד אחד ומספר אחד.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute חייב להיות לפחות :length תווים מכילים לפחות תו אחד אותיות רישיות, מספר אחד, תו מיוחד אחד.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute חייב להיות לפחות :length תווים מכילים לפחות תו אחד באותיות רישיות.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute חייב להיות לפחות :length תווים מכילים לפחות תו אחד באותיות רישיות ומספר אחד.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "ה-:attribute חייב להיות לפחות :length תווים ומכילים לפחות תו עליון אחד ותו מיוחד אחד.", + "The :attribute must be a valid role.": ":Attribute חייב להיות תפקיד תקף.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "נתוני החשבון יימחקו לצמיתות מהשרתים שלנו תוך 30 יום ומכל הגיבויים תוך 60 יום.", "The address type has been created": "סוג הכתובת נוצר", "The address type has been deleted": "סוג הכתובת נמחק", @@ -983,7 +982,7 @@ "The operation either timed out or was not allowed.": "פסק הזמן של הפעולה או שלא הותר.", "The page has been added": "הדף נוסף", "The page has been deleted": "הדף נמחק", - "The page has been updated": "הדף עודכן", + "The page has been updated": "העמוד עודכן", "The password is incorrect.": "הסיסמא לא נכונה.", "The pet category has been created": "נוצרה קטגוריית חיות המחמד", "The pet category has been deleted": "קטגוריית חיות המחמד נמחקה", @@ -1000,9 +999,9 @@ "The pronoun has been created": "הכינוי נוצר", "The pronoun has been deleted": "הכינוי נמחק", "The pronoun has been updated": "הכינוי עודכן", - "The provided password does not match your current password.": "הסיסמה שסופקה אינה תואמת את הסיסמה הנוכחית שלך.", + "The provided password does not match your current password.": "הסיסמה המסופקת אינה תואמת את הסיסמה הנוכחית שלך.", "The provided password was incorrect.": "הסיסמה שסופקה הייתה שגויה.", - "The provided two factor authentication code was invalid.": "קוד האימות דו-גורמי שסופק היה לא חוקי.", + "The provided two factor authentication code was invalid.": "קוד האימות של שני גורמים לא היה תקין.", "The provided two factor recovery code was invalid.": "קוד שחזור שני הגורמים שסופק היה לא חוקי.", "There are no active addresses yet.": "אין עדיין כתובות פעילות.", "There are no calls logged yet.": "עדיין לא נרשמו שיחות.", @@ -1036,21 +1035,23 @@ "The reminder has been created": "התזכורת נוצרה", "The reminder has been deleted": "התזכורת נמחקה", "The reminder has been edited": "התזכורת עברה עריכה", + "The response is not a streamed response.": "התגובה אינה תגובה זורמת.", + "The response is not a view.": "התגובה היא לא השקפה.", "The role has been created": "התפקיד נוצר", "The role has been deleted": "התפקיד נמחק", "The role has been updated": "התפקיד עודכן", "The section has been created": "המדור נוצר", "The section has been deleted": "הקטע נמחק", "The section has been updated": "הסעיף עודכן", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "האנשים האלה הוזמנו לצוות שלך ונשלחו להם אימייל הזמנה. הם יכולים להצטרף לצוות על ידי קבלת ההזמנה בדוא\"ל.", - "The tag has been added": "התג נוסף", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "אנשים אלה הוזמנו לצוות שלך ונשלחו דוא \" ל הזמנה. הם עשויים להצטרף לצוות על ידי קבלת ההזמנה בדוא \" ל.", + "The tag has been added": "התגית נוספה", "The tag has been created": "התג נוצר", "The tag has been deleted": "התג נמחק", "The tag has been updated": "התג עודכן", "The task has been created": "המשימה נוצרה", "The task has been deleted": "המשימה נמחקה", "The task has been edited": "המשימה עברה עריכה", - "The team's name and owner information.": "שם הצוות ופרטי הבעלים.", + "The team's name and owner information.": "שם הקבוצה ומידע הבעלים.", "The Telegram channel has been deleted": "ערוץ הטלגרם נמחק", "The template has been created": "התבנית נוצרה", "The template has been deleted": "התבנית נמחקה", @@ -1067,23 +1068,23 @@ "The vault has been created": "הכספת נוצרה", "The vault has been deleted": "הכספת נמחקה", "The vault have been updated": "הכספת עודכנה", - "they\/them": "הם\/הם", + "they/them": "הם/הם", "This address is not active anymore": "כתובת זו אינה פעילה יותר", - "This device": "המכשיר הזה", - "This email is a test email to check if Monica can send an email to this email address.": "דוא\"ל זה הוא דוא\"ל בדיקה כדי לבדוק אם מוניקה יכולה לשלוח דוא\"ל לכתובת דוא\"ל זו.", - "This is a secure area of the application. Please confirm your password before continuing.": "זהו אזור מאובטח באפליקציה. אנא אשר את הסיסמה שלך לפני שתמשיך.", + "This device": "התקן זה", + "This email is a test email to check if Monica can send an email to this email address.": "דוא\"ל זה הוא דוא\"ל בדיקה כדי לבדוק אם Monica יכולה לשלוח דוא\"ל לכתובת דוא\"ל זו.", + "This is a secure area of the application. Please confirm your password before continuing.": "זהו אזור מאובטח של היישום. אנא אשר את הסיסמה שלך לפני שתמשיך.", "This is a test email": "זהו מייל לבדיקה", "This is a test notification for :name": "זוהי הודעת בדיקה עבור :name", "This key is already registered. It’s not necessary to register it again.": "מפתח זה כבר רשום. אין צורך לרשום אותו שוב.", "This link will open in a new tab": "קישור זה ייפתח בלשונית חדשה", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "דף זה מציג את כל ההתראות שנשלחו בערוץ זה בעבר. זה משמש בעיקר כדרך לניפוי באגים במקרה שלא תקבל את ההודעה שהגדרת.", - "This password does not match our records.": "סיסמה זו אינה תואמת לרישומים שלנו.", - "This password reset link will expire in :count minutes.": "קישור לאיפוס סיסמה זה יפוג בעוד :count דקות.", + "This password does not match our records.": "סיסמה זו אינה תואמת את הרשומות שלנו.", + "This password reset link will expire in :count minutes.": "תוקף הקישור הזה ייגמר בעוד :count דקות.", "This post has no content yet.": "לפוסט הזה אין עדיין תוכן.", "This provider is already associated with another account": "ספק זה כבר משויך לחשבון אחר", "This site is open source.": "האתר הזה הוא קוד פתוח.", "This template will define what information are displayed on a contact page.": "תבנית זו תגדיר איזה מידע יוצג בדף יצירת קשר.", - "This user already belongs to the team.": "משתמש זה כבר שייך לצוות.", + "This user already belongs to the team.": "המשתמש הזה כבר שייך לצוות.", "This user has already been invited to the team.": "משתמש זה כבר הוזמן לצוות.", "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "משתמש זה יהיה חלק מהחשבון שלך, אך לא יקבל גישה לכל הכספות בחשבון זה אלא אם תיתן גישה ספציפית אליהם. אדם זה יוכל ליצור גם כספות.", "This will immediately:": "זה יעשה מיד:", @@ -1091,17 +1092,16 @@ "Thursday": "יוֹם חֲמִישִׁי", "Timezone": "אזור זמן", "Title": "כותרת", - "to": "ל", + "to": "אל", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "כדי לסיים את הפעלת אימות דו-גורמי, סרוק את קוד ה-QR הבא באמצעות אפליקציית האימות של הטלפון שלך או הזן את מפתח ההגדרה וספק את קוד ה-OTP שנוצר.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "כדי לסיים את הפעלת אימות דו-גורמי, סרוק את קוד ה-QR הבא באמצעות אפליקציית האימות של הטלפון שלך או הזן את מפתח ההגדרה וספק את קוד ה-OTP שנוצר.", - "Toggle navigation": "החלף ניווט", + "Toggle navigation": "שינוי מצב ניווט", "To hear their story": "לשמוע את הסיפור שלהם", "Token Name": "שם אסימון", "Token name (for your reference only)": "שם אסימון (לעיונך בלבד)", "Took a new job": "לקח עבודה חדשה", "Took the bus": "לקח את האוטובוס", "Took the metro": "לקח את המטרו", - "Too Many Requests": "יותר מדי בקשות", + "Too Many Requests": "יותר מדי בקשות.", "To see if they need anything": "כדי לראות אם הם צריכים משהו", "To start, you need to create a vault.": "כדי להתחיל, עליך ליצור כספת.", "Total:": "סה\"כ:", @@ -1110,24 +1110,23 @@ "Transportation": "הוֹבָלָה", "Tuesday": "יוֹם שְׁלִישִׁי", "Two-factor Confirmation": "אישור דו-גורמי", - "Two Factor Authentication": "אימות דו-גורמי", + "Two Factor Authentication": "אימות שני גורמים", "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "אימות שני גורמים מופעל כעת. סרוק את קוד ה-QR הבא באמצעות אפליקציית המאמת של הטלפון שלך או הזן את מפתח ההגדרה.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "אימות שני גורמים מופעל כעת. סרוק את קוד ה-QR הבא באמצעות אפליקציית האימות של הטלפון שלך או הזן את מפתח ההגדרה.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "אימות שני גורמים מופעל כעת. סרוק את קוד ה-QR הבא באמצעות אפליקציית המאמת של הטלפון שלך או הזן את מפתח ההגדרה.", "Type": "סוּג", "Type:": "סוּג:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "הקלד כל דבר בשיחה עם הבוט Monica. זה יכול להיות 'התחלה' למשל.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "הקלד כל דבר בשיחה עם הבוט Monica. זה יכול להיות ’התחלה’ למשל.", "Types": "סוגים", "Type something": "הקלד משהו", "Unarchive contact": "בטל מארכיון איש קשר", "unarchived the contact": "הוציא את איש הקשר מהארכיון", "Unauthorized": "לא מורשה", - "uncle\/aunt": "דוד דודה", + "uncle/aunt": "דוד/דודה", "Undefined": "לא מוגדר", "Unexpected error on login.": "שגיאה בלתי צפויה בכניסה.", "Unknown": "לא ידוע", "unknown action": "פעולה לא ידועה", "Unknown age": "גיל לא ידוע", - "Unknown contact name": "שם איש קשר לא ידוע", "Unknown name": "שם לא ידוע", "Update": "עדכון", "Update a key.": "עדכן מפתח.", @@ -1136,14 +1135,13 @@ "updated an address": "עדכן כתובת", "updated an important date": "עדכן תאריך חשוב", "updated a pet": "עדכן חיית מחמד", - "Updated on :date": "עודכן בתאריך :date", + "Updated on :date": "עודכן ב-:date", "updated the avatar of the contact": "עדכן את הדמות של איש הקשר", "updated the contact information": "עדכן את פרטי הקשר", "updated the job information": "עדכן את פרטי המשרה", "updated the religion": "עדכן את הדת", - "Update Password": "עדכן סיסמה", - "Update your account's profile information and email address.": "עדכן את פרטי הפרופיל וכתובת האימייל של חשבונך.", - "Update your account’s profile information and email address.": "עדכן את פרטי הפרופיל וכתובת האימייל של החשבון שלך.", + "Update Password": "עדכן ססמה", + "Update your account's profile information and email address.": "עדכן את פרטי הפרופיל וכתובת הדוא \" ל של החשבון שלך.", "Upload photo as avatar": "העלה תמונה כדמות", "Use": "להשתמש", "Use an authentication code": "השתמש בקוד אימות", @@ -1159,12 +1157,12 @@ "Value copied into your clipboard": "הערך הועתק ללוח שלך", "Vaults contain all your contacts data.": "כספות מכילות את כל נתוני אנשי הקשר שלך.", "Vault settings": "הגדרות הכספת", - "ve\/ver": "ולתת", + "ve/ver": "ve/ver", "Verification email sent": "דוא\"ל אימות נשלח", "Verified": "מְאוּמָת", - "Verify Email Address": "לאמת כתובת מייל", + "Verify Email Address": "אימות דואר אלקטרוני", "Verify this email address": "אמת את כתובת דוא\"ל זו", - "Version :version — commit [:short](:url).": "Version :version — commit [:short](:url).", + "Version :version — commit [:short](:url).": "גרסה :version — commit [:short](:url).", "Via Telegram": "דרך טלגרם", "Video call": "שיחת וידאו", "View": "נוף", @@ -1174,7 +1172,7 @@ "View history": "צפה בהיסטוריה", "View log": "צפה בלוג", "View on map": "צפה במפה", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "המתן מספר שניות עד שמוניקה (האפליקציה) תזהה אותך. אנו נשלח לך הודעה מזויפת כדי לראות אם זה עובד.", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "המתן מספר שניות עד שMonica (האפליקציה) תזהה אותך. אנו נשלח לך הודעה מזויפת כדי לראות אם זה עובד.", "Waiting for key…": "מחכה למפתח...", "Walked": "הלך", "Wallpaper": "טפט", @@ -1190,26 +1188,27 @@ "Wednesday": "יום רביעי", "We hope you'll like it.": "אנו מקווים שתאהב את זה.", "We hope you will like what we’ve done.": "אנו מקווים שתאהבו את מה שעשינו.", - "Welcome to Monica.": "ברוכים הבאים למוניקה.", + "Welcome to Monica.": "ברוכים הבאים Monica.", "Went to a bar": "הלך לבר", - "We support Markdown to format the text (bold, lists, headings, etc…).": "אנו תומכים ב-Markdown לעיצוב הטקסט (מודגש, רשימות, כותרות וכו'...).", - "We were unable to find a registered user with this email address.": "לא הצלחנו למצוא משתמש רשום עם כתובת האימייל הזו.", + "We support Markdown to format the text (bold, lists, headings, etc…).": "אנו תומכים ב-Markdown לעיצוב הטקסט (מודגש, רשימות, כותרות וכו’...).", + "We were unable to find a registered user with this email address.": "לא הצלחנו למצוא משתמש רשום עם כתובת דוא \" ל זו.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "אנו נשלח אימייל לכתובת דוא\"ל זו שתצטרך לאשר לפני שנוכל לשלוח הודעות לכתובת זו.", "What happens now?": "מה שקורה עכשיו?", "What is the loan?": "מהי ההלוואה?", "What permission should :name have?": "איזו הרשאה צריכה להיות ל-:name?", "What permission should the user have?": "איזו הרשאה צריכה להיות למשתמש?", + "Whatsapp": "וואטסאפ", "What should we use to display maps?": "במה עלינו להשתמש כדי להציג מפות?", "What would make today great?": "מה יהפוך את היום לגדול?", "When did the call happened?": "מתי קרתה השיחה?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "כאשר אימות שני גורמים מופעל, תתבקש להזין אסימון מאובטח ואקראי במהלך האימות. אתה יכול לאחזר את האסימון הזה מאפליקציית Google Authenticator של הטלפון שלך.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "כאשר אימות שני גורמים מופעל, תתבקש לקבל אסימון מאובטח ואקראי במהלך האימות. אתה יכול לאחזר אסימון זה מיישום Google Authenticator של הטלפון שלך.", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "כאשר אימות שני גורמים מופעל, תתבקש להזין אסימון מאובטח ואקראי במהלך האימות. אתה יכול לאחזר את האסימון הזה מאפליקציית המאמת של הטלפון שלך.", "When was the loan made?": "מתי בוצעה ההלוואה?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "כאשר אתה מגדיר מערכת יחסים בין שני אנשי קשר, למשל מערכת יחסים של אב ובן, מוניקה יוצרת שני קשרים, אחד לכל איש קשר:", - "Which email address should we send the notification to?": "לאיזו כתובת דוא\"ל עלינו לשלוח את ההודעה?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "כאשר אתה מגדיר מערכת יחסים בין שני אנשי קשר, למשל מערכת יחסים של אב ובן, Monica יוצרת שני קשרים, אחד לכל איש קשר:", + "Which email address should we send the notification to?": "לאיזו כתובת אימייל עלינו לשלוח את ההודעה?", "Who called?": "מי התקשר?", "Who makes the loan?": "מי נותן את ההלוואה?", - "Whoops!": "אופס!", + "Whoops!": "אוופס!", "Whoops! Something went wrong.": "אופס! משהו השתבש.", "Who should we invite in this vault?": "את מי עלינו להזמין לכספת הזו?", "Who the loan is for?": "למי מיועדת ההלוואה?", @@ -1218,38 +1217,38 @@ "Write the amount with a dot if you need decimals, like 100.50": "כתוב את הסכום עם נקודה אם אתה צריך עשרוניות, כמו 100.50", "Written on": "כתוב על", "wrote a note": "כתב פתק", - "xe\/xem": "מכונית\/נוף", + "xe/xem": "xe/xem", "year": "שָׁנָה", "Years": "שנים", "You are here:": "אתה כאן:", - "You are invited to join Monica": "אתם מוזמנים להצטרף למוניקה", - "You are receiving this email because we received a password reset request for your account.": "אתה מקבל דוא\"ל זה מכיוון שקיבלנו בקשה לאיפוס סיסמה עבור חשבונך.", + "You are invited to join Monica": "אתם מוזמנים להצטרף Monica", + "You are receiving this email because we received a password reset request for your account.": "קיבלתם את המייל הזה מכיוון שקיבלנו בקשה לאיפוס הסיסמה עבור החשבון שלכם.", "you can't even use your current username or password to sign in,": "אתה אפילו לא יכול להשתמש בשם המשתמש או הסיסמה הנוכחית שלך כדי להיכנס,", - "you can't import any data from your current Monica account(yet),": "אינך יכול לייבא נתונים מחשבון מוניקה הנוכחי שלך (עדיין),", + "you can't import any data from your current Monica account(yet),": "אינך יכול לייבא נתונים מחשבון Monica הנוכחי שלך (עדיין),", "You can add job information to your contacts and manage the companies here in this tab.": "אתה יכול להוסיף פרטי עבודה לאנשי הקשר שלך ולנהל את החברות כאן בלשונית זו.", "You can add more account to log in to our service with one click.": "אתה יכול להוסיף עוד חשבונות כדי להיכנס לשירות שלנו בלחיצה אחת.", "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "ניתן לקבל הודעה בערוצים שונים: מיילים, הודעת טלגרם, בפייסבוק. אתה תחליט.", "You can change that at any time.": "אתה יכול לשנות את זה בכל עת.", - "You can choose how you want Monica to display dates in the application.": "אתה יכול לבחור איך אתה רוצה שמוניקה תציג תאריכים באפליקציה.", + "You can choose how you want Monica to display dates in the application.": "אתה יכול לבחור איך אתה רוצה שMonica תציג תאריכים באפליקציה.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "אתה יכול לבחור אילו מטבעות יש להפעיל בחשבונך, ואיזה לא.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "אתה יכול להתאים אישית את אופן הצגת אנשי הקשר לפי הטעם\/תרבות שלך. אולי תרצה להשתמש בג'יימס בונד במקום בונד ג'יימס. כאן, אתה יכול להגדיר את זה כרצונך.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "אתה יכול להתאים אישית את אופן הצגת אנשי הקשר לפי הטעם/תרבות שלך. אולי תרצה להשתמש בג’יימס בונד במקום בונד ג’יימס. כאן, אתה יכול להגדיר את זה כרצונך.", "You can customize the criteria that let you track your mood.": "אתה יכול להתאים אישית את הקריטריונים שיאפשרו לך לעקוב אחר מצב הרוח שלך.", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "אתה יכול להעביר אנשי קשר בין כספות. השינוי הזה הוא מיידי. אתה יכול להעביר אנשי קשר רק לכספות שאתה חלק מהן. כל נתוני אנשי הקשר יעברו איתו.", "You cannot remove your own administrator privilege.": "אינך יכול להסיר את הרשאת המנהל שלך.", "You don’t have enough space left in your account.": "לא נשאר לך מספיק מקום בחשבון שלך.", "You don’t have enough space left in your account. Please upgrade.": "לא נשאר לך מספיק מקום בחשבון שלך. נא לשדרג.", - "You have been invited to join the :team team!": "הוזמנת להצטרף לצוות :team!", - "You have enabled two factor authentication.": "הפעלת אימות דו-גורמי.", - "You have not enabled two factor authentication.": "לא הפעלת אימות דו-גורמי.", + "You have been invited to join the :team team!": "הוזמנתם להצטרף לצוות :team!", + "You have enabled two factor authentication.": "הפעלת אימות של שני גורמים.", + "You have not enabled two factor authentication.": "לא הפעלת אימות של שני גורמים.", "You have not setup Telegram in your environment variables yet.": "עדיין לא הגדרת את Telegram במשתני הסביבה שלך.", "You haven’t received a notification in this channel yet.": "עדיין לא קיבלת התראה בערוץ הזה.", "You haven’t setup Telegram yet.": "עדיין לא הגדרת את טלגרם.", "You may accept this invitation by clicking the button below:": "אתה יכול לקבל הזמנה זו על ידי לחיצה על הכפתור למטה:", - "You may delete any of your existing tokens if they are no longer needed.": "אתה יכול למחוק כל אחד מהאסימונים הקיימים שלך אם אין בהם עוד צורך.", - "You may not delete your personal team.": "אינך רשאי למחוק את הצוות האישי שלך.", - "You may not leave a team that you created.": "אסור לך לעזוב צוות שיצרת.", + "You may delete any of your existing tokens if they are no longer needed.": "אתה יכול למחוק כל אחד מהאסימונים הקיימים שלך אם הם כבר לא נחוצים.", + "You may not delete your personal team.": "אסור לך למחוק את הצוות האישי שלך.", + "You may not leave a team that you created.": "אתה לא יכול לעזוב את צוות שיצרת.", "You might need to reload the page to see the changes.": "ייתכן שיהיה עליך לטעון מחדש את הדף כדי לראות את השינויים.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "אתה צריך לפחות תבנית אחת כדי שאנשי הקשר יוצגו. ללא תבנית, מוניקה לא תדע איזה מידע היא צריכה להציג.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "אתה צריך לפחות תבנית אחת כדי שאנשי הקשר יוצגו. ללא תבנית, Monica לא תדע איזה מידע היא צריכה להציג.", "Your account current usage": "השימוש הנוכחי בחשבונך", "Your account has been created": "החשבון שלך נוצר", "Your account is linked": "החשבון שלך מקושר", @@ -1266,7 +1265,7 @@ "You wanted to be reminded of the following:": "רצית להיזכר בדברים הבאים:", "You WILL still have to delete your account on Monica or OfficeLife.": "עדיין תצטרך למחוק את חשבונך ב- Monica או OfficeLife.", "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "הוזמנת להשתמש בכתובת האימייל הזו ב- Monica, קוד פתוח ב-CRM אישי, כדי שנוכל להשתמש בה כדי לשלוח לך התראות.", - "ze\/hir": "לה", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ אזור סכנה", "🌳 Chalet": "🌳 בקתה", "🏠 Secondary residence": "🏠 מגורים משני", diff --git a/lang/he/auth.php b/lang/he/auth.php index 39299d9a535..7c45c6fcb6b 100644 --- a/lang/he/auth.php +++ b/lang/he/auth.php @@ -2,7 +2,7 @@ return [ 'failed' => 'פרטים אלה אינם תואמים את רישומינו.', - 'lang' => 'עִברִית', + 'lang' => 'עברית', 'password' => 'הסיסמה שגויה.', 'throttle' => 'ניסיונות כניסה רבים מדי. אנא נסו שוב בעוד :seconds שניות.', ]; diff --git a/lang/he/pagination.php b/lang/he/pagination.php index 18268ecba78..01745353d62 100644 --- a/lang/he/pagination.php +++ b/lang/he/pagination.php @@ -1,6 +1,6 @@ 'הבא »', - 'previous' => '« הקודם', + 'next' => 'הבא ❯', + 'previous' => '❮ הקודם', ]; diff --git a/lang/he/validation.php b/lang/he/validation.php index d18c8a0e6df..b2ee229a382 100644 --- a/lang/he/validation.php +++ b/lang/he/validation.php @@ -93,6 +93,7 @@ 'string' => 'שדה :attribute חייב להיות בין :min ל-:max תווים.', ], 'boolean' => 'שדה :attribute חייב להיות אמת או שקר.', + 'can' => 'שדה :attribute מכיל ערך לא מורשה.', 'confirmed' => 'שדה האישור של :attribute לא תואם.', 'current_password' => 'הסיסמא לא נכונה.', 'date' => 'שדה :attribute אינו תאריך תקני.', diff --git a/lang/hi.json b/lang/hi.json index b5308a3b79a..a009c708a92 100644 --- a/lang/hi.json +++ b/lang/hi.json @@ -1,65 +1,65 @@ { - "(and :count more error)": "(और: अधिक त्रुटि गिनें)", - "(and :count more errors)": "(और: अधिक त्रुटियां गिनें)", + "(and :count more error)": "(और :count और त्रुटि)", + "(and :count more errors)": "(और :count और त्रुटियां)", "(Help)": "(मदद करना)", "+ add a contact": "+ एक संपर्क जोड़ें", "+ add another": "+ दूसरा जोड़ें", - "+ add another photo": "+ एक और फोटो जोड़ें", + "+ add another photo": "+ एक और फ़ोटो जोड़ें", "+ add description": "+ विवरण जोड़ें", "+ add distance": "+ दूरी जोड़ें", "+ add emotion": "+ भावना जोड़ें", "+ add reason": "+ कारण जोड़ें", "+ add summary": "+ सारांश जोड़ें", "+ add title": "+ शीर्षक जोड़ें", - "+ change date": "+ तिथि बदलें", + "+ change date": "+ तारीख बदलें", "+ change template": "+ टेम्पलेट बदलें", - "+ create a group": "+ एक समूह बनाएँ", + "+ create a group": "+ एक समूह बनाएं", "+ gender": "+ लिंग", "+ last name": "+ अंतिम नाम", - "+ maiden name": "+ युवती का नाम", + "+ maiden name": "+ विवाहपूर्व नाम", "+ middle name": "+ मध्य नाम", "+ nickname": "+ उपनाम", "+ note": "+ नोट", - "+ number of hours slept": "+ घंटों की संख्या सोई", + "+ number of hours slept": "+ कितने घंटे सोए", "+ prefix": "+ उपसर्ग", - "+ pronoun": "+ प्रवृत्ति", + "+ pronoun": "+ सर्वनाम", "+ suffix": "+ प्रत्यय", - ":count contact|:count contacts": ":गिनें संपर्क|:संपर्कों की गिनती करें", - ":count hour slept|:count hours slept": ":सोए गए घंटे गिनें|:सोए गए घंटे गिनें", - ":count min read": ": गिनें मिनट पढ़ें", - ":count post|:count posts": ": काउंट पोस्ट | : काउंट पोस्ट", - ":count template section|:count template sections": ": काउंट टेम्प्लेट सेक्शन |: काउंट टेम्प्लेट सेक्शन", - ":count word|:count words": ":शब्द गिनें|:शब्द गिनें", - ":distance km": ": दूरी किमी", - ":distance miles": ": दूरी मील", - ":file at line :line": ": फ़ाइल लाइन पर :line", - ":file in :class at line :line": ": फ़ाइल इन: क्लास एट लाइन: लाइन", - ":Name called": ": नाम पुकारा गया", - ":Name called, but I didn’t answer": ": नाम पुकारा गया, लेकिन मैंने उत्तर नहीं दिया", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName आपको मोनिका से जुड़ने के लिए आमंत्रित करता है, एक खुला स्रोत व्यक्तिगत CRM, जिसे आपके संबंधों को दस्तावेज करने में आपकी मदद करने के लिए डिज़ाइन किया गया है।", - "Accept Invitation": "निमंत्रण स्वीकार करो", + ":count contact|:count contacts": ":count संपर्क करें|:count संपर्क", + ":count hour slept|:count hours slept": ":count घंटा सोया|:count घंटे सोया", + ":count min read": ":count मिनट पढ़ा", + ":count post|:count posts": ":count पोस्ट|:count पोस्ट", + ":count template section|:count template sections": ":count टेम्पलेट अनुभाग|:count टेम्पलेट अनुभाग", + ":count word|:count words": ":count शब्द|:count शब्द", + ":distance km": ":distance किमी", + ":distance miles": ":distance मील", + ":file at line :line": ":file लाइन पर :line", + ":file in :class at line :line": ":file में :class लाइन पर :line", + ":Name called": ":Name को बुलाया गया", + ":Name called, but I didn’t answer": ":Name ने कॉल किया, लेकिन मैंने उत्तर नहीं दिया", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName आपको Monica से जुड़ने के लिए आमंत्रित करता है, जो एक खुला स्रोत व्यक्तिगत सीआरएम है, जिसे आपके रिश्तों को दस्तावेजित करने में मदद करने के लिए डिज़ाइन किया गया है।", + "Accept Invitation": "निमंत्रण स्वीकार करें", "Accept invitation and create your account": "आमंत्रण स्वीकार करें और अपना खाता बनाएं", "Account and security": "खाता और सुरक्षा", "Account settings": "अकाउंट सेटिंग", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "एक संपर्क जानकारी क्लिक करने योग्य हो सकती है। उदाहरण के लिए, एक फ़ोन नंबर क्लिक करने योग्य हो सकता है और आपके कंप्यूटर में डिफ़ॉल्ट एप्लिकेशन लॉन्च कर सकता है। यदि आप उस प्रकार के प्रोटोकॉल को नहीं जानते हैं जिसे आप जोड़ रहे हैं, तो आप बस इस फ़ील्ड को छोड़ सकते हैं।", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "संपर्क जानकारी क्लिक करने योग्य हो सकती है. उदाहरण के लिए, एक फ़ोन नंबर पर क्लिक किया जा सकता है और आपके कंप्यूटर में डिफ़ॉल्ट एप्लिकेशन लॉन्च किया जा सकता है। यदि आप जिस प्रकार को जोड़ रहे हैं उसके लिए प्रोटोकॉल नहीं जानते हैं, तो आप इस फ़ील्ड को छोड़ सकते हैं।", "Activate": "सक्रिय", "Activity feed": "गतिविधि फ़ीड", "Activity in this vault": "इस तिजोरी में गतिविधि", - "Add": "जोड़ना", + "Add": "जोड़ें", "add a call reason type": "कॉल कारण प्रकार जोड़ें", "Add a contact": "संपर्क जोड़ना", "Add a contact information": "संपर्क जानकारी जोड़ें", - "Add a date": "एक तिथि जोड़ें", + "Add a date": "एक तारीख जोड़ें", "Add additional security to your account using a security key.": "सुरक्षा कुंजी का उपयोग करके अपने खाते में अतिरिक्त सुरक्षा जोड़ें।", - "Add additional security to your account using two factor authentication.": "दो कारक प्रमाणीकरण का उपयोग करके अपने खाते में अतिरिक्त सुरक्षा जोड़ें।", - "Add a document": "दस्तावेज़ जोड़ें", - "Add a due date": "नियत तारीख जोड़ें", - "Add a gender": "एक लिंग जोड़ें", + "Add additional security to your account using two factor authentication.": "दो कारक प्रमाणीकरण का उपयोग करके अपने खाते में अतिरिक्त सुरक्षा जोड़ें ।", + "Add a document": "एक दस्तावेज़ जोड़ें", + "Add a due date": "एक नियत तारीख जोड़ें", + "Add a gender": "लिंग जोड़ें", "Add a gift occasion": "एक उपहार अवसर जोड़ें", "Add a gift state": "एक उपहार स्थिति जोड़ें", "Add a goal": "एक लक्ष्य जोड़ें", "Add a group type": "एक समूह प्रकार जोड़ें", - "Add a header image": "हेडर इमेज जोड़ें", + "Add a header image": "एक हेडर छवि जोड़ें", "Add a label": "एक लेबल जोड़ें", "Add a life event": "एक जीवन घटना जोड़ें", "Add a life event category": "एक जीवन घटना श्रेणी जोड़ें", @@ -68,11 +68,11 @@ "Add an address": "एक पता जोड़ें", "Add an address type": "एक पता प्रकार जोड़ें", "Add an email address": "एक ईमेल पता जोड़ें", - "Add an email to be notified when a reminder occurs.": "अनुस्मारक आने पर अधिसूचित होने के लिए एक ईमेल जोड़ें।", + "Add an email to be notified when a reminder occurs.": "अनुस्मारक आने पर सूचित करने के लिए एक ईमेल जोड़ें।", "Add an entry": "एक प्रविष्टि जोड़ें", - "add a new metric": "एक नया मीट्रिक जोड़ें", - "Add a new team member to your team, allowing them to collaborate with you.": "अपनी टीम में एक नया टीम सदस्य जोड़ें, जिससे वे आपके साथ सहयोग कर सकें।", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "यह याद रखने के लिए एक महत्वपूर्ण तिथि जोड़ें कि इस व्यक्ति के बारे में आपके लिए क्या मायने रखता है, जैसे जन्मतिथि या मृत तिथि।", + "add a new metric": "एक नई मीट्रिक जोड़ें", + "Add a new team member to your team, allowing them to collaborate with you.": "अपनी टीम में एक नया टीम सदस्य जोड़ें, जिससे वे आपके साथ सहयोग कर सकें ।", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "यह याद रखने के लिए कि इस व्यक्ति के बारे में आपके लिए क्या मायने रखता है, एक महत्वपूर्ण तारीख जोड़ें, जैसे जन्मतिथि या मृत तिथि।", "Add a note": "एक नोट जोड़े", "Add another life event": "एक और जीवन घटना जोड़ें", "Add a page": "एक पेज जोड़ें", @@ -83,30 +83,30 @@ "Add a post template": "एक पोस्ट टेम्पलेट जोड़ें", "Add a pronoun": "सर्वनाम जोड़ें", "add a reason": "एक कारण जोड़ें", - "Add a relationship": "संबंध जोड़ें", + "Add a relationship": "एक रिश्ता जोड़ें", "Add a relationship group type": "संबंध समूह प्रकार जोड़ें", - "Add a relationship type": "एक संबंध प्रकार जोड़ें", + "Add a relationship type": "संबंध प्रकार जोड़ें", "Add a religion": "एक धर्म जोड़ें", - "Add a reminder": "रिमाइंडर जोड़ें", + "Add a reminder": "एक अनुस्मारक जोड़ें", "add a role": "एक भूमिका जोड़ें", - "add a section": "एक खंड जोड़ें", + "add a section": "एक अनुभाग जोड़ें", "Add a tag": "एक टैग जोड़ना", - "Add a task": "एक कार्य जोड़ें", + "Add a task": "कोई कार्य जोड़ें", "Add a template": "एक टेम्पलेट जोड़ें", - "Add at least one module.": "कम से कम एक मॉड्यूल जोड़ें।", - "Add a type": "प्रकार जोड़ें", + "Add at least one module.": "कम से कम एक मॉड्यूल जोड़ें.", + "Add a type": "एक प्रकार जोड़ें", "Add a user": "एक उपयोगकर्ता जोड़ें", - "Add a vault": "तिजोरी जोड़ें", - "Add date": "तिथि जोड़ें", - "Added.": "जोड़ा गया।", - "added a contact information": "एक संपर्क जानकारी जोड़ी", + "Add a vault": "एक तिजोरी जोड़ें", + "Add date": "दिनांक जोड़ें", + "Added.": "जोड़ा गया ।", + "added a contact information": "एक संपर्क जानकारी जोड़ी गई", "added an address": "एक पता जोड़ा", - "added an important date": "एक महत्वपूर्ण तिथि जोड़ा गया", - "added a pet": "एक पालतू जोड़ा", - "added the contact to a group": "एक समूह में संपर्क जोड़ा", - "added the contact to a post": "एक पोस्ट में संपर्क जोड़ा", - "added the contact to the favorites": "पसंदीदा में संपर्क जोड़ा", - "Add genders to associate them to contacts.": "संपर्कों से संबद्ध करने के लिए लिंग जोड़ें।", + "added an important date": "एक महत्वपूर्ण तारीख जोड़ी गई", + "added a pet": "एक पालतू जानवर जोड़ा", + "added the contact to a group": "संपर्क को एक समूह में जोड़ा गया", + "added the contact to a post": "किसी पोस्ट में संपर्क जोड़ा गया", + "added the contact to the favorites": "संपर्क को पसंदीदा में जोड़ा गया", + "Add genders to associate them to contacts.": "उन्हें संपर्कों से जोड़ने के लिए लिंग जोड़ें।", "Add loan": "ऋण जोड़ें", "Add one now": "अभी एक जोड़ें", "Add photos": "तस्वीरें जोडो", @@ -115,99 +115,99 @@ "Address type": "पता मुद्रलेख", "Address types": "पता प्रकार", "Address types let you classify contact addresses.": "पता प्रकार आपको संपर्क पतों को वर्गीकृत करने देते हैं।", - "Add Team Member": "टीम सदस्य जोड़ें", + "Add Team Member": "टीम के सदस्य जोड़ें", "Add to group": "समूह में जोड़ें", "Administrator": "प्रशासक", - "Administrator users can perform any action.": "व्यवस्थापक उपयोगकर्ता कोई भी कार्रवाई कर सकते हैं।", - "a father-son relation shown on the father page,": "पिता पृष्ठ पर दिखाया गया पिता-पुत्र संबंध,", - "after the next occurence of the date.": "तारीख की अगली घटना के बाद।", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "एक समूह दो या दो से अधिक लोग एक साथ होते हैं। यह एक परिवार, एक घर, एक खेल क्लब हो सकता है। आपके लिए जो भी महत्वपूर्ण है।", + "Administrator users can perform any action.": "व्यवस्थापक उपयोगकर्ता कोई भी कार्रवाई कर सकते हैं ।", + "a father-son relation shown on the father page,": "पिता पृष्ठ पर दिखाया गया पिता-पुत्र का रिश्ता,", + "after the next occurence of the date.": "तारीख की अगली घटना के बाद.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "एक समूह दो या दो से अधिक लोगों का एक साथ होना है। यह एक परिवार, एक घर, एक खेल क्लब हो सकता है। जो भी आपके लिए महत्वपूर्ण है.", "All contacts in the vault": "तिजोरी में सभी संपर्क", "All files": "सभी फाइलें", "All groups in the vault": "तिजोरी में सभी समूह", - "All journal metrics in :name": "सभी जर्नल मेट्रिक्स: नाम में", - "All of the people that are part of this team.": "सभी लोग जो इस टीम का हिस्सा हैं।", - "All rights reserved.": "सर्वाधिकार सुरक्षित।", + "All journal metrics in :name": ":Name में सभी जर्नल मेट्रिक्स", + "All of the people that are part of this team.": "सभी लोग जो इस टीम का हिस्सा हैं ।", + "All rights reserved.": "सभी अधिकार सुरक्षित.", "All tags": "सभी टैग", - "All the address types": "सभी पता प्रकार", + "All the address types": "सभी पते प्रकार", "All the best,": "शुभकामनाएं,", "All the call reasons": "सभी कॉल कारण", - "All the cities": "सारे शहर", + "All the cities": "सभी शहर", "All the companies": "सभी कंपनियां", "All the contact information types": "सभी संपर्क जानकारी प्रकार", "All the countries": "सभी देश", "All the currencies": "सभी मुद्राएँ", - "All the files": "सभी फाइलें", + "All the files": "सभी फ़ाइलें", "All the genders": "सभी लिंग", "All the gift occasions": "सभी उपहार अवसर", - "All the gift states": "सभी उपहार राज्यों", + "All the gift states": "सभी उपहार बताते हैं", "All the group types": "सभी समूह प्रकार", "All the important dates": "सभी महत्वपूर्ण तिथियां", - "All the important date types used in the vault": "तिजोरी में उपयोग किए जाने वाले सभी महत्वपूर्ण दिनांक प्रकार", + "All the important date types used in the vault": "तिजोरी में प्रयुक्त सभी महत्वपूर्ण दिनांक प्रकार", "All the journals": "सभी पत्रिकाएँ", "All the labels used in the vault": "तिजोरी में प्रयुक्त सभी लेबल", - "All the notes": "सारे नोट", + "All the notes": "सभी नोट", "All the pet categories": "सभी पालतू श्रेणियां", "All the photos": "सभी तस्वीरें", "All the planned reminders": "सभी नियोजित अनुस्मारक", "All the pronouns": "सभी सर्वनाम", - "All the relationship types": "सभी प्रकार के संबंध", + "All the relationship types": "सभी संबंध प्रकार", "All the religions": "सभी धर्म", - "All the reports": "सभी रिपोर्ट", - "All the slices of life in :name": "जीवन के सभी टुकड़े: नाम में", - "All the tags used in the vault": "तिजोरी में प्रयुक्त सभी टैग", + "All the reports": "सारी रिपोर्ट", + "All the slices of life in :name": ":Name में जीवन के सभी टुकड़े", + "All the tags used in the vault": "तिजोरी में उपयोग किए गए सभी टैग", "All the templates": "सभी टेम्पलेट्स", - "All the vaults": "सभी तिजोरियां", - "All the vaults in the account": "खाते में सभी तिजोरी", - "All users and vaults will be deleted immediately,": "सभी उपयोगकर्ता और वाल्ट तुरंत हटा दिए जाएंगे,", + "All the vaults": "सभी तिजोरियाँ", + "All the vaults in the account": "खाते में सारी तिजोरियाँ", + "All users and vaults will be deleted immediately,": "सभी उपयोगकर्ता और वॉल्ट तुरंत हटा दिए जाएंगे,", "All users in this account": "इस खाते के सभी उपयोगकर्ता", "Already registered?": "पहले से ही पंजीकृत?", - "Already used on this page": "इस पृष्ठ पर पहले ही उपयोग किया जा चुका है", + "Already used on this page": "इस पृष्ठ पर पहले से ही उपयोग किया जा चुका है", "A new verification link has been sent to the email address you provided during registration.": "पंजीकरण के दौरान आपके द्वारा प्रदान किए गए ईमेल पते पर एक नया सत्यापन लिंक भेजा गया है।", - "A new verification link has been sent to the email address you provided in your profile settings.": "आपके द्वारा अपनी प्रोफ़ाइल सेटिंग में प्रदान किए गए ईमेल पते पर एक नया सत्यापन लिंक भेजा गया है।", + "A new verification link has been sent to the email address you provided in your profile settings.": "आपके द्वारा अपनी प्रोफ़ाइल सेटिंग में प्रदान किए गए ईमेल पते पर एक नया सत्यापन लिंक भेज दिया गया है।", "A new verification link has been sent to your email address.": "आपके ईमेल पते पर एक नया सत्यापन लिंक भेजा गया है।", "Anniversary": "सालगिरह", - "Apartment, suite, etc…": "अपार्टमेंट, सुइट, आदि…", - "API Token": "एपीआई टोकन", - "API Token Permissions": "एपीआई टोकन अनुमतियां", + "Apartment, suite, etc…": "अपार्टमेंट, सुइट, आदि...", + "API Token": "API टोकन", + "API Token Permissions": "API टोकन Permissions", "API Tokens": "एपीआई टोकन", - "API tokens allow third-party services to authenticate with our application on your behalf.": "एपीआई टोकन तृतीय-पक्ष सेवाओं को आपकी ओर से हमारे आवेदन के साथ प्रमाणित करने की अनुमति देते हैं।", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "एक पोस्ट टेम्प्लेट परिभाषित करता है कि किसी पोस्ट की सामग्री को कैसे प्रदर्शित किया जाना चाहिए। आप जितने चाहें उतने टेम्प्लेट परिभाषित कर सकते हैं और चुन सकते हैं कि किस पोस्ट पर किस टेम्प्लेट का उपयोग किया जाना चाहिए।", + "API tokens allow third-party services to authenticate with our application on your behalf.": "एपीआई टोकन तृतीय-पक्ष सेवाओं को आपकी ओर से हमारे आवेदन के साथ प्रमाणित करने की अनुमति देते हैं ।", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "एक पोस्ट टेम्पलेट परिभाषित करता है कि किसी पोस्ट की सामग्री को कैसे प्रदर्शित किया जाना चाहिए। आप जितने चाहें उतने टेम्प्लेट परिभाषित कर सकते हैं, और चुन सकते हैं कि किस पोस्ट पर किस टेम्प्लेट का उपयोग किया जाना चाहिए।", "Archive": "पुरालेख", - "Archive contact": "पुरालेख संपर्क", - "archived the contact": "संपर्क को संग्रहीत किया", - "Are you sure? The address will be deleted immediately.": "क्या आपको यकीन है? पता तुरंत हटा दिया जाएगा।", + "Archive contact": "संपर्क पुरालेख", + "archived the contact": "संपर्क संग्रहीत किया गया", + "Are you sure? The address will be deleted immediately.": "क्या आपको यकीन है? पता तुरंत हटा दिया जाएगा.", "Are you sure? This action cannot be undone.": "क्या आपको यकीन है? इस एक्शन को वापस नहीं किया जा सकता।", "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "क्या आपको यकीन है? यह उन सभी संपर्कों के लिए इस प्रकार के सभी कॉल कारणों को हटा देगा जो इसका उपयोग कर रहे थे।", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "क्या आपको यकीन है? यह इस प्रकार के सभी संबंधों को उन सभी संपर्कों के लिए हटा देगा जो इसका उपयोग कर रहे थे।", - "Are you sure? This will delete the contact information permanently.": "क्या आपको यकीन है? यह संपर्क जानकारी को स्थायी रूप से हटा देगा।", - "Are you sure? This will delete the document permanently.": "क्या आपको यकीन है? यह दस्तावेज़ को स्थायी रूप से हटा देगा।", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "क्या आपको यकीन है? यह उन सभी संपर्कों के लिए इस प्रकार के सभी संबंध हटा देगा जो इसका उपयोग कर रहे थे।", + "Are you sure? This will delete the contact information permanently.": "क्या आपको यकीन है? इससे संपर्क जानकारी स्थायी रूप से हटा दी जाएगी.", + "Are you sure? This will delete the document permanently.": "क्या आपको यकीन है? इससे दस्तावेज़ स्थायी रूप से हट जाएगा.", "Are you sure? This will delete the goal and all the streaks permanently.": "क्या आपको यकीन है? यह लक्ष्य और सभी स्ट्रीक्स को स्थायी रूप से हटा देगा।", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "क्या आपको यकीन है? यह सभी संपर्कों से पता प्रकारों को हटा देगा, लेकिन स्वयं संपर्कों को नहीं हटाएगा।", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "क्या आपको यकीन है? यह सभी संपर्कों से संपर्क जानकारी के प्रकारों को हटा देगा, लेकिन स्वयं संपर्कों को नहीं हटाएगा।", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "क्या आपको यकीन है? यह सभी संपर्कों से लिंग निकाल देगा, लेकिन संपर्कों को स्वयं नहीं हटाएगा।", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "क्या आपको यकीन है? यह सभी संपर्कों से टेम्प्लेट को हटा देगा, लेकिन स्वयं संपर्कों को नहीं हटाएगा।", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "क्या आप वाकई इस टीम को हटाना चाहते हैं? एक बार किसी टीम को हटा दिए जाने के बाद, उसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएँगे।", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "क्या आप इस खाते को हटाने के लिए सुनिश्चित हैं? एक बार आपका खाता हटा दिए जाने के बाद, इसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएँगे। यह पुष्टि करने के लिए कृपया अपना पासवर्ड दर्ज करें कि आप अपना खाता स्थायी रूप से हटाना चाहते हैं।", - "Are you sure you would like to archive this contact?": "क्या आप वाकई इस संपर्क को संग्रहित करना चाहते हैं?", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "क्या आपको यकीन है? यह सभी संपर्कों से पता प्रकार हटा देगा, लेकिन संपर्क स्वयं नहीं हटेंगे।", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "क्या आपको यकीन है? यह सभी संपर्कों से संपर्क जानकारी प्रकार को हटा देगा, लेकिन स्वयं संपर्कों को नहीं हटाएगा।", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "क्या आपको यकीन है? यह सभी संपर्कों से लिंग हटा देगा, लेकिन संपर्क स्वयं नहीं हटेंगे।", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "क्या आपको यकीन है? यह सभी संपर्कों से टेम्प्लेट हटा देगा, लेकिन संपर्क स्वयं नहीं हटेंगे।", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "क्या आप वाकई इस टीम को हटाना चाहते हैं? एक बार जब कोई टीम हटा दी जाती है, तो उसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएंगे ।", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "क्या आप वाकई अपना खाता हटाना चाहते हैं? एक बार जब आपका खाता हटा दिया जाता है, तो उसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएंगे । कृपया यह पुष्टि करने के लिए अपना पासवर्ड दर्ज करें कि आप अपना खाता स्थायी रूप से हटाना चाहते हैं ।", + "Are you sure you would like to archive this contact?": "क्या आप वाकई इस संपर्क को संग्रहीत करना चाहेंगे?", "Are you sure you would like to delete this API token?": "क्या आप वाकई इस एपीआई टोकन को हटाना चाहते हैं?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "क्या आप वाकई इस संपर्क को हटाना चाहते हैं? यह इस संपर्क के बारे में हमें जो कुछ भी पता है उसे हटा देगा।", - "Are you sure you would like to delete this key?": "क्या आप वाकई इस कुंजी को हटाना चाहते हैं?", - "Are you sure you would like to leave this team?": "क्या आप वाकई इस टीम को छोड़ना चाहते हैं?", - "Are you sure you would like to remove this person from the team?": "क्या आप वाकई इस व्यक्ति को टीम से निकालना चाहते हैं?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "जीवन का एक अंश आपको पोस्ट को आपके लिए कुछ सार्थक बनाकर समूहीकृत करने देता है। इसे यहां देखने के लिए पोस्ट में जीवन का एक अंश जोड़ें।", - "a son-father relation shown on the son page.": "पुत्र पृष्ठ पर एक पुत्र-पिता संबंध दिखाया गया है।", - "assigned a label": "एक लेबल सौंपा", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "क्या आप वाकई इस संपर्क को हटाना चाहेंगे? इससे इस संपर्क के बारे में हम जो कुछ भी जानते हैं वह सब हट जाएगा।", + "Are you sure you would like to delete this key?": "क्या आप वाकई इस कुंजी को हटाना चाहेंगे?", + "Are you sure you would like to leave this team?": "क्या आप वाकई इस टीम को छोड़ना चाहेंगे?", + "Are you sure you would like to remove this person from the team?": "क्या आप वाकई इस व्यक्ति को टीम से हटाना चाहेंगे?", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "जीवन का एक टुकड़ा आपको आपके लिए सार्थक चीज़ों के आधार पर पोस्ट समूहित करने की सुविधा देता है। इसे यहां देखने के लिए किसी पोस्ट में जीवन का एक टुकड़ा जोड़ें।", + "a son-father relation shown on the son page.": "पुत्र-पिता का संबंध पुत्र पृष्ठ पर दिखाया गया है।", + "assigned a label": "एक लेबल सौंपा गया", "Association": "संगठन", "At": "पर", "at ": "पर", "Ate": "खाया", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "एक टेम्प्लेट परिभाषित करता है कि संपर्कों को कैसे प्रदर्शित किया जाना चाहिए। आप जितने चाहें उतने टेम्पलेट रख सकते हैं - वे आपकी खाता सेटिंग में परिभाषित किए गए हैं। हालाँकि, आप एक डिफ़ॉल्ट टेम्प्लेट को परिभाषित करना चाह सकते हैं ताकि इस वॉल्ट में आपके सभी संपर्कों में डिफ़ॉल्ट रूप से यह टेम्प्लेट हो।", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "एक टेम्प्लेट पृष्ठों से बना होता है, और प्रत्येक पृष्ठ में मॉड्यूल होते हैं। डेटा कैसे प्रदर्शित होता है यह पूरी तरह आप पर निर्भर है।", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "एक टेम्प्लेट परिभाषित करता है कि संपर्कों को कैसे प्रदर्शित किया जाना चाहिए। आपके पास जितने चाहें उतने टेम्पलेट हो सकते हैं - वे आपकी खाता सेटिंग में परिभाषित होते हैं। हालाँकि, हो सकता है कि आप एक डिफ़ॉल्ट टेम्पलेट परिभाषित करना चाहें ताकि इस वॉल्ट में आपके सभी संपर्कों के पास डिफ़ॉल्ट रूप से यह टेम्पलेट हो।", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "एक टेम्प्लेट पृष्ठों से बना होता है, और प्रत्येक पृष्ठ में मॉड्यूल होते हैं। डेटा कैसे प्रदर्शित किया जाता है यह पूरी तरह आप पर निर्भर है।", "Atheist": "नास्तिक", - "At which time should we send the notification, when the reminder occurs?": "अनुस्मारक आने पर हमें किस समय सूचना भेजनी चाहिए?", - "Audio-only call": "केवल-ऑडियो कॉल", - "Auto saved a few seconds ago": "ऑटो कुछ सेकंड पहले सहेजा गया", + "At which time should we send the notification, when the reminder occurs?": "हमें किस समय अधिसूचना भेजनी चाहिए, जब अनुस्मारक आता है?", + "Audio-only call": "केवल ऑडियो कॉल", + "Auto saved a few seconds ago": "कुछ सेकंड पहले स्वतः सहेजा गया", "Available modules:": "उपलब्ध मॉड्यूल:", "Avatar": "अवतार", "Avatars": "अवतारों", @@ -217,30 +217,30 @@ "Birthdate": "जन्म तिथि", "Birthday": "जन्मदिन", "Body": "शरीर", - "boss": "रोब जमाना", + "boss": "मालिक", "Bought": "खरीदा", - "Breakdown of the current usage": "वर्तमान उपयोग का टूटना", - "brother\/sister": "भाई बहन", + "Breakdown of the current usage": "वर्तमान उपयोग का विवरण", + "brother/sister": "भाई/बहन", "Browser Sessions": "ब्राउज़र सत्र", "Buddhist": "बौद्ध", - "Business": "व्यवसाय", - "By last updated": "अंतिम अपडेट द्वारा", + "Business": "व्यापार", + "By last updated": "अंतिम अद्यतन तक", "Calendar": "पंचांग", "Call reasons": "कॉल कारण", - "Call reasons let you indicate the reason of calls you make to your contacts.": "कॉल कारण आपको अपने संपर्कों को किए जाने वाले कॉल का कारण बताते हैं।", + "Call reasons let you indicate the reason of calls you make to your contacts.": "कॉल कारण आपको अपने संपर्कों को कॉल करने का कारण बताने की सुविधा देता है।", "Calls": "कॉल", - "Cancel": "रद्द करना", + "Cancel": "रद्द करें", "Cancel account": "खाता खारिज करना", - "Cancel all your active subscriptions": "अपनी सभी सक्रिय सदस्यता रद्द करें", + "Cancel all your active subscriptions": "अपनी सभी सक्रिय सदस्यताएँ रद्द करें", "Cancel your account": "अपना खाता रद्द करें", "Can do everything, including adding or removing other users, managing billing and closing the account.": "अन्य उपयोगकर्ताओं को जोड़ने या हटाने, बिलिंग प्रबंधित करने और खाता बंद करने सहित सब कुछ कर सकते हैं।", - "Can do everything, including adding or removing other users.": "अन्य उपयोगकर्ताओं को जोड़ने या निकालने सहित सब कुछ कर सकते हैं।", - "Can edit data, but can’t manage the vault.": "डेटा संपादित कर सकते हैं, लेकिन तिजोरी का प्रबंधन नहीं कर सकते।", - "Can view data, but can’t edit it.": "डेटा देख सकते हैं, लेकिन इसे संपादित नहीं कर सकते।", + "Can do everything, including adding or removing other users.": "अन्य उपयोगकर्ताओं को जोड़ने या हटाने सहित सब कुछ कर सकते हैं।", + "Can edit data, but can’t manage the vault.": "डेटा संपादित कर सकते हैं, लेकिन वॉल्ट प्रबंधित नहीं कर सकते.", + "Can view data, but can’t edit it.": "डेटा देख सकते हैं, लेकिन उसे संपादित नहीं कर सकते.", "Can’t be moved or deleted": "स्थानांतरित या हटाया नहीं जा सकता", "Cat": "बिल्ली", "Categories": "श्रेणियाँ", - "Chandler is in beta.": "चांडलर बीटा में है।", + "Chandler is in beta.": "चैंडलर बीटा में है.", "Change": "परिवर्तन", "Change date": "बदलाव दिनांक", "Change permission": "अनुमति बदलें", @@ -252,28 +252,28 @@ "Choose a color": "कोई रंग चुनें", "Choose an existing address": "कोई मौजूदा पता चुनें", "Choose an existing contact": "कोई मौजूदा संपर्क चुनें", - "Choose a template": "एक टेम्प्लेट चुनें", + "Choose a template": "एक टेम्पलेट चुनें", "Choose a value": "एक मान चुनें", - "Chosen type:": "चुना हुआ प्रकार:", + "Chosen type:": "चुना गया प्रकार:", "Christian": "ईसाई", "Christmas": "क्रिसमस", "City": "शहर", "Click here to re-send the verification email.": "सत्यापन ईमेल फिर से भेजने के लिए यहां क्लिक करें।", "Click on a day to see the details": "विवरण देखने के लिए एक दिन पर क्लिक करें", - "Close": "बंद करना", + "Close": "बंद करें", "close edit mode": "संपादन मोड बंद करें", "Club": "क्लब", "Code": "कोड", "colleague": "सहकर्मी", "Companies": "कंपनियों", "Company name": "कंपनी का नाम", - "Compared to Monica:": "मोनिका से तुलना:", + "Compared to Monica:": "Monica से तुलना:", "Configure how we should notify you": "कॉन्फ़िगर करें कि हमें आपको कैसे सूचित करना चाहिए", - "Confirm": "पुष्टि करना", - "Confirm Password": "पासवर्ड की पुष्टि कीजिये", + "Confirm": "पुष्टि करें", + "Confirm Password": "पासवर्ड की पुष्टि करें", "Connect": "जोड़ना", "Connected": "जुड़े हुए", - "Connect with your security key": "अपनी सुरक्षा कुंजी से जुड़ें", + "Connect with your security key": "अपनी सुरक्षा कुंजी से कनेक्ट करें", "Contact feed": "संपर्क फ़ीड", "Contact information": "संपर्क जानकारी", "Contact informations": "संपर्क जानकारी", @@ -282,35 +282,35 @@ "Contacts": "संपर्क", "Contacts in this post": "इस पोस्ट में संपर्क", "Contacts in this slice": "इस स्लाइस में संपर्क", - "Contacts will be shown as follow:": "संपर्क निम्नानुसार दिखाए जाएंगे:", - "Content": "संतुष्ट", - "Copied.": "कॉपी किया गया।", + "Contacts will be shown as follow:": "संपर्क इस प्रकार दिखाए जाएंगे:", + "Content": "सामग्री", + "Copied.": "नकल की गई.", "Copy": "प्रतिलिपि", - "Copy value into the clipboard": "क्लिपबोर्ड में मूल्य कॉपी करें", + "Copy value into the clipboard": "मान को क्लिपबोर्ड में कॉपी करें", "Could not get address book data.": "पता पुस्तिका डेटा नहीं मिल सका.", "Country": "देश", - "Couple": "जोड़ा", + "Couple": "युगल", "cousin": "चचेरा", - "Create": "बनाएं", + "Create": "बनाएँ", "Create account": "खाता बनाएं", - "Create Account": "खाता बनाएं", - "Create a contact": "एक संपर्क बनाएँ", + "Create Account": "खाता बनाएँ", + "Create a contact": "एक संपर्क बनाएं", "Create a contact entry for this person": "इस व्यक्ति के लिए एक संपर्क प्रविष्टि बनाएँ", - "Create a journal": "एक पत्रिका बनाएँ", - "Create a journal metric": "एक जर्नल मीट्रिक बनाएँ", - "Create a journal to document your life.": "अपने जीवन का दस्तावेजीकरण करने के लिए एक पत्रिका बनाएँ।", + "Create a journal": "एक जर्नल बनाएं", + "Create a journal metric": "एक जर्नल मीट्रिक बनाएं", + "Create a journal to document your life.": "अपने जीवन का दस्तावेजीकरण करने के लिए एक पत्रिका बनाएं।", "Create an account": "खाता बनाएं", - "Create a new address": "एक नया पता बनाएँ", - "Create a new team to collaborate with others on projects.": "परियोजनाओं पर दूसरों के साथ सहयोग करने के लिए एक नई टीम बनाएं।", - "Create API Token": "एपीआई टोकन बनाएं", - "Create a post": "एक पोस्ट बनाएँ", - "Create a reminder": "रिमाइंडर बनाएं", + "Create a new address": "एक नया पता बनाएं", + "Create a new team to collaborate with others on projects.": "परियोजनाओं पर दूसरों के साथ सहयोग करने के लिए एक नई टीम बनाएं ।", + "Create API Token": "एपीआई टोकन बनाएँ", + "Create a post": "एक पोस्ट बनाएं", + "Create a reminder": "एक अनुस्मारक बनाएँ", "Create a slice of life": "जीवन का एक टुकड़ा बनाएँ", "Create at least one page to display contact’s data.": "संपर्क का डेटा प्रदर्शित करने के लिए कम से कम एक पेज बनाएं।", - "Create at least one template to use Monica.": "मोनिका का उपयोग करने के लिए कम से कम एक टेम्प्लेट बनाएं।", - "Create a user": "एक उपयोगकर्ता बनाएँ", - "Create a vault": "तिजोरी बनाएँ", - "Created.": "बनाया था।", + "Create at least one template to use Monica.": "Monica का उपयोग करने के लिए कम से कम एक टेम्पलेट बनाएँ।", + "Create a user": "एक उपयोगकर्ता बनाएं", + "Create a vault": "एक तिजोरी बनाएँ", + "Created.": "बनाया गया ।", "created a goal": "एक लक्ष्य बनाया", "created the contact": "संपर्क बनाया", "Create label": "लेबल बनाएं", @@ -328,48 +328,48 @@ "Current timezone:": "वर्तमान समयक्षेत्र:", "Current way of displaying contact names:": "संपर्क नाम प्रदर्शित करने का वर्तमान तरीका:", "Current way of displaying dates:": "दिनांक प्रदर्शित करने का वर्तमान तरीका:", - "Current way of displaying distances:": "दूरी प्रदर्शित करने का वर्तमान तरीका:", - "Current way of displaying numbers:": "संख्या प्रदर्शित करने का वर्तमान तरीका:", - "Customize how contacts should be displayed": "अनुकूलित करें कि संपर्क कैसे प्रदर्शित होने चाहिए", + "Current way of displaying distances:": "दूरियाँ प्रदर्शित करने का वर्तमान तरीका:", + "Current way of displaying numbers:": "संख्याओं को प्रदर्शित करने का वर्तमान तरीका:", + "Customize how contacts should be displayed": "संपर्कों को प्रदर्शित करने का तरीका अनुकूलित करें", "Custom name order": "कस्टम नाम क्रम", "Daily affirmation": "दैनिक पुष्टि", "Dashboard": "डैशबोर्ड", "date": "तारीख", - "Date of the event": "आयोजन की तिथि", + "Date of the event": "घटना की तारीख", "Date of the event:": "आयोजन की तिथि:", "Date type": "दिनांक प्रकार", - "Date types are essential as they let you categorize dates that you add to a contact.": "दिनांक प्रकार आवश्यक हैं क्योंकि वे आपको उन तिथियों को वर्गीकृत करने देते हैं जिन्हें आप किसी संपर्क में जोड़ते हैं।", + "Date types are essential as they let you categorize dates that you add to a contact.": "दिनांक प्रकार आवश्यक हैं क्योंकि वे आपको उन दिनांकों को वर्गीकृत करने देते हैं जिन्हें आप किसी संपर्क में जोड़ते हैं।", "Day": "दिन", "day": "दिन", "Deactivate": "निष्क्रिय करें", "Deceased date": "मृतक तिथि", "Default template": "डिफ़ॉल्ट टेम्पलेट", "Default template to display contacts": "संपर्क प्रदर्शित करने के लिए डिफ़ॉल्ट टेम्पलेट", - "Delete": "मिटाना", - "Delete Account": "खाता हटा दो", - "Delete a new key": "एक नई कुंजी हटाएं", + "Delete": "हटाएं", + "Delete Account": "खाता हटाएं", + "Delete a new key": "एक नई कुंजी हटाएँ", "Delete API Token": "एपीआई टोकन हटाएं", "Delete contact": "संपर्क मिटा दें", - "deleted a contact information": "एक संपर्क जानकारी हटा दी", - "deleted a goal": "एक लक्ष्य हटा दिया", - "deleted an address": "एक पता हटा दिया", - "deleted an important date": "एक महत्वपूर्ण तिथि हटा दी", - "deleted a note": "एक नोट मिटा दिया", - "deleted a pet": "एक पालतू जानवर को हटा दिया", - "Deleted author": "हटाए गए लेखक", - "Delete group": "समूह हटाएं", - "Delete journal": "पत्रिका हटाएं", + "deleted a contact information": "एक संपर्क जानकारी हटा दी गई", + "deleted a goal": "एक लक्ष्य हटा दिया गया", + "deleted an address": "एक पता हटा दिया गया", + "deleted an important date": "एक महत्वपूर्ण तारीख हटा दी गई", + "deleted a note": "एक नोट हटा दिया गया", + "deleted a pet": "एक पालतू जानवर हटा दिया", + "Deleted author": "लेखक को हटा दिया गया", + "Delete group": "समूह हटाएँ", + "Delete journal": "जर्नल हटाएँ", "Delete Team": "टीम हटाएं", - "Delete the address": "पता मिटा दें", - "Delete the photo": "फोटो मिटा दो", - "Delete the slice": "टुकड़ा मिटा दें", - "Delete the vault": "तिजोरी मिटा दो", - "Delete your account on https:\/\/customers.monicahq.com.": "https:\/\/customers.monicahq.com पर अपना अकाउंट डिलीट करें।", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "तिजोरी को हटाने का अर्थ है इस तिजोरी के अंदर के सभी डेटा को हमेशा के लिए हटाना। यहां वापसी का कोई मोड़ नहीं। कृपया निश्चिंत रहें।", + "Delete the address": "पता हटाएँ", + "Delete the photo": "फ़ोटो हटाएँ", + "Delete the slice": "टुकड़ा हटाएँ", + "Delete the vault": "तिजोरी हटाओ", + "Delete your account on https://customers.monicahq.com.": "https://customers.monicahq.com पर अपना खाता हटाएं।", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "वॉल्ट को हटाने का अर्थ है इस वॉल्ट के अंदर मौजूद सभी डेटा को हमेशा के लिए हटाना। यहां वापसी का कोई मोड़ नहीं। कृपया निश्चिंत रहें.", "Description": "विवरण", "Detail of a goal": "एक लक्ष्य का विवरण", - "Details in the last year": "पिछले वर्ष में विवरण", - "Disable": "अक्षम करना", + "Details in the last year": "पिछले वर्ष का विवरण", + "Disable": "अक्षम करें", "Disable all": "सबको सक्षम कर दो", "Disconnect": "डिस्कनेक्ट", "Discuss partnership": "साझेदारी पर चर्चा करें", @@ -379,12 +379,12 @@ "Distance": "दूरी", "Documents": "दस्तावेज़", "Dog": "कुत्ता", - "Done.": "पूर्ण।", + "Done.": "हो गया।.", "Download": "डाउनलोड करना", "Download as vCard": "vCard के रूप में डाउनलोड करें", "Drank": "पिया", "Drove": "गल्ला", - "Due and upcoming tasks": "देय और आगामी कार्य", + "Due and upcoming tasks": "देय एवं आगामी कार्य", "Edit": "संपादन करना", "edit": "संपादन करना", "Edit a contact": "संपर्क संपादित करें", @@ -397,19 +397,19 @@ "Edit journal metrics": "जर्नल मेट्रिक्स संपादित करें", "Edit names": "नाम संपादित करें", "Editor": "संपादक", - "Editor users have the ability to read, create, and update.": "संपादक उपयोगकर्ताओं के पास पढ़ने, बनाने और अपडेट करने की क्षमता होती है।", + "Editor users have the ability to read, create, and update.": "संपादक उपयोगकर्ताओं को पढ़ने, बनाने और अद्यतन करने की क्षमता है ।", "Edit post": "संपादित पोस्ट", "Edit Profile": "प्रोफ़ाइल संपादित करें", - "Edit slice of life": "जीवन का संपादित अंश", + "Edit slice of life": "जीवन का टुकड़ा संपादित करें", "Edit the group": "समूह संपादित करें", - "Edit the slice of life": "जीवन का टुकड़ा संपादित करें", + "Edit the slice of life": "जीवन का हिस्सा संपादित करें", "Email": "ईमेल", "Email address": "मेल पता", - "Email address to send the invitation to": "आमंत्रण भेजने के लिए ईमेल पता", + "Email address to send the invitation to": "निमंत्रण भेजने के लिए ईमेल पता", "Email Password Reset Link": "ईमेल पासवर्ड रीसेट लिंक", - "Enable": "सक्षम", + "Enable": "सक्षम करें", "Enable all": "सभी को सक्षम करें", - "Ensure your account is using a long, random password to stay secure.": "सुनिश्चित करें कि आपका खाता सुरक्षित रहने के लिए एक लंबे, यादृच्छिक पासवर्ड का उपयोग कर रहा है।", + "Ensure your account is using a long, random password to stay secure.": "सुनिश्चित करें कि आपका खाता सुरक्षित रहने के लिए एक लंबे, यादृच्छिक पासवर्ड का उपयोग कर रहा है ।", "Enter a number from 0 to 100000. No decimals.": "0 से 100000 तक कोई संख्या दर्ज करें। कोई दशमलव नहीं।", "Events this month": "इस महीने की घटनाएँ", "Events this week": "इस सप्ताह की घटनाएँ", @@ -418,103 +418,102 @@ "ex-boyfriend": "पूर्व प्रेमी", "Exception:": "अपवाद:", "Existing company": "मौजूदा कंपनी", - "External connections": "बाहरी कनेक्शन", + "External connections": "बाहरी संबंध", + "Facebook": "फेसबुक", "Family": "परिवार", "Family summary": "पारिवारिक सारांश", "Favorites": "पसंदीदा", "Female": "महिला", "Files": "फ़ाइलें", "Filter": "फ़िल्टर", - "Filter list or create a new label": "फ़िल्टर सूची या एक नया लेबल बनाएँ", - "Filter list or create a new tag": "फ़िल्टर सूची या एक नया टैग बनाएँ", - "Find a contact in this vault": "इस तिजोरी में एक संपर्क खोजें", + "Filter list or create a new label": "सूची फ़िल्टर करें या नया लेबल बनाएं", + "Filter list or create a new tag": "सूची फ़िल्टर करें या नया टैग बनाएं", + "Find a contact in this vault": "इस वॉल्ट में एक संपर्क ढूंढें", "Finish enabling two factor authentication.": "दो कारक प्रमाणीकरण सक्षम करना समाप्त करें।", "First name": "पहला नाम", "First name Last name": "प्रथम नाम अंतिम नाम", "First name Last name (nickname)": "प्रथम नाम अंतिम नाम (उपनाम)", "Fish": "मछली", - "Food preferences": "भोजन की प्राथमिकताएँ", + "Food preferences": "भोजन संबंधी प्राथमिकताएँ", "for": "के लिए", "For:": "के लिए:", "For advice": "सलाह के लिए", - "Forbidden": "निषिद्ध", - "Forgot password?": "पासवर्ड भूल गए?", - "Forgot your password?": "अपना कूट शब्द भूल गए?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "अपना कूट शब्द भूल गए? कोई बात नहीं। बस हमें अपना ईमेल पता बताएं और हम आपको एक पासवर्ड रीसेट लिंक ईमेल करेंगे जो आपको एक नया पासवर्ड चुनने की अनुमति देगा।", - "For your security, please confirm your password to continue.": "आपकी सुरक्षा के लिए, कृपया जारी रखने के लिए अपने पासवर्ड की पुष्टि करें।", + "Forbidden": "मना किया", + "Forgot your password?": "अपना पासवर्ड भूल गए?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "अपना पासवर्ड भूल गए? कोई बात नहीं । बस हमें अपना ईमेल पता बताएं और हम आपको एक पासवर्ड रीसेट लिंक ईमेल करेंगे जो आपको एक नया चुनने की अनुमति देगा ।", + "For your security, please confirm your password to continue.": "अपनी सुरक्षा के लिए, कृपया जारी रखने के लिए अपने पासवर्ड की पुष्टि करें ।", "Found": "मिला", "Friday": "शुक्रवार", "Friend": "दोस्त", "friend": "दोस्त", - "From A to Z": "ए से जेड तक", + "From A to Z": "A से Z तक", "From Z to A": "Z से A तक", "Gender": "लिंग", - "Gender and pronoun": "लिंग और सर्वनाम", + "Gender and pronoun": "लिंग एवं सर्वनाम", "Genders": "लिंगों", - "Gift center": "उपहार केंद्र", "Gift occasions": "उपहार के अवसर", "Gift occasions let you categorize all your gifts.": "उपहार के अवसर आपको अपने सभी उपहारों को वर्गीकृत करने देते हैं।", - "Gift states": "उपहार राज्य", - "Gift states let you define the various states for your gifts.": "गिफ्ट स्टेट्स आपको अपने उपहारों के लिए विभिन्न राज्यों को परिभाषित करने देते हैं।", + "Gift states": "उपहार बताता है", + "Gift states let you define the various states for your gifts.": "उपहार स्थिति आपको अपने उपहारों के लिए विभिन्न स्थितियों को परिभाषित करने देती है।", "Give this email address a name": "इस ईमेल पते को एक नाम दें", "Goals": "लक्ष्य", "Go back": "वापस जाओ", - "godchild": "Godchild", - "godparent": "Godparent", + "godchild": "गॉडचाइल्ड", + "godparent": "गॉडपेरेंट", "Google Maps": "गूगल मानचित्र", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google मानचित्र सर्वोत्तम सटीकता और विवरण प्रदान करता है, लेकिन गोपनीयता के दृष्टिकोण से यह आदर्श नहीं है।", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google मानचित्र सर्वोत्तम सटीकता और विवरण प्रदान करता है, लेकिन गोपनीयता की दृष्टि से यह आदर्श नहीं है।", "Got fired": "निकाल दिया गया", - "Go to page :page": "पेज पर जाएं: पेज", - "grand child": "पोता बच्चा", - "grand parent": "दादा दादी", - "Great! You have accepted the invitation to join the :team team.": "महान! आपने :टीम टीम में शामिल होने का निमंत्रण स्वीकार कर लिया है।", + "Go to page :page": "पेज :page पर जाएं", + "grand child": "पोता", + "grand parent": "दादा-दादी", + "Great! You have accepted the invitation to join the :team team.": "बढ़िया! आपने :team टीम में शामिल होने का निमंत्रण स्वीकार कर लिया है ।", "Group journal entries together with slices of life.": "जीवन के अंशों के साथ समूह जर्नल प्रविष्टियाँ।", "Groups": "समूह", - "Groups let you put your contacts together in a single place.": "समूह आपको अपने संपर्कों को एक साथ एक ही स्थान पर रखने देते हैं।", + "Groups let you put your contacts together in a single place.": "समूह आपको अपने संपर्कों को एक ही स्थान पर रखने की सुविधा देते हैं।", "Group type": "समूह प्रकार", - "Group type: :name": "समूह प्रकार: नाम", - "Group types": "समूह प्रकार", - "Group types let you group people together.": "समूह प्रकार आपको लोगों को एक साथ समूहित करने देते हैं।", - "Had a promotion": "प्रमोशन हुआ था", + "Group type: :name": "समूह प्रकार: :name", + "Group types": "समूह के प्रकार", + "Group types let you group people together.": "समूह प्रकार से आप लोगों को एक साथ समूहित कर सकते हैं।", + "Had a promotion": "प्रमोशन हुआ", "Hamster": "हम्सटर", "Have a great day,": "आपका दिन अच्छा रहे,", - "he\/him": "वह उसे", - "Hello!": "नमस्ते!", + "he/him": "वह/उसे", + "Hello!": "नमस्कार!", "Help": "मदद", - "Hi :name": "हाय: नाम", - "Hinduist": "हिंदू", - "History of the notification sent": "भेजी गई सूचना का इतिहास", + "Hi :name": "नमस्ते :name", + "Hinduist": "हिंदूवादी", + "History of the notification sent": "भेजी गई अधिसूचना का इतिहास", "Hobbies": "शौक", "Home": "घर", "Horse": "घोड़ा", "How are you?": "आप कैसे हैं?", - "How could I have done this day better?": "मैं इस दिन को और बेहतर कैसे कर सकता था?", + "How could I have done this day better?": "मैं इस दिन को इससे बेहतर कैसे कर सकता था?", "How did you feel?": "आपने कैसा महसूस किया?", "How do you feel right now?": "अब आप कैसा महसूस कर रहे हो?", - "however, there are many, many new features that didn't exist before.": "हालाँकि, कई नई सुविधाएँ हैं जो पहले मौजूद नहीं थीं।", - "How much money was lent?": "कितना पैसा उधार दिया गया था?", - "How much was lent?": "कितना उधार दिया था?", - "How often should we remind you about this date?": "इस तिथि के बारे में हमें आपको कितनी बार याद दिलाना चाहिए?", - "How should we display dates": "हमें तिथियां कैसे प्रदर्शित करनी चाहिए", - "How should we display distance values": "हमें दूरी मान कैसे प्रदर्शित करना चाहिए", - "How should we display numerical values": "हमें संख्यात्मक मान कैसे प्रदर्शित करने चाहिए", - "I agree to the :terms and :policy": "मैं :शर्तों और :नीति से सहमत हूं", - "I agree to the :terms_of_service and :privacy_policy": "मैं :terms_of_service और :privacy_policy से सहमत हूं", + "however, there are many, many new features that didn't exist before.": "हालाँकि, ऐसी कई नई सुविधाएँ हैं जो पहले मौजूद नहीं थीं।", + "How much money was lent?": "कितना पैसा उधार दिया गया?", + "How much was lent?": "कितना उधार दिया गया?", + "How often should we remind you about this date?": "हमें आपको इस तारीख के बारे में कितनी बार याद दिलाना चाहिए?", + "How should we display dates": "हमें दिनांक कैसे प्रदर्शित करनी चाहिए?", + "How should we display distance values": "हमें दूरी मान कैसे प्रदर्शित करना चाहिए?", + "How should we display numerical values": "हमें संख्यात्मक मान कैसे प्रदर्शित करना चाहिए?", + "I agree to the :terms and :policy": "मैं :terms और :policy से सहमत हूं", + "I agree to the :terms_of_service and :privacy_policy": "मैं :terms___ सेवा और :privacy_ नीति से सहमत हूं", "I am grateful for": "मैं इसके लिए शुक्रगुज़ार हूं", "I called": "मैंने कॉल किया", - "I called, but :name didn’t answer": "मैंने कॉल किया, लेकिन :name ने जवाब नहीं दिया", + "I called, but :name didn’t answer": "मैंने कॉल किया, लेकिन :name ने उत्तर नहीं दिया", "Idea": "विचार", "I don’t know the name": "मैं नाम नहीं जानता", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "यदि आवश्यक हो, तो आप अपने सभी उपकरणों पर अपने सभी अन्य ब्राउज़र सत्रों से लॉग आउट कर सकते हैं। आपके हाल के कुछ सत्र नीचे सूचीबद्ध हैं; हालाँकि, यह सूची संपूर्ण नहीं हो सकती है। अगर आपको लगता है कि आपके खाते से छेड़छाड़ की गई है, तो आपको अपना पासवर्ड भी अपडेट कर लेना चाहिए।", - "If the date is in the past, the next occurence of the date will be next year.": "यदि तिथि अतीत में है, तो तिथि की अगली घटना अगले वर्ष होगी।", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "यदि आपको \":actionText\" बटन पर क्लिक करने में समस्या हो रही है, तो नीचे दिए गए URL को कॉपी और पेस्ट करें\nआपके वेब ब्राउज़र में:", - "If you already have an account, you may accept this invitation by clicking the button below:": "यदि आपके पास पहले से ही एक खाता है, तो आप नीचे दिए गए बटन पर क्लिक करके इस आमंत्रण को स्वीकार कर सकते हैं:", - "If you did not create an account, no further action is required.": "यदि आपने खाता नहीं बनाया है, तो आगे किसी कार्रवाई की आवश्यकता नहीं है।", - "If you did not expect to receive an invitation to this team, you may discard this email.": "यदि आपको इस टीम को आमंत्रण प्राप्त होने की उम्मीद नहीं थी, तो आप इस ईमेल को छोड़ सकते हैं।", - "If you did not request a password reset, no further action is required.": "यदि आपने पासवर्ड रीसेट करने का अनुरोध नहीं किया है, तो आगे किसी कार्रवाई की आवश्यकता नहीं है।", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "यदि आपके पास खाता नहीं है, तो आप नीचे दिए गए बटन पर क्लिक करके एक खाता बना सकते हैं। खाता बनाने के बाद, आप टीम आमंत्रण को स्वीकार करने के लिए इस ईमेल में आमंत्रण स्वीकृति बटन पर क्लिक कर सकते हैं:", - "If you’ve received this invitation by mistake, please discard it.": "यदि आपको यह आमंत्रण गलती से मिला है, तो कृपया इसे त्याग दें।", - "I know the exact date, including the year": "मुझे वर्ष सहित सटीक तिथि पता है", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "यदि आवश्यक हो, तो आप अपने सभी उपकरणों में अपने अन्य ब्राउज़र सत्रों से लॉग आउट कर सकते हैं । आपके हाल के कुछ सत्र नीचे सूचीबद्ध हैं; हालाँकि, यह सूची संपूर्ण नहीं हो सकती है । यदि आपको लगता है कि आपके खाते से छेड़छाड़ की गई है, तो आपको अपना पासवर्ड भी अपडेट करना चाहिए ।", + "If the date is in the past, the next occurence of the date will be next year.": "यदि तारीख अतीत में है, तो तारीख की अगली घटना अगले वर्ष होगी।", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "यदि आपको \":actionText\" बटन पर क्लिक करने में परेशानी हो रही है, तो नीचे दिए गए यूआरएल को कॉपी और पेस्ट करें\nअपने वेब ब्राउज़र में:", + "If you already have an account, you may accept this invitation by clicking the button below:": "यदि आपके पास पहले से कोई खाता है, तो आप नीचे दिए गए बटन पर क्लिक करके इस निमंत्रण को स्वीकार कर सकते हैं:", + "If you did not create an account, no further action is required.": "यदि आपने खाता नहीं बनाया है, तो आगे की कार्रवाई की आवश्यकता नहीं है ।", + "If you did not expect to receive an invitation to this team, you may discard this email.": "यदि आपको इस टीम को निमंत्रण मिलने की उम्मीद नहीं थी, तो आप इस ईमेल को छोड़ सकते हैं ।", + "If you did not request a password reset, no further action is required.": "यदि आपने पासवर्ड रीसेट का अनुरोध नहीं किया है, तो आगे की कार्रवाई की आवश्यकता नहीं है ।", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "यदि आपके पास खाता नहीं है, तो आप नीचे दिए गए बटन पर क्लिक करके एक बना सकते हैं । खाता बनाने के बाद, आप टीम आमंत्रण स्वीकार करने के लिए इस ईमेल में आमंत्रण स्वीकृति बटन पर क्लिक कर सकते हैं:", + "If you’ve received this invitation by mistake, please discard it.": "यदि आपको यह निमंत्रण गलती से प्राप्त हुआ है, तो कृपया इसे त्याग दें।", + "I know the exact date, including the year": "मुझे वर्ष सहित सटीक तारीख मालूम है", "I know the name": "मुझे नाम पता है", "Important dates": "महत्वपूर्ण तिथियाँ", "Important date summary": "महत्वपूर्ण तिथि सारांश", @@ -522,14 +521,15 @@ "Information": "जानकारी", "Information from Wikipedia": "विकिपीडिया से जानकारी", "in love with": "के साथ प्यार में", - "Inspirational post": "प्रेरक पोस्ट", + "Inspirational post": "प्रेरणादायक पोस्ट", + "Invalid JSON was returned from the route.": "अमान्य JSON मार्ग से लौटा दिया गया था.", "Invitation sent": "निमंत्रण भेजा गया", - "Invite a new user": "एक नए उपयोगकर्ता को आमंत्रित करें", + "Invite a new user": "नये उपयोगकर्ता को आमंत्रित करें", "Invite someone": "किसी को आमंत्रित", - "I only know a number of years (an age, for example)": "मैं केवल कुछ वर्षों को जानता हूं (उदाहरण के लिए एक आयु)", - "I only know the day and month, not the year": "मैं केवल दिन और माह जानता हूं, वर्ष नहीं", - "it misses some of the features, the most important ones being the API and gift management,": "यह कुछ सुविधाओं को याद करता है, सबसे महत्वपूर्ण हैं एपीआई और उपहार प्रबंधन,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "ऐसा लगता है कि खाते में अभी तक कोई टेम्प्लेट नहीं है। कृपया पहले अपने खाते में कम से कम टेम्पलेट जोड़ें, फिर इस टेम्पलेट को इस संपर्क से संबद्ध करें।", + "I only know a number of years (an age, for example)": "मैं केवल कुछ वर्ष जानता हूं (उदाहरण के लिए एक उम्र)", + "I only know the day and month, not the year": "मैं केवल दिन और महीना जानता हूं, वर्ष नहीं", + "it misses some of the features, the most important ones being the API and gift management,": "इसमें कुछ सुविधाएँ गायब हैं, जिनमें सबसे महत्वपूर्ण हैं एपीआई और उपहार प्रबंधन,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "ऐसा लगता है कि खाते में अभी तक कोई टेम्पलेट नहीं हैं। कृपया पहले अपने खाते में कम से कम टेम्पलेट जोड़ें, फिर इस टेम्पलेट को इस संपर्क के साथ संबद्ध करें।", "Jew": "यहूदी", "Job information": "नौकरी की जानकारी", "Job position": "काम की स्थिति", @@ -545,63 +545,63 @@ "km": "किमी", "Label:": "लेबल:", "Labels": "लेबल", - "Labels let you classify contacts using a system that matters to you.": "लेबल आपको एक ऐसे सिस्टम का उपयोग करके संपर्कों को वर्गीकृत करने देते हैं जो आपके लिए मायने रखता है।", + "Labels let you classify contacts using a system that matters to you.": "लेबल आपको उस सिस्टम का उपयोग करके संपर्कों को वर्गीकृत करने देते हैं जो आपके लिए महत्वपूर्ण है।", "Language of the application": "आवेदन की भाषा", "Last active": "अंतिम सक्रिय", - "Last active :date": "अंतिम सक्रिय :तारीख", + "Last active :date": "अंतिम सक्रिय :date", "Last name": "उपनाम", "Last name First name": "अंतिम नाम प्रथम नाम", "Last updated": "आखरी अपडेट", - "Last used": "अंतिम समय प्रयोग हुआ", - "Last used :date": "अंतिम बार उपयोग किया गया: दिनांक", - "Leave": "छुट्टी", - "Leave Team": "टीम छोड़ो", + "Last used": "अंतिम बार इस्तेमाल किया", + "Last used :date": "अंतिम बार उपयोग किया गया :date", + "Leave": "छोड़ो", + "Leave Team": "टीम छोड़ दो", "Life": "ज़िंदगी", "Life & goals": "जीवन के लक्ष्य", "Life events": "जीवन की घटनाएं", - "Life events let you document what happened in your life.": "जीवन की घटनाएँ आपको दस्तावेज देती हैं कि आपके जीवन में क्या हुआ।", + "Life events let you document what happened in your life.": "जीवन की घटनाएँ आपको यह दस्तावेज करने देती हैं कि आपके जीवन में क्या घटित हुआ।", "Life event types:": "जीवन घटना प्रकार:", - "Life event types and categories": "जीवन घटना प्रकार और श्रेणियां", + "Life event types and categories": "जीवन घटना के प्रकार और श्रेणियाँ", "Life metrics": "जीवन मेट्रिक्स", - "Life metrics let you track metrics that are important to you.": "लाइफ मेट्रिक्स आपको उन मेट्रिक्स को ट्रैक करने देता है जो आपके लिए महत्वपूर्ण हैं।", - "Link to documentation": "दस्तावेज़ीकरण से लिंक करें", + "Life metrics let you track metrics that are important to you.": "जीवन मेट्रिक्स आपको उन मेट्रिक्स को ट्रैक करने देता है जो आपके लिए महत्वपूर्ण हैं।", + "LinkedIn": "Linkedin", "List of addresses": "पतों की सूची", - "List of addresses of the contacts in the vault": "तिजोरी में संपर्कों के पतों की सूची", + "List of addresses of the contacts in the vault": "वॉल्ट में संपर्कों के पतों की सूची", "List of all important dates": "सभी महत्वपूर्ण तिथियों की सूची", "Loading…": "लोड हो रहा है…", "Load previous entries": "पिछली प्रविष्टियाँ लोड करें", "Loans": "ऋण", - "Locale default: :value": "लोकेल डिफ़ॉल्ट: :value", + "Locale default: :value": "स्थानीय डिफ़ॉल्ट: :value", "Log a call": "कॉल लॉग करें", "Log details": "लॉग विवरण", "logged the mood": "मूड लॉग किया", "Log in": "लॉग इन करें", - "Login": "लॉग इन करें", + "Login": "लॉगिन करें", "Login with:": "साथ प्रवेश करना:", - "Log Out": "लॉग आउट", - "Logout": "लॉग आउट", - "Log Out Other Browser Sessions": "अन्य ब्राउज़र सत्रों को लॉग आउट करें", + "Log Out": "लॉग आउट करें", + "Logout": "लॉगआउट", + "Log Out Other Browser Sessions": "अन्य ब्राउज़र सत्र लॉग आउट करें", "Longest streak": "सबसे लंबी लकीर", "Love": "प्यार", - "loved by": "द्वारा प्यार किया", + "loved by": "से प्यार किया", "lover": "प्रेम करनेवाला", - "Made from all over the world. We ❤️ you.": "दुनिया भर से बनाया गया। हम ❤️ आप।", + "Made from all over the world. We ❤️ you.": "दुनिया भर से निर्मित. हम ❤️ आप.", "Maiden name": "विवाह से पहले उपनाम", - "Male": "नर", - "Manage Account": "खाते का प्रबंधन करें", + "Male": "पुरुष", + "Manage Account": "खाता प्रबंधित करें", "Manage accounts you have linked to your Customers account.": "उन खातों को प्रबंधित करें जिन्हें आपने अपने ग्राहक खाते से लिंक किया है।", "Manage address types": "पता प्रकार प्रबंधित करें", - "Manage and log out your active sessions on other browsers and devices.": "अन्य ब्राउज़रों और उपकरणों पर अपने सक्रिय सत्रों को प्रबंधित और लॉग आउट करें।", - "Manage API Tokens": "एपीआई टोकन प्रबंधित करें", - "Manage call reasons": "कॉल कारणों को प्रबंधित करें", + "Manage and log out your active sessions on other browsers and devices.": "अन्य ब्राउज़रों और उपकरणों पर अपने सक्रिय सत्र प्रबंधित करें और लॉग आउट करें ।", + "Manage API Tokens": "प्रबंधन API टोकन", + "Manage call reasons": "कॉल के कारण प्रबंधित करें", "Manage contact information types": "संपर्क जानकारी प्रकार प्रबंधित करें", - "Manage currencies": "मुद्राओं का प्रबंधन करें", + "Manage currencies": "मुद्राएँ प्रबंधित करें", "Manage genders": "लिंग प्रबंधित करें", "Manage gift occasions": "उपहार अवसरों का प्रबंधन करें", - "Manage gift states": "उपहार राज्यों को प्रबंधित करें", + "Manage gift states": "उपहार स्थिति प्रबंधित करें", "Manage group types": "समूह प्रकार प्रबंधित करें", "Manage modules": "मॉड्यूल प्रबंधित करें", - "Manage pet categories": "पालतू श्रेणियों का प्रबंधन करें", + "Manage pet categories": "पालतू पशु श्रेणियां प्रबंधित करें", "Manage post templates": "पोस्ट टेम्प्लेट प्रबंधित करें", "Manage pronouns": "सर्वनाम प्रबंधित करें", "Manager": "प्रबंधक", @@ -609,19 +609,20 @@ "Manage religions": "धर्मों का प्रबंधन करें", "Manage Role": "भूमिका प्रबंधित करें", "Manage storage": "संग्रहण प्रबंधित करें", - "Manage Team": "टीम प्रबंधित करें", + "Manage Team": "टीम का प्रबंधन", "Manage templates": "टेम्प्लेट प्रबंधित करें", "Manage users": "उपयोगकर्ताओं को प्रबंधित करें", - "Maybe one of these contacts?": "शायद इनमें से एक संपर्क?", + "Mastodon": "मेस्टोडोन", + "Maybe one of these contacts?": "शायद इनमें से कोई एक संपर्क हो?", "mentor": "उपदेशक", "Middle name": "मध्य नाम", "miles": "मील", "miles (mi)": "मील (मील)", "Modules in this page": "इस पृष्ठ में मॉड्यूल", "Monday": "सोमवार", - "Monica. All rights reserved. 2017 — :date.": "मोनिका। सर्वाधिकार सुरक्षित। 2017 — :तारीख।", - "Monica is open source, made by hundreds of people from all around the world.": "मोनिका ओपन सोर्स है, जिसे दुनिया भर के सैकड़ों लोगों ने बनाया है।", - "Monica was made to help you document your life and your social interactions.": "मोनिका को आपके जीवन और आपके सामाजिक संबंधों का दस्तावेजीकरण करने में मदद करने के लिए बनाया गया था।", + "Monica. All rights reserved. 2017 — :date.": "Monica. सर्वाधिकार सुरक्षित। 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica खुला स्रोत है, जिसे दुनिया भर के सैकड़ों लोगों ने बनाया है।", + "Monica was made to help you document your life and your social interactions.": "Monica को आपके जीवन और आपके सामाजिक संबंधों का दस्तावेजीकरण करने में मदद करने के लिए बनाया गया था।", "Month": "महीना", "month": "महीना", "Mood in the year": "साल में मूड", @@ -633,172 +634,172 @@ "Muslim": "मुसलमान", "Name": "नाम", "Name of the pet": "पालतू जानवर का नाम", - "Name of the reminder": "रिमाइंडर का नाम", + "Name of the reminder": "अनुस्मारक का नाम", "Name of the reverse relationship": "विपरीत संबंध का नाम", "Nature of the call": "कॉल की प्रकृति", - "nephew\/niece": "भतीजे भतीजी", + "nephew/niece": "भतीजे/भतीजी", "New Password": "नया पासवर्ड", - "New to Monica?": "मोनिका के लिए नया?", + "New to Monica?": "Monica के लिए नया?", "Next": "अगला", "Nickname": "उपनाम", "nickname": "उपनाम", - "No cities have been added yet in any contact’s addresses.": "किसी भी संपर्क के पतों में अभी तक कोई शहर नहीं जोड़ा गया है।", + "No cities have been added yet in any contact’s addresses.": "किसी भी संपर्क के पते में अभी तक कोई शहर नहीं जोड़ा गया है।", "No contacts found.": "कोई संपर्क नहीं मिला.", - "No countries have been added yet in any contact’s addresses.": "किसी भी संपर्क के पतों में अभी तक कोई देश नहीं जोड़ा गया है।", - "No dates in this month.": "इस महीने में कोई तारीख नहीं है।", - "No description yet.": "अभी तक कोई विवरण नहीं।", + "No countries have been added yet in any contact’s addresses.": "किसी भी संपर्क के पते में अभी तक कोई देश नहीं जोड़ा गया है।", + "No dates in this month.": "इस माह में कोई तिथि नहीं.", + "No description yet.": "अभी तक कोई विवरण नहीं.", "No groups found.": "कोई समूह नहीं मिला.", "No keys registered yet": "अभी तक कोई कुंजी पंजीकृत नहीं है", - "No labels yet.": "अभी तक कोई लेबल नहीं है।", - "No life event types yet.": "अभी तक कोई जीवन घटना प्रकार नहीं है।", + "No labels yet.": "अभी तक कोई लेबल नहीं.", + "No life event types yet.": "अभी तक कोई जीवन घटना प्रकार नहीं.", "No notes found.": "कोई नोट नहीं मिला.", "No results found": "कोई परिणाम नहीं मिला", "No role": "कोई भूमिका नहीं", - "No roles yet.": "अभी तक कोई भूमिका नहीं है।", - "No tasks.": "कोई कार्य नहीं।", + "No roles yet.": "अभी तक कोई भूमिका नहीं.", + "No tasks.": "कोई कार्य नहीं.", "Notes": "टिप्पणियाँ", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "ध्यान दें कि किसी पृष्ठ से मॉड्यूल को हटाने से आपके संपर्क पृष्ठों पर वास्तविक डेटा नहीं हटेगा। यह बस इसे छुपाएगा।", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "ध्यान दें कि किसी पृष्ठ से मॉड्यूल हटाने से आपके संपर्क पृष्ठों पर मौजूद वास्तविक डेटा नहीं हटेगा। यह बस इसे छिपा देगा.", "Not Found": "नहीं मिला", "Notification channels": "अधिसूचना चैनल", - "Notification sent": "सूचना भेजी गई", + "Notification sent": "अधिसूचना भेजी गई", "Not set": "सेट नहीं", - "No upcoming reminders.": "कोई आगामी रिमाइंडर नहीं है।", - "Number of hours slept": "कितने घंटे सोए", + "No upcoming reminders.": "कोई आगामी अनुस्मारक नहीं.", + "Number of hours slept": "सोने के घंटों की संख्या", "Numerical value": "अंकीय मूल्य", - "of": "का", + "of": "की", "Offered": "की पेशकश की", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "एक बार किसी टीम को हटा दिए जाने के बाद, उसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएँगे। इस टीम को हटाने से पहले, कृपया इस टीम से संबंधित कोई डेटा या जानकारी डाउनलोड करें जिसे आप बनाए रखना चाहते हैं।", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "एक बार जब कोई टीम हटा दी जाती है, तो उसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएंगे । इस टीम को हटाने से पहले, कृपया इस टीम के बारे में कोई भी डेटा या जानकारी डाउनलोड करें जिसे आप बनाए रखना चाहते हैं ।", "Once you cancel,": "एक बार जब आप रद्द कर देते हैं,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "एक बार जब आप नीचे दिए गए सेटअप बटन पर क्लिक करते हैं, तो आपको टेलीग्राम को उस बटन से खोलना होगा जो हम आपको प्रदान करेंगे। यह आपके लिए मोनिका टेलीग्राम बॉट का पता लगाएगा।", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "एक बार आपका खाता हटा दिए जाने के बाद, इसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएँगे। अपना खाता हटाने से पहले, कृपया कोई भी डेटा या जानकारी डाउनलोड करें जिसे आप बनाए रखना चाहते हैं।", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "एक बार जब आप नीचे सेटअप बटन पर क्लिक करते हैं, तो आपको उस बटन से टेलीग्राम खोलना होगा जो हम आपको प्रदान करेंगे। यह आपके लिए Monica टेलीग्राम बॉट का पता लगाएगा।", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "एक बार जब आपका खाता हटा दिया जाता है, तो उसके सभी संसाधन और डेटा स्थायी रूप से हटा दिए जाएंगे । अपना खाता हटाने से पहले, कृपया कोई भी डेटा या जानकारी डाउनलोड करें जिसे आप बनाए रखना चाहते हैं ।", "Only once, when the next occurence of the date occurs.": "केवल एक बार, जब तारीख की अगली घटना होती है।", "Oops! Something went wrong.": "उफ़! कुछ गलत हो गया।", - "Open Street Maps": "ओपन स्ट्रीट मैप्स", + "Open Street Maps": "सड़क मानचित्र खोलें", "Open Street Maps is a great privacy alternative, but offers less details.": "ओपन स्ट्रीट मैप्स एक बेहतरीन गोपनीयता विकल्प है, लेकिन कम विवरण प्रदान करता है।", "Open Telegram to validate your identity": "अपनी पहचान सत्यापित करने के लिए टेलीग्राम खोलें", "optional": "वैकल्पिक", "Or create a new one": "या एक नया बनाएं", - "Or filter by type": "या प्रकार से फ़िल्टर करें", - "Or remove the slice": "या टुकड़ा निकाल लें", - "Or reset the fields": "या खेतों को रीसेट करें", + "Or filter by type": "या प्रकार के अनुसार फ़िल्टर करें", + "Or remove the slice": "या टुकड़ा हटा दें", + "Or reset the fields": "या फ़ील्ड रीसेट करें", "Other": "अन्य", "Out of respect and appreciation": "सम्मान और प्रशंसा से बाहर", "Page Expired": "पृष्ठ समाप्त हो गया", "Pages": "पृष्ठों", - "Pagination Navigation": "पेजिनेशन नेविगेशन", + "Pagination Navigation": "पृष्ठ पर अंक लगाना नेविगेशन", "Parent": "माता-पिता", "parent": "माता-पिता", "Participants": "प्रतिभागियों", - "Partner": "साझेदार", + "Partner": "साथी", "Part of": "का हिस्सा", "Password": "पासवर्ड", "Payment Required": "भुगतान की आवश्यकता है", - "Pending Team Invitations": "लंबित टीम आमंत्रण", - "per\/per": "के लिए के लिए", - "Permanently delete this team.": "इस टीम को स्थायी रूप से हटाएं।", - "Permanently delete your account.": "अपना खाता स्थायी रूप से हटाएं।", - "Permission for :name": "के लिए अनुमति: नाम", + "Pending Team Invitations": "लंबित टीम निमंत्रण", + "per/per": "प्रति/प्रति", + "Permanently delete this team.": "इस टीम को स्थायी रूप से हटा दें ।", + "Permanently delete your account.": "अपने खाते को स्थायी रूप से हटा दें ।", + "Permission for :name": ":Name के लिए अनुमति", "Permissions": "अनुमतियां", "Personal": "निजी", - "Personalize your account": "अपने खाते को वैयक्तिकृत करें", - "Pet categories": "पालतू श्रेणियां", - "Pet categories let you add types of pets that contacts can add to their profile.": "पालतू जानवर श्रेणियां आपको ऐसे पालतू जानवरों के प्रकार जोड़ने देती हैं जिन्हें संपर्क उनकी प्रोफ़ाइल में जोड़ सकते हैं।", - "Pet category": "पालतू श्रेणी", + "Personalize your account": "अपने खाते को निजीकृत करें", + "Pet categories": "पालतू पशु श्रेणियाँ", + "Pet categories let you add types of pets that contacts can add to their profile.": "पालतू पशु श्रेणियाँ आपको पालतू जानवरों के प्रकार जोड़ने देती हैं जिन्हें संपर्क अपनी प्रोफ़ाइल में जोड़ सकते हैं।", + "Pet category": "पालतू वर्ग", "Pets": "पालतू जानवर", "Phone": "फ़ोन", - "Photo": "तस्वीर", + "Photo": "फोटो", "Photos": "तस्वीरें", "Played basketball": "बास्केटबॉल खेला", "Played golf": "गोल्फ खेला", "Played soccer": "फुटबॉल खेला", "Played tennis": "टेनिस खेला", - "Please choose a template for this new post": "कृपया इस नई पोस्ट के लिए एक टेम्प्लेट चुनें", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "मोनिका को यह बताने के लिए कि यह संपर्क कैसे प्रदर्शित होना चाहिए, कृपया नीचे एक टेम्प्लेट चुनें। टेम्प्लेट आपको परिभाषित करने देते हैं कि संपर्क पृष्ठ पर कौन सा डेटा प्रदर्शित किया जाना चाहिए।", - "Please click the button below to verify your email address.": "अपना ईमेल पता सत्यापित करने के लिए कृपया नीचे दिए गए बटन पर क्लिक करें।", - "Please complete this form to finalize your account.": "अपने खाते को अंतिम रूप देने के लिए कृपया इस फॉर्म को पूरा करें।", - "Please confirm access to your account by entering one of your emergency recovery codes.": "कृपया अपने आपातकालीन पुनर्प्राप्ति कोड में से एक दर्ज करके अपने खाते तक पहुंच की पुष्टि करें।", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "कृपया अपने प्रमाणीकरणकर्ता एप्लिकेशन द्वारा प्रदान किए गए प्रमाणीकरण कोड को दर्ज करके अपने खाते तक पहुंच की पुष्टि करें।", - "Please confirm access to your account by validating your security key.": "कृपया अपनी सुरक्षा कुंजी को सत्यापित करके अपने खाते तक पहुंच की पुष्टि करें।", - "Please copy your new API token. For your security, it won't be shown again.": "कृपया अपना नया एपीआई टोकन कॉपी करें। आपकी सुरक्षा के लिए, इसे दोबारा नहीं दिखाया जाएगा.", + "Please choose a template for this new post": "कृपया इस नई पोस्ट के लिए एक टेम्पलेट चुनें", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "कृपया Monica को यह बताने के लिए नीचे एक टेम्पलेट चुनें कि यह संपर्क कैसे प्रदर्शित किया जाना चाहिए। टेम्प्लेट आपको यह परिभाषित करने देते हैं कि संपर्क पृष्ठ पर कौन सा डेटा प्रदर्शित किया जाना चाहिए।", + "Please click the button below to verify your email address.": "कृपया अपना ईमेल पता सत्यापित करने के लिए नीचे दिए गए बटन पर क्लिक करें ।", + "Please complete this form to finalize your account.": "कृपया अपने खाते को अंतिम रूप देने के लिए इस फॉर्म को पूरा करें।", + "Please confirm access to your account by entering one of your emergency recovery codes.": "कृपया अपने आपातकालीन पुनर्प्राप्ति कोड में से एक दर्ज करके अपने खाते तक पहुंच की पुष्टि करें ।", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "कृपया अपने प्रमाणक एप्लिकेशन द्वारा प्रदान किए गए प्रमाणीकरण कोड को दर्ज करके अपने खाते तक पहुंच की पुष्टि करें ।", + "Please confirm access to your account by validating your security key.": "कृपया अपनी सुरक्षा कुंजी सत्यापित करके अपने खाते तक पहुंच की पुष्टि करें।", + "Please copy your new API token. For your security, it won't be shown again.": "कृपया अपना नया एपीआई टोकन कॉपी करें । आपकी सुरक्षा के लिए, इसे फिर से नहीं दिखाया जाएगा ।", "Please copy your new API token. For your security, it won’t be shown again.": "कृपया अपना नया एपीआई टोकन कॉपी करें। आपकी सुरक्षा के लिए, इसे दोबारा नहीं दिखाया जाएगा.", - "Please enter at least 3 characters to initiate a search.": "खोज आरंभ करने के लिए कृपया कम से कम 3 वर्ण दर्ज करें।", + "Please enter at least 3 characters to initiate a search.": "खोज आरंभ करने के लिए कृपया कम से कम 3 अक्षर दर्ज करें।", "Please enter your password to cancel the account": "खाता रद्द करने के लिए कृपया अपना पासवर्ड दर्ज करें", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "यह पुष्टि करने के लिए कृपया अपना पासवर्ड दर्ज करें कि आप अपने सभी उपकरणों पर अपने अन्य ब्राउज़र सत्रों से लॉग आउट करना चाहते हैं।", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "कृपया यह पुष्टि करने के लिए अपना पासवर्ड दर्ज करें कि आप अपने सभी उपकरणों में अपने अन्य ब्राउज़र सत्रों से लॉग आउट करना चाहते हैं ।", "Please indicate the contacts": "कृपया संपर्क बताएं", - "Please join Monica": "कृपया मोनिका से जुड़ें", - "Please provide the email address of the person you would like to add to this team.": "कृपया उस व्यक्ति का ईमेल पता प्रदान करें जिसे आप इस टीम में शामिल करना चाहते हैं।", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "कृपया इस सुविधा के बारे में अधिक जानने के लिए हमारे दस्तावेज़ीकरण<\/link> को पढ़ें, और आपको किन चरों तक पहुंच प्राप्त है।", - "Please select a page on the left to load modules.": "कृपया मॉड्यूल लोड करने के लिए बाईं ओर एक पृष्ठ का चयन करें।", - "Please type a few characters to create a new label.": "नया लेबल बनाने के लिए कृपया कुछ वर्ण टाइप करें।", + "Please join Monica": "कृपया Monica से जुड़ें", + "Please provide the email address of the person you would like to add to this team.": "कृपया उस व्यक्ति का ईमेल पता प्रदान करें जिसे आप इस टीम में जोड़ना चाहते हैं ।", + "Please read our documentation to know more about this feature, and which variables you have access to.": "इस सुविधा के बारे में और आपके पास किन वेरिएबल्स तक पहुंच है, इसके बारे में अधिक जानने के लिए कृपया हमारा <लिंक>दस्तावेज़ीकरण पढ़ें।", + "Please select a page on the left to load modules.": "कृपया मॉड्यूल लोड करने के लिए बाईं ओर एक पृष्ठ चुनें।", + "Please type a few characters to create a new label.": "नया लेबल बनाने के लिए कृपया कुछ अक्षर टाइप करें।", "Please type a few characters to create a new tag.": "नया टैग बनाने के लिए कृपया कुछ अक्षर टाइप करें।", "Please validate your email address": "कृपया अपना ईमेल पता सत्यापित करें", "Please verify your email address": "अपना ईमेल का पता जांच कराये", "Postal code": "डाक कोड", - "Post metrics": "पोस्ट मेट्रिक्स", + "Post metrics": "मेट्रिक्स पोस्ट करें", "Posts": "पदों", "Posts in your journals": "आपकी पत्रिकाओं में पोस्ट", - "Post templates": "पोस्ट टेम्पलेट्स", + "Post templates": "टेम्पलेट्स पोस्ट करें", "Prefix": "उपसर्ग", "Previous": "पहले का", "Previous addresses": "पिछले पते", "Privacy Policy": "गोपनीयता नीति", "Profile": "प्रोफ़ाइल", "Profile and security": "प्रोफ़ाइल और सुरक्षा", - "Profile Information": "प्रोफाइल की जानकारी", - "Profile of :name": "का प्रोफ़ाइल: नाम", - "Profile page of :name": "का प्रोफाइल पेज: नाम", - "Pronoun": "वे देखभाल करते हैं", + "Profile Information": "प्रोफ़ाइल जानकारी", + "Profile of :name": ":Name की प्रोफ़ाइल", + "Profile page of :name": ":Name का प्रोफ़ाइल पृष्ठ", + "Pronoun": "सर्वनाम", "Pronouns": "सर्वनाम", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "सर्वनाम मूल रूप से हम अपने नाम के अलावा अपनी पहचान कैसे कराते हैं। बातचीत में कोई आपको कैसे संदर्भित करता है।", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "सर्वनाम मूल रूप से हम अपने नाम से अलग अपनी पहचान कैसे बनाते हैं। यह इस प्रकार है कि बातचीत में कोई आपका उल्लेख कैसे करता है।", "protege": "आश्रित", "Protocol": "शिष्टाचार", - "Protocol: :name": "प्रोटोकॉल:: नाम", + "Protocol: :name": "प्रोटोकॉल: :name", "Province": "प्रांत", "Quick facts": "त्वरित तथ्य", - "Quick facts let you document interesting facts about a contact.": "त्वरित तथ्य आपको किसी संपर्क के बारे में रोचक तथ्यों का दस्तावेजीकरण करने देते हैं।", + "Quick facts let you document interesting facts about a contact.": "त्वरित तथ्य आपको किसी संपर्क के बारे में दिलचस्प तथ्यों का दस्तावेजीकरण करने देते हैं।", "Quick facts template": "त्वरित तथ्य टेम्पलेट", "Quit job": "नौकरी छोड़ें", "Rabbit": "खरगोश", "Ran": "दौड़ा", "Rat": "चूहा", - "Read :count time|Read :count times": "पढ़ें :समय गिनें|पढ़ें :बार गिनें", - "Record a loan": "एक ऋण रिकॉर्ड करें", + "Read :count time|Read :count times": ":count बार पढ़ें|:count बार पढ़ें", + "Record a loan": "ऋण रिकॉर्ड करें", "Record your mood": "अपना मूड रिकॉर्ड करें", - "Recovery Code": "पुनःप्राप्ति सांकेतिक अंक", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "चाहे आप विश्व में कहीं भी हों, दिनांकों को अपने समय क्षेत्र में प्रदर्शित करें।", - "Regards": "सम्मान", - "Regenerate Recovery Codes": "पुनर्प्राप्ति कोड पुन: उत्पन्न करें", - "Register": "पंजीकरण करवाना", + "Recovery Code": "रिकवरी कोड", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "चाहे आप दुनिया में कहीं भी स्थित हों, अपने समय क्षेत्र में तारीखें प्रदर्शित करें।", + "Regards": "सादर", + "Regenerate Recovery Codes": "पुन: उत्पन्न वसूली कोड", + "Register": "रजिस्टर करें", "Register a new key": "एक नई कुंजी पंजीकृत करें", - "Register a new key.": "एक नई कुंजी पंजीकृत करें।", + "Register a new key.": "एक नई कुंजी पंजीकृत करें.", "Regular post": "नियमित पोस्ट", "Regular user": "नियमित उपयोगकर्ता", "Relationships": "रिश्तों", "Relationship types": "रिश्ते के प्रकार", - "Relationship types let you link contacts and document how they are connected.": "संबंध प्रकार से आप संपर्कों को लिंक कर सकते हैं और दस्तावेज़ बना सकते हैं कि वे कैसे जुड़े हैं.", + "Relationship types let you link contacts and document how they are connected.": "संबंध प्रकार से आप संपर्कों को लिंक कर सकते हैं और दस्तावेज़ बना सकते हैं कि वे कैसे जुड़े हुए हैं।", "Religion": "धर्म", "Religions": "धर्मों", - "Religions is all about faith.": "धर्म सभी विश्वास के बारे में है।", - "Remember me": "पहचाना की नहीं", - "Reminder for :name": "के लिए अनुस्मारक: नाम", + "Religions is all about faith.": "धर्म पूरी तरह आस्था पर आधारित है।", + "Remember me": "मुझे याद करो", + "Reminder for :name": ":Name के लिए अनुस्मारक", "Reminders": "अनुस्मारक", "Reminders for the next 30 days": "अगले 30 दिनों के लिए अनुस्मारक", - "Remind me about this date every year": "इस तारीख के बारे में मुझे हर साल याद दिलाएं", - "Remind me about this date just once, in one year from now": "मुझे इस तिथि के बारे में सिर्फ एक बार, अब से एक वर्ष में याद दिलाएं", - "Remove": "निकालना", - "Remove avatar": "अवतार हटाओ", - "Remove cover image": "कवर छवि हटाएं", + "Remind me about this date every year": "हर साल मुझे इस तारीख की याद दिलाएं", + "Remind me about this date just once, in one year from now": "अब से एक वर्ष में बस एक बार मुझे इस तारीख के बारे में याद दिलाएं", + "Remove": "निकालें", + "Remove avatar": "अवतार हटाएँ", + "Remove cover image": "कवर छवि हटाएँ", "removed a label": "एक लेबल हटा दिया", - "removed the contact from a group": "एक समूह से संपर्क हटा दिया", - "removed the contact from a post": "एक पोस्ट से संपर्क हटा दिया", - "removed the contact from the favorites": "पसंदीदा से संपर्क हटा दिया", - "Remove Photo": "फोटो हटाएं", - "Remove Team Member": "टीम के सदस्य को हटा दें", + "removed the contact from a group": "किसी समूह से संपर्क हटा दिया गया", + "removed the contact from a post": "किसी पोस्ट से संपर्क हटा दिया गया", + "removed the contact from the favorites": "पसंदीदा से संपर्क हटा दिया गया", + "Remove Photo": "फोटो निकालें", + "Remove Team Member": "टीम के सदस्य निकालें", "Rename": "नाम बदलें", "Reports": "रिपोर्टों", "Reptile": "साँप", - "Resend Verification Email": "सत्यापन ईमेल पुनः भेजे", - "Reset Password": "पासवर्ड रीसेट", + "Resend Verification Email": "सत्यापन ईमेल पुनः भेजें", + "Reset Password": "पासवर्ड रीसेट करें", "Reset Password Notification": "पासवर्ड अधिसूचना रीसेट करें", "results": "परिणाम", "Retry": "पुन: प्रयास करें", @@ -806,25 +807,25 @@ "Rode a bike": "एक बाइक दौडाएं", "Role": "भूमिका", "Roles:": "भूमिकाएँ:", - "Roomates": "क्रॉलिंग", + "Roomates": "रूममेट", "Saturday": "शनिवार", - "Save": "बचाना", + "Save": "सहेजें", "Saved.": "बचाया।", - "Saving in progress": "सहेजा जा रहा है", + "Saving in progress": "बचत प्रगति पर है", "Searched": "खोजे गए", "Searching…": "खोज कर…", - "Search something": "कुछ खोजो", + "Search something": "कुछ खोजें", "Search something in the vault": "तिजोरी में कुछ खोजें", "Sections:": "अनुभाग:", - "Security keys": "सुरक्षा चाबियां", - "Select a group or create a new one": "एक समूह का चयन करें या एक नया बनाएं", + "Security keys": "सुरक्षा कुंजियाँ", + "Select a group or create a new one": "एक समूह चुनें या एक नया समूह बनाएं", "Select A New Photo": "एक नई तस्वीर का चयन करें", "Select a relationship type": "संबंध प्रकार चुनें", "Send invitation": "निमंत्रण भेजना", "Send test": "परीक्षण भेजें", - "Sent at :time": "समय पर भेजा गया", + "Sent at :time": ":time पर भेजा गया", "Server Error": "सर्वर त्रुटि", - "Service Unavailable": "सेवा अनुपलब्ध है", + "Service Unavailable": "सेवा अनुपलब्ध", "Set as default": "डिफाल्ट के रूप में सेट", "Set as favorite": "पसंदीदा के रूप में सेट करें", "Settings": "समायोजन", @@ -832,339 +833,336 @@ "Setup": "स्थापित करना", "Setup Key": "सेटअप कुंजी", "Setup Key:": "सेटअप कुंजी:", - "Setup Telegram": "सेटअप टेलीग्राम", - "she\/her": "वह \/ वह", - "Shintoist": "शिंटोवादी", - "Show Calendar tab": "कैलेंडर टैब दिखाएं", - "Show Companies tab": "कंपनी टैब दिखाएं", - "Show completed tasks (:count)": "पूर्ण कार्य दिखाएं (:गणना)", - "Show Files tab": "फ़ाइलें टैब दिखाएं", - "Show Groups tab": "समूह टैब दिखाएं", - "Showing": "दिखा", - "Showing :count of :total results": "दिखा रहा है :की संख्या :कुल परिणाम", - "Showing :first to :last of :total results": "दिखा रहा है :पहले से :अंतिम तक :कुल परिणाम", + "Setup Telegram": "टेलीग्राम सेटअप करें", + "she/her": "वह/उसकी", + "Shintoist": "शिंटोइस्ट", + "Show Calendar tab": "कैलेंडर टैब दिखाएँ", + "Show Companies tab": "कंपनी टैब दिखाएँ", + "Show completed tasks (:count)": "पूर्ण किए गए कार्य दिखाएँ (:count)", + "Show Files tab": "फ़ाइलें टैब दिखाएँ", + "Show Groups tab": "समूह टैब दिखाएँ", + "Showing": "दिखा रहा है", + "Showing :count of :total results": ":total में से :count परिणाम दिखा रहा है", + "Showing :first to :last of :total results": ":total में से :first से :last परिणाम दिखा रहा है", "Show Journals tab": "जर्नल टैब दिखाएँ", - "Show Recovery Codes": "पुनर्प्राप्ति कोड दिखाएं", - "Show Reports tab": "रिपोर्ट टैब दिखाएं", - "Show Tasks tab": "कार्य टैब दिखाएं", + "Show Recovery Codes": "रिकवरी कोड दिखाएं", + "Show Reports tab": "रिपोर्ट टैब दिखाएँ", + "Show Tasks tab": "कार्य टैब दिखाएँ", "significant other": "अन्य महत्वपूर्ण", "Sign in to your account": "अपने अकाउंट में साइन इन करें", "Sign up for an account": "एक खाते के लिए साइन अप करें", "Sikh": "सिख", - "Slept :count hour|Slept :count hours": "सोया : घंटे गिनें | सोया : घंटे गिनें", + "Slept :count hour|Slept :count hours": ":count घंटा सोया|:count घंटे सोया", "Slice of life": "जीवन का हिस्सा", "Slices of life": "जीवन के टुकड़े", "Small animal": "छोटा जानवर", "Social": "सामाजिक", "Some dates have a special type that we will use in the software to calculate an age.": "कुछ तिथियों का एक विशेष प्रकार होता है जिसका उपयोग हम सॉफ़्टवेयर में आयु की गणना करने के लिए करेंगे।", - "Sort contacts": "संपर्क क्रमित करें", - "So… it works 😼": "तो ... यह काम करता है 😼", + "So… it works 😼": "तो... यह काम करता है 😼", "Sport": "खेल", "spouse": "जीवनसाथी", "Statistics": "आंकड़े", "Storage": "भंडारण", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "इन रिकवरी कोड को एक सुरक्षित पासवर्ड मैनेजर में स्टोर करें। यदि आपका टू फैक्टर ऑथेंटिकेशन डिवाइस गुम हो जाता है तो उनका उपयोग आपके खाते तक पहुंच को पुनर्प्राप्त करने के लिए किया जा सकता है।", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "इन पुनर्प्राप्ति कोड को एक सुरक्षित पासवर्ड प्रबंधक में संग्रहीत करें । यदि आपका टू फैक्टर ऑथेंटिकेशन डिवाइस खो गया है तो उनका उपयोग आपके खाते तक पहुंच को पुनर्प्राप्त करने के लिए किया जा सकता है ।", "Submit": "जमा करना", "subordinate": "अधीनस्थ", "Suffix": "प्रत्यय", "Summary": "सारांश", "Sunday": "रविवार", - "Switch role": "स्विच भूमिका", - "Switch Teams": "टीमों को स्विच करें", + "Switch role": "भूमिका बदलें", + "Switch Teams": "स्विच टीमें", "Tabs visibility": "टैब दृश्यता", "Tags": "टैग", - "Tags let you classify journal posts using a system that matters to you.": "टैग आपको आपके लिए महत्वपूर्ण प्रणाली का उपयोग करके जर्नल पोस्ट को वर्गीकृत करने देता है।", + "Tags let you classify journal posts using a system that matters to you.": "टैग आपको उस सिस्टम का उपयोग करके जर्नल पोस्ट को वर्गीकृत करने देते हैं जो आपके लिए मायने रखता है।", "Taoist": "ताओवादी", "Tasks": "कार्य", "Team Details": "टीम विवरण", - "Team Invitation": "टीम आमंत्रण", + "Team Invitation": "टीम निमंत्रण", "Team Members": "टीम के सदस्य", "Team Name": "टीम का नाम", - "Team Owner": "टीम मालिक", + "Team Owner": "टीम के मालिक", "Team Settings": "टीम सेटिंग्स", "Telegram": "तार", "Templates": "टेम्पलेट्स", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "टेम्प्लेट आपको अनुकूलित करने देते हैं कि आपके संपर्कों पर कौन सा डेटा प्रदर्शित होना चाहिए। आप जितने चाहें उतने टेम्प्लेट परिभाषित कर सकते हैं और चुन सकते हैं कि किस संपर्क पर कौन सा टेम्प्लेट इस्तेमाल किया जाना चाहिए।", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "टेम्प्लेट आपको यह अनुकूलित करने देते हैं कि आपके संपर्कों पर कौन सा डेटा प्रदर्शित किया जाना चाहिए। आप जितने चाहें उतने टेम्पलेट परिभाषित कर सकते हैं, और चुन सकते हैं कि किस संपर्क पर कौन सा टेम्पलेट उपयोग किया जाना चाहिए।", "Terms of Service": "सेवा की शर्तें", - "Test email for Monica": "मोनिका के लिए टेस्ट ईमेल", - "Test email sent!": "टेस्ट ईमेल भेजा गया!", + "Test email for Monica": "Monica के लिए परीक्षण ईमेल", + "Test email sent!": "परीक्षण ईमेल भेजा गया!", "Thanks,": "धन्यवाद,", - "Thanks for giving Monica a try": "मोनिका को आजमाने के लिए धन्यवाद", - "Thanks for giving Monica a try.": "मोनिका को आजमाने के लिए धन्यवाद।", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "साइन अप करने के लिए धन्यवाद! आरंभ करने से पहले, क्या आप उस लिंक पर क्लिक करके अपना ईमेल पता सत्यापित कर सकते हैं जो हमने अभी-अभी आपको ईमेल किया था? अगर आपको ईमेल नहीं मिला है, तो हम खुशी-खुशी आपको दूसरा ईमेल भेजेंगे।", - "The :attribute must be at least :length characters.": ": विशेषता कम से कम :लंबाई वर्ण होनी चाहिए।", - "The :attribute must be at least :length characters and contain at least one number.": ": विशेषता कम से कम :लंबाई वर्ण होनी चाहिए और इसमें कम से कम एक संख्या होनी चाहिए।", - "The :attribute must be at least :length characters and contain at least one special character.": ": विशेषता कम से कम :लंबाई वर्ण होनी चाहिए और कम से कम एक विशेष वर्ण होना चाहिए।", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ": विशेषता कम से कम :लंबाई वर्ण होनी चाहिए और कम से कम एक विशेष वर्ण और एक संख्या होनी चाहिए।", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ": विशेषता कम से कम :लंबाई वर्ण होनी चाहिए और इसमें कम से कम एक अपरकेस वर्ण, एक संख्या और एक विशेष वर्ण होना चाहिए।", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ": विशेषता कम से कम :लंबाई वर्ण होनी चाहिए और कम से कम एक अपरकेस वर्ण होना चाहिए।", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ": विशेषता कम से कम :लंबाई वर्ण होनी चाहिए और इसमें कम से कम एक अपरकेस वर्ण और एक संख्या होनी चाहिए।", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ": विशेषता कम से कम :लंबाई वर्ण होनी चाहिए और कम से कम एक अपरकेस वर्ण और एक विशेष वर्ण होना चाहिए।", - "The :attribute must be a valid role.": ": विशेषता एक मान्य भूमिका होनी चाहिए।", + "Thanks for giving Monica a try.": "Monica को आज़माने के लिए धन्यवाद.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "साइन अप करने के लिए धन्यवाद! आरंभ करने से पहले, क्या आप उस लिंक पर क्लिक करके अपना ईमेल पता सत्यापित कर सकते हैं जो हमने अभी आपको ईमेल किया है? यदि आपको ईमेल प्राप्त नहीं हुआ, तो हम ख़ुशी से आपको दूसरा ईमेल भेजेंगे।", + "The :attribute must be at least :length characters.": ":Attribute कम से कम :length वर्ण होना चाहिए ।", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute में कम से कम :length वर्ण होने चाहिए और इसमें कम से कम एक संख्या होनी चाहिए ।", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute में कम से कम :length वर्ण होने चाहिए और इसमें कम से कम एक विशेष वर्ण होना चाहिए ।", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute में कम से कम :length वर्ण होने चाहिए और इसमें कम से कम एक विशेष वर्ण और एक संख्या होनी चाहिए ।", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute में कम से कम :length वर्ण होने चाहिए और इसमें कम से कम एक अपरकेस वर्ण, एक संख्या और एक विशेष वर्ण होना चाहिए ।", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute कम से कम :length वर्ण होना चाहिए और इसमें कम से कम एक अपरकेस वर्ण होना चाहिए ।", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute कम से कम :length वर्ण होना चाहिए और इसमें कम से कम एक अपरकेस वर्ण और एक संख्या होनी चाहिए ।", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute कम से कम :length वर्ण होना चाहिए और इसमें कम से कम एक अपरकेस वर्ण और एक विशेष वर्ण होना चाहिए ।", + "The :attribute must be a valid role.": ":Attribute एक वैध भूमिका होनी चाहिए ।", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "खाते का डेटा हमारे सर्वर से 30 दिनों के भीतर और सभी बैकअप से 60 दिनों के भीतर स्थायी रूप से हटा दिया जाएगा।", "The address type has been created": "पता प्रकार बनाया गया है", "The address type has been deleted": "पता प्रकार हटा दिया गया है", - "The address type has been updated": "पता प्रकार अपडेट किया गया है", - "The call has been created": "कॉल बनाया गया है", - "The call has been deleted": "कॉल हटा दी गई है", - "The call has been edited": "कॉल संपादित किया गया है", - "The call reason has been created": "कॉल कारण बनाया गया है", - "The call reason has been deleted": "कॉल करने का कारण हटा दिया गया है", - "The call reason has been updated": "कॉल करने का कारण अपडेट कर दिया गया है", + "The address type has been updated": "पता प्रकार अद्यतन कर दिया गया है", + "The call has been created": "कॉल बनाई गई है", + "The call has been deleted": "कॉल हटा दिया गया है", + "The call has been edited": "कॉल संपादित कर दी गई है", + "The call reason has been created": "कॉल का कारण बनाया गया है", + "The call reason has been deleted": "कॉल का कारण हटा दिया गया है", + "The call reason has been updated": "कॉल का कारण अपडेट कर दिया गया है", "The call reason type has been created": "कॉल कारण प्रकार बनाया गया है", "The call reason type has been deleted": "कॉल कारण प्रकार हटा दिया गया है", - "The call reason type has been updated": "कॉल कारण प्रकार अपडेट किया गया है", - "The channel has been added": "चैनल जोड़ा गया है", + "The call reason type has been updated": "कॉल कारण प्रकार अपडेट कर दिया गया है", + "The channel has been added": "चैनल जोड़ दिया गया है", "The channel has been updated": "चैनल अपडेट कर दिया गया है", - "The contact does not belong to any group yet.": "संपर्क अभी तक किसी समूह से संबंधित नहीं है।", - "The contact has been added": "संपर्क जोड़ा गया है", + "The contact does not belong to any group yet.": "संपर्क अभी तक किसी समूह से संबंधित नहीं है.", + "The contact has been added": "संपर्क जोड़ दिया गया है", "The contact has been deleted": "संपर्क हटा दिया गया है", - "The contact has been edited": "संपर्क संपादित किया गया है", - "The contact has been removed from the group": "संपर्क को समूह से निकाल दिया गया है", + "The contact has been edited": "संपर्क संपादित कर दिया गया है", + "The contact has been removed from the group": "संपर्क को समूह से हटा दिया गया है", "The contact information has been created": "संपर्क जानकारी बनाई गई है", "The contact information has been deleted": "संपर्क जानकारी हटा दी गई है", - "The contact information has been edited": "संपर्क जानकारी संपादित की गई है", + "The contact information has been edited": "संपर्क जानकारी संपादित कर दी गई है", "The contact information type has been created": "संपर्क जानकारी प्रकार बनाया गया है", "The contact information type has been deleted": "संपर्क जानकारी प्रकार हटा दिया गया है", - "The contact information type has been updated": "संपर्क जानकारी प्रकार अद्यतन किया गया है", + "The contact information type has been updated": "संपर्क जानकारी प्रकार अद्यतन कर दिया गया है", "The contact is archived": "संपर्क संग्रहीत है", - "The currencies have been updated": "मुद्राओं को अद्यतन किया गया है", - "The currency has been updated": "मुद्रा को अद्यतन किया गया है", - "The date has been added": "तिथि जोड़ी गई है", - "The date has been deleted": "तिथि हटा दी गई है", + "The currencies have been updated": "मुद्राएँ अद्यतन कर दी गई हैं", + "The currency has been updated": "मुद्रा अद्यतन कर दी गई है", + "The date has been added": "तारीख जोड़ दी गई है", + "The date has been deleted": "दिनांक हटा दिया गया है", "The date has been updated": "तारीख अपडेट कर दी गई है", - "The document has been added": "दस्तावेज़ जोड़ा गया है", + "The document has been added": "दस्तावेज़ जोड़ दिया गया है", "The document has been deleted": "दस्तावेज़ हटा दिया गया है", "The email address has been deleted": "ईमेल पता हटा दिया गया है", - "The email has been added": "ईमेल जोड़ा गया है", - "The email is already taken. Please choose another one.": "ईमेल पहले ही ले लिया गया है। कृपया करके दूसरा चुनो।", + "The email has been added": "ईमेल जोड़ दिया गया है", + "The email is already taken. Please choose another one.": "ईमेल पहले ही ले लिया गया है. कृपया करके दूसरा चुनो।", "The gender has been created": "लिंग बनाया गया है", "The gender has been deleted": "लिंग हटा दिया गया है", - "The gender has been updated": "लिंग अद्यतन किया गया है", - "The gift occasion has been created": "उपहार अवसर बनाया गया है", + "The gender has been updated": "लिंग अपडेट कर दिया गया है", + "The gift occasion has been created": "उपहार का अवसर बन गया है", "The gift occasion has been deleted": "उपहार अवसर हटा दिया गया है", - "The gift occasion has been updated": "उपहार अवसर अपडेट किया गया है", + "The gift occasion has been updated": "उपहार अवसर अद्यतन कर दिया गया है", "The gift state has been created": "उपहार राज्य बनाया गया है", "The gift state has been deleted": "उपहार स्थिति हटा दी गई है", - "The gift state has been updated": "उपहार की स्थिति को अपडेट कर दिया गया है", + "The gift state has been updated": "उपहार स्थिति अद्यतन कर दी गई है", "The given data was invalid.": "दिया गया डेटा अमान्य था।", "The goal has been created": "लक्ष्य बनाया गया है", "The goal has been deleted": "लक्ष्य हटा दिया गया है", - "The goal has been edited": "लक्ष्य संपादित किया गया है", - "The group has been added": "समूह जोड़ा गया है", + "The goal has been edited": "लक्ष्य संपादित कर दिया गया है", + "The group has been added": "समूह जोड़ दिया गया है", "The group has been deleted": "समूह हटा दिया गया है", - "The group has been updated": "समूह को अपडेट कर दिया गया है", + "The group has been updated": "ग्रुप को अपडेट कर दिया गया है", "The group type has been created": "समूह प्रकार बनाया गया है", "The group type has been deleted": "समूह प्रकार हटा दिया गया है", - "The group type has been updated": "समूह प्रकार अपडेट किया गया है", - "The important dates in the next 12 months": "अगले 12 महीनों में महत्वपूर्ण तिथियां", - "The job information has been saved": "नौकरी की जानकारी सहेज ली गई है", - "The journal lets you document your life with your own words.": "पत्रिका आपको अपने जीवन को अपने शब्दों से दस्तावेज करने देती है।", - "The keys to manage uploads have not been set in this Monica instance.": "इस Monica उदाहरण में अपलोड प्रबंधित करने की कुंजियां सेट नहीं की गई हैं.", - "The label has been added": "लेबल जोड़ा गया है", + "The group type has been updated": "समूह प्रकार अद्यतन कर दिया गया है", + "The important dates in the next 12 months": "अगले 12 महीनों में महत्वपूर्ण तिथियाँ", + "The job information has been saved": "कार्य की जानकारी सहेज ली गई है", + "The journal lets you document your life with your own words.": "पत्रिका आपको अपने जीवन को अपने शब्दों में दर्ज करने की सुविधा देती है।", + "The keys to manage uploads have not been set in this Monica instance.": "इस Monica उदाहरण में अपलोड प्रबंधित करने की कुंजियाँ सेट नहीं की गई हैं।", + "The label has been added": "लेबल जोड़ दिया गया है", "The label has been created": "लेबल बनाया गया है", "The label has been deleted": "लेबल हटा दिया गया है", - "The label has been updated": "लेबल अपडेट कर दिया गया है", - "The life metric has been created": "जीवन मीट्रिक बनाया गया है", - "The life metric has been deleted": "जीवन मीट्रिक हटा दी गई है", - "The life metric has been updated": "लाइफ़ मेट्रिक को अपडेट कर दिया गया है", - "The loan has been created": "ऋण बनाया गया है", + "The label has been updated": "लेबल अद्यतन कर दिया गया है", + "The life metric has been created": "जीवन मीट्रिक बनाई गई है", + "The life metric has been deleted": "जीवन मीट्रिक हटा दिया गया है", + "The life metric has been updated": "जीवन मीट्रिक अद्यतन किया गया है", + "The loan has been created": "लोन बन गया है", "The loan has been deleted": "ऋण हटा दिया गया है", "The loan has been edited": "ऋण संपादित किया गया है", - "The loan has been settled": "कर्ज का निपटारा हो गया है", + "The loan has been settled": "कर्ज चुका दिया गया है", "The loan is an object": "ऋण एक वस्तु है", "The loan is monetary": "ऋण मौद्रिक है", "The module has been added": "मॉड्यूल जोड़ा गया है", "The module has been removed": "मॉड्यूल हटा दिया गया है", - "The note has been created": "नोट बनाया गया है", + "The note has been created": "नोट बना लिया गया है", "The note has been deleted": "नोट हटा दिया गया है", "The note has been edited": "नोट संपादित किया गया है", - "The notification has been sent": "सूचना भेजी जा चुकी है", - "The operation either timed out or was not allowed.": "कार्रवाई या तो समयबाह्य हो गई या अनुमति नहीं दी गई।", - "The page has been added": "पेज जोड़ा गया है", - "The page has been deleted": "पृष्ठ हटा दिया गया है", + "The notification has been sent": "अधिसूचना भेज दी गई है", + "The operation either timed out or was not allowed.": "ऑपरेशन या तो समय समाप्त हो गया या अनुमति नहीं दी गई।", + "The page has been added": "पेज जोड़ दिया गया है", + "The page has been deleted": "पेज हटा दिया गया है", "The page has been updated": "पेज अपडेट कर दिया गया है", "The password is incorrect.": "पासवर्ड गलत है।", - "The pet category has been created": "पालतू श्रेणी बनाई गई है", - "The pet category has been deleted": "पालतू श्रेणी को हटा दिया गया है", - "The pet category has been updated": "पालतू श्रेणी को अपडेट कर दिया गया है", - "The pet has been added": "पालतू जोड़ा गया है", - "The pet has been deleted": "पालतू हटा दिया गया है", + "The pet category has been created": "पालतू पशु श्रेणी बनाई गई है", + "The pet category has been deleted": "पालतू पशु श्रेणी हटा दी गई है", + "The pet category has been updated": "पालतू पशु श्रेणी अद्यतन कर दी गई है", + "The pet has been added": "पालतू जानवर जोड़ा गया है", + "The pet has been deleted": "पालतू जानवर हटा दिया गया है", "The pet has been edited": "पालतू संपादित किया गया है", - "The photo has been added": "फोटो जोड़ा गया है", - "The photo has been deleted": "फोटो हटा दी गई है", + "The photo has been added": "फोटो जोड़ दिया गया है", + "The photo has been deleted": "फोटो हटा दिया गया है", "The position has been saved": "पद बचा लिया गया है", - "The post template has been created": "पोस्ट टेम्पलेट बनाया गया है", - "The post template has been deleted": "पोस्ट टेम्पलेट हटा दिया गया है", - "The post template has been updated": "पोस्ट टेम्प्लेट को अपडेट कर दिया गया है", + "The post template has been created": "पोस्ट टेम्प्लेट बनाया गया है", + "The post template has been deleted": "पोस्ट टेम्प्लेट हटा दिया गया है", + "The post template has been updated": "पोस्ट टेम्प्लेट अपडेट कर दिया गया है", "The pronoun has been created": "सर्वनाम बनाया गया है", "The pronoun has been deleted": "सर्वनाम हटा दिया गया है", - "The pronoun has been updated": "सर्वनाम अपडेट किया गया है", - "The provided password does not match your current password.": "प्रदान किया गया पासवर्ड आपके वर्तमान पासवर्ड से मेल नहीं खाता है।", - "The provided password was incorrect.": "प्रदान किया गया पासवर्ड गलत था।", - "The provided two factor authentication code was invalid.": "दिया गया दो कारक प्रमाणीकरण कोड अमान्य था।", + "The pronoun has been updated": "सर्वनाम अद्यतन किया गया है", + "The provided password does not match your current password.": "प्रदान किया गया पासवर्ड आपके वर्तमान पासवर्ड से मेल नहीं खाता है ।", + "The provided password was incorrect.": "प्रदान किया गया पासवर्ड गलत था ।", + "The provided two factor authentication code was invalid.": "प्रदान किए गए दो कारक प्रमाणीकरण कोड अमान्य था ।", "The provided two factor recovery code was invalid.": "प्रदान किया गया दो कारक पुनर्प्राप्ति कोड अमान्य था।", - "There are no active addresses yet.": "अभी तक कोई सक्रिय पते नहीं हैं।", - "There are no calls logged yet.": "अभी तक कोई कॉल लॉग नहीं हुई है।", - "There are no contact information yet.": "अभी तक कोई संपर्क जानकारी नहीं है।", - "There are no documents yet.": "अभी तक कोई दस्तावेज नहीं हैं।", - "There are no events on that day, future or past.": "उस दिन, भविष्य या अतीत में कोई घटना नहीं होती है।", - "There are no files yet.": "अभी तक कोई फाइल नहीं है।", - "There are no goals yet.": "अभी तक कोई लक्ष्य नहीं है।", - "There are no journal metrics.": "कोई जर्नल मेट्रिक्स नहीं हैं।", - "There are no loans yet.": "अभी तक कोई ऋण नहीं हैं।", - "There are no notes yet.": "अभी तक कोई नोट नहीं हैं।", - "There are no other users in this account.": "इस खाते में कोई अन्य उपयोगकर्ता नहीं हैं।", - "There are no pets yet.": "अभी तक कोई पालतू जानवर नहीं है।", + "There are no active addresses yet.": "अभी तक कोई सक्रिय पता नहीं है.", + "There are no calls logged yet.": "अभी तक कोई कॉल लॉग नहीं हुई है.", + "There are no contact information yet.": "अभी तक कोई संपर्क जानकारी नहीं है.", + "There are no documents yet.": "अभी तक कोई दस्तावेज़ नहीं हैं.", + "There are no events on that day, future or past.": "उस दिन, भविष्य या अतीत की कोई घटना नहीं होती।", + "There are no files yet.": "अभी तक कोई फ़ाइल नहीं है.", + "There are no goals yet.": "अभी तक कोई लक्ष्य नहीं हैं.", + "There are no journal metrics.": "कोई जर्नल मेट्रिक्स नहीं हैं.", + "There are no loans yet.": "अभी तक कोई ऋण नहीं है.", + "There are no notes yet.": "अभी तक कोई नोट नहीं हैं.", + "There are no other users in this account.": "इस खाते में कोई अन्य उपयोगकर्ता नहीं हैं.", + "There are no pets yet.": "अभी तक कोई पालतू जानवर नहीं है.", "There are no photos yet.": "अभी तक कोई तस्वीर नहीं है।", - "There are no posts yet.": "अभी तक कोई पद नहीं हैं।", + "There are no posts yet.": "अभी तक कोई पोस्ट नहीं है.", "There are no quick facts here yet.": "यहां अभी तक कोई त्वरित तथ्य नहीं हैं।", - "There are no relationships yet.": "अभी तक कोई संबंध नहीं हैं।", - "There are no reminders yet.": "अभी तक कोई रिमाइंडर नहीं है।", - "There are no tasks yet.": "अभी तक कोई कार्य नहीं हैं।", - "There are no templates in the account. Go to the account settings to create one.": "खाते में कोई टेम्पलेट नहीं हैं। एक बनाने के लिए खाता सेटिंग पर जाएं।", + "There are no relationships yet.": "अभी तक कोई रिश्ता नहीं है.", + "There are no reminders yet.": "अभी तक कोई अनुस्मारक नहीं है.", + "There are no tasks yet.": "अभी तक कोई कार्य नहीं हैं.", + "There are no templates in the account. Go to the account settings to create one.": "खाते में कोई टेम्पलेट नहीं हैं. खाता बनाने के लिए खाता सेटिंग पर जाएं.", "There is no activity yet.": "अभी तक कोई गतिविधि नहीं है।", - "There is no currencies in this account.": "इस खाते में कोई मुद्रा नहीं है।", - "The relationship has been added": "संबंध जोड़ा गया है", - "The relationship has been deleted": "संबंध हटा दिया गया है", + "There is no currencies in this account.": "इस खाते में कोई मुद्रा नहीं है.", + "The relationship has been added": "रिश्ता जोड़ दिया गया है", + "The relationship has been deleted": "रिश्ता हटा दिया गया है", "The relationship type has been created": "संबंध प्रकार बनाया गया है", "The relationship type has been deleted": "संबंध प्रकार हटा दिया गया है", - "The relationship type has been updated": "संबंध प्रकार अद्यतन किया गया है", + "The relationship type has been updated": "संबंध प्रकार अद्यतन कर दिया गया है", "The religion has been created": "धर्म बनाया गया है", - "The religion has been deleted": "धर्म को मिटा दिया गया है", + "The religion has been deleted": "धर्म हटा दिया गया है", "The religion has been updated": "धर्म अद्यतन किया गया है", - "The reminder has been created": "रिमाइंडर बनाया गया है", - "The reminder has been deleted": "रिमाइंडर हटा दिया गया है", - "The reminder has been edited": "रिमाइंडर संपादित किया गया है", - "The role has been created": "भूमिका सृजित की गई है", + "The reminder has been created": "अनुस्मारक बनाया गया है", + "The reminder has been deleted": "अनुस्मारक हटा दिया गया है", + "The reminder has been edited": "अनुस्मारक संपादित किया गया है", + "The response is not a streamed response.": "प्रतिक्रिया कोई सुव्यवस्थित प्रतिक्रिया नहीं है.", + "The response is not a view.": "प्रतिक्रिया कोई दृश्य नहीं है.", + "The role has been created": "भूमिका बन गयी है", "The role has been deleted": "भूमिका हटा दी गई है", - "The role has been updated": "भूमिका अद्यतन की गई है", - "The section has been created": "खंड बनाया गया है", - "The section has been deleted": "खंड हटा दिया गया है", - "The section has been updated": "अनुभाग अद्यतन किया गया है", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "इन लोगों को आपकी टीम में आमंत्रित किया गया है और उन्हें एक आमंत्रण ईमेल भेजा गया है। वे ईमेल आमंत्रण स्वीकार कर टीम में शामिल हो सकते हैं।", - "The tag has been added": "टैग जोड़ा गया है", - "The tag has been created": "टैग बनाया गया है", + "The role has been updated": "भूमिका अद्यतन कर दी गई है", + "The section has been created": "अनुभाग बनाया गया है", + "The section has been deleted": "अनुभाग हटा दिया गया है", + "The section has been updated": "अनुभाग अद्यतन कर दिया गया है", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "इन लोगों को आपकी टीम में आमंत्रित किया गया है और एक निमंत्रण ईमेल भेजा गया है । वे ईमेल आमंत्रण स्वीकार करके टीम में शामिल हो सकते हैं ।", + "The tag has been added": "टैग जोड़ दिया गया है", + "The tag has been created": "टैग बना दिया गया है", "The tag has been deleted": "टैग हटा दिया गया है", - "The tag has been updated": "टैग अपडेट किया गया है", - "The task has been created": "टास्क बनाया गया है", + "The tag has been updated": "टैग अपडेट कर दिया गया है", + "The task has been created": "कार्य बनाया गया है", "The task has been deleted": "कार्य हटा दिया गया है", - "The task has been edited": "कार्य संपादित किया गया है", - "The team's name and owner information.": "टीम का नाम और मालिक की जानकारी।", + "The task has been edited": "कार्य संपादित कर दिया गया है", + "The team's name and owner information.": "टीम का नाम और मालिक जानकारी.", "The Telegram channel has been deleted": "टेलीग्राम चैनल हटा दिया गया है", - "The template has been created": "खाका तैयार कर लिया गया है", - "The template has been deleted": "टेम्पलेट हटा दिया गया है", - "The template has been set": "खाका तैयार कर लिया गया है", + "The template has been created": "टेम्पलेट तैयार कर लिया गया है", + "The template has been deleted": "टेम्प्लेट हटा दिया गया है", + "The template has been set": "टेम्पलेट सेट कर दिया गया है", "The template has been updated": "टेम्प्लेट अपडेट कर दिया गया है", "The test email has been sent": "परीक्षण ईमेल भेज दिया गया है", "The type has been created": "प्रकार बनाया गया है", "The type has been deleted": "प्रकार हटा दिया गया है", - "The type has been updated": "प्रकार अपडेट किया गया है", - "The user has been added": "उपयोगकर्ता जोड़ा गया है", + "The type has been updated": "प्रकार अद्यतन कर दिया गया है", + "The user has been added": "उपयोगकर्ता को जोड़ दिया गया है", "The user has been deleted": "उपयोगकर्ता को हटा दिया गया है", "The user has been removed": "उपयोगकर्ता को हटा दिया गया है", - "The user has been updated": "उपयोगकर्ता को अपडेट कर दिया गया है", + "The user has been updated": "उपयोगकर्ता को अद्यतन कर दिया गया है", "The vault has been created": "तिजोरी बनाई गई है", "The vault has been deleted": "तिजोरी हटा दी गई है", - "The vault have been updated": "तिजोरी को अपडेट कर दिया गया है", - "they\/them": "वे उन्हें", + "The vault have been updated": "तिजोरी को अद्यतन किया गया है", + "they/them": "वे/उन्हें", "This address is not active anymore": "यह पता अब सक्रिय नहीं है", "This device": "यह डिवाइस", - "This email is a test email to check if Monica can send an email to this email address.": "यह ईमेल यह जांचने के लिए एक परीक्षण ईमेल है कि मोनिका इस ईमेल पते पर ईमेल भेज सकती है या नहीं।", - "This is a secure area of the application. Please confirm your password before continuing.": "यह एप्लिकेशन का एक सुरक्षित क्षेत्र है। कृपया जारी रखने से पहले अपने पासवर्ड की पुष्टि करें।", + "This email is a test email to check if Monica can send an email to this email address.": "यह ईमेल यह जांचने के लिए एक परीक्षण ईमेल है कि Monica इस ईमेल पते पर ईमेल भेज सकती है या नहीं।", + "This is a secure area of the application. Please confirm your password before continuing.": "यह आवेदन का एक सुरक्षित क्षेत्र है । जारी रखने से पहले अपने पासवर्ड की पुष्टि करें ।", "This is a test email": "यह एक परीक्षण ईमेल है", - "This is a test notification for :name": "यह :name के लिए एक परीक्षण सूचना है", - "This key is already registered. It’s not necessary to register it again.": "यह कुंजी पहले से पंजीकृत है। इसे दुबारा पंजीकृत करने की आवश्यकता नहीं है।", + "This is a test notification for :name": "यह :name के लिए एक परीक्षण अधिसूचना है", + "This key is already registered. It’s not necessary to register it again.": "यह कुंजी पहले से ही पंजीकृत है. इसे दोबारा पंजीकृत कराना जरूरी नहीं है.", "This link will open in a new tab": "यह लिंक एक नए टैब में खुलेगा", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "यह पृष्ठ उन सभी सूचनाओं को दिखाता है जो इस चैनल में पहले भेजी जा चुकी हैं। यह मुख्य रूप से डिबग करने के तरीके के रूप में कार्य करता है यदि आपको वह सूचना प्राप्त नहीं होती है जिसे आपने सेट किया है।", - "This password does not match our records.": "यह पासवर्ड हमारे रिकॉर्ड से मेल नहीं खाता।", - "This password reset link will expire in :count minutes.": "यह पासवर्ड रीसेट लिंक :गिन मिनट में समाप्त हो जाएगा।", - "This post has no content yet.": "इस पोस्ट में अभी तक कोई सामग्री नहीं है।", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "यह पृष्ठ वे सभी सूचनाएं दिखाता है जो इस चैनल पर पहले भेजी गई हैं। यह मुख्य रूप से डिबग करने के एक तरीके के रूप में कार्य करता है यदि आपको आपके द्वारा सेट की गई अधिसूचना प्राप्त नहीं होती है।", + "This password does not match our records.": "यह पासवर्ड हमारे रिकॉर्ड से मेल नहीं खाता ।", + "This password reset link will expire in :count minutes.": "यह पासवर्ड रीसेट लिंक :count मिनट में समाप्त हो जाएगा ।", + "This post has no content yet.": "इस पोस्ट में अभी तक कोई सामग्री नहीं है.", "This provider is already associated with another account": "यह प्रदाता पहले से ही किसी अन्य खाते से संबद्ध है", - "This site is open source.": "यह साइट ओपन सोर्स है।", - "This template will define what information are displayed on a contact page.": "यह टेम्प्लेट परिभाषित करेगा कि संपर्क पृष्ठ पर कौन सी जानकारी प्रदर्शित की जाए।", - "This user already belongs to the team.": "यह उपयोगकर्ता पहले से ही टीम से संबंधित है।", - "This user has already been invited to the team.": "इस उपयोगकर्ता को पहले ही टीम में आमंत्रित किया जा चुका है।", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "यह उपयोगकर्ता आपके खाते का हिस्सा होगा, लेकिन जब तक आप उन्हें विशिष्ट पहुंच प्रदान नहीं करते, तब तक उन्हें इस खाते के सभी वाल्टों तक पहुंच प्राप्त नहीं होगी। यह व्यक्ति तिजोरी भी बना सकेगा।", + "This site is open source.": "यह साइट खुला स्रोत है.", + "This template will define what information are displayed on a contact page.": "यह टेम्प्लेट परिभाषित करेगा कि संपर्क पृष्ठ पर कौन सी जानकारी प्रदर्शित की जाएगी।", + "This user already belongs to the team.": "यह उपयोगकर्ता पहले से ही टीम का है ।", + "This user has already been invited to the team.": "इस उपयोगकर्ता को पहले ही टीम में आमंत्रित किया जा चुका है ।", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "यह उपयोगकर्ता आपके खाते का हिस्सा होगा, लेकिन उसे इस खाते के सभी वॉल्ट तक पहुंच नहीं मिलेगी, जब तक कि आप उन्हें विशिष्ट पहुंच नहीं देते। यह व्यक्ति तिजोरियाँ भी बनाने में सक्षम होगा।", "This will immediately:": "यह तुरंत होगा:", - "Three things that happened today": "आज जो तीन बातें हुईं", + "Three things that happened today": "तीन चीजें जो आज हुईं", "Thursday": "गुरुवार", "Timezone": "समय क्षेत्र", "Title": "शीर्षक", "to": "को", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "टू फैक्टर ऑथेंटिकेशन को सक्षम करने के लिए, अपने फोन के ऑथेंटिकेटर एप्लिकेशन का उपयोग करके निम्नलिखित क्यूआर कोड को स्कैन करें या सेटअप कुंजी दर्ज करें और उत्पन्न ओटीपी कोड प्रदान करें।", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "टू फैक्टर ऑथेंटिकेशन को सक्षम करने के लिए, अपने फोन के ऑथेंटिकेटर एप्लिकेशन का उपयोग करके निम्नलिखित क्यूआर कोड को स्कैन करें या सेटअप कुंजी दर्ज करें और उत्पन्न ओटीपी कोड प्रदान करें।", - "Toggle navigation": "टॉगल से संचालित करना", + "Toggle navigation": "टॉगल नेविगेशन", "To hear their story": "उनकी कहानी सुनने के लिए", "Token Name": "टोकन नाम", "Token name (for your reference only)": "टोकन नाम (केवल आपके संदर्भ के लिए)", "Took a new job": "नई नौकरी ली", - "Took the bus": "बस ली", + "Took the bus": "बस पकड़ ली", "Took the metro": "मेट्रो ले ली", "Too Many Requests": "बहुत सारे अनुरोध", - "To see if they need anything": "यह देखने के लिए कि क्या उन्हें कुछ चाहिए", + "To see if they need anything": "यह देखने के लिए कि क्या उन्हें किसी चीज़ की ज़रूरत है", "To start, you need to create a vault.": "आरंभ करने के लिए, आपको एक तिजोरी बनाने की आवश्यकता है।", "Total:": "कुल:", "Total streaks": "कुल धारियाँ", - "Track a new metric": "एक नया मीट्रिक ट्रैक करें", - "Transportation": "यातायात", + "Track a new metric": "एक नई मीट्रिक ट्रैक करें", + "Transportation": "परिवहन", "Tuesday": "मंगलवार", "Two-factor Confirmation": "दो-कारक पुष्टि", - "Two Factor Authentication": "दो तरीकों से प्रमाणीकरण", + "Two Factor Authentication": "दो कारक प्रमाणीकरण", "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "दो कारक प्रमाणीकरण अब सक्षम है। अपने फोन के ऑथेंटिकेटर एप्लिकेशन का उपयोग करके निम्नलिखित क्यूआर कोड को स्कैन करें या सेटअप कुंजी दर्ज करें।", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "दो कारक प्रमाणीकरण अब सक्षम है। अपने फोन के ऑथेंटिकेटर एप्लिकेशन का उपयोग करके निम्नलिखित क्यूआर कोड को स्कैन करें या सेटअप कुंजी दर्ज करें।", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "दो कारक प्रमाणीकरण अब सक्षम है. अपने फ़ोन के प्रमाणक एप्लिकेशन का उपयोग करके निम्नलिखित QR कोड को स्कैन करें या सेटअप कुंजी दर्ज करें।", "Type": "प्रकार", "Type:": "प्रकार:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "मोनिका बॉट के साथ बातचीत में कुछ भी लिखें. उदाहरण के लिए यह `प्रारंभ` हो सकता है।", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica बॉट के साथ बातचीत में कुछ भी टाइप करें। उदाहरण के लिए यह ’प्रारंभ’ हो सकता है।", "Types": "प्रकार", "Type something": "कुछ लिखें", - "Unarchive contact": "असंग्रहित संपर्क", - "unarchived the contact": "संपर्क को अनारक्षित किया", + "Unarchive contact": "संपर्क को असंग्रहीत करें", + "unarchived the contact": "संपर्क को अनारक्षित करें", "Unauthorized": "अनधिकृत", - "uncle\/aunt": "चाचा चाची", + "uncle/aunt": "चाचा/चाची", "Undefined": "अपरिभाषित", - "Unexpected error on login.": "लॉगिन पर अनपेक्षित त्रुटि।", - "Unknown": "अज्ञात", + "Unexpected error on login.": "लॉगिन पर अप्रत्याशित त्रुटि.", + "Unknown": "अनजान", "unknown action": "अज्ञात क्रिया", - "Unknown age": "अज्ञात आयु", - "Unknown contact name": "अज्ञात संपर्क नाम", + "Unknown age": "अज्ञात उम्र", "Unknown name": "अज्ञात नाम", "Update": "अद्यतन", - "Update a key.": "एक कुंजी अद्यतन करें।", + "Update a key.": "एक कुंजी अद्यतन करें.", "updated a contact information": "एक संपर्क जानकारी अपडेट की गई", - "updated a goal": "एक लक्ष्य अपडेट किया", - "updated an address": "एक पता अपडेट किया", - "updated an important date": "एक महत्वपूर्ण तिथि अपडेट की गई", - "updated a pet": "एक पालतू जानवर को अपडेट किया", - "Updated on :date": "अपडेट किया गया :तारीख", - "updated the avatar of the contact": "संपर्क के अवतार को अपडेट किया", - "updated the contact information": "संपर्क जानकारी अपडेट की", - "updated the job information": "नौकरी की जानकारी अपडेट की", - "updated the religion": "धर्म को अपडेट किया", + "updated a goal": "एक लक्ष्य अद्यतन किया गया", + "updated an address": "एक पता अपडेट किया गया", + "updated an important date": "एक महत्वपूर्ण तारीख अपडेट की गई", + "updated a pet": "एक पालतू जानवर को अद्यतन किया", + "Updated on :date": ":date को अपडेट किया गया", + "updated the avatar of the contact": "संपर्क का अवतार अपडेट किया गया", + "updated the contact information": "संपर्क जानकारी अपडेट की गई", + "updated the job information": "नौकरी की जानकारी अपडेट की गई", + "updated the religion": "धर्म को अद्यतन किया", "Update Password": "पासवर्ड अपडेट करें", - "Update your account's profile information and email address.": "अपने खाते की प्रोफ़ाइल जानकारी और ईमेल पता अपडेट करें।", - "Update your account’s profile information and email address.": "अपने खाते की प्रोफ़ाइल जानकारी और ईमेल पता अपडेट करें।", - "Upload photo as avatar": "फोटो को अवतार के रूप में अपलोड करें", + "Update your account's profile information and email address.": "अपने खाते की प्रोफ़ाइल जानकारी और ईमेल पता अपडेट करें ।", + "Upload photo as avatar": "अवतार के रूप में फोटो अपलोड करें", "Use": "उपयोग", - "Use an authentication code": "एक प्रमाणीकरण कोड का प्रयोग करें", + "Use an authentication code": "प्रमाणीकरण कोड का उपयोग करें", "Use a recovery code": "पुनर्प्राप्ति कोड का उपयोग करें", - "Use a security key (Webauthn, or FIDO) to increase your account security.": "अपने खाते की सुरक्षा बढ़ाने के लिए एक सुरक्षा कुंजी (वेबाउटन, या FIDO) का उपयोग करें।", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "अपने खाते की सुरक्षा बढ़ाने के लिए सुरक्षा कुंजी (वेबाउटन, या FIDO) का उपयोग करें।", "User preferences": "उपयोगकर्ता वरीयताएं", "Users": "उपयोगकर्ताओं", "User settings": "उपयोगकर्ता सेटिंग", - "Use the following template for this contact": "इस संपर्क के लिए निम्न टेम्प्लेट का उपयोग करें", + "Use the following template for this contact": "इस संपर्क के लिए निम्नलिखित टेम्पलेट का उपयोग करें", "Use your password": "अपने पासवर्ड का प्रयोग करें", "Use your security key": "अपनी सुरक्षा कुंजी का उपयोग करें", - "Validating key…": "सत्यापन कुंजी…", + "Validating key…": "कुंजी सत्यापित की जा रही है…", "Value copied into your clipboard": "मान आपके क्लिपबोर्ड में कॉपी किया गया", - "Vaults contain all your contacts data.": "वाल्ट में आपके सभी संपर्क डेटा होते हैं।", - "Vault settings": "तिजोरी सेटिंग्स", - "ve\/ver": "और दें", + "Vaults contain all your contacts data.": "वॉल्ट में आपके सभी संपर्क डेटा होते हैं।", + "Vault settings": "वॉल्ट सेटिंग्स", + "ve/ver": "ve/ver", "Verification email sent": "सत्यापन विद्युतडाक भेज दिया गया है", "Verified": "सत्यापित", - "Verify Email Address": "ईमेल पते की पुष्टि करें", + "Verify Email Address": "ईमेल पता सत्यापित करें", "Verify this email address": "इस ईमेल पते की पुष्टि करें", - "Version :version — commit [:short](:url).": "संस्करण :version - प्रतिबद्ध [:short](:url)।", + "Version :version — commit [:short](:url).": "संस्करण :version — प्रतिबद्ध [:short](:url)।", "Via Telegram": "टेलीग्राम के माध्यम से", "Video call": "वीडियो कॉल", "View": "देखना", @@ -1174,112 +1172,111 @@ "View history": "इतिहास देखें", "View log": "देखें प्रवेश", "View on map": "मानचित्र पर देखें", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "मोनिका (अनुप्रयोग) द्वारा आपको पहचानने के लिए कुछ सेकंड प्रतीक्षा करें। यह देखने के लिए कि क्या यह काम करता है, हम आपको एक नकली सूचना भेजेंगे।", - "Waiting for key…": "कुंजी की प्रतीक्षा कर रहा है…", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica (एप्लिकेशन) द्वारा आपको पहचानने के लिए कुछ सेकंड प्रतीक्षा करें। यह काम करता है या नहीं यह देखने के लिए हम आपको एक नकली अधिसूचना भेजेंगे।", + "Waiting for key…": "कुंजी की प्रतीक्षा की जा रही है...", "Walked": "चला", "Wallpaper": "वॉलपेपर", - "Was there a reason for the call?": "क्या कॉल करने का कोई कारण था?", + "Was there a reason for the call?": "क्या कॉल का कोई कारण था?", "Watched a movie": "मैंने एक चलचित्र देखा", "Watched a tv show": "एक टीवी शो देखा", "Watched TV": "टीवी देखी", "Watch Netflix every day": "हर दिन नेटफ्लिक्स देखें", - "Ways to connect": "जोड़ने के तरीके", + "Ways to connect": "जुड़ने के तरीके", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn केवल सुरक्षित कनेक्शन का समर्थन करता है। कृपया इस पृष्ठ को https योजना के साथ लोड करें।", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "हम उन्हें संबंध कहते हैं, और इसका उल्टा संबंध। आपके द्वारा परिभाषित प्रत्येक संबंध के लिए, आपको उसके समकक्ष को परिभाषित करने की आवश्यकता है।", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "हम उन्हें एक संबंध कहते हैं, और इसका विपरीत संबंध। आपके द्वारा परिभाषित प्रत्येक संबंध के लिए, आपको उसके समकक्ष को परिभाषित करने की आवश्यकता है।", "Wedding": "शादी", "Wednesday": "बुधवार", - "We hope you'll like it.": "हमें आशा है कि आपको यह पसंद आएगा।", + "We hope you'll like it.": "हमें उम्मीद है कि आपको यह पसंद आएगा.", "We hope you will like what we’ve done.": "हमें उम्मीद है कि हमने जो किया है वह आपको पसंद आएगा।", - "Welcome to Monica.": "मोनिका में आपका स्वागत है।", + "Welcome to Monica.": "Monica का स्वागत है.", "Went to a bar": "एक बार में गया", - "We support Markdown to format the text (bold, lists, headings, etc…).": "हम पाठ को प्रारूपित करने के लिए मार्कडाउन का समर्थन करते हैं (बोल्ड, सूचियाँ, शीर्षक, आदि…)।", - "We were unable to find a registered user with this email address.": "हम इस ईमेल पते के साथ एक पंजीकृत उपयोगकर्ता को खोजने में असमर्थ रहे।", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "हम इस ईमेल पते पर एक ईमेल भेजेंगे जिसकी आपको पुष्टि करनी होगी इससे पहले कि हम इस पते पर सूचनाएं भेज सकें।", + "We support Markdown to format the text (bold, lists, headings, etc…).": "हम पाठ को प्रारूपित करने के लिए मार्कडाउन का समर्थन करते हैं (बोल्ड, सूचियाँ, शीर्षक, आदि...)।", + "We were unable to find a registered user with this email address.": "हम इस ईमेल पते के साथ एक पंजीकृत उपयोगकर्ता को खोजने में असमर्थ थे ।", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "हम इस ईमेल पते पर एक ईमेल भेजेंगे जिसकी हमें इस पते पर सूचनाएं भेजने से पहले पुष्टि करनी होगी।", "What happens now?": "अब क्या होता है?", "What is the loan?": "ऋण क्या है?", - "What permission should :name have?": "क्या अनुमति होनी चाहिए: नाम के पास?", + "What permission should :name have?": ":Name के पास क्या अनुमति होनी चाहिए?", "What permission should the user have?": "उपयोगकर्ता के पास क्या अनुमति होनी चाहिए?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "मानचित्र प्रदर्शित करने के लिए हमें किसका उपयोग करना चाहिए?", - "What would make today great?": "क्या आज को महान बनाएगा?", - "When did the call happened?": "कॉल कब हुआ?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "जब दो कारक प्रमाणीकरण सक्षम होता है, तो आपको प्रमाणीकरण के दौरान एक सुरक्षित, यादृच्छिक टोकन के लिए संकेत दिया जाएगा। आप इस टोकन को अपने फ़ोन के Google प्रमाणक एप्लिकेशन से प्राप्त कर सकते हैं।", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "जब दो कारक प्रमाणीकरण सक्षम होता है, तो आपको प्रमाणीकरण के दौरान एक सुरक्षित, यादृच्छिक टोकन के लिए संकेत दिया जाएगा। आप इस टोकन को अपने फोन के ऑथेंटिकेटर एप्लिकेशन से प्राप्त कर सकते हैं।", - "When was the loan made?": "ऋण कब किया गया था?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "जब आप दो संपर्कों के बीच संबंध परिभाषित करते हैं, उदाहरण के लिए पिता-पुत्र संबंध, तो मोनिका दो संबंध बनाती है, प्रत्येक संपर्क के लिए एक:", - "Which email address should we send the notification to?": "हमें किस ईमेल पते पर सूचना भेजनी चाहिए?", + "What would make today great?": "आज का दिन क्या महान बनेगा?", + "When did the call happened?": "कॉल कब हुई?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "जब दो कारक प्रमाणीकरण सक्षम होता है, तो आपको प्रमाणीकरण के दौरान एक सुरक्षित, यादृच्छिक टोकन के लिए संकेत दिया जाएगा । आप अपने फोन के गूगल प्रमाणक आवेदन से इस टोकन पुनः प्राप्त कर सकते हैं.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "जब दो कारक प्रमाणीकरण सक्षम होता है, तो प्रमाणीकरण के दौरान आपको एक सुरक्षित, यादृच्छिक टोकन के लिए संकेत दिया जाएगा। आप इस टोकन को अपने फ़ोन के प्रमाणक एप्लिकेशन से पुनः प्राप्त कर सकते हैं।", + "When was the loan made?": "ऋण कब दिया गया था?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "जब आप दो संपर्कों के बीच संबंध को परिभाषित करते हैं, उदाहरण के लिए पिता-पुत्र संबंध, तो Monica दो संबंध बनाती है, प्रत्येक संपर्क के लिए एक:", + "Which email address should we send the notification to?": "हमें किस ईमेल पते पर अधिसूचना भेजनी चाहिए?", "Who called?": "किसने कहा?", - "Who makes the loan?": "ऋण कौन बनाता है?", - "Whoops!": "वूप्स!", - "Whoops! Something went wrong.": "वूप्स! कुछ गलत हो गया।", - "Who should we invite in this vault?": "हमें इस तिजोरी में किसे आमंत्रित करना चाहिए?", + "Who makes the loan?": "ऋण कौन देता है?", + "Whoops!": "ओह!", + "Whoops! Something went wrong.": "ओह! कुछ गलत हो गया ।", + "Who should we invite in this vault?": "हमें इस तिजोरी में किसे बुलाना चाहिए?", "Who the loan is for?": "ऋण किसके लिए है?", - "Wish good day": "शुभ दिन की कामना", + "Wish good day": "अच्छे दिन की शुभकामनाएँ", "Work": "काम", - "Write the amount with a dot if you need decimals, like 100.50": "यदि आपको दशमलव की आवश्यकता है, जैसे 100.50, तो राशि को डॉट के साथ लिखें", + "Write the amount with a dot if you need decimals, like 100.50": "यदि आपको दशमलव की आवश्यकता है, जैसे 100.50, तो राशि को एक बिंदु के साथ लिखें", "Written on": "पर लिखा", "wrote a note": "एक नोट लिखा", - "xe\/xem": "कार \/ देखें", + "xe/xem": "xe/xem", "year": "वर्ष", "Years": "साल", "You are here:": "आप यहां हैं:", - "You are invited to join Monica": "आपको मोनिका से जुड़ने के लिए आमंत्रित किया जाता है", - "You are receiving this email because we received a password reset request for your account.": "आप यह ईमेल इसलिए प्राप्त कर रहे हैं क्योंकि हमें आपके खाते के लिए एक पासवर्ड रीसेट अनुरोध प्राप्त हुआ है।", - "you can't even use your current username or password to sign in,": "आप साइन इन करने के लिए अपने वर्तमान उपयोगकर्ता नाम या पासवर्ड का उपयोग भी नहीं कर सकते,", - "you can't even use your current username or password to sign in, ": "आप साइन इन करने के लिए अपने वर्तमान उपयोगकर्ता नाम या पासवर्ड का उपयोग भी नहीं कर सकते,", - "you can't import any data from your current Monica account(yet),": "आप अपने वर्तमान मोनिका खाते (अभी तक) से कोई डेटा आयात नहीं कर सकते हैं,", - "you can't import any data from your current Monica account(yet), ": "आप अपने वर्तमान मोनिका खाते (अभी तक) से कोई डेटा आयात नहीं कर सकते हैं,", + "You are invited to join Monica": "आपको Monica से जुड़ने के लिए आमंत्रित किया गया है", + "You are receiving this email because we received a password reset request for your account.": "आपको यह ईमेल प्राप्त हो रहा है क्योंकि हमें आपके खाते के लिए पासवर्ड रीसेट अनुरोध प्राप्त हुआ है ।", + "you can't even use your current username or password to sign in,": "आप साइन इन करने के लिए अपने वर्तमान उपयोगकर्ता नाम या पासवर्ड का भी उपयोग नहीं कर सकते,", + "you can't import any data from your current Monica account(yet),": "आप अपने वर्तमान Monica खाते से कोई भी डेटा आयात नहीं कर सकते(अभी तक),", "You can add job information to your contacts and manage the companies here in this tab.": "आप इस टैब में अपने संपर्कों में नौकरी की जानकारी जोड़ सकते हैं और कंपनियों का प्रबंधन कर सकते हैं।", - "You can add more account to log in to our service with one click.": "आप एक क्लिक के साथ हमारी सेवा में लॉग इन करने के लिए और खाता जोड़ सकते हैं।", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "आपको विभिन्न चैनलों के माध्यम से सूचित किया जा सकता है: फेसबुक पर ईमेल, टेलीग्राम संदेश। आप तय करें।", - "You can change that at any time.": "आप इसे किसी भी समय बदल सकते हैं।", - "You can choose how you want Monica to display dates in the application.": "आप चुन सकते हैं कि आप कैसे चाहते हैं कि मोनिका आवेदन में तिथियां प्रदर्शित करे।", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "आप यह चुन सकते हैं कि आपके खाते में कौन सी मुद्राएँ सक्षम होनी चाहिए और कौन सी नहीं।", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "आप अपने स्वयं के स्वाद\/संस्कृति के अनुसार संपर्कों को प्रदर्शित करने का तरीका अनुकूलित कर सकते हैं। शायद आप बॉन्ड जेम्स की जगह जेम्स बॉन्ड का इस्तेमाल करना चाहेंगे। यहां, आप इसे इच्छानुसार परिभाषित कर सकते हैं।", + "You can add more account to log in to our service with one click.": "आप एक क्लिक से हमारी सेवा में लॉग इन करने के लिए और खाते जोड़ सकते हैं।", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "आपको विभिन्न चैनलों के माध्यम से सूचित किया जा सकता है: ईमेल, टेलीग्राम संदेश, फेसबुक पर। आप तय करें।", + "You can change that at any time.": "आप इसे किसी भी समय बदल सकते हैं.", + "You can choose how you want Monica to display dates in the application.": "आप चुन सकते हैं कि आप Monica को आवेदन में तारीखें कैसे प्रदर्शित कराना चाहते हैं।", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "आप चुन सकते हैं कि आपके खाते में कौन सी मुद्राएँ सक्षम होनी चाहिए और कौन सी नहीं।", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "आप अपने स्वाद/संस्कृति के अनुसार संपर्कों को प्रदर्शित करने के तरीके को अनुकूलित कर सकते हैं। शायद आप बॉन्ड जेम्स के स्थान पर जेम्स बॉन्ड का उपयोग करना चाहेंगे। यहां, आप इसे अपनी इच्छानुसार परिभाषित कर सकते हैं।", "You can customize the criteria that let you track your mood.": "आप उन मानदंडों को अनुकूलित कर सकते हैं जो आपको अपने मूड को ट्रैक करने देते हैं।", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "आप वाल्टों के बीच संपर्कों को स्थानांतरित कर सकते हैं। यह परिवर्तन तत्काल है। आप संपर्कों को केवल उन वाल्टों में ले जा सकते हैं जिनके आप भाग हैं। सभी संपर्क डेटा इसके साथ चलेंगे।", - "You cannot remove your own administrator privilege.": "आप अपने स्वयं के व्यवस्थापकीय विशेषाधिकार को नहीं हटा सकते।", - "You don’t have enough space left in your account.": "आपके खाते में पर्याप्त जगह नहीं बची है।", - "You don’t have enough space left in your account. Please upgrade.": "आपके खाते में पर्याप्त जगह नहीं बची है। कृपया अपग्रेड करें।", - "You have been invited to join the :team team!": "आपको :टीम टीम में शामिल होने के लिए आमंत्रित किया गया है!", - "You have enabled two factor authentication.": "आपने दो कारक प्रमाणीकरण सक्षम किया है।", - "You have not enabled two factor authentication.": "आपने दो कारक प्रमाणीकरण सक्षम नहीं किया है।", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "आप संपर्कों को वॉल्ट के बीच स्थानांतरित कर सकते हैं. यह परिवर्तन तत्काल है. आप संपर्कों को केवल उन वॉल्टों में ले जा सकते हैं जिनका आप हिस्सा हैं। सभी संपर्क डेटा इसके साथ चले जाएंगे।", + "You cannot remove your own administrator privilege.": "आप अपना स्वयं का व्यवस्थापक विशेषाधिकार नहीं हटा सकते.", + "You don’t have enough space left in your account.": "आपके खाते में पर्याप्त जगह नहीं बची है.", + "You don’t have enough space left in your account. Please upgrade.": "आपके खाते में पर्याप्त जगह नहीं बची है. कृपया अपग्रेड करें.", + "You have been invited to join the :team team!": "आपको :team टीम में शामिल होने के लिए आमंत्रित किया गया है!", + "You have enabled two factor authentication.": "आपने दो कारक प्रमाणीकरण सक्षम किया है ।", + "You have not enabled two factor authentication.": "आपने दो कारक प्रमाणीकरण सक्षम नहीं किया है ।", "You have not setup Telegram in your environment variables yet.": "आपने अभी तक अपने पर्यावरण चर में टेलीग्राम सेटअप नहीं किया है।", - "You haven’t received a notification in this channel yet.": "आपको अभी तक इस चैनल में सूचना प्राप्त नहीं हुई है।", - "You haven’t setup Telegram yet.": "आपने अभी तक टेलीग्राम सेटअप नहीं किया है।", + "You haven’t received a notification in this channel yet.": "आपको अभी तक इस चैनल में कोई सूचना नहीं मिली है.", + "You haven’t setup Telegram yet.": "आपने अभी तक टेलीग्राम सेटअप नहीं किया है.", "You may accept this invitation by clicking the button below:": "आप नीचे दिए गए बटन पर क्लिक करके इस आमंत्रण को स्वीकार कर सकते हैं:", - "You may delete any of your existing tokens if they are no longer needed.": "यदि आपकी आवश्यकता नहीं है तो आप अपने किसी भी मौजूदा टोकन को हटा सकते हैं।", - "You may not delete your personal team.": "आप अपनी व्यक्तिगत टीम को हटा नहीं सकते हैं।", - "You may not leave a team that you created.": "आप अपने द्वारा बनाई गई टीम को नहीं छोड़ सकते हैं।", - "You might need to reload the page to see the changes.": "परिवर्तनों को देखने के लिए आपको पृष्ठ को पुनः लोड करने की आवश्यकता हो सकती है।", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "संपर्कों को प्रदर्शित करने के लिए आपको कम से कम एक टेम्प्लेट की आवश्यकता होगी। टेम्प्लेट के बिना, मोनिका को यह नहीं पता होगा कि उसे कौन सी जानकारी प्रदर्शित करनी चाहिए।", - "Your account current usage": "आपका खाता वर्तमान उपयोग", + "You may delete any of your existing tokens if they are no longer needed.": "यदि आप अब आवश्यक नहीं हैं तो आप अपने किसी भी मौजूदा टोकन को हटा सकते हैं ।", + "You may not delete your personal team.": "आप अपनी व्यक्तिगत टीम को हटा नहीं सकते हैं ।", + "You may not leave a team that you created.": "आप अपने द्वारा बनाई गई टीम को नहीं छोड़ सकते हैं ।", + "You might need to reload the page to see the changes.": "परिवर्तन देखने के लिए आपको पृष्ठ को पुनः लोड करना पड़ सकता है।", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "संपर्कों को प्रदर्शित करने के लिए आपको कम से कम एक टेम्पलेट की आवश्यकता है। टेम्पलेट के बिना, Monica को यह नहीं पता होगा कि उसे कौन सी जानकारी प्रदर्शित करनी चाहिए।", + "Your account current usage": "आपके खाते का वर्तमान उपयोग", "Your account has been created": "आपका खाता तैयार कर दिया गया है", - "Your account is linked": "आपका खाता जुड़ा हुआ है", - "Your account limits": "आपकी खाता सीमाएँ", + "Your account is linked": "आपका खाता लिंक हो गया है", + "Your account limits": "आपके खाते की सीमा", "Your account will be closed immediately,": "आपका खाता तुरंत बंद कर दिया जाएगा,", - "Your browser doesn’t currently support WebAuthn.": "आपका ब्राउज़र वर्तमान में WebAuthn का समर्थन नहीं करता है।", + "Your browser doesn’t currently support WebAuthn.": "आपका ब्राउज़र वर्तमान में WebAuthn का समर्थन नहीं करता है.", "Your email address is unverified.": "आपका ईमेल पता असत्यापित है।", "Your life events": "आपके जीवन की घटनाएँ", - "Your mood has been recorded!": "आपका मूड रिकॉर्ड किया गया है!", + "Your mood has been recorded!": "आपका मूड रिकॉर्ड कर लिया गया है!", "Your mood that day": "उस दिन आपका मूड", - "Your mood that you logged at this date": "आपका मूड जो आपने इस तिथि पर लॉग इन किया था", - "Your mood this year": "इस साल आपका मिजाज", - "Your name here will be used to add yourself as a contact.": "यहां आपके नाम का उपयोग स्वयं को एक संपर्क के रूप में जोड़ने के लिए किया जाएगा।", - "You wanted to be reminded of the following:": "आप निम्नलिखित की याद दिलाना चाहते हैं:", - "You WILL still have to delete your account on Monica or OfficeLife.": "आपको अभी भी मोनिका या ऑफिसलाइफ पर अपना खाता हटाना होगा।", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "आपको मोनिका में इस ईमेल पते का उपयोग करने के लिए आमंत्रित किया गया है, जो कि एक ओपन सोर्स पर्सनल सीआरएम है, इसलिए हम इसका उपयोग आपको सूचनाएं भेजने के लिए कर सकते हैं।", - "ze\/hir": "उसे", - "⚠️ Danger zone": "⚠️ डेंजर जोन", - "🌳 Chalet": "🌳 शैलेट", - "🏠 Secondary residence": "🏠 माध्यमिक निवास", - "🏡 Home": "🏡 घर", + "Your mood that you logged at this date": "आपका मूड जो आपने इस तिथि पर लॉग इन किया है", + "Your mood this year": "इस साल आपका मूड", + "Your name here will be used to add yourself as a contact.": "यहां आपका नाम स्वयं को संपर्क के रूप में जोड़ने के लिए उपयोग किया जाएगा।", + "You wanted to be reminded of the following:": "आप निम्नलिखित की याद दिलाना चाहते थे:", + "You WILL still have to delete your account on Monica or OfficeLife.": "आपको अभी भी Monica या ऑफिसलाइफ पर अपना खाता हटाना होगा।", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "आपको Monica में इस ईमेल पते का उपयोग करने के लिए आमंत्रित किया गया है, जो एक खुला स्रोत व्यक्तिगत सीआरएम है, इसलिए हम आपको सूचनाएं भेजने के लिए इसका उपयोग कर सकते हैं।", + "ze/hir": "ze/हिर", + "⚠️ Danger zone": "⚠️खतरे का क्षेत्र", + "🌳 Chalet": "🌳 शैले", + "🏠 Secondary residence": "🏠द्वितीय निवास", + "🏡 Home": "🏡घर", "🏢 Work": "🏢 काम", - "🔔 Reminder: :label for :contactName": "🔔 रिमाइंडर: :label के लिए :contactName", + "🔔 Reminder: :label for :contactName": "🔔 अनुस्मारक: :label के लिए :contactName", "😀 Good": "😀 अच्छा", - "😁 Positive": "😁 सकारात्मक", + "😁 Positive": "😁सकारात्मक", "😐 Meh": "😐 मेह", - "😔 Bad": "😔 बुरा", - "😡 Negative": "😡 नकारात्मक", + "😔 Bad": "😔 ख़राब", + "😡 Negative": "😡नकारात्मक", "😩 Awful": "😩 भयानक", "😶‍🌫️ Neutral": "😶‍🌫️ तटस्थ", "🥳 Awesome": "🥳 बहुत बढ़िया" diff --git a/lang/hi/auth.php b/lang/hi/auth.php index 84e704f16bf..833ba5cf3fe 100644 --- a/lang/hi/auth.php +++ b/lang/hi/auth.php @@ -2,7 +2,7 @@ return [ 'failed' => 'ये साख हमारे रिकॉर्ड से मेल नहीं खा रहे हैं ।', - 'lang' => 'हिंदी', + 'lang' => 'हिन्दी', 'password' => 'पासवर्ड गलत है ।', 'throttle' => 'बहुत सारे लॉगिन प्रयास। :seconds सेकंड में फिर से कोशिश करें ।', ]; diff --git a/lang/hi/pagination.php b/lang/hi/pagination.php index 7142f471104..2c48e8d85eb 100644 --- a/lang/hi/pagination.php +++ b/lang/hi/pagination.php @@ -1,6 +1,6 @@ 'अगला »', - 'previous' => '« पिछला', + 'next' => 'अगला ❯', + 'previous' => '❮ पिछला', ]; diff --git a/lang/hi/validation.php b/lang/hi/validation.php index 208be223fe3..6de9116ad7a 100644 --- a/lang/hi/validation.php +++ b/lang/hi/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute, :min और :max वर्णों के बीच होना चाहिए ।', ], 'boolean' => ':Attribute फील्ड सही या गलत होना चाहिए ।', + 'can' => ':Attribute फ़ील्ड में एक अनधिकृत मान है।', 'confirmed' => ':Attribute पुष्टिकरण मेल नहीं खा रहा है।', 'current_password' => 'पासवर्ड गलत है ।', 'date' => ':Attribute एक मान्य दिनांक नहीं है।', diff --git a/lang/it.json b/lang/it.json index b632bc7a5e9..717c11903e5 100644 --- a/lang/it.json +++ b/lang/it.json @@ -1,19 +1,19 @@ { "(and :count more error)": "(e :count altro errore)", "(and :count more errors)": "(e :count altri errori)", - "(Help)": "(Guida)", - "+ add a contact": "+ Aggiungi un contatto", - "+ add another": "+ Aggiungi un altro", - "+ add another photo": "+ Aggiungi un'altra foto", - "+ add description": "+ Aggiungi descrizione", + "(Help)": "(Aiuto)", + "+ add a contact": "+ aggiungi un contatto", + "+ add another": "+ aggiungine un altro", + "+ add another photo": "+ aggiungi un’altra foto", + "+ add description": "+ aggiungi descrizione", "+ add distance": "+ aggiungi distanza", "+ add emotion": "+ aggiungi emozione", "+ add reason": "+ aggiungi motivo", - "+ add summary": "+ aggiungi sommario", - "+ add title": "+ Aggiungi titolo", + "+ add summary": "+ aggiungi riepilogo", + "+ add title": "+ aggiungi titolo", "+ change date": "+ cambia data", "+ change template": "+ cambia modello", - "+ create a group": "+ Crea un gruppo", + "+ create a group": "+ crea un gruppo", "+ gender": "+ genere", "+ last name": "+ cognome", "+ maiden name": "+ cognome da nubile", @@ -26,80 +26,80 @@ "+ suffix": "+ suffisso", ":count contact|:count contacts": ":count contatto|:count contatti", ":count hour slept|:count hours slept": ":count ora di sonno|:count ore di sonno", - ":count min read": "Lettura di :count minuti", - ":count post|:count posts": ":count post|:count post", - ":count template section|:count template sections": ":count sezione del modello|:count sezioni del modello", + ":count min read": ":count minuti di lettura", + ":count post|:count posts": ":count messaggio|:count post", + ":count template section|:count template sections": ":count sezione modello|:count sezioni del modello", ":count word|:count words": ":count parola|:count parole", ":distance km": ":distance km", ":distance miles": ":distance miglia", - ":file at line :line": ":file alla linea :line", - ":file in :class at line :line": ":file in :class alla linea :line", + ":file at line :line": ":file alla riga :line", + ":file in :class at line :line": ":file in :class alla riga :line", ":Name called": ":Name ha chiamato", ":Name called, but I didn’t answer": ":Name ha chiamato, ma non ho risposto", ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName ti invita a unirti a Monica, un CRM personale open source, progettato per aiutarti a documentare le tue relazioni.", - "Accept Invitation": "Accetta l'invito", - "Accept invitation and create your account": "Accetta l'invito e crea il tuo account", - "Account and security": "Account e sicurezza", - "Account settings": "Impostazioni dell'account", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Un'informazione sui contatti può essere cliccabile. Ad esempio, un numero di telefono può essere cliccabile e avviare l'applicazione predefinita nel tuo computer. Se non conosci il protocollo per il tipo che stai aggiungendo, puoi semplicemente omettere questo campo.", - "Activate": "Attiva", - "Activity feed": "Attività", - "Activity in this vault": "Attività in questa cassaforte", + "Accept Invitation": "Accetta l’invito", + "Accept invitation and create your account": "Accetta l’invito e crea il tuo account", + "Account and security": "Conto e sicurezza", + "Account settings": "Impostazioni dell’account", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "È possibile fare clic sulle informazioni di contatto. Ad esempio, è possibile fare clic su un numero di telefono e avviare l’applicazione predefinita sul tuo computer. Se non conosci il protocollo per il tipo che stai aggiungendo, puoi semplicemente omettere questo campo.", + "Activate": "Attivare", + "Activity feed": "Feed attività", + "Activity in this vault": "Attività in questo caveau", "Add": "Aggiungi", - "add a call reason type": "Aggiungi un motivo di chiamata", + "add a call reason type": "aggiungi un tipo di motivo della chiamata", "Add a contact": "Aggiungi un contatto", - "Add a contact information": "Aggiungi un'informazione di contatto", + "Add a contact information": "Aggiungi un’informazione di contatto", "Add a date": "Aggiungi una data", "Add additional security to your account using a security key.": "Aggiungi ulteriore sicurezza al tuo account utilizzando una chiave di sicurezza.", - "Add additional security to your account using two factor authentication.": "Aggiungi ulteriore sicurezza al tuo account utilizzando l'autenticazione a due fattori.", + "Add additional security to your account using two factor authentication.": "Aggiungi ulteriore sicurezza al tuo account utilizzando l’autenticazione a due fattori.", "Add a document": "Aggiungi un documento", "Add a due date": "Aggiungi una data di scadenza", "Add a gender": "Aggiungi un genere", - "Add a gift occasion": "Aggiungi un'occasione di regalo.", - "Add a gift state": "Aggiungi uno stato di regalo.", + "Add a gift occasion": "Aggiungi un’occasione regalo", + "Add a gift state": "Aggiungi uno stato regalo", "Add a goal": "Aggiungi un obiettivo", - "Add a group type": "Aggiungi un tipo di gruppo.", - "Add a header image": "Aggiungi un'immagine di intestazione", - "Add a label": "Aggiungi un'etichetta", - "Add a life event": "Aggiungi un evento di vita", - "Add a life event category": "Aggiungi una categoria di eventi di vita", - "add a life event type": "Aggiungi un tipo di evento di vita", + "Add a group type": "Aggiungi un tipo di gruppo", + "Add a header image": "Aggiungi un’immagine di intestazione", + "Add a label": "Aggiungi un’etichetta", + "Add a life event": "Aggiungi un evento della vita", + "Add a life event category": "Aggiungi una categoria di eventi della vita", + "add a life event type": "aggiungi un tipo di evento della vita", "Add a module": "Aggiungi un modulo", "Add an address": "Aggiungi un indirizzo", "Add an address type": "Aggiungi un tipo di indirizzo", "Add an email address": "Aggiungi un indirizzo email", - "Add an email to be notified when a reminder occurs.": "Aggiungi un'email per essere avvisato quando si verifica un promemoria.", + "Add an email to be notified when a reminder occurs.": "Aggiungi un’e-mail per essere avvisato quando si verifica un promemoria.", "Add an entry": "Aggiungi una voce", "add a new metric": "aggiungi una nuova metrica", "Add a new team member to your team, allowing them to collaborate with you.": "Aggiungi un nuovo membro del team al tuo team, consentendogli di collaborare con te.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Aggiungi una data importante per ricordare ciò che è importante per te di questa persona, come una data di nascita o di morte.", - "Add a note": "Aggiungi nota", - "Add another life event": "Aggiungi un altro evento di vita", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Aggiungi una data importante per ricordare ciò che ti interessa di questa persona, come una data di nascita o di morte.", + "Add a note": "Aggiungi una nota", + "Add another life event": "Aggiungi un altro evento della vita", "Add a page": "Aggiungi una pagina", "Add a parameter": "Aggiungi un parametro", - "Add a pet": "Aggiungi animale domestico", - "Add a photo": "Aggiungi foto", - "Add a photo to a journal entry to see it here.": "Aggiungi una foto a una voce di diario per visualizzarla qui.", + "Add a pet": "Aggiungi un animale domestico", + "Add a photo": "Aggiungere una foto", + "Add a photo to a journal entry to see it here.": "Aggiungi una foto a una voce del diario per vederla qui.", "Add a post template": "Aggiungi un modello di post", "Add a pronoun": "Aggiungi un pronome", - "add a reason": "Aggiungi un motivo", + "add a reason": "aggiungi un motivo", "Add a relationship": "Aggiungi una relazione", "Add a relationship group type": "Aggiungi un tipo di gruppo di relazione", "Add a relationship type": "Aggiungi un tipo di relazione", "Add a religion": "Aggiungi una religione", - "Add a reminder": "Aggiungi promemoria", - "add a role": "Aggiungi un ruolo.", + "Add a reminder": "Aggiungi un promemoria", + "add a role": "aggiungi un ruolo", "add a section": "aggiungi una sezione", - "Add a tag": "Aggiungi un tag", - "Add a task": "Aggiungi un compito", + "Add a tag": "Aggiungi un’etichetta", + "Add a task": "Aggiungi un’attività", "Add a template": "Aggiungi un modello", "Add at least one module.": "Aggiungi almeno un modulo.", "Add a type": "Aggiungi un tipo", "Add a user": "Aggiungi un utente", - "Add a vault": "Aggiungi una cassaforte", + "Add a vault": "Aggiungi una volta", "Add date": "Aggiungi data", "Added.": "Aggiunto.", - "added a contact information": "ha aggiunto un'informazione di contatto", + "added a contact information": "aggiunto un’informazione di contatto", "added an address": "ha aggiunto un indirizzo", "added an important date": "ha aggiunto una data importante", "added a pet": "ha aggiunto un animale domestico", @@ -108,339 +108,339 @@ "added the contact to the favorites": "ha aggiunto il contatto ai preferiti", "Add genders to associate them to contacts.": "Aggiungi i generi per associarli ai contatti.", "Add loan": "Aggiungi prestito", - "Add one now": "Aggiungine uno ora", + "Add one now": "Aggiungine uno adesso", "Add photos": "Aggiungi foto", "Address": "Indirizzo", "Addresses": "Indirizzi", - "Address type": "Tipo di indirizzo", - "Address types": "Tipi di indirizzo", - "Address types let you classify contact addresses.": "I tipi di indirizzo ti permettono di classificare gli indirizzi dei contatti.", + "Address type": "Tipo di Indirizzo", + "Address types": "Tipi di indirizzi", + "Address types let you classify contact addresses.": "I tipi di indirizzo consentono di classificare gli indirizzi dei contatti.", "Add Team Member": "Aggiungi membro del Team", "Add to group": "Aggiungi al gruppo", "Administrator": "Amministratore", "Administrator users can perform any action.": "Gli amministratori possono eseguire qualsiasi azione.", - "a father-son relation shown on the father page,": "una relazione padre-figlio mostrata sulla pagina del padre,", - "after the next occurence of the date.": "dopo la prossima occorrenza della data.", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Un gruppo è composto da due o più persone insieme. Può essere una famiglia, una casa, un club sportivo. Qualunque cosa sia importante per te.", - "All contacts in the vault": "Tutti i contatti nella cassaforte", - "All files": "Tutti i file", - "All groups in the vault": "Tutti i gruppi nella cassaforte", - "All journal metrics in :name": "Tutte le metriche del diario in :name", + "a father-son relation shown on the father page,": "una relazione padre-figlio mostrata nella pagina padre,", + "after the next occurence of the date.": "dopo il successivo verificarsi della data.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Un gruppo è composto da due o più persone insieme. Può essere una famiglia, un nucleo familiare, un club sportivo. Qualunque cosa sia importante per te.", + "All contacts in the vault": "Tutti i contatti nel caveau", + "All files": "Tutti i files", + "All groups in the vault": "Tutti i gruppi nel vault", + "All journal metrics in :name": "Tutte le metriche del journal in :name", "All of the people that are part of this team.": "Tutte le persone che fanno parte di questo team.", "All rights reserved.": "Tutti i diritti riservati", "All tags": "Tutti i tag", "All the address types": "Tutti i tipi di indirizzo", - "All the best,": "Tutto il meglio,", - "All the call reasons": "Tutti i motivi di chiamata", + "All the best,": "Ti auguro il meglio,", + "All the call reasons": "Tutti i motivi della chiamata", "All the cities": "Tutte le città", "All the companies": "Tutte le aziende", - "All the contact information types": "Tutti i tipi di informazioni sui contatti", + "All the contact information types": "Tutti i tipi di informazioni di contatto", "All the countries": "Tutti i paesi", "All the currencies": "Tutte le valute", "All the files": "Tutti i file", - "All the genders": "Tutti i generi", - "All the gift occasions": "Tutte le occasioni di regalo.", - "All the gift states": "Tutti gli stati del regalo.", + "All the genders": "Tutti i sessi", + "All the gift occasions": "Tutte le occasioni regalo", + "All the gift states": "Tutti gli stati del dono", "All the group types": "Tutti i tipi di gruppo", "All the important dates": "Tutte le date importanti", - "All the important date types used in the vault": "Tutti i tipi di date importanti utilizzati nella cassaforte", - "All the journals": "Tutti i diari", - "All the labels used in the vault": "Tutte le etichette usate nella cassaforte", + "All the important date types used in the vault": "Tutti i tipi di data importanti utilizzati nel vault", + "All the journals": "Tutti i giornali", + "All the labels used in the vault": "Tutte le etichette utilizzate nel caveau", "All the notes": "Tutte le note", - "All the pet categories": "Tutte le categorie di animali domestici.", + "All the pet categories": "Tutte le categorie di animali domestici", "All the photos": "Tutte le foto", "All the planned reminders": "Tutti i promemoria pianificati", "All the pronouns": "Tutti i pronomi", "All the relationship types": "Tutti i tipi di relazione", "All the religions": "Tutte le religioni", - "All the reports": "Tutti i report", - "All the slices of life in :name": "Tutti i pezzi di vita in :name", - "All the tags used in the vault": "Tutti i tag utilizzati nella cassaforte", + "All the reports": "Tutti i rapporti", + "All the slices of life in :name": "Tutti gli spaccati di vita in :name", + "All the tags used in the vault": "Tutti i tag utilizzati nel vault", "All the templates": "Tutti i modelli", - "All the vaults": "Tutte le cassette di sicurezza", - "All the vaults in the account": "Tutte le cassette di sicurezza nell'account", - "All users and vaults will be deleted immediately,": "Tutti gli utenti e le cassette di sicurezza saranno eliminati immediatamente,", + "All the vaults": "Tutte le volte", + "All the vaults in the account": "Tutti i depositi del conto", + "All users and vaults will be deleted immediately,": "Tutti gli utenti e i depositi verranno eliminati immediatamente,", "All users in this account": "Tutti gli utenti in questo account", "Already registered?": "Già registrato?", "Already used on this page": "Già utilizzato in questa pagina", - "A new verification link has been sent to the email address you provided during registration.": "Un nuovo link di verifica è stato inviato all'indirizzo email fornito durante la registrazione.", - "A new verification link has been sent to the email address you provided in your profile settings.": "Un nuovo link di verifica è stato inviato all'indirizzo email indicato nelle impostazioni del profilo.", + "A new verification link has been sent to the email address you provided during registration.": "Un nuovo collegamento di verifica è stato inviato all’indirizzo email fornito durante la registrazione.", + "A new verification link has been sent to the email address you provided in your profile settings.": "Un nuovo link di verifica è stato inviato all’indirizzo email indicato nelle impostazioni del profilo.", "A new verification link has been sent to your email address.": "Un nuovo link di verifica è stato inviato al vostro indirizzo email.", "Anniversary": "Anniversario", - "Apartment, suite, etc…": "Appartamento, suite, ecc...", + "Apartment, suite, etc…": "Appartamento, suite, ecc…", "API Token": "Token API", "API Token Permissions": "Permessi del Token API", "API Tokens": "Token API", "API tokens allow third-party services to authenticate with our application on your behalf.": "I Token API consentono ai servizi di terze parti di autenticarsi con la nostra applicazione per tuo conto.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Un modello di post definisce come il contenuto di un post dovrebbe essere visualizzato. Puoi definire tanti modelli quanti ne vuoi, e scegliere quale modello utilizzare per quale post.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Un modello di post definisce come deve essere visualizzato il contenuto di un post. Puoi definire tutti i modelli che desideri e scegliere quale modello utilizzare su quale post.", "Archive": "Archivio", - "Archive contact": "Archivia contatto", - "archived the contact": "ha archiviato il contatto", - "Are you sure? The address will be deleted immediately.": "Sei sicuro? L'indirizzo verrà eliminato immediatamente.", + "Archive contact": "Contatto archivio", + "archived the contact": "archiviato il contatto", + "Are you sure? The address will be deleted immediately.": "Sei sicuro? L’indirizzo verrà immediatamente cancellato.", "Are you sure? This action cannot be undone.": "Sei sicuro? Questa azione non può essere annullata.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Sei sicuro? Ciò eliminerà tutti i motivi di chiamata di questo tipo per tutti i contatti che lo utilizzavano.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Sei sicuro? Ciò eliminerà tutte le relazioni di questo tipo per tutti i contatti che lo utilizzavano.", - "Are you sure? This will delete the contact information permanently.": "Sei sicuro? Questo eliminerà permanentemente le informazioni di contatto.", - "Are you sure? This will delete the document permanently.": "Sei sicuro? Questo eliminerà permanentemente il documento.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Sei sicuro? Questo eliminerà l'obiettivo e tutte le strisce in modo permanente.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Sei sicuro? Ciò eliminerà tutti i motivi della chiamata di questo tipo per tutti i contatti che lo stavano utilizzando.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Sei sicuro? Ciò eliminerà tutte le relazioni di questo tipo per tutti i contatti che lo stavano utilizzando.", + "Are you sure? This will delete the contact information permanently.": "Sei sicuro? Ciò eliminerà le informazioni di contatto in modo permanente.", + "Are you sure? This will delete the document permanently.": "Sei sicuro? Ciò eliminerà il documento in modo permanente.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Sei sicuro? Ciò eliminerà l’obiettivo e tutte le serie consecutive in modo permanente.", "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Sei sicuro? Ciò rimuoverà i tipi di indirizzo da tutti i contatti, ma non eliminerà i contatti stessi.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Sei sicuro? Ciò rimuoverà i tipi di informazioni sui contatti da tutti i contatti, ma non eliminerà i contatti stessi.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Sei sicuro? Questo rimuoverà i generi da tutti i contatti, ma non eliminerà i contatti stessi.", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Sei sicuro? Questo rimuoverà il template da tutti i contatti, ma non cancellerà i contatti stessi.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Sei sicuro? Ciò rimuoverà i tipi di informazioni di contatto da tutti i contatti, ma non eliminerà i contatti stessi.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Sei sicuro? Ciò rimuoverà i sessi da tutti i contatti, ma non eliminerà i contatti stessi.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Sei sicuro? Ciò rimuoverà il modello da tutti i contatti, ma non eliminerà i contatti stessi.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Vuoi davvero eliminare questo Team? Una volta eliminato, tutte le sue risorse e i relativi dati verranno eliminati definitivamente.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Vuoi davvero eliminare l'account? Una volta eliminato, tutte le sue risorse ed i relativi dati verranno eliminati definitivamente. Inserisci la password per confermare che desideri eliminare definitivamente il tuo account.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Vuoi davvero eliminare l’account? Una volta eliminato, tutte le sue risorse ed i relativi dati verranno eliminati definitivamente. Inserisci la password per confermare che desideri eliminare definitivamente il tuo account.", "Are you sure you would like to archive this contact?": "Sei sicuro di voler archiviare questo contatto?", "Are you sure you would like to delete this API token?": "Vuoi davvero eliminare questo Token API?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Sei sicuro di voler eliminare questo contatto? Questo eliminerà tutto ciò che sappiamo su questo contatto.", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Sei sicuro di voler eliminare questo contatto? Ciò rimuoverà tutto ciò che sappiamo su questo contatto.", "Are you sure you would like to delete this key?": "Sei sicuro di voler eliminare questa chiave?", "Are you sure you would like to leave this team?": "Vuoi davvero abbandonare questo Team?", "Are you sure you would like to remove this person from the team?": "Vuoi davvero rimuovere questa persona dal team?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Un pezzo di vita ti consente di raggruppare i post per qualcosa di significativo per te. Aggiungi un pezzo di vita in un post per vederlo qui.", - "a son-father relation shown on the son page.": "una relazione padre-figlio mostrata sulla pagina del figlio.", - "assigned a label": "ha assegnato un'etichetta", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Uno spaccato di vita ti consente di raggruppare i post in base a qualcosa di significativo per te. Aggiungi uno spaccato di vita in un post per vederlo qui.", + "a son-father relation shown on the son page.": "una relazione figlio-padre mostrata nella pagina figlio.", + "assigned a label": "assegnato un’etichetta", "Association": "Associazione", - "At": "Alle", - "at ": "presso ", - "Ate": "Ha mangiato", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Un modello definisce come i contatti dovrebbero essere visualizzati. Puoi avere quanti modelli desideri: sono definiti nelle impostazioni del tuo account. Tuttavia, potresti voler definire un modello predefinito in modo che tutti i tuoi contatti in questa cassaforte abbiano questo modello per impostazione predefinita.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Un modello è composto da pagine e in ogni pagina ci sono moduli. Come vengono visualizzati i dati dipende interamente da te.", + "At": "A", + "at ": "A", + "Ate": "Mangiò", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Un modello definisce come devono essere visualizzati i contatti. Puoi avere tutti i modelli che desideri: sono definiti nelle impostazioni del tuo account. Tuttavia, potresti voler definire un modello predefinito in modo che tutti i tuoi contatti in questo vault abbiano questo modello per impostazione predefinita.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Un modello è composto da pagine e in ciascuna pagina sono presenti moduli. Il modo in cui i dati vengono visualizzati dipende interamente da te.", "Atheist": "Ateo", - "At which time should we send the notification, when the reminder occurs?": "A quale ora dovremmo inviare la notifica quando si verifica il promemoria?", + "At which time should we send the notification, when the reminder occurs?": "A che ora dovremmo inviare la notifica, quando avviene il promemoria?", "Audio-only call": "Chiamata solo audio", - "Auto saved a few seconds ago": "Salvato automaticamente qualche secondo fa", + "Auto saved a few seconds ago": "Salvata automaticamente pochi secondi fa", "Available modules:": "Moduli disponibili:", "Avatar": "Avatar", "Avatars": "Avatar", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Prima di continuare, potresti verificare il tuo indirizzo email cliccando sul link che ti abbiamo appena inviato per email? Se non ha ricevuto l'email, saremo lieti di inviartene un'altra.", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Prima di continuare, potresti verificare il tuo indirizzo email cliccando sul link che ti abbiamo appena inviato per email? Se non ha ricevuto l’email, saremo lieti di inviartene un’altra.", "best friend": "migliore amico", - "Bird": "Uccelli", + "Bird": "Uccello", "Birthdate": "Data di nascita", "Birthday": "Compleanno", - "Body": "Contenuto", + "Body": "Corpo", "boss": "capo", "Bought": "Comprato", - "Breakdown of the current usage": "Suddivisione dell'utilizzo attuale", - "brother\/sister": "fratello\/sorella", + "Breakdown of the current usage": "Ripartizione dell’utilizzo attuale", + "brother/sister": "fratello/sorella", "Browser Sessions": "Sessioni del Browser", - "Buddhist": "Buddista", - "Business": "Business", - "By last updated": "Per ultimo aggiornato", + "Buddhist": "buddista", + "Business": "Attività commerciale", + "By last updated": "Dall’ultimo aggiornamento", "Calendar": "Calendario", - "Call reasons": "Motivi di chiamata", - "Call reasons let you indicate the reason of calls you make to your contacts.": "I motivi di chiamata ti permettono di indicare il motivo delle chiamate che fai ai tuoi contatti.", + "Call reasons": "Motivi della chiamata", + "Call reasons let you indicate the reason of calls you make to your contacts.": "I motivi della chiamata ti consentono di indicare il motivo delle chiamate effettuate ai tuoi contatti.", "Calls": "Chiamate", "Cancel": "Annulla", "Cancel account": "Cancella account", - "Cancel all your active subscriptions": "Annulla tutte le tue sottoscrizioni attive", + "Cancel all your active subscriptions": "Annulla tutti i tuoi abbonamenti attivi", "Cancel your account": "Cancella il tuo account", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "Può fare tutto, compreso aggiungere o rimuovere altri utenti, gestire la fatturazione e chiudere l'account.", - "Can do everything, including adding or removing other users.": "Può fare tutto, inclusa l'aggiunta o la rimozione di altri utenti.", - "Can edit data, but can’t manage the vault.": "Può modificare i dati, ma non può gestire la cassaforte.", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Può fare qualsiasi cosa, incluso aggiungere o rimuovere altri utenti, gestire la fatturazione e chiudere l’account.", + "Can do everything, including adding or removing other users.": "Può fare qualsiasi cosa, incluso aggiungere o rimuovere altri utenti.", + "Can edit data, but can’t manage the vault.": "Può modificare i dati, ma non può gestire il deposito.", "Can view data, but can’t edit it.": "Può visualizzare i dati, ma non può modificarli.", "Can’t be moved or deleted": "Non può essere spostato o eliminato", - "Cat": "Gatti", + "Cat": "Gatto", "Categories": "Categorie", - "Chandler is in beta.": "Chandler è in beta.", - "Change": "Cambia", + "Chandler is in beta.": "Chandler è in versione beta.", + "Change": "Modifica", "Change date": "Cambia data", - "Change permission": "Cambia autorizzazione", - "Changes saved": "Modifiche salvate", + "Change permission": "Modifica autorizzazione", + "Changes saved": "modifiche salvate", "Change template": "Cambia modello", - "Child": "Figlio", - "child": "figlio", - "Choose": "Scegli", + "Child": "Bambino", + "child": "bambino", + "Choose": "Scegliere", "Choose a color": "Scegli un colore", "Choose an existing address": "Scegli un indirizzo esistente", "Choose an existing contact": "Scegli un contatto esistente", "Choose a template": "Scegli un modello", "Choose a value": "Scegli un valore", "Chosen type:": "Tipo scelto:", - "Christian": "Cristiano", + "Christian": "cristiano", "Christmas": "Natale", "City": "Città", "Click here to re-send the verification email.": "Clicca qui per inviare nuovamente una email di verifica.", "Click on a day to see the details": "Clicca su un giorno per vedere i dettagli", "Close": "Chiudi", - "close edit mode": "chiudi la modalità di modifica", + "close edit mode": "chiudere la modalità di modifica", "Club": "Club", "Code": "Codice", "colleague": "collega", "Companies": "Aziende", - "Company name": "Nome dell'azienda", + "Company name": "Nome della ditta", "Compared to Monica:": "Rispetto a Monica:", - "Configure how we should notify you": "Configura come dovremmo notificarti", + "Configure how we should notify you": "Configura il modo in cui dovremmo avvisarti", "Confirm": "Conferma", "Confirm Password": "Conferma Password", "Connect": "Collegare", "Connected": "Collegato", - "Connect with your security key": "Collegati con la tua chiave di sicurezza", - "Contact feed": "Feed del contatto", - "Contact information": "Informazioni di contatto", + "Connect with your security key": "Connettiti con la tua chiave di sicurezza", + "Contact feed": "Alimentazione dei contatti", + "Contact information": "Informazioni sui contatti", "Contact informations": "Informazioni di contatto", - "Contact information types": "Tipi di informazioni sui contatti", - "Contact name": "Nome contatto", + "Contact information types": "Tipi di informazioni di contatto", + "Contact name": "Nome del contatto", "Contacts": "Contatti", "Contacts in this post": "Contatti in questo post", - "Contacts in this slice": "Contatti in questo pezzo", - "Contacts will be shown as follow:": "I contatti verranno mostrati come segue:", + "Contacts in this slice": "Contatti in questa sezione", + "Contacts will be shown as follow:": "I contatti verranno visualizzati come segue:", "Content": "Contenuto", "Copied.": "Copiato.", - "Copy": "Copia", + "Copy": "copia", "Copy value into the clipboard": "Copia il valore negli appunti", "Could not get address book data.": "Impossibile ottenere i dati della rubrica.", "Country": "Paese", "Couple": "Coppia", "cousin": "cugino", "Create": "Crea", - "Create account": "Crea un account", + "Create account": "Creare un account", "Create Account": "Crea Account", "Create a contact": "Crea un contatto", "Create a contact entry for this person": "Crea una voce di contatto per questa persona", "Create a journal": "Crea un diario", - "Create a journal metric": "Crea una metrica di diario", + "Create a journal metric": "Creare una metrica del journal", "Create a journal to document your life.": "Crea un diario per documentare la tua vita.", - "Create an account": "Crea un account", + "Create an account": "Creare un account", "Create a new address": "Crea un nuovo indirizzo", "Create a new team to collaborate with others on projects.": "Crea un nuovo team per collaborare con altri ai progetti.", "Create API Token": "Crea Token API", - "Create a post": "Crea un post", + "Create a post": "Crea un messaggio", "Create a reminder": "Crea un promemoria", - "Create a slice of life": "Crea un pezzo di vita", - "Create at least one page to display contact’s data.": "Crea almeno una pagina per visualizzare i dati di contatto.", - "Create at least one template to use Monica.": "Crea almeno un modello per usare Monica.", + "Create a slice of life": "Crea uno spaccato di vita", + "Create at least one page to display contact’s data.": "Crea almeno una pagina per visualizzare i dati del contatto.", + "Create at least one template to use Monica.": "Crea almeno un modello per utilizzare Monica.", "Create a user": "Crea un utente", - "Create a vault": "Crea una cassaforte", + "Create a vault": "Crea un deposito", "Created.": "Creato.", - "created a goal": "ha creato un obiettivo", + "created a goal": "creato un obiettivo", "created the contact": "ha creato il contatto", - "Create label": "Crea un'etichetta", - "Create new label": "Crea una nuova etichetta", - "Create new tag": "Crea un nuovo tag", + "Create label": "Crea etichetta", + "Create new label": "Crea nuova etichetta", + "Create new tag": "Crea nuova etichetta", "Create New Team": "Crea nuovo Team", "Create Team": "Crea Team", "Currencies": "Valute", "Currency": "Valuta", - "Current default": "Predefinito corrente", + "Current default": "Impostazione predefinita attuale", "Current language:": "Lingua attuale:", "Current Password": "Password attuale", "Current site used to display maps:": "Sito attuale utilizzato per visualizzare le mappe:", - "Current streak": "Serie corrente", + "Current streak": "Serie attuale", "Current timezone:": "Fuso orario attuale:", "Current way of displaying contact names:": "Modo attuale di visualizzare i nomi dei contatti:", - "Current way of displaying dates:": "Modo attuale di visualizzazione delle date:", + "Current way of displaying dates:": "Modo attuale di visualizzare le date:", "Current way of displaying distances:": "Modalità attuale di visualizzazione delle distanze:", "Current way of displaying numbers:": "Modo attuale di visualizzare i numeri:", - "Customize how contacts should be displayed": "Personalizza come visualizzare i contatti", - "Custom name order": "Ordine personalizzato dei nomi", + "Customize how contacts should be displayed": "Personalizza la modalità di visualizzazione dei contatti", + "Custom name order": "Ordine dei nomi personalizzato", "Daily affirmation": "Affermazione quotidiana", "Dashboard": "Dashboard", - "date": "appuntamento", - "Date of the event": "Data dell'evento", - "Date of the event:": "Data dell'evento:", + "date": "data", + "Date of the event": "Data dell’evento", + "Date of the event:": "Data dell’evento:", "Date type": "Tipo di data", - "Date types are essential as they let you categorize dates that you add to a contact.": "I tipi di date sono essenziali perché ti consentono di categorizzare le date che aggiungi a un contatto.", + "Date types are essential as they let you categorize dates that you add to a contact.": "I tipi di data sono essenziali poiché ti consentono di classificare le date che aggiungi a un contatto.", "Day": "Giorno", "day": "giorno", - "Deactivate": "Disattiva", - "Deceased date": "Data di morte", - "Default template": "Template predefinito", + "Deactivate": "Disattivare", + "Deceased date": "Data del defunto", + "Default template": "Modello predefinito", "Default template to display contacts": "Modello predefinito per visualizzare i contatti", "Delete": "Elimina", "Delete Account": "Elimina Account", "Delete a new key": "Elimina una nuova chiave", "Delete API Token": "Elimina Token API", "Delete contact": "Elimina contatto", - "deleted a contact information": "ha eliminato un'informazione di contatto", - "deleted a goal": "ha eliminato un obiettivo", - "deleted an address": "ha eliminato un indirizzo", - "deleted an important date": "ha eliminato una data importante", - "deleted a note": "ha eliminato una nota", - "deleted a pet": "ha eliminato un animale domestico", - "Deleted author": "Autore eliminato", + "deleted a contact information": "cancellato un’informazione di contatto", + "deleted a goal": "cancellato un obiettivo", + "deleted an address": "cancellato un indirizzo", + "deleted an important date": "cancellato una data importante", + "deleted a note": "cancellato una nota", + "deleted a pet": "cancellato un animale domestico", + "Deleted author": "Autore cancellato", "Delete group": "Elimina gruppo", "Delete journal": "Elimina diario", "Delete Team": "Elimina Team", - "Delete the address": "Elimina l'indirizzo", + "Delete the address": "Elimina l’indirizzo", "Delete the photo": "Elimina la foto", - "Delete the slice": "Elimina il pezzo di vita", - "Delete the vault": "Elimina la cassaforte", - "Delete your account on https:\/\/customers.monicahq.com.": "Elimina il tuo account su https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Eliminare la cassaforte significa eliminare tutti i dati all'interno di questa cassaforte, per sempre. Non c'è via di ritorno. Per favore, sii certo.", + "Delete the slice": "Elimina la fetta", + "Delete the vault": "Elimina il deposito", + "Delete your account on https://customers.monicahq.com.": "Elimina il tuo account su https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Eliminare il deposito significa eliminare tutti i dati al suo interno, per sempre. Non c’è modo di tornare indietro. Per favore sii certo.", "Description": "Descrizione", - "Detail of a goal": "Dettaglio di un obiettivo", - "Details in the last year": "Dettagli dell'ultimo anno", + "Detail of a goal": "Particolare di un obiettivo", + "Details in the last year": "Dettagli nell’ultimo anno", "Disable": "Disabilita", - "Disable all": "Disabilita tutto", + "Disable all": "Disabilitare tutto", "Disconnect": "Disconnetti", - "Discuss partnership": "Discuti la partnership", + "Discuss partnership": "Discutere il partenariato", "Discuss recent purchases": "Discuti gli acquisti recenti", - "Dismiss": "Ignora", - "Display help links in the interface to help you (English only)": "Mostra i link di aiuto nell'interfaccia per aiutarti (solo in inglese)", + "Dismiss": "Congedare", + "Display help links in the interface to help you (English only)": "Visualizza i collegamenti della guida nell’interfaccia per aiutarti (solo in inglese)", "Distance": "Distanza", "Documents": "Documenti", - "Dog": "Cani", + "Dog": "Cane", "Done.": "Fatto.", - "Download": "Scarica", + "Download": "Scaricamento", "Download as vCard": "Scarica come vCard", - "Drank": "Ha bevuto", - "Drove": "Ha guidato una macchina", - "Due and upcoming tasks": "Compiti in scadenza e futuri", - "Edit": "Modifica", - "edit": "modifica", + "Drank": "Bevuto", + "Drove": "Guidavo", + "Due and upcoming tasks": "Compiti dovuti e imminenti", + "Edit": "Modificare", + "edit": "modificare", "Edit a contact": "Modifica un contatto", "Edit a journal": "Modifica un diario", "Edit a post": "Modifica un post", - "edited a note": "ha modificato una nota", + "edited a note": "modificato una nota", "Edit group": "Modifica gruppo", "Edit journal": "Modifica diario", - "Edit journal information": "Modifica informazioni diario", - "Edit journal metrics": "Modifica metriche diario", + "Edit journal information": "Modifica le informazioni del diario", + "Edit journal metrics": "Modifica le metriche del diario", "Edit names": "Modifica nomi", "Editor": "Editor", "Editor users have the ability to read, create, and update.": "Gli Editor hanno la possibilità di leggere, creare e aggiornare.", "Edit post": "Modifica post", "Edit Profile": "Modifica Profilo", - "Edit slice of life": "Modifica pezzo di vita", + "Edit slice of life": "Modifica spaccato di vita", "Edit the group": "Modifica il gruppo", - "Edit the slice of life": "Modifica il pezzo di vita", + "Edit the slice of life": "Modifica lo spaccato di vita", "Email": "Email", - "Email address": "Indirizzo email", - "Email address to send the invitation to": "Indirizzo email a cui inviare l'invito", + "Email address": "Indirizzo e-mail", + "Email address to send the invitation to": "Indirizzo email a cui inviare l’invito", "Email Password Reset Link": "Invia link di reset della password", "Enable": "Abilita", - "Enable all": "Abilita tutto", + "Enable all": "Attiva tutto", "Ensure your account is using a long, random password to stay secure.": "Assicurati che il tuo account utilizzi una password lunga e casuale per rimanere al sicuro.", - "Enter a number from 0 to 100000. No decimals.": "Inserisci un numero da 0 a 100000. Nessuna cifra decimale.", + "Enter a number from 0 to 100000. No decimals.": "Inserisci un numero compreso tra 0 e 100000. Nessun decimale.", "Events this month": "Eventi di questo mese", - "Events this week": "Eventi questa settimana", - "Events this year": "Eventi di quest'anno", + "Events this week": "Eventi di questa settimana", + "Events this year": "Eventi quest’anno", "Every": "Ogni", "ex-boyfriend": "ex ragazzo", "Exception:": "Eccezione:", "Existing company": "Azienda esistente", "External connections": "Connessioni esterne", + "Facebook": "Facebook", "Family": "Famiglia", - "Family summary": "Sommario familiare", + "Family summary": "Riepilogo della famiglia", "Favorites": "Preferiti", "Female": "Femmina", "Files": "File", - "Filter": "Filtra", - "Filter list or create a new label": "Filtra l'elenco o crea una nuova etichetta", - "Filter list or create a new tag": "Filtra l'elenco o crea un nuovo tag", - "Find a contact in this vault": "Trova un contatto in questa cassaforte", - "Finish enabling two factor authentication.": "Completa l'attivazione dell'autenticazione a due fattori.", - "First name": "Nome", - "First name Last name": "Nome Cognome", + "Filter": "Filtro", + "Filter list or create a new label": "Filtra l’elenco o crea una nuova etichetta", + "Filter list or create a new tag": "Filtra l’elenco o crea un nuovo tag", + "Find a contact in this vault": "Trova un contatto in questo caveau", + "Finish enabling two factor authentication.": "Completa l’attivazione dell’autenticazione a due fattori.", + "First name": "Nome di battesimo", + "First name Last name": "Nome e cognome", "First name Last name (nickname)": "Nome Cognome (soprannome)", - "Fish": "Pesci", + "Fish": "Pescare", "Food preferences": "Preferenze alimentari", "for": "per", "For:": "Per:", - "For advice": "Per consigli", + "For advice": "Per consiglio", "Forbidden": "Vietato", - "Forgot password?": "Ha dimenticato la password?", "Forgot your password?": "Password dimenticata?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Password dimenticata? Nessun problema. Inserisci l'email sulla quale ricevere un link con il reset della password che ti consentirà di sceglierne una nuova.", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Password dimenticata? Nessun problema. Inserisci l’email sulla quale ricevere un link con il reset della password che ti consentirà di sceglierne una nuova.", "For your security, please confirm your password to continue.": "Per la tua sicurezza, conferma la tua password per continuare.", "Found": "Trovato", "Friday": "Venerdì", @@ -451,133 +451,133 @@ "Gender": "Genere", "Gender and pronoun": "Genere e pronome", "Genders": "Generi", - "Gift center": "Centro regali", - "Gift occasions": "Occasioni regalo.", - "Gift occasions let you categorize all your gifts.": "Le occasioni regalo ti permettono di categorizzare tutti i tuoi regali.", - "Gift states": "Stati del regalo.", - "Gift states let you define the various states for your gifts.": "Gli stati del regalo ti permettono di definire i vari stati per i tuoi regali.", + "Gift occasions": "Occasioni regalo", + "Gift occasions let you categorize all your gifts.": "Le occasioni regalo ti consentono di classificare tutti i tuoi regali.", + "Gift states": "Stati del dono", + "Gift states let you define the various states for your gifts.": "Gli stati dei regali ti consentono di definire i vari stati dei tuoi regali.", "Give this email address a name": "Dai un nome a questo indirizzo email", "Goals": "Obiettivi", "Go back": "Torna indietro", "godchild": "figlioccio", "godparent": "padrino", "Google Maps": "Google Maps", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps offre la migliore precisione e dettagli, ma non è ideale dal punto di vista della privacy.", - "Got fired": "Licenziato", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps offre la massima precisione e dettagli, ma non è l’ideale dal punto di vista della privacy.", + "Got fired": "Stato licenziato", "Go to page :page": "Vai alla pagina :page", "grand child": "nipote", - "grand parent": "nonno\/nonna", - "Great! You have accepted the invitation to join the :team team.": "Grande! Hai accettato l'invito ad entrare nel team :team.", - "Group journal entries together with slices of life.": "Raggruppa gli appunti del diario insieme ai pezzi di vita.", + "grand parent": "nonno genitore", + "Great! You have accepted the invitation to join the :team team.": "Grande! Hai accettato l’invito ad entrare nel team :team.", + "Group journal entries together with slices of life.": "Raggruppa le voci del diario insieme agli spaccati di vita.", "Groups": "Gruppi", - "Groups let you put your contacts together in a single place.": "I gruppi ti consentono di mettere i tuoi contatti in un unico luogo.", + "Groups let you put your contacts together in a single place.": "I gruppi ti consentono di riunire i tuoi contatti in un unico posto.", "Group type": "Tipo di gruppo", "Group type: :name": "Tipo di gruppo: :name", - "Group types": "Tipi di gruppo.", - "Group types let you group people together.": "I tipi di gruppo ti permettono di raggruppare le persone insieme.", - "Had a promotion": "Promosso", - "Hamster": "Criceti", - "Have a great day,": "Buona giornata,", - "he\/him": "lui\/lui", + "Group types": "Tipi di gruppo", + "Group types let you group people together.": "I tipi di gruppo ti consentono di raggruppare le persone.", + "Had a promotion": "Ha avuto una promozione", + "Hamster": "Criceto", + "Have a great day,": "Vi auguro una buona giornata,", + "he/him": "lui/lui", "Hello!": "Ciao!", "Help": "Aiuto", "Hi :name": "Ciao :name", "Hinduist": "Induista", - "History of the notification sent": "Cronologia delle notifiche inviate", + "History of the notification sent": "Storico della notifica inviata", "Hobbies": "Hobby", "Home": "Casa", - "Horse": "Cavalli", + "Horse": "Cavallo", "How are you?": "Come stai?", - "How could I have done this day better?": "Come avrei potuto fare meglio questa giornata?", + "How could I have done this day better?": "Come avrei potuto vivere meglio questa giornata?", "How did you feel?": "Come ti sei sentito?", "How do you feel right now?": "Come ti senti adesso?", - "however, there are many, many new features that didn't exist before.": "tuttavia, ci sono molte, molte nuove funzionalità che non esistevano prima.", - "How much money was lent?": "Quanto denaro è stato prestato?", + "however, there are many, many new features that didn't exist before.": "tuttavia, ci sono moltissime nuove funzionalità che prima non esistevano.", + "How much money was lent?": "Quanti soldi sono stati prestati?", "How much was lent?": "Quanto è stato prestato?", - "How often should we remind you about this date?": "Quanto spesso dovremmo ricordarti questa data?", - "How should we display dates": "Come dovremmo visualizzare le date?", - "How should we display distance values": "Come dovremmo visualizzare i valori di distanza?", + "How often should we remind you about this date?": "Quanto spesso dovremmo ricordarti di questa data?", + "How should we display dates": "Come dovremmo visualizzare le date", + "How should we display distance values": "Come dovremmo visualizzare i valori della distanza?", "How should we display numerical values": "Come dovremmo visualizzare i valori numerici", - "I agree to the :terms and :policy": "Accetto i :terms e la :policy", + "I agree to the :terms and :policy": "Accetto i :terms e i :policy", "I agree to the :terms_of_service and :privacy_policy": "Accetto :terms_of_service e :privacy_policy", "I am grateful for": "Sono grato per", - "I called": "Ho chiamato io", + "I called": "ho chiamato", "I called, but :name didn’t answer": "Ho chiamato, ma :name non ha risposto", "Idea": "Idea", "I don’t know the name": "Non conosco il nome", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Se necessario, puoi disconnetterti da tutte le altre sessioni del browser su tutti i tuoi dispositivi. Se ritieni che il tuo account sia stato compromesso, dovresti anche aggiornare la tua password.", - "If the date is in the past, the next occurence of the date will be next year.": "Se la data è nel passato, la prossima occorrenza della data sarà l'anno prossimo.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Se non riesci a cliccare sul pulsante \":actionText\", copia e incolla l'URL seguente\nnel tuo browser:", + "If the date is in the past, the next occurence of the date will be next year.": "Se la data è nel passato, la prossima ricorrenza della data sarà l’anno prossimo.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Se non riesci a cliccare sul pulsante \":actionText\", copia e incolla l’URL seguente\nnel tuo browser:", "If you already have an account, you may accept this invitation by clicking the button below:": "Se hai già un account, puoi accettare questo invito cliccando sul pulsante seguente:", "If you did not create an account, no further action is required.": "Se non hai creato un account, non è richiesta alcuna azione.", "If you did not expect to receive an invitation to this team, you may discard this email.": "Se non aspettavi nessun invito per questo team, puoi ignorare questa email.", "If you did not request a password reset, no further action is required.": "Se non hai richiesto un reset della password, non è richiesta alcuna azione.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Se non hai un account, puoi crearne uno cliccando sul pulsante sotto. Dopo averlo creato, potrai cliccare il pulsante per accettare l'invito presente in questa email:", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Se non hai un account, puoi crearne uno cliccando sul pulsante sotto. Dopo averlo creato, potrai cliccare il pulsante per accettare l’invito presente in questa email:", "If you’ve received this invitation by mistake, please discard it.": "Se hai ricevuto questo invito per errore, scartalo.", - "I know the exact date, including the year": "So la data esatta, compreso l'anno", + "I know the exact date, including the year": "Conosco la data esatta, compreso l’anno", "I know the name": "Conosco il nome", - "Important dates": "Date importanti", - "Important date summary": "Sommario delle date importanti", - "in": "in", - "Information": "Informazioni", + "Important dates": "Appuntamenti importanti", + "Important date summary": "Riepilogo delle date importanti", + "in": "In", + "Information": "Informazione", "Information from Wikipedia": "Informazioni da Wikipedia", "in love with": "innamorato di", - "Inspirational post": "Post ispirazionale", - "Invitation sent": "Invito inviato", + "Inspirational post": "Post ispiratore", + "Invalid JSON was returned from the route.": "JSON non valido è stato restituito dalla route.", + "Invitation sent": "Invito spedito", "Invite a new user": "Invita un nuovo utente", "Invite someone": "Invita qualcuno", - "I only know a number of years (an age, for example)": "So solo un numero di anni (un'età, per esempio)", - "I only know the day and month, not the year": "So solo il giorno e il mese, non l'anno", - "it misses some of the features, the most important ones being the API and gift management,": "mancano alcune funzionalità, le più importanti sono l'API e la gestione dei regali,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Sembra che non ci siano ancora modelli nell'account. Aggiungi almeno un modello al tuo account prima di associare questo modello a questo contatto.", - "Jew": "Ebreo", + "I only know a number of years (an age, for example)": "Conosco solo un numero di anni (un’età, per esempio)", + "I only know the day and month, not the year": "Conosco solo il giorno e il mese, non l’anno", + "it misses some of the features, the most important ones being the API and gift management,": "mancano alcune funzionalità, le più importanti sono l’API e la gestione dei regali,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Sembra che non ci siano ancora modelli nell’account. Aggiungi prima almeno il modello al tuo account, quindi associa questo modello a questo contatto.", + "Jew": "ebreo", "Job information": "Informazioni sul lavoro", - "Job position": "Posizione lavorativa", - "Journal": "Diario", - "Journal entries": "Voci di diario", + "Job position": "Posto di lavoro", + "Journal": "rivista", + "Journal entries": "Voci del diario", "Journal metrics": "Metriche del diario", - "Journal metrics let you track data accross all your journal entries.": "Le metriche del diario ti consentono di tenere traccia dei dati in tutte le tue voci di diario.", - "Journals": "Diari", + "Journal metrics let you track data accross all your journal entries.": "Le metriche del diario ti consentono di tenere traccia dei dati in tutte le voci del tuo diario.", + "Journals": "Riviste", "Just because": "Solo perché", - "Just to say hello": "Solo per dire ciao", + "Just to say hello": "Solo per salutarti", "Key name": "Nome chiave", "kilometers (km)": "chilometri (km)", "km": "km", "Label:": "Etichetta:", "Labels": "Etichette", - "Labels let you classify contacts using a system that matters to you.": "Le etichette ti permettono di classificare i contatti utilizzando un sistema che ti interessa.", - "Language of the application": "Lingua dell'applicazione", + "Labels let you classify contacts using a system that matters to you.": "Le etichette ti consentono di classificare i contatti utilizzando un sistema che ti interessa.", + "Language of the application": "Lingua dell’applicazione", "Last active": "Ultima volta attivo", - "Last active :date": "Ultima attività :date", + "Last active :date": "Ultimo attivo :date", "Last name": "Cognome", - "Last name First name": "Cognome Nome", + "Last name First name": "Cognome nome", "Last updated": "Ultimo aggiornamento", "Last used": "Ultimo utilizzo", "Last used :date": "Ultimo utilizzo :date", "Leave": "Abbandona", "Leave Team": "Abbandona Team", "Life": "Vita", - "Life & goals": "Vita e obiettivi", - "Life events": "Eventi di vita", - "Life events let you document what happened in your life.": "Gli eventi di vita ti consentono di documentare ciò che è accaduto nella tua vita.", - "Life event types:": "Tipi di eventi di vita:", - "Life event types and categories": "Tipi e categorie di eventi di vita", - "Life metrics": "Metriche di vita", - "Life metrics let you track metrics that are important to you.": "Le metriche di vita ti consentono di tenere traccia delle metriche che sono importanti per te.", - "Link to documentation": "Link alla documentazione", + "Life & goals": "Obiettivi di vita", + "Life events": "Eventi della vita", + "Life events let you document what happened in your life.": "Gli eventi della vita ti consentono di documentare ciò che è accaduto nella tua vita.", + "Life event types:": "Tipi di eventi della vita:", + "Life event types and categories": "Tipi e categorie di eventi della vita", + "Life metrics": "Metriche della vita", + "Life metrics let you track metrics that are important to you.": "Le metriche sulla vita ti consentono di tenere traccia delle metriche importanti per te.", + "LinkedIn": "LinkedIn", "List of addresses": "Elenco degli indirizzi", - "List of addresses of the contacts in the vault": "Elenco degli indirizzi dei contatti nella cassaforte", + "List of addresses of the contacts in the vault": "Elenco degli indirizzi dei contatti nel caveau", "List of all important dates": "Elenco di tutte le date importanti", - "Loading…": "Caricamento in corso...", - "Load previous entries": "Carica voci precedenti", + "Loading…": "Caricamento…", + "Load previous entries": "Carica le voci precedenti", "Loans": "Prestiti", "Locale default: :value": "Impostazioni locali predefinite: :value", "Log a call": "Registra una chiamata", - "Log details": "Dettagli del log", - "logged the mood": "ha registrato l'umore", + "Log details": "Dettagli del registro", + "logged the mood": "registrato l’umore", "Log in": "Accedi", "Login": "Accedi", - "Login with:": "Accedi con:", + "Login with:": "Entra con:", "Log Out": "Esci", "Logout": "Esci", "Log Out Other Browser Sessions": "Esci da altre sessioni del Browser", @@ -585,79 +585,80 @@ "Love": "Amore", "loved by": "amato da", "lover": "amante", - "Made from all over the world. We ❤️ you.": "Fatto da tutto il mondo. Ti ❤️amo.", - "Maiden name": "Cognome da nubile", + "Made from all over the world. We ❤️ you.": "Provenienti da tutto il mondo. Noi ❤️ voi.", + "Maiden name": "Nome da nubile", "Male": "Maschio", "Manage Account": "Gestisci Account", "Manage accounts you have linked to your Customers account.": "Gestisci gli account che hai collegato al tuo account Clienti.", "Manage address types": "Gestisci i tipi di indirizzo", "Manage and log out your active sessions on other browsers and devices.": "Gestisci e disconnetti le tue sessioni attive su altri browser e dispositivi.", "Manage API Tokens": "Gestisci Token API", - "Manage call reasons": "Gestisci i motivi di chiamata", + "Manage call reasons": "Gestisci i motivi della chiamata", "Manage contact information types": "Gestisci i tipi di informazioni di contatto", "Manage currencies": "Gestisci le valute", - "Manage genders": "Gestisci i generi", - "Manage gift occasions": "Gestisci le occasioni di regalo", - "Manage gift states": "Gestisci gli stati del regalo", + "Manage genders": "Gestisci i sessi", + "Manage gift occasions": "Gestisci le occasioni regalo", + "Manage gift states": "Gestisci gli stati dei regali", "Manage group types": "Gestisci i tipi di gruppo", "Manage modules": "Gestisci i moduli", "Manage pet categories": "Gestisci le categorie di animali domestici", - "Manage post templates": "Gestisci i template di post", + "Manage post templates": "Gestisci i modelli di post", "Manage pronouns": "Gestisci i pronomi", "Manager": "Manager", - "Manage relationship types": "Gestisci i tipi di relazione", - "Manage religions": "Gestisci le religioni", + "Manage relationship types": "Gestire i tipi di relazione", + "Manage religions": "Gestire le religioni", "Manage Role": "Gestisci Ruoli", - "Manage storage": "Gestisci archiviazione", + "Manage storage": "Gestisci lo spazio di archiviazione", "Manage Team": "Gestisci Team", - "Manage templates": "Gestisci i template", - "Manage users": "Gestisci utenti", + "Manage templates": "Gestisci modelli", + "Manage users": "Gestisci gli utenti", + "Mastodon": "Mastodonte", "Maybe one of these contacts?": "Forse uno di questi contatti?", "mentor": "mentore", "Middle name": "Secondo nome", "miles": "miglia", "miles (mi)": "miglia (mi)", "Modules in this page": "Moduli in questa pagina", - "Monday": "Lunedì", + "Monday": "Lunedi", "Monica. All rights reserved. 2017 — :date.": "Monica. Tutti i diritti riservati. 2017 — :date.", - "Monica is open source, made by hundreds of people from all around the world.": "Monica è open source, creata da centinaia di persone provenienti da tutto il mondo.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica è open source, creata da centinaia di persone da tutto il mondo.", "Monica was made to help you document your life and your social interactions.": "Monica è stata creata per aiutarti a documentare la tua vita e le tue interazioni sociali.", "Month": "Mese", "month": "mese", - "Mood in the year": "Umore dell'anno", - "Mood tracking events": "Eventi di tracciamento dell'umore", - "Mood tracking parameters": "Parametri di monitoraggio dell'umore", - "More details": "Ulteriori dettagli", + "Mood in the year": "Umore durante l’anno", + "Mood tracking events": "Eventi di monitoraggio dell’umore", + "Mood tracking parameters": "Parametri di monitoraggio dell’umore", + "More details": "Più dettagli", "More errors": "Altri errori", "Move contact": "Sposta contatto", - "Muslim": "Musulmano", + "Muslim": "musulmano", "Name": "Nome", - "Name of the pet": "Nome dell'animale", + "Name of the pet": "Nome dell’animale domestico", "Name of the reminder": "Nome del promemoria", "Name of the reverse relationship": "Nome della relazione inversa", "Nature of the call": "Natura della chiamata", - "nephew\/niece": "nipote", + "nephew/niece": "nipote/nipote", "New Password": "Nuova password", - "New to Monica?": "Nuovo su Monica?", + "New to Monica?": "Nuovo per Monica?", "Next": "Prossimo", "Nickname": "Soprannome", "nickname": "soprannome", - "No cities have been added yet in any contact’s addresses.": "Non sono state ancora aggiunte città negli indirizzi di nessun contatto.", + "No cities have been added yet in any contact’s addresses.": "Nessuna città è stata ancora aggiunta agli indirizzi di nessun contatto.", "No contacts found.": "Nessun contatto trovato.", - "No countries have been added yet in any contact’s addresses.": "Non sono ancora stati aggiunti paesi in nessun indirizzo dei contatti.", + "No countries have been added yet in any contact’s addresses.": "Nessun paese è stato ancora aggiunto agli indirizzi dei contatti.", "No dates in this month.": "Nessuna data in questo mese.", - "No description yet.": "Ancora nessuna descrizione.", + "No description yet.": "Nessuna descrizione ancora.", "No groups found.": "Nessun gruppo trovato.", "No keys registered yet": "Nessuna chiave ancora registrata", - "No labels yet.": "Ancora nessuna etichetta.", - "No life event types yet.": "Non ci sono ancora tipi di eventi di vita.", + "No labels yet.": "Nessuna etichetta ancora.", + "No life event types yet.": "Nessun tipo di evento della vita ancora.", "No notes found.": "Nessuna nota trovata.", - "No results found": "Nessun risultato trovato", + "No results found": "nessun risultato trovato", "No role": "Nessun ruolo", - "No roles yet.": "Ancora nessun ruolo.", + "No roles yet.": "Nessun ruolo ancora.", "No tasks.": "Nessun compito.", - "Notes": "Note", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Nota che la rimozione di un modulo da una pagina non cancellerà i dati effettivi sulle tue pagine dei contatti. Li nasconderà semplicemente.", + "Notes": "Appunti", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Tieni presente che la rimozione di un modulo da una pagina non eliminerà i dati effettivi sulle pagine dei contatti. Lo nasconderà semplicemente.", "Not Found": "Non trovato", "Notification channels": "Canali di notifica", "Notification sent": "Notifica inviata", @@ -668,19 +669,19 @@ "of": "di", "Offered": "Offerto", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Una volta eliminato un team, tutte le sue risorse e i relativi dati verranno eliminati definitivamente. Prima di eliminare questo team, scarica tutti i dati o le relative informazioni che desideri conservare.", - "Once you cancel,": "Una volta che annulli,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Una volta cliccato sul pulsante Imposta qui sotto, dovrai aprire Telegram con il pulsante che ti forniremo. In questo modo individueremo il bot di Monica su Telegram per te.", + "Once you cancel,": "Una volta annullato,", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Dopo aver fatto clic sul pulsante Configurazione in basso, dovrai aprire Telegram con il pulsante che ti forniremo. Questo individuerà il bot Monica Telegram per te.", "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Una volta eliminato il tuo account, tutte le sue risorse e i relativi dati verranno eliminati definitivamente. Prima di eliminarlo, scarica tutti i dati o le informazioni che desideri conservare.", - "Only once, when the next occurence of the date occurs.": "Solo una volta, quando si verifica la prossima occorrenza della data.", - "Oops! Something went wrong.": "Oops! Qualcosa è andato storto.", - "Open Street Maps": "Open Street Maps", - "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps è un'ottima alternativa per la privacy, ma offre meno dettagli.", + "Only once, when the next occurence of the date occurs.": "Solo una volta, quando si verifica la successiva ricorrenza della data.", + "Oops! Something went wrong.": "Ops! Qualcosa è andato storto.", + "Open Street Maps": "Apri mappe stradali", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps è un’ottima alternativa alla privacy, ma offre meno dettagli.", "Open Telegram to validate your identity": "Apri Telegram per convalidare la tua identità", "optional": "opzionale", - "Or create a new one": "O crea una nuova", - "Or filter by type": "O filtra per tipo", - "Or remove the slice": "O rimuovi la fetta", - "Or reset the fields": "Oppure resetta i campi", + "Or create a new one": "Oppure creane uno nuovo", + "Or filter by type": "Oppure filtra per tipologia", + "Or remove the slice": "Oppure rimuovi la fetta", + "Or reset the fields": "Oppure reimposta i campi", "Other": "Altro", "Out of respect and appreciation": "Per rispetto e apprezzamento", "Page Expired": "Pagina scaduta", @@ -689,55 +690,55 @@ "Parent": "Genitore", "parent": "genitore", "Participants": "Partecipanti", - "Partner": "Partner", + "Partner": "Compagno", "Part of": "Parte di", "Password": "Password", "Payment Required": "Pagamento richiesto", "Pending Team Invitations": "Inviti al team in attesa", - "per\/per": "per\/per", + "per/per": "al/al", "Permanently delete this team.": "Elimina definitivamente questo team.", "Permanently delete your account.": "Elimina definitivamente il tuo account.", - "Permission for :name": "Permesso per :name", + "Permission for :name": "Autorizzazione per :name", "Permissions": "Permessi", "Personal": "Personale", "Personalize your account": "Personalizza il tuo account", - "Pet categories": "Categorie di animali domestici.", - "Pet categories let you add types of pets that contacts can add to their profile.": "Le categorie di animali domestici ti permettono di aggiungere tipi di animali domestici che i contatti possono aggiungere al loro profilo.", - "Pet category": "Categoria animale", + "Pet categories": "Categorie di animali domestici", + "Pet categories let you add types of pets that contacts can add to their profile.": "Le categorie di animali domestici ti consentono di aggiungere tipi di animali domestici che i contatti possono aggiungere al proprio profilo.", + "Pet category": "Categoria animali domestici", "Pets": "Animali domestici", "Phone": "Telefono", "Photo": "Foto", - "Photos": "Foto", + "Photos": "Fotografie", "Played basketball": "Giocato a basket", "Played golf": "Giocato a golf", "Played soccer": "Giocato a calcio", "Played tennis": "Giocato a tennis", "Please choose a template for this new post": "Scegli un modello per questo nuovo post", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Scegli un modello qui sotto per dire a Monica come visualizzare questo contatto. I modelli ti permettono di definire quali dati devono essere visualizzati sulla pagina dei contatti.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Scegli un modello qui sotto per indicare a Monica come dovrebbe essere visualizzato questo contatto. I modelli ti consentono di definire quali dati devono essere visualizzati nella pagina dei contatti.", "Please click the button below to verify your email address.": "Clicca sul pulsante qui sotto per verificare il tuo indirizzo email.", - "Please complete this form to finalize your account.": "Completa questo modulo per finalizzare il tuo account.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Conferma l'accesso al tuo account inserendo uno dei tuoi codici di ripristino di emergenza.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Conferma l'accesso al tuo account inserendo il codice di autenticazione fornito dalla tua applicazione di autenticazione.", - "Please confirm access to your account by validating your security key.": "Conferma l'accesso al tuo account convalidando la tua chiave di sicurezza.", + "Please complete this form to finalize your account.": "Compila questo modulo per finalizzare il tuo account.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Conferma l’accesso al tuo account inserendo uno dei tuoi codici di ripristino di emergenza.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Conferma l’accesso al tuo account inserendo il codice di autenticazione fornito dalla tua applicazione di autenticazione.", + "Please confirm access to your account by validating your security key.": "Conferma l’accesso al tuo account convalidando la chiave di sicurezza.", "Please copy your new API token. For your security, it won't be shown again.": "Copia il tuo nuovo Token API. Per la tua sicurezza, non verrà più mostrato.", - "Please copy your new API token. For your security, it won’t be shown again.": "Copia il tuo nuovo token API. Per la tua sicurezza, non verrà più mostrato.", + "Please copy your new API token. For your security, it won’t be shown again.": "Copia il tuo nuovo token API. Per la tua sicurezza, non verrà mostrato più.", "Please enter at least 3 characters to initiate a search.": "Inserisci almeno 3 caratteri per avviare una ricerca.", - "Please enter your password to cancel the account": "Inserisci la tua password per cancellare l'account", + "Please enter your password to cancel the account": "Inserisci la tua password per cancellare l’account", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Inserisci la tua password per confermare che desideri disconnetterti dalle altre sessioni del browser su tutti i tuoi dispositivi.", - "Please indicate the contacts": "Indicare i contatti", - "Please join Monica": "Unisciti a Monica", - "Please provide the email address of the person you would like to add to this team.": "Fornisci l'indirizzo email della persona che desideri aggiungere al team.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Leggi la nostra documentazione<\/link> per saperne di più su questa funzione e sulle variabili a cui hai accesso.", + "Please indicate the contacts": "Si prega di indicare i contatti", + "Please join Monica": "Per favore, unisciti a Monica", + "Please provide the email address of the person you would like to add to this team.": "Fornisci l’indirizzo email della persona che desideri aggiungere al team.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Leggi la nostra documentazione per saperne di più su questa funzione e a quali variabili hai accesso.", "Please select a page on the left to load modules.": "Seleziona una pagina a sinistra per caricare i moduli.", "Please type a few characters to create a new label.": "Digita alcuni caratteri per creare una nuova etichetta.", "Please type a few characters to create a new tag.": "Digita alcuni caratteri per creare un nuovo tag.", - "Please validate your email address": "Conferma il tuo indirizzo email", - "Please verify your email address": "Verifica il tuo indirizzo email", - "Postal code": "Codice postale", - "Post metrics": "Metriche del post", - "Posts": "Post", + "Please validate your email address": "Per favore convalida il tuo indirizzo email", + "Please verify your email address": "per cortesia verifichi il suo indirizzo email", + "Postal code": "Codice Postale", + "Post metrics": "Pubblica metriche", + "Posts": "Messaggi", "Posts in your journals": "Post nei tuoi diari", - "Post templates": "Modelli di post", + "Post templates": "Modelli di pubblicazione", "Prefix": "Prefisso", "Previous": "Precedente", "Previous addresses": "Indirizzi precedenti", @@ -749,21 +750,21 @@ "Profile page of :name": "Pagina del profilo di :name", "Pronoun": "Pronome", "Pronouns": "Pronomi", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "I pronomi sono essenzialmente come ci identifichiamo oltre al nostro nome. È come qualcuno si riferisce a te in conversazione.", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "I pronomi sono fondamentalmente il modo in cui ci identifichiamo a parte il nostro nome. È il modo in cui qualcuno si riferisce a te in una conversazione.", "protege": "protetto", "Protocol": "Protocollo", "Protocol: :name": "Protocollo: :name", "Province": "Provincia", - "Quick facts": "Dati rapidi", + "Quick facts": "I fatti in breve", "Quick facts let you document interesting facts about a contact.": "I fatti rapidi ti consentono di documentare fatti interessanti su un contatto.", "Quick facts template": "Modello di fatti rapidi", - "Quit job": "Lasciato lavoro", - "Rabbit": "Conigli", + "Quit job": "Lascia il lavoro", + "Rabbit": "Coniglio", "Ran": "Corso", - "Rat": "Ratti", - "Read :count time|Read :count times": "Letto :count volta|Letto :count volte", + "Rat": "Ratto", + "Read :count time|Read :count times": "Leggi :count volta|Letto :count volte", "Record a loan": "Registra un prestito", - "Record your mood": "Registra il tuo stato d'animo", + "Record your mood": "Registra il tuo umore", "Recovery Code": "Codice di ripristino", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Indipendentemente da dove ti trovi nel mondo, le date vengono visualizzate nel tuo fuso orario.", "Regards": "Distinti saluti", @@ -771,79 +772,79 @@ "Register": "Registrati", "Register a new key": "Registra una nuova chiave", "Register a new key.": "Registra una nuova chiave.", - "Regular post": "Post regolare", - "Regular user": "Utente normale", + "Regular post": "Posta regolare", + "Regular user": "Utente abituale", "Relationships": "Relazioni", "Relationship types": "Tipi di relazione", - "Relationship types let you link contacts and document how they are connected.": "I tipi di relazione ti consentono di collegare i contatti e documentare come sono collegati.", + "Relationship types let you link contacts and document how they are connected.": "I tipi di relazione ti consentono di collegare i contatti e documentare il modo in cui sono collegati.", "Religion": "Religione", "Religions": "Religioni", - "Religions is all about faith.": "La religione riguarda la fede.", + "Religions is all about faith.": "Le religioni riguardano esclusivamente la fede.", "Remember me": "Ricordami", - "Reminder for :name": "Promemoria per :nome", + "Reminder for :name": "Promemoria per :name", "Reminders": "Promemoria", "Reminders for the next 30 days": "Promemoria per i prossimi 30 giorni", - "Remind me about this date every year": "Ricordami di questa data ogni anno", - "Remind me about this date just once, in one year from now": "Ricordami di questa data solo una volta, fra un anno da adesso", + "Remind me about this date every year": "Ricordami questa data ogni anno", + "Remind me about this date just once, in one year from now": "Ricordami questa data solo una volta, tra un anno", "Remove": "Rimuovi", - "Remove avatar": "Rimuovi avatar", - "Remove cover image": "Rimuovi l'immagine di copertina", - "removed a label": "ha rimosso un'etichetta", - "removed the contact from a group": "ha rimosso il contatto da un gruppo", - "removed the contact from a post": "ha rimosso il contatto da un post", - "removed the contact from the favorites": "ha rimosso il contatto dai preferiti", + "Remove avatar": "Rimuovi l’avatar", + "Remove cover image": "Rimuovi l’immagine di copertina", + "removed a label": "rimosso un’etichetta", + "removed the contact from a group": "rimosso il contatto da un gruppo", + "removed the contact from a post": "rimosso il contatto da un post", + "removed the contact from the favorites": "rimosso il contatto dai preferiti", "Remove Photo": "Rimuovi Foto", "Remove Team Member": "Rimuovi membro del Team", - "Rename": "Rinomina", - "Reports": "Report", - "Reptile": "Rettili", + "Rename": "Rinominare", + "Reports": "Rapporti", + "Reptile": "Rettile", "Resend Verification Email": "Invia nuovamente email di verifica", "Reset Password": "Resetta la password", "Reset Password Notification": "Notifica di reset della password", "results": "risultati", "Retry": "Riprova", - "Revert": "Annulla", - "Rode a bike": "Ha guidato una bicicletta", + "Revert": "Ripristina", + "Rode a bike": "Andato in bicicletta", "Role": "Ruolo", "Roles:": "Ruoli:", - "Roomates": "Coinquilini", + "Roomates": "Compagni di stanza", "Saturday": "Sabato", "Save": "Salva", "Saved.": "Salvato.", "Saving in progress": "Salvataggio in corso", "Searched": "Cercato", - "Searching…": "Ricerca in corso...", + "Searching…": "Ricerca…", "Search something": "Cerca qualcosa", - "Search something in the vault": "Cerca qualcosa nella cassaforte", + "Search something in the vault": "Cerca qualcosa nel caveau", "Sections:": "Sezioni:", "Security keys": "Chiavi di sicurezza", - "Select a group or create a new one": "Seleziona un gruppo o crea un nuovo gruppo", + "Select a group or create a new one": "Seleziona un gruppo o creane uno nuovo", "Select A New Photo": "Seleziona una nuova foto", "Select a relationship type": "Seleziona un tipo di relazione", - "Send invitation": "Invia invito", + "Send invitation": "Spedire un invito", "Send test": "Invia prova", - "Sent at :time": "Inviato alle :time", + "Sent at :time": "Inviato a :time", "Server Error": "Errore server", "Service Unavailable": "Servizio non disponibile", "Set as default": "Imposta come predefinito", "Set as favorite": "Imposta come preferito", "Settings": "Impostazioni", - "Settle": "Salda", + "Settle": "Fissare", "Setup": "Impostare", "Setup Key": "Chiave di configurazione", "Setup Key:": "Chiave di configurazione:", - "Setup Telegram": "Imposta Telegram", - "she\/her": "lei\/lei", + "Setup Telegram": "Imposta Telegramma", + "she/her": "lei/lei", "Shintoist": "Shintoista", "Show Calendar tab": "Mostra la scheda Calendario", "Show Companies tab": "Mostra la scheda Aziende", - "Show completed tasks (:count)": "Mostra compiti completati (:count)", + "Show completed tasks (:count)": "Mostra attività completate (:count)", "Show Files tab": "Mostra la scheda File", "Show Groups tab": "Mostra la scheda Gruppi", "Showing": "Mostra", - "Showing :count of :total results": "Mostra :count di :total risultati", - "Showing :first to :last of :total results": "Mostra :first a :last di :total risultati", - "Show Journals tab": "Mostra la scheda Journals", + "Showing :count of :total results": "Visualizzazione di :count di :total risultati", + "Showing :first to :last of :total results": "Risultati da :first a :last di :total risultati", + "Show Journals tab": "Mostra la scheda Diari", "Show Recovery Codes": "Mostra codici di ripristino", "Show Reports tab": "Mostra la scheda Rapporti", "Show Tasks tab": "Mostra la scheda Attività", @@ -851,29 +852,28 @@ "Sign in to your account": "Accedi al tuo account", "Sign up for an account": "Registrati per un account", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Ha dormito :count ora|Ha dormito :count ore", - "Slice of life": "Pezzo di vita", - "Slices of life": "Fette di vita", - "Small animal": "Piccoli animali", + "Slept :count hour|Slept :count hours": "Ho dormito :count ora|Ho dormito :count ore", + "Slice of life": "Spaccato di vita", + "Slices of life": "Spaccati di vita", + "Small animal": "Piccolo animale", "Social": "Sociale", - "Some dates have a special type that we will use in the software to calculate an age.": "Alcune date hanno un tipo speciale che utilizzeremo nel software per calcolare un'età.", - "Sort contacts": "Ordina contatti", + "Some dates have a special type that we will use in the software to calculate an age.": "Alcune date hanno un tipo speciale che utilizzeremo nel software per calcolare l’età.", "So… it works 😼": "Quindi... funziona 😼", "Sport": "Sport", - "spouse": "coniuge", + "spouse": "Sposa", "Statistics": "Statistiche", - "Storage": "Archiviazione", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Salva questi codici di ripristino in un gestore di password sicuro. Possono essere utilizzati per ripristinare l'accesso al tuo account se il dispositivo di autenticazione a due fattori viene smarrito.", + "Storage": "Magazzinaggio", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Salva questi codici di ripristino in un gestore di password sicuro. Possono essere utilizzati per ripristinare l’accesso al tuo account se il dispositivo di autenticazione a due fattori viene smarrito.", "Submit": "Invia", - "subordinate": "subordinato", + "subordinate": "subordinare", "Suffix": "Suffisso", - "Summary": "Sommario", + "Summary": "Riepilogo", "Sunday": "Domenica", "Switch role": "Cambia ruolo", "Switch Teams": "Cambia Team", - "Tabs visibility": "Visibilità schede", + "Tabs visibility": "Visibilità delle schede", "Tags": "Tag", - "Tags let you classify journal posts using a system that matters to you.": "I tag ti consentono di classificare le voci del diario utilizzando un sistema che ti interessa.", + "Tags let you classify journal posts using a system that matters to you.": "I tag ti consentono di classificare i post del diario utilizzando un sistema che ti interessa.", "Taoist": "Taoista", "Tasks": "Compiti", "Team Details": "Dettagli Team", @@ -882,16 +882,15 @@ "Team Name": "Nome del Team", "Team Owner": "Proprietario del Team", "Team Settings": "Impostazioni del Team", - "Telegram": "Telegram", + "Telegram": "Telegramma", "Templates": "Modelli", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "I modelli ti consentono di personalizzare quali dati devono essere visualizzati sui tuoi contatti. Puoi definire quanti modelli desideri e scegliere quale modello dovrebbe essere utilizzato su quale contatto.", - "Terms of Service": "Termini d'uso del servizio", - "Test email for Monica": "Email di prova per Monica", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "I modelli ti consentono di personalizzare quali dati devono essere visualizzati sui tuoi contatti. Puoi definire tutti i modelli che desideri e scegliere quale modello utilizzare su quale contatto.", + "Terms of Service": "Termini d’uso del servizio", + "Test email for Monica": "Prova l’e-mail per Monica", "Test email sent!": "Email di prova inviata!", "Thanks,": "Grazie,", - "Thanks for giving Monica a try": "Grazie per aver provato Monica", - "Thanks for giving Monica a try.": "Grazie per aver provato Monica.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Grazie per esserti iscritto! Prima di iniziare, potresti verificare il tuo indirizzo email facendo clic sul link che ti abbiamo appena inviato? Se non hai ricevuto l'e-mail, saremo lieti di inviartene un'altra.", + "Thanks for giving Monica a try.": "Grazie per aver dato una possibilità a Monica.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Grazie per esserti iscritto! Prima di iniziare, potresti verificare il tuo indirizzo email facendo clic sul collegamento che ti abbiamo appena inviato via email? Se non hai ricevuto l’e-mail, te ne invieremo volentieri un’altra.", "The :attribute must be at least :length characters.": ":Attribute deve contenere almeno :length caratteri.", "The :attribute must be at least :length characters and contain at least one number.": ":Attribute deve contenere almeno :length caratteri ed un numero.", "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute deve contenere almeno :length caratteri ed un carattere speciale.", @@ -901,7 +900,7 @@ "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute deve contenere almeno :length caratteri, una maiuscola e un numero.", "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute deve contenere almeno :length caratteri, una maiuscola e un carattere speciale.", "The :attribute must be a valid role.": ":Attribute deve avere un ruolo valido.", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "I dati dell'account verranno eliminati permanentemente dai nostri server entro 30 giorni e da tutti i backup entro 60 giorni.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "I dati dell’account verranno eliminati definitivamente dai nostri server entro 30 giorni e da tutti i backup entro 60 giorni.", "The address type has been created": "Il tipo di indirizzo è stato creato", "The address type has been deleted": "Il tipo di indirizzo è stato eliminato", "The address type has been updated": "Il tipo di indirizzo è stato aggiornato", @@ -916,371 +915,369 @@ "The call reason type has been updated": "Il tipo di motivo della chiamata è stato aggiornato", "The channel has been added": "Il canale è stato aggiunto", "The channel has been updated": "Il canale è stato aggiornato", - "The contact does not belong to any group yet.": "Il contatto non appartiene ancora a nessun gruppo.", + "The contact does not belong to any group yet.": "Il contatto non appartiene ancora ad alcun gruppo.", "The contact has been added": "Il contatto è stato aggiunto", "The contact has been deleted": "Il contatto è stato eliminato", "The contact has been edited": "Il contatto è stato modificato", "The contact has been removed from the group": "Il contatto è stato rimosso dal gruppo", - "The contact information has been created": "L'informazione di contatto è stata creata", - "The contact information has been deleted": "L'informazione di contatto è stata eliminata", - "The contact information has been edited": "L'informazione di contatto è stata modificata", - "The contact information type has been created": "Il tipo di informazione sui contatti è stato creato", - "The contact information type has been deleted": "Il tipo di informazione sui contatti è stato eliminato", - "The contact information type has been updated": "Il tipo di informazione sui contatti è stato aggiornato", + "The contact information has been created": "Le informazioni di contatto sono state create", + "The contact information has been deleted": "Le informazioni di contatto sono state cancellate", + "The contact information has been edited": "Le informazioni di contatto sono state modificate", + "The contact information type has been created": "Il tipo di informazioni di contatto è stato creato", + "The contact information type has been deleted": "Il tipo di informazioni di contatto è stato eliminato", + "The contact information type has been updated": "Il tipo di informazioni di contatto è stato aggiornato", "The contact is archived": "Il contatto è archiviato", "The currencies have been updated": "Le valute sono state aggiornate", "The currency has been updated": "La valuta è stata aggiornata", "The date has been added": "La data è stata aggiunta", - "The date has been deleted": "La data è stata eliminata", + "The date has been deleted": "La data è stata cancellata", "The date has been updated": "La data è stata aggiornata", "The document has been added": "Il documento è stato aggiunto", "The document has been deleted": "Il documento è stato eliminato", - "The email address has been deleted": "L'indirizzo email è stato eliminato", - "The email has been added": "L'email è stata aggiunta", - "The email is already taken. Please choose another one.": "L'e-mail è già stata presa. Si prega di sceglierne un altro.", - "The gender has been created": "Il genere è stato creato.", - "The gender has been deleted": "Il genere è stato eliminato.", - "The gender has been updated": "Il genere è stato aggiornato.", - "The gift occasion has been created": "L'occasione del regalo è stata creata.", - "The gift occasion has been deleted": "L'occasione del regalo è stata eliminata.", - "The gift occasion has been updated": "L'occasione del regalo è stata aggiornata.", - "The gift state has been created": "Lo stato del regalo è stato creato.", - "The gift state has been deleted": "Lo stato del regalo è stato eliminato.", - "The gift state has been updated": "Lo stato del regalo è stato aggiornato.", + "The email address has been deleted": "L’indirizzo email è stato cancellato", + "The email has been added": "L’e-mail è stata aggiunta", + "The email is already taken. Please choose another one.": "L’e-mail è già occupata. Per favore scegline un altro.", + "The gender has been created": "Il genere è stato creato", + "The gender has been deleted": "Il sesso è stato cancellato", + "The gender has been updated": "Il genere è stato aggiornato", + "The gift occasion has been created": "L’occasione regalo è stata creata", + "The gift occasion has been deleted": "L’occasione del regalo è stata eliminata", + "The gift occasion has been updated": "L’occasione del regalo è stata aggiornata", + "The gift state has been created": "Lo stato dono è stato creato", + "The gift state has been deleted": "Lo stato del regalo è stato eliminato", + "The gift state has been updated": "Lo stato del regalo è stato aggiornato", "The given data was invalid.": "I dati forniti non sono validi.", - "The goal has been created": "L'obiettivo è stato creato", - "The goal has been deleted": "L'obiettivo è stato eliminato", - "The goal has been edited": "L'obiettivo è stato modificato", + "The goal has been created": "L’obiettivo è stato creato", + "The goal has been deleted": "L’obiettivo è stato eliminato", + "The goal has been edited": "L’obiettivo è stato modificato", "The group has been added": "Il gruppo è stato aggiunto", "The group has been deleted": "Il gruppo è stato eliminato", "The group has been updated": "Il gruppo è stato aggiornato", - "The group type has been created": "Il tipo di gruppo è stato creato.", - "The group type has been deleted": "Il tipo di gruppo è stato eliminato.", - "The group type has been updated": "Il tipo di gruppo è stato aggiornato.", + "The group type has been created": "Il tipo di gruppo è stato creato", + "The group type has been deleted": "Il tipo di gruppo è stato eliminato", + "The group type has been updated": "Il tipo di gruppo è stato aggiornato", "The important dates in the next 12 months": "Le date importanti nei prossimi 12 mesi", "The job information has been saved": "Le informazioni sul lavoro sono state salvate", - "The journal lets you document your life with your own words.": "Il diario ti consente di documentare la tua vita con le tue parole.", - "The keys to manage uploads have not been set in this Monica instance.": "Le chiavi per gestire gli upload non sono state impostate in questa istanza di Monica.", - "The label has been added": "L'etichetta è stata aggiunta", - "The label has been created": "L'etichetta è stata creata", - "The label has been deleted": "L'etichetta è stata eliminata", - "The label has been updated": "L'etichetta è stata aggiornata", - "The life metric has been created": "La metrica di vita è stata creata", - "The life metric has been deleted": "La metrica di vita è stata eliminata", - "The life metric has been updated": "La metrica di vita è stata aggiornata", - "The loan has been created": "Il prestito è stato creato.", - "The loan has been deleted": "Il prestito è stato eliminato.", - "The loan has been edited": "Il prestito è stato modificato.", - "The loan has been settled": "Il prestito è stato saldato.", + "The journal lets you document your life with your own words.": "Il diario ti consente di documentare la tua vita con parole tue.", + "The keys to manage uploads have not been set in this Monica instance.": "Le chiavi per gestire i caricamenti non sono state impostate in questa istanza di Monica.", + "The label has been added": "L’etichetta è stata aggiunta", + "The label has been created": "L’etichetta è stata creata", + "The label has been deleted": "L’etichetta è stata eliminata", + "The label has been updated": "L’etichetta è stata aggiornata", + "The life metric has been created": "La metrica della vita è stata creata", + "The life metric has been deleted": "La metrica della vita è stata eliminata", + "The life metric has been updated": "La metrica della vita è stata aggiornata", + "The loan has been created": "Il prestito è stato creato", + "The loan has been deleted": "Il prestito è stato cancellato", + "The loan has been edited": "Il prestito è stato modificato", + "The loan has been settled": "Il prestito è stato saldato", "The loan is an object": "Il prestito è un oggetto", "The loan is monetary": "Il prestito è monetario", "The module has been added": "Il modulo è stato aggiunto", "The module has been removed": "Il modulo è stato rimosso", - "The note has been created": "La nota è stata creata.", - "The note has been deleted": "La nota è stata eliminata.", - "The note has been edited": "La nota è stata modificata.", + "The note has been created": "La nota è stata creata", + "The note has been deleted": "La nota è stata eliminata", + "The note has been edited": "La nota è stata modificata", "The notification has been sent": "La notifica è stata inviata", - "The operation either timed out or was not allowed.": "L'operazione è scaduta o non è stata consentita.", + "The operation either timed out or was not allowed.": "L’operazione è scaduta o non è stata consentita.", "The page has been added": "La pagina è stata aggiunta", "The page has been deleted": "La pagina è stata eliminata", "The page has been updated": "La pagina è stata aggiornata", "The password is incorrect.": "La password non è corretta.", - "The pet category has been created": "La categoria di animali domestici è stata creata.", - "The pet category has been deleted": "La categoria di animali domestici è stata eliminata", - "The pet category has been updated": "La categoria di animali domestici è stata aggiornata", - "The pet has been added": "L'animale domestico è stato aggiunto.", - "The pet has been deleted": "L'animale domestico è stato eliminato.", - "The pet has been edited": "L'animale domestico è stato modificato.", - "The photo has been added": "La foto è stata aggiunta.", - "The photo has been deleted": "La foto è stata eliminata.", + "The pet category has been created": "La categoria animali domestici è stata creata", + "The pet category has been deleted": "La categoria degli animali domestici è stata eliminata", + "The pet category has been updated": "La categoria degli animali domestici è stata aggiornata", + "The pet has been added": "L’animale domestico è stato aggiunto", + "The pet has been deleted": "L’animale è stato eliminato", + "The pet has been edited": "L’animale domestico è stato modificato", + "The photo has been added": "La foto è stata aggiunta", + "The photo has been deleted": "La foto è stata eliminata", "The position has been saved": "La posizione è stata salvata", "The post template has been created": "Il modello di post è stato creato", "The post template has been deleted": "Il modello di post è stato eliminato", "The post template has been updated": "Il modello di post è stato aggiornato", "The pronoun has been created": "Il pronome è stato creato", - "The pronoun has been deleted": "Il pronome è stato eliminato", + "The pronoun has been deleted": "Il pronome è stato cancellato", "The pronoun has been updated": "Il pronome è stato aggiornato", "The provided password does not match your current password.": "La password fornita non corrisponde alla password corrente.", "The provided password was incorrect.": "La password fornita non è corretta.", "The provided two factor authentication code was invalid.": "Il codice di autenticazione a due fattori fornito non è valido.", - "The provided two factor recovery code was invalid.": "Il codice di recupero fornito per l'autenticazione ha due fattori non è valido.", + "The provided two factor recovery code was invalid.": "Il codice di recupero fornito per l’autenticazione ha due fattori non è valido.", "There are no active addresses yet.": "Non ci sono ancora indirizzi attivi.", "There are no calls logged yet.": "Non ci sono ancora chiamate registrate.", "There are no contact information yet.": "Non ci sono ancora informazioni di contatto.", "There are no documents yet.": "Non ci sono ancora documenti.", - "There are no events on that day, future or past.": "Non ci sono eventi in quel giorno, futuro o passato.", + "There are no events on that day, future or past.": "Non ci sono eventi in quel giorno, futuri o passati.", "There are no files yet.": "Non ci sono ancora file.", "There are no goals yet.": "Non ci sono ancora obiettivi.", - "There are no journal metrics.": "Non ci sono metriche di diario.", + "There are no journal metrics.": "Non ci sono metriche del giornale.", "There are no loans yet.": "Non ci sono ancora prestiti.", "There are no notes yet.": "Non ci sono ancora note.", "There are no other users in this account.": "Non ci sono altri utenti in questo account.", "There are no pets yet.": "Non ci sono ancora animali domestici.", - "There are no photos yet.": "Non ci sono ancora foto.", - "There are no posts yet.": "Non ci sono ancora post.", - "There are no quick facts here yet.": "Non ci sono ancora dati rapidi qui.", + "There are no photos yet.": "Non ci sono ancora foto", + "There are no posts yet.": "Non ci sono ancora post", + "There are no quick facts here yet.": "Non ci sono ancora fatti rapidi qui.", "There are no relationships yet.": "Non ci sono ancora relazioni.", "There are no reminders yet.": "Non ci sono ancora promemoria.", - "There are no tasks yet.": "Non ci sono ancora compiti.", - "There are no templates in the account. Go to the account settings to create one.": "Non ci sono modelli nell'account. Vai alle impostazioni dell'account per crearne uno.", - "There is no activity yet.": "Non c'è ancora attività.", - "There is no currencies in this account.": "Non ci sono valute in questo account.", + "There are no tasks yet.": "Non ci sono ancora attività.", + "There are no templates in the account. Go to the account settings to create one.": "Non sono presenti modelli nell’account. Vai alle impostazioni dell’account per crearne uno.", + "There is no activity yet.": "Non c’è ancora alcuna attività.", + "There is no currencies in this account.": "Non ci sono valute in questo conto.", "The relationship has been added": "La relazione è stata aggiunta", "The relationship has been deleted": "La relazione è stata eliminata", "The relationship type has been created": "Il tipo di relazione è stato creato", "The relationship type has been deleted": "Il tipo di relazione è stato eliminato", "The relationship type has been updated": "Il tipo di relazione è stato aggiornato", "The religion has been created": "La religione è stata creata", - "The religion has been deleted": "La religione è stata eliminata", + "The religion has been deleted": "La religione è stata cancellata", "The religion has been updated": "La religione è stata aggiornata", "The reminder has been created": "Il promemoria è stato creato", "The reminder has been deleted": "Il promemoria è stato eliminato", "The reminder has been edited": "Il promemoria è stato modificato", - "The role has been created": "Il ruolo è stato creato.", - "The role has been deleted": "Il ruolo è stato eliminato.", - "The role has been updated": "Il ruolo è stato aggiornato.", + "The response is not a streamed response.": "La risposta non è una risposta in streaming.", + "The response is not a view.": "La risposta non è una visione.", + "The role has been created": "Il ruolo è stato creato", + "The role has been deleted": "Il ruolo è stato eliminato", + "The role has been updated": "Il ruolo è stato aggiornato", "The section has been created": "La sezione è stata creata", "The section has been deleted": "La sezione è stata eliminata", "The section has been updated": "La sezione è stata aggiornata", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Queste persone sono state invitate nel tuo team e gli è stata inviata un'email di invito. Entreranno a far parte del team una volta accettata l'email di invito.", - "The tag has been added": "Il tag è stato aggiunto", - "The tag has been created": "Il tag è stato creato", - "The tag has been deleted": "Il tag è stato eliminato", - "The tag has been updated": "Il tag è stato aggiornato", - "The task has been created": "Il compito è stato creato", - "The task has been deleted": "Il compito è stato eliminato", - "The task has been edited": "Il compito è stato modificato", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Queste persone sono state invitate nel tuo team e gli è stata inviata un’email di invito. Entreranno a far parte del team una volta accettata l’email di invito.", + "The tag has been added": "L’etichetta è stata aggiunta", + "The tag has been created": "L’etichetta è stata creata", + "The tag has been deleted": "L’etichetta è stata eliminata", + "The tag has been updated": "L’etichetta è stata aggiornata", + "The task has been created": "L’attività è stata creata", + "The task has been deleted": "L’attività è stata eliminata", + "The task has been edited": "L’attività è stata modificata", "The team's name and owner information.": "Il nome del team e le informazioni sul proprietario.", - "The Telegram channel has been deleted": "Il canale Telegram è stato eliminato", + "The Telegram channel has been deleted": "Il canale Telegram è stato cancellato", "The template has been created": "Il modello è stato creato", - "The template has been deleted": "Il template è stato cancellato", + "The template has been deleted": "Il modello è stato eliminato", "The template has been set": "Il modello è stato impostato", - "The template has been updated": "Il template è stato aggiornato", - "The test email has been sent": "L'email di prova è stata inviata", - "The type has been created": "Il tipo è stato creato.", - "The type has been deleted": "Il tipo è stato eliminato.", - "The type has been updated": "Il tipo è stato aggiornato.", - "The user has been added": "L'utente è stato aggiunto", - "The user has been deleted": "L'utente è stato eliminato", - "The user has been removed": "L'utente è stato rimosso", - "The user has been updated": "L'utente è stato aggiornato", - "The vault has been created": "La cassaforte è stata creata", - "The vault has been deleted": "La cassaforte è stata eliminata", - "The vault have been updated": "La cassaforte è stata aggiornata.", - "they\/them": "loro\/loro", + "The template has been updated": "Il modello è stato aggiornato", + "The test email has been sent": "L’e-mail di prova è stata inviata", + "The type has been created": "Il tipo è stato creato", + "The type has been deleted": "Il tipo è stato eliminato", + "The type has been updated": "Il tipo è stato aggiornato", + "The user has been added": "L’utente è stato aggiunto", + "The user has been deleted": "L’utente è stato eliminato", + "The user has been removed": "L’utente è stato rimosso", + "The user has been updated": "L’utente è stato aggiornato", + "The vault has been created": "Il caveau è stato creato", + "The vault has been deleted": "Il deposito è stato eliminato", + "The vault have been updated": "Il vault è stato aggiornato", + "they/them": "loro/loro", "This address is not active anymore": "Questo indirizzo non è più attivo", "This device": "Questo dispositivo", - "This email is a test email to check if Monica can send an email to this email address.": "Questa e-mail è un'e-mail di prova per verificare se Monica può inviare un'e-mail a questo indirizzo e-mail.", - "This is a secure area of the application. Please confirm your password before continuing.": "Questa è un'area protetta dell'applicazione. Per piacere conferma la tua password per continuare.", - "This is a test email": "Questa è un'e-mail di prova", - "This is a test notification for :name": "Questa è una notifica di test per :name", - "This key is already registered. It’s not necessary to register it again.": "Questa chiave è già registrata. Non è necessario registrarlo di nuovo.", - "This link will open in a new tab": "Questo link si aprirà in una nuova scheda", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Questa pagina mostra tutte le notifiche che sono state inviate in questo canale in passato. Serve principalmente come metodo di debug in caso non ricevessi la notifica che hai impostato.", + "This email is a test email to check if Monica can send an email to this email address.": "Questa email è un’email di prova per verificare se Monica può inviare un’email a questo indirizzo email.", + "This is a secure area of the application. Please confirm your password before continuing.": "Questa è un’area protetta dell’applicazione. Per piacere conferma la tua password per continuare.", + "This is a test email": "Questa è un’e-mail di prova", + "This is a test notification for :name": "Questa è una notifica di prova per :name", + "This key is already registered. It’s not necessary to register it again.": "Questa chiave è già registrata. Non è necessario registrarlo nuovamente.", + "This link will open in a new tab": "Questo collegamento si aprirà in una nuova scheda", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "In questa pagina vengono visualizzate tutte le notifiche inviate in questo canale in passato. Serve principalmente come modo per eseguire il debug nel caso in cui non ricevi la notifica che hai impostato.", "This password does not match our records.": "Questa password non corrisponde ai nostri record.", "This password reset link will expire in :count minutes.": "Questo link di reset della password scadrà tra :count minuti.", - "This post has no content yet.": "Questo post non ha ancora contenuti.", - "This provider is already associated with another account": "Questo provider è già associato a un altro account", + "This post has no content yet.": "Questo post non ha ancora contenuto.", + "This provider is already associated with another account": "Questo fornitore è già associato a un altro account", "This site is open source.": "Questo sito è open source.", - "This template will define what information are displayed on a contact page.": "Questo template definirà quali informazioni saranno visualizzate sulla pagina di un contatto.", + "This template will define what information are displayed on a contact page.": "Questo modello definirà quali informazioni verranno visualizzate in una pagina di contatto.", "This user already belongs to the team.": "Questo utente fa già parte del team.", "This user has already been invited to the team.": "Questo utente è stato già invitato nel team.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Questo utente farà parte del tuo account, ma non avrà accesso a tutte le cassette di sicurezza in questo account a meno che tu non dia loro un accesso specifico. Questa persona potrà anche creare cassette di sicurezza.", - "This will immediately:": "Questo farà immediatamente:", - "Three things that happened today": "Tre cose che sono successe oggi", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Questo utente farà parte del tuo account, ma non avrà accesso a tutte le casseforti in questo account a meno che tu non fornisca loro un accesso specifico. Questa persona sarà anche in grado di creare depositi.", + "This will immediately:": "Ciò consentirà immediatamente:", + "Three things that happened today": "Tre cose accadute oggi", "Thursday": "Giovedì", "Timezone": "Fuso orario", "Title": "Titolo", "to": "a", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Per completare l'attivazione dell'autenticazione a due fattori, scansiona il QR code seguente usando l'app di autenticazione sul tuo cellulare oppure scrivi la chiave di configurazione e fornisci il codice OTP generato.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Per completare l'abilitazione dell'autenticazione a due fattori, scansiona il seguente codice QR utilizzando l'applicazione di autenticazione del telefono o inserisci la chiave di configurazione e fornisci il codice OTP generato.", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Per completare l’attivazione dell’autenticazione a due fattori, scansiona il QR code seguente usando l’app di autenticazione sul tuo cellulare oppure scrivi la chiave di configurazione e fornisci il codice OTP generato.", "Toggle navigation": "Cambia navigazione", "To hear their story": "Per ascoltare la loro storia", "Token Name": "Nome del Token", "Token name (for your reference only)": "Nome del token (solo per riferimento)", - "Took a new job": "Preso un nuovo lavoro", - "Took the bus": "Ha preso l'autobus", - "Took the metro": "Ha preso la metropolitana", + "Took a new job": "Ho preso un nuovo lavoro", + "Took the bus": "Ho preso l’autobus", + "Took the metro": "Ho preso la metropolitana", "Too Many Requests": "Troppe richieste", "To see if they need anything": "Per vedere se hanno bisogno di qualcosa", - "To start, you need to create a vault.": "Per iniziare, è necessario creare una cassaforte.", + "To start, you need to create a vault.": "Per iniziare, è necessario creare un deposito.", "Total:": "Totale:", - "Total streaks": "Totale delle strisce", + "Total streaks": "Strisce totali", "Track a new metric": "Tieni traccia di una nuova metrica", "Transportation": "Trasporti", "Tuesday": "Martedì", "Two-factor Confirmation": "Conferma a due fattori", "Two Factor Authentication": "Autenticazione a due fattori", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "L'autenticazione a due fattori è stata attivata. Scansiona il QR code seguente usando l'app di autenticazione sul tuo cellulare oppure scrivi il codice di configurazione.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "L'autenticazione a due fattori è ora abilitata. Scansiona il seguente codice QR utilizzando l'applicazione di autenticazione del telefono o inserisci la chiave di configurazione.", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "L’autenticazione a due fattori è stata attivata. Scansiona il QR code seguente usando l’app di autenticazione sul tuo cellulare oppure scrivi il codice di configurazione.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "L’autenticazione a due fattori è ora abilitata. Scansiona il seguente codice QR utilizzando l’applicazione di autenticazione del tuo telefono o inserisci la chiave di configurazione.", "Type": "Tipo", "Type:": "Tipo:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Digita qualsiasi cosa nella conversazione con il bot di Monica. Puoi scrivere 'start' per esempio.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Digita qualsiasi cosa nella conversazione con il bot Monica. Può essere \"inizio\" per esempio.", "Types": "Tipi", - "Type something": "Digita qualcosa", - "Unarchive contact": "Annulla archiviazione contatto", - "unarchived the contact": "ha disarchiviato il contatto", + "Type something": "Scrivi qualcosa", + "Unarchive contact": "Contatto di estrazione dall’archivio", + "unarchived the contact": "ha annullato l’archiviazione del contatto", "Unauthorized": "Non autorizzato", - "uncle\/aunt": "zio\/zia", + "uncle/aunt": "zio/Zia", "Undefined": "Non definito", - "Unexpected error on login.": "Errore imprevisto durante l'accesso.", + "Unexpected error on login.": "Errore imprevisto all’accesso.", "Unknown": "Sconosciuto", "unknown action": "azione sconosciuta", "Unknown age": "Età sconosciuta", - "Unknown contact name": "Nome del contatto sconosciuto", "Unknown name": "Nome sconosciuto", - "Update": "Aggiorna", + "Update": "Aggiornamento", "Update a key.": "Aggiorna una chiave.", - "updated a contact information": "ha aggiornato un'informazione di contatto", - "updated a goal": "ha aggiornato un obiettivo", - "updated an address": "ha aggiornato un indirizzo", - "updated an important date": "ha aggiornato una data importante", - "updated a pet": "ha aggiornato un animale domestico", + "updated a contact information": "aggiornato un’informazione di contatto", + "updated a goal": "aggiornato un obiettivo", + "updated an address": "aggiornato un indirizzo", + "updated an important date": "aggiornata una data importante", + "updated a pet": "aggiornato un animale domestico", "Updated on :date": "Aggiornato il :date", - "updated the avatar of the contact": "ha aggiornato l'avatar del contatto", - "updated the contact information": "ha aggiornato le informazioni di contatto", - "updated the job information": "ha aggiornato le informazioni sul lavoro", - "updated the religion": "ha aggiornato la religione", + "updated the avatar of the contact": "aggiornato l’avatar del contatto", + "updated the contact information": "aggiornato le informazioni di contatto", + "updated the job information": "aggiornato le informazioni sul lavoro", + "updated the religion": "aggiornato la religione", "Update Password": "Aggiorna Password", - "Update your account's profile information and email address.": "Aggiorna le informazioni del profilo e l'indirizzo email del tuo account.", - "Update your account’s profile information and email address.": "Aggiorna le informazioni del profilo del tuo account e l'indirizzo email.", - "Upload photo as avatar": "Carica la foto come avatar", - "Use": "Usa", + "Update your account's profile information and email address.": "Aggiorna le informazioni del profilo e l’indirizzo email del tuo account.", + "Upload photo as avatar": "Carica foto come avatar", + "Use": "Utilizzo", "Use an authentication code": "Usa un codice di autenticazione", "Use a recovery code": "Usa un codice di ripristino", - "Use a security key (Webauthn, or FIDO) to increase your account security.": "Usa una chiave di sicurezza (Webauthn o FIDO) per aumentare la sicurezza del tuo account.", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "Utilizza una chiave di sicurezza (Webauthn o FIDO) per aumentare la sicurezza del tuo account.", "User preferences": "Preferenze utente", "Users": "Utenti", "User settings": "Impostazioni utente", "Use the following template for this contact": "Utilizza il seguente modello per questo contatto", "Use your password": "Usa la tua password", "Use your security key": "Usa la tua chiave di sicurezza", - "Validating key…": "Chiave di convalida…", + "Validating key…": "Convalida chiave…", "Value copied into your clipboard": "Valore copiato negli appunti", - "Vaults contain all your contacts data.": "Le cassette di sicurezza contengono tutti i dati dei tuoi contatti.", - "Vault settings": "Impostazioni della cassaforte", - "ve\/ver": "ve\/ver", + "Vaults contain all your contacts data.": "Le casseforti contengono tutti i dati dei tuoi contatti.", + "Vault settings": "Impostazioni del deposito", + "ve/ver": "ve/ver", "Verification email sent": "Email di verifica inviata", "Verified": "Verificato", "Verify Email Address": "Verifica indirizzo email", "Verify this email address": "Verifica questo indirizzo email", - "Version :version — commit [:short](:url).": "Versione :version - commit [:short](:url).", - "Via Telegram": "Tramite Telegram", - "Video call": "Chiamata video", - "View": "Visualizza", - "View all": "Visualizza tutti", + "Version :version — commit [:short](:url).": "Versione :version — commit [:short](:url).", + "Via Telegram": "Tramite Telegramma", + "Video call": "Video chiamata", + "View": "Visualizzazione", + "View all": "Mostra tutto", "View details": "Visualizza dettagli", - "Viewer": "Visualizzatore", + "Viewer": "Spettatore", "View history": "Visualizza la cronologia", - "View log": "Visualizza log", + "View log": "Vista del registro", "View on map": "Visualizza sulla mappa", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Attendi qualche secondo affinché Monica (l'applicazione) ti riconosca. Ti invieremo una notifica fittizia per verificare se funziona.", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Attendi qualche secondo affinché Monica (l’applicazione) ti riconosca. Ti invieremo una notifica falsa per vedere se funziona.", "Waiting for key…": "In attesa della chiave...", - "Walked": "Ha camminato", + "Walked": "Camminava", "Wallpaper": "Sfondo", - "Was there a reason for the call?": "C'era un motivo per la chiamata?", - "Watched a movie": "Ha guardato un film", - "Watched a tv show": "Guardato una serie TV", - "Watched TV": "Guardato la TV", + "Was there a reason for the call?": "C’era un motivo per la chiamata?", + "Watched a movie": "Guardato un film", + "Watched a tv show": "Ho guardato un programma televisivo", + "Watched TV": "Ho guardato la tv", "Watch Netflix every day": "Guarda Netflix ogni giorno", "Ways to connect": "Modi per connettersi", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn supporta solo connessioni sicure. Carica questa pagina con lo schema https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Li chiamiamo una relazione e la sua relazione inversa. Per ogni relazione che definisci, devi definire il suo controparte.", - "Wedding": "Matrimonio", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn supporta solo connessioni sicure. Si prega di caricare questa pagina con lo schema https.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Le chiamiamo relazione, e la sua relazione inversa. Per ogni relazione che definisci, devi definire la sua controparte.", + "Wedding": "Nozze", "Wednesday": "Mercoledì", "We hope you'll like it.": "Speriamo che ti piaccia.", - "We hope you will like what we’ve done.": "Speriamo che ti piacerà ciò che abbiamo fatto.", - "Welcome to Monica.": "Benvenuto in Monica.", - "Went to a bar": "È andato\/a in un bar", - "We support Markdown to format the text (bold, lists, headings, etc…).": "Supportiamo Markdown per formattare il testo (grassetto, elenchi, titoli, ecc...).", + "We hope you will like what we’ve done.": "Ci auguriamo che ciò che abbiamo fatto ti piacerà.", + "Welcome to Monica.": "Benvenuta a Monica.", + "Went to a bar": "Sono andato in un bar", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Supportiamo Markdown per formattare il testo (grassetto, elenchi, intestazioni, ecc…).", "We were unable to find a registered user with this email address.": "Non siamo riusciti a trovare un utente registrato con questo indirizzo email.", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Inviaremo un'email a questo indirizzo email che dovrai confermare prima che possiamo inviare notifiche a questo indirizzo.", - "What happens now?": "Cosa succede adesso?", - "What is the loan?": "Di cosa si tratta il prestito?", - "What permission should :name have?": "Quale permesso dovrebbe avere :name?", - "What permission should the user have?": "Quale permesso dovrebbe avere l'utente?", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Invieremo un’e-mail a questo indirizzo e-mail che dovrai confermare prima di poter inviare notifiche a questo indirizzo.", + "What happens now?": "Che succede ora?", + "What is the loan?": "Cos’è il prestito?", + "What permission should :name have?": "Quale autorizzazione dovrebbe avere :name?", + "What permission should the user have?": "Quale autorizzazione dovrebbe avere l’utente?", + "Whatsapp": "WhatsApp", "What should we use to display maps?": "Cosa dovremmo usare per visualizzare le mappe?", - "What would make today great?": "Cosa renderebbe oggi fantastico?", + "What would make today great?": "Cosa renderebbe fantastico oggi?", "When did the call happened?": "Quando è avvenuta la chiamata?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Quando è abilitata l'autenticazione a due fattori, ti verrà richiesto un token casuale e sicuro durante l'autenticazione. Puoi recuperare questo token dall'applicazione Google Authenticator del tuo telefono.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Quando l'autenticazione a due fattori è abilitata, ti verrà richiesto un token casuale e sicuro durante l'autenticazione. Puoi recuperare questo token dall'applicazione Authenticator del tuo telefono.", - "When was the loan made?": "Quando è stato effettuato il prestito?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Quando definisci una relazione tra due contatti, ad esempio una relazione padre-figlio, Monica crea due relazioni, una per ogni contatto:", - "Which email address should we send the notification to?": "A quale indirizzo email dovremmo inviare la notifica?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Quando è abilitata l’autenticazione a due fattori, ti verrà richiesto un token casuale e sicuro durante l’autenticazione. Puoi recuperare questo token dall’applicazione Google Authenticator del tuo telefono.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Quando l’autenticazione a due fattori è abilitata, ti verrà richiesto un token casuale e sicuro durante l’autenticazione. Puoi recuperare questo token dall’applicazione Authenticator del tuo telefono.", + "When was the loan made?": "Quando è stato concesso il prestito?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Quando definisci una relazione tra due contatti, ad esempio una relazione padre-figlio, Monica crea due relazioni, una per ciascun contatto:", + "Which email address should we send the notification to?": "A quale indirizzo email dobbiamo inviare la notifica?", "Who called?": "Chi ha chiamato?", "Who makes the loan?": "Chi fa il prestito?", "Whoops!": "Ops!", "Whoops! Something went wrong.": "Ops! Qualcosa è andato storto.", - "Who should we invite in this vault?": "Chi dovremmo invitare in questa cassaforte?", - "Who the loan is for?": "Per chi è il prestito?", - "Wish good day": "Augura buona giornata", + "Who should we invite in this vault?": "Chi dovremmo invitare in questo caveau?", + "Who the loan is for?": "A chi è rivolto il prestito?", + "Wish good day": "Auguro una buona giornata", "Work": "Lavoro", - "Write the amount with a dot if you need decimals, like 100.50": "Scrivi l'importo con un punto se hai bisogno di decimali, come 100.50", - "Written on": "Scritto il", + "Write the amount with a dot if you need decimals, like 100.50": "Scrivi l’importo con un punto se hai bisogno di decimali, come 100,50", + "Written on": "Scritto sopra", "wrote a note": "ha scritto una nota", - "xe\/xem": "xe\/xem", + "xe/xem": "xe/xem", "year": "anno", "Years": "Anni", - "You are here:": "Sei qui:", + "You are here:": "Tu sei qui:", "You are invited to join Monica": "Sei invitato a unirti a Monica", "You are receiving this email because we received a password reset request for your account.": "Hai ricevuto questa email perché abbiamo ricevuto una richiesta di reset della password per il tuo account.", - "you can't even use your current username or password to sign in,": "non puoi nemmeno utilizzare il nome utente o la password correnti per accedere,", - "you can't even use your current username or password to sign in, ": "non puoi nemmeno usare il tuo nome utente o la tua password attuale per accedere,", + "you can't even use your current username or password to sign in,": "non puoi nemmeno utilizzare il nome utente o la password attuali per accedere,", "you can't import any data from your current Monica account(yet),": "non puoi importare alcun dato dal tuo attuale account Monica (ancora),", - "you can't import any data from your current Monica account(yet), ": "non puoi importare alcun dato dal tuo account Monica attuale (ancora),", "You can add job information to your contacts and manage the companies here in this tab.": "Puoi aggiungere informazioni sul lavoro ai tuoi contatti e gestire le aziende qui in questa scheda.", - "You can add more account to log in to our service with one click.": "Puoi aggiungere più account per accedere al nostro servizio con un solo clic.", + "You can add more account to log in to our service with one click.": "Puoi aggiungere più account per accedere al nostro servizio con un clic.", "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Puoi essere avvisato attraverso diversi canali: email, un messaggio Telegram, su Facebook. Tu decidi.", "You can change that at any time.": "Puoi cambiarlo in qualsiasi momento.", - "You can choose how you want Monica to display dates in the application.": "Puoi scegliere come vuoi che Monica mostri le date nell'applicazione.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Puoi scegliere quali valute attivare nel tuo account e quali no.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Puoi personalizzare come i contatti vengono visualizzati in base ai tuoi gusti o alla tua cultura. Forse vorresti utilizzare James Bond invece di Bond James. Qui puoi definirlo a tuo piacimento.", + "You can choose how you want Monica to display dates in the application.": "Puoi scegliere come desideri che Monica visualizzi le date nell’applicazione.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Puoi scegliere quali valute devono essere abilitate nel tuo account e quali no.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Puoi personalizzare il modo in cui i contatti devono essere visualizzati in base al tuo gusto/cultura. Forse vorresti usare James Bond invece di Bond James. Qui puoi definirlo a tuo piacimento.", "You can customize the criteria that let you track your mood.": "Puoi personalizzare i criteri che ti consentono di monitorare il tuo umore.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Puoi spostare i contatti tra le cassette di sicurezza. Questa modifica è immediata. Puoi spostare i contatti solo nelle cassette di sicurezza a cui appartieni. Tutti i dati dei contatti si sposteranno con esso.", - "You cannot remove your own administrator privilege.": "Non puoi rimuovere il tuo privilegio di amministratore.", - "You don’t have enough space left in your account.": "Non hai abbastanza spazio nel tuo account.", - "You don’t have enough space left in your account. Please upgrade.": "Non hai abbastanza spazio disponibile nel tuo account. Per favore, effettua l'upgrade.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "È possibile spostare i contatti tra i depositi. Questo cambiamento è immediato. Puoi spostare i contatti solo nei depositi di cui fai parte. Tutti i dati dei contatti si sposteranno con esso.", + "You cannot remove your own administrator privilege.": "Non puoi rimuovere i tuoi privilegi di amministratore.", + "You don’t have enough space left in your account.": "Non hai abbastanza spazio rimasto nel tuo account.", + "You don’t have enough space left in your account. Please upgrade.": "Non hai abbastanza spazio rimasto nel tuo account. Per favore aggiorna.", "You have been invited to join the :team team!": "Sei stato invitato ad entrare nel team :team!", - "You have enabled two factor authentication.": "Hai abilitato l'autenticazione a due fattori.", - "You have not enabled two factor authentication.": "Non hai abilitato l'autenticazione a due fattori.", - "You have not setup Telegram in your environment variables yet.": "Non hai ancora impostato Telegram nelle tue variabili d'ambiente.", - "You haven’t received a notification in this channel yet.": "Non hai ancora ricevuto nessuna notifica in questo canale.", + "You have enabled two factor authentication.": "Hai abilitato l’autenticazione a due fattori.", + "You have not enabled two factor authentication.": "Non hai abilitato l’autenticazione a due fattori.", + "You have not setup Telegram in your environment variables yet.": "Non hai ancora configurato Telegram nelle tue variabili d’ambiente.", + "You haven’t received a notification in this channel yet.": "Non hai ancora ricevuto una notifica in questo canale.", "You haven’t setup Telegram yet.": "Non hai ancora configurato Telegram.", "You may accept this invitation by clicking the button below:": "Puoi accettare questo invito facendo clic sul pulsante qui sotto:", "You may delete any of your existing tokens if they are no longer needed.": "Puoi eliminare tutti i tuoi token esistenti se non sono più necessari.", "You may not delete your personal team.": "Non puoi eliminare il tuo team personale.", "You may not leave a team that you created.": "Non puoi abbandonare un team che hai creato.", - "You might need to reload the page to see the changes.": "Potresti dover ricaricare la pagina per vedere le modifiche.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Hai bisogno di almeno un modello per visualizzare i contatti. Senza un modello, Monica non saprà quali informazioni visualizzare.", - "Your account current usage": "L'utilizzo attuale del tuo account", + "You might need to reload the page to see the changes.": "Potrebbe essere necessario ricaricare la pagina per visualizzare le modifiche.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "È necessario almeno un modello per visualizzare i contatti. Senza un modello, Monica non saprà quali informazioni dovrebbe visualizzare.", + "Your account current usage": "Utilizzo corrente del tuo account", "Your account has been created": "Il tuo account è stato creato", "Your account is linked": "Il tuo account è collegato", "Your account limits": "I limiti del tuo account", "Your account will be closed immediately,": "Il tuo account verrà chiuso immediatamente,", "Your browser doesn’t currently support WebAuthn.": "Il tuo browser attualmente non supporta WebAuthn.", "Your email address is unverified.": "Il tuo indirizzo email non è verificato.", - "Your life events": "I tuoi eventi di vita", - "Your mood has been recorded!": "Il tuo stato d'animo è stato registrato!", + "Your life events": "Gli eventi della tua vita", + "Your mood has been recorded!": "Il tuo umore è stato registrato!", "Your mood that day": "Il tuo umore quel giorno", - "Your mood that you logged at this date": "Il tuo umore che hai registrato in questa data", - "Your mood this year": "Il tuo umore di quest'anno", + "Your mood that you logged at this date": "Il tuo umore registrato in questa data", + "Your mood this year": "Il tuo umore quest’anno", "Your name here will be used to add yourself as a contact.": "Il tuo nome qui verrà utilizzato per aggiungerti come contatto.", - "You wanted to be reminded of the following:": "Volevi essere ricordato di quanto segue:", - "You WILL still have to delete your account on Monica or OfficeLife.": "Dovrai ANCORA eliminare il tuo account su Monica o OfficeLife.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Sei stato invitato a utilizzare questo indirizzo email in Monica, un CRM personale open source, in modo da poterlo utilizzare per inviarti notifiche.", - "ze\/hir": "ze\/hir", + "You wanted to be reminded of the following:": "Volevi che ti venisse ricordato quanto segue:", + "You WILL still have to delete your account on Monica or OfficeLife.": "Dovrai comunque eliminare il tuo account su Monica o OfficeLife.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Sei stato invitato a utilizzare questo indirizzo email in Monica, un CRM personale open source, così possiamo usarlo per inviarti notifiche.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Zona pericolosa", - "🌳 Chalet": "🌳 Chalet", + "🌳 Chalet": "🌳Chalet", "🏠 Secondary residence": "🏠 Residenza secondaria", "🏡 Home": "🏡 Casa", "🏢 Work": "🏢 Lavoro", "🔔 Reminder: :label for :contactName": "🔔 Promemoria: :label per :contactName", - "😀 Good": "😀 Buono", + "😀 Good": "😀 Bene", "😁 Positive": "😁 Positivo", - "😐 Meh": "😐 Così e così", - "😔 Bad": "😔 Cattivo", + "😐 Meh": "😐 Mah", + "😔 Bad": "😔 Male", "😡 Negative": "😡 Negativo", - "😩 Awful": "😩 Orribile", + "😩 Awful": "😩 Terribile", "😶‍🌫️ Neutral": "😶‍🌫️ Neutrale", "🥳 Awesome": "🥳 Fantastico" } \ No newline at end of file diff --git a/lang/it/validation.php b/lang/it/validation.php index 325ab76450f..e1060cd552a 100644 --- a/lang/it/validation.php +++ b/lang/it/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute deve trovarsi tra :min - :max caratteri.', ], 'boolean' => 'Il campo :attribute deve essere vero o falso.', + 'can' => 'Il campo :attribute contiene un valore non autorizzato.', 'confirmed' => 'Il campo di conferma per :attribute non coincide.', 'current_password' => 'Password non valida.', 'date' => ':Attribute non è una data valida.', diff --git a/lang/ja.json b/lang/ja.json index 693428e36a7..8ec828f3480 100644 --- a/lang/ja.json +++ b/lang/ja.json @@ -1,135 +1,135 @@ { - "(and :count more error)": "(さらに :count more error)", - "(and :count more errors)": "(そして :count more error)", - "(Help)": "(ヘルプ)", + "(and :count more error)": "(その他、:countエラーあり)", + "(and :count more errors)": "(その他、:countエラーあり)", + "(Help)": "(ヘルプ)", "+ add a contact": "+ 連絡先を追加", - "+ add another": "+ 別のものを追加", + "+ add another": "+ もう一つ追加", "+ add another photo": "+ 別の写真を追加", "+ add description": "+ 説明を追加", - "+ add distance": "+距離を追加", - "+ add emotion": "+感情を追加", + "+ add distance": "+ 距離を追加", + "+ add emotion": "+ 感情を加える", "+ add reason": "+ 理由を追加", - "+ add summary": "+ 要約を追加", + "+ add summary": "+ 概要を追加", "+ add title": "+ タイトルを追加", "+ change date": "+ 日付変更", - "+ change template": "+ テンプレートの変更", - "+ create a group": "+ グループを作成", + "+ change template": "+ テンプレートを変更", + "+ create a group": "+ グループを作成する", "+ gender": "+ 性別", - "+ last name": "+姓", - "+ maiden name": "+旧姓", - "+ middle name": "+ミドルネーム", - "+ nickname": "+ニックネーム", + "+ last name": "+ 姓", + "+ maiden name": "+ 旧姓", + "+ middle name": "+ ミドルネーム", + "+ nickname": "+ ニックネーム", "+ note": "+ メモ", "+ number of hours slept": "+ 睡眠時間", - "+ prefix": "+ プレフィックス", - "+ pronoun": "+傾向", + "+ prefix": "+ 接頭辞", + "+ pronoun": "+ 代名詞", "+ suffix": "+ サフィックス", - ":count contact|:count contacts": ":連絡先をカウント|:連絡先をカウント", - ":count hour slept|:count hours slept": ":count 時間睡眠|:count 時間睡眠", - ":count min read": ":count 分読み取り", - ":count post|:count posts": ":投稿数|:投稿数", - ":count template section|:count template sections": ":count テンプレート セクション|:count テンプレート セクション", - ":count word|:count words": ":単語数|:単語数", - ":distance km": ":距離 km", - ":distance miles": ":距離マイル", - ":file at line :line": ":file at line :line", - ":file in :class at line :line": ":file in :class at line :line", - ":Name called": ":呼ばれる名前", - ":Name called, but I didn’t answer": ":名前が呼ばれましたが、応答しませんでした", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName は、関係を文書化するのに役立つように設計された、オープン ソースの個人用 CRM である Monica に参加するようにあなたを招待します。", - "Accept Invitation": "招待を受ける", - "Accept invitation and create your account": "招待を受け入れてアカウントを作成する", + ":count contact|:count contacts": ":count 連絡先", + ":count hour slept|:count hours slept": "睡眠時間:count時間", + ":count min read": ":count 分で読みました", + ":count post|:count posts": ":count件の投稿", + ":count template section|:count template sections": ":count テンプレートセクション", + ":count word|:count words": ":countワード", + ":distance km": ":distance km", + ":distance miles": ":distanceマイル", + ":file at line :line": ":file 行目 :line", + ":file in :class at line :line": ":file、:class、行目 :line", + ":Name called": ":Name が呼び出しました", + ":Name called, but I didn’t answer": ":Name から電話がありましたが応答しませんでした", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName は、関係を文書化するために設計されたオープンソースのパーソナル CRM である Monica への参加をご案内します。", + "Accept Invitation": "招待を受け入れる", + "Accept invitation and create your account": "招待を受け入れてアカウントを作成します", "Account and security": "アカウントとセキュリティ", "Account settings": "アカウント設定", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "連絡先情報をクリック可能にできます。たとえば、電話番号をクリックして、コンピューターでデフォルトのアプリケーションを起動できます。追加するタイプのプロトコルがわからない場合は、このフィールドを省略できます。", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "連絡先情報をクリックできるようになります。たとえば、電話番号をクリックすると、コンピュータのデフォルトのアプリケーションが起動することがあります。追加するタイプのプロトコルがわからない場合は、このフィールドを省略できます。", "Activate": "活性化", "Activity feed": "アクティビティフィード", - "Activity in this vault": "このボールトでのアクティビティ", + "Activity in this vault": "このボールト内のアクティビティ", "Add": "追加", - "add a call reason type": "通話理由の種類を追加する", + "add a call reason type": "通話理由タイプを追加する", "Add a contact": "連絡先を追加", "Add a contact information": "連絡先情報を追加する", "Add a date": "日付を追加", - "Add additional security to your account using a security key.": "セキュリティ キーを使用して、アカウントにセキュリティを追加します。", - "Add additional security to your account using two factor authentication.": "2 要素認証を使用して、アカウントにセキュリティを追加します。", + "Add additional security to your account using a security key.": "セキュリティ キーを使用してアカウントにセキュリティを追加します。", + "Add additional security to your account using two factor authentication.": "セキュリティ強化のため二要素認証を追加。", "Add a document": "ドキュメントを追加する", - "Add a due date": "期日を追加する", + "Add a due date": "期限を追加する", "Add a gender": "性別を追加", - "Add a gift occasion": "ギフトの機会を追加", - "Add a gift state": "ギフト状態を追加", + "Add a gift occasion": "ギフトシーンを追加", + "Add a gift state": "ギフト状態を追加する", "Add a goal": "目標を追加する", - "Add a group type": "グループの種類を追加する", + "Add a group type": "グループタイプを追加する", "Add a header image": "ヘッダー画像を追加する", "Add a label": "ラベルを追加する", "Add a life event": "ライフイベントを追加", - "Add a life event category": "ライフ イベント カテゴリを追加する", - "add a life event type": "ライフ イベント タイプを追加する", + "Add a life event category": "ライフイベントのカテゴリを追加する", + "add a life event type": "ライフイベントのタイプを追加する", "Add a module": "モジュールを追加する", - "Add an address": "アドレスを追加", - "Add an address type": "住所の種類を追加する", - "Add an email address": "メールアドレスを追加", - "Add an email to be notified when a reminder occurs.": "リマインダーが発生したときに通知される電子メールを追加します。", - "Add an entry": "エントリを追加", - "add a new metric": "新しいメトリックを追加する", - "Add a new team member to your team, allowing them to collaborate with you.": "新しいチーム メンバーをチームに追加して、彼らがあなたと協力できるようにします。", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "生年月日や亡くなった日など、この人物についてあなたにとって何が重要かを覚えておくための重要な日付を追加します。", + "Add an address": "住所を追加する", + "Add an address type": "アドレスタイプを追加する", + "Add an email address": "メールアドレスを追加する", + "Add an email to be notified when a reminder occurs.": "リマインダーが発生したときに通知を受け取る電子メールを追加します。", + "Add an entry": "エントリを追加する", + "add a new metric": "新しいメトリクスを追加する", + "Add a new team member to your team, allowing them to collaborate with you.": "新しいチームメンバーを追加。", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "生年月日や死亡日など、その人についてあなたにとって重要なことを覚えておくための重要な日付を追加します。", "Add a note": "メモを追加", - "Add another life event": "別のライフイベントを追加", - "Add a page": "ページを追加", + "Add another life event": "別のライフイベントを追加する", + "Add a page": "ページを追加する", "Add a parameter": "パラメータを追加する", - "Add a pet": "ペットを追加", - "Add a photo": "写真を追加", - "Add a photo to a journal entry to see it here.": "写真をジャーナル エントリに追加すると、ここに表示されます。", + "Add a pet": "ペットを追加する", + "Add a photo": "写真を追加する", + "Add a photo to a journal entry to see it here.": "日記エントリに写真を追加すると、ここで表示されます。", "Add a post template": "投稿テンプレートを追加する", "Add a pronoun": "代名詞を追加する", "add a reason": "理由を追加する", "Add a relationship": "関係を追加する", "Add a relationship group type": "関係グループの種類を追加する", "Add a relationship type": "関係タイプを追加する", - "Add a religion": "宗教を追加", - "Add a reminder": "リマインダーを追加", + "Add a religion": "宗教を追加する", + "Add a reminder": "リマインダーを追加する", "add a role": "役割を追加する", - "add a section": "セクションを追加", - "Add a tag": "タグを追加", + "add a section": "セクションを追加する", + "Add a tag": "タグを追加する", "Add a task": "タスクを追加する", "Add a template": "テンプレートを追加する", "Add at least one module.": "少なくとも 1 つのモジュールを追加します。", - "Add a type": "タイプを追加", + "Add a type": "タイプを追加する", "Add a user": "ユーザーを追加する", - "Add a vault": "ボールトを追加する", + "Add a vault": "保管庫を追加する", "Add date": "日付を追加", - "Added.": "追加した。", - "added a contact information": "連絡先を追加しました", - "added an address": "アドレスを追加しました", + "Added.": "追加が完了しました。", + "added a contact information": "連絡先情報を追加しました", + "added an address": "住所を追加しました", "added an important date": "重要な日付を追加しました", "added a pet": "ペットを追加しました", "added the contact to a group": "連絡先をグループに追加しました", "added the contact to a post": "連絡先を投稿に追加しました", "added the contact to the favorites": "連絡先をお気に入りに追加しました", "Add genders to associate them to contacts.": "性別を追加して連絡先に関連付けます。", - "Add loan": "ローンを追加", - "Add one now": "今すぐ追加", - "Add photos": "写真を追加", + "Add loan": "ローンを追加する", + "Add one now": "今すぐ 1 つ追加してください", + "Add photos": "写真を追加する", "Address": "住所", "Addresses": "住所", - "Address type": "住所タイプ", - "Address types": "住所の種類", - "Address types let you classify contact addresses.": "住所タイプを使用すると、連絡先住所を分類できます。", + "Address type": "アドレスの種類", + "Address types": "アドレスの種類", + "Address types let you classify contact addresses.": "アドレス タイプを使用すると、連絡先アドレスを分類できます。", "Add Team Member": "チームメンバーを追加", "Add to group": "グループに追加", "Administrator": "管理者", - "Administrator users can perform any action.": "管理者ユーザーは、あらゆるアクションを実行できます。", + "Administrator users can perform any action.": "管理者は全てのアクションを実行可能です。", "a father-son relation shown on the father page,": "父親のページに表示される父と子の関係、", - "after the next occurence of the date.": "日付の次の発生後。", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "グループとは、2 人以上が一緒にいることです。家族、家庭、スポーツクラブなどです。あなたにとって重要なことは何でも。", + "after the next occurence of the date.": "次にその日付が出現した後。", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "グループとは 2 人以上の人が集まったものです。それは家族、家庭、スポーツクラブなどです。あなたにとって大切なものは何でも。", "All contacts in the vault": "ボールト内のすべての連絡先", "All files": "すべてのファイル", - "All groups in the vault": "Vault 内のすべてのグループ", - "All journal metrics in :name": ":name のすべてのジャーナル メトリック", - "All of the people that are part of this team.": "このチームの一員であるすべての人々。", - "All rights reserved.": "全著作権所有。", + "All groups in the vault": "ボールト内のすべてのグループ", + "All journal metrics in :name": ":Name のすべてのジャーナル指標", + "All of the people that are part of this team.": "全チームメンバー", + "All rights reserved.": "All rights reserved.", "All tags": "すべてのタグ", - "All the address types": "すべての住所タイプ", + "All the address types": "すべてのアドレスの種類", "All the best,": "ではごきげんよう、", "All the call reasons": "すべての通話理由", "All the cities": "すべての都市", @@ -139,12 +139,12 @@ "All the currencies": "すべての通貨", "All the files": "すべてのファイル", "All the genders": "すべての性別", - "All the gift occasions": "すべてのギフト機会", - "All the gift states": "すべてのギフト状態", + "All the gift occasions": "あらゆるギフトシーンに", + "All the gift states": "すべてのギフトの状態", "All the group types": "すべてのグループタイプ", "All the important dates": "すべての重要な日付", "All the important date types used in the vault": "ボールトで使用されるすべての重要な日付タイプ", - "All the journals": "すべてのジャーナル", + "All the journals": "すべての雑誌", "All the labels used in the vault": "ボールトで使用されるすべてのラベル", "All the notes": "すべてのメモ", "All the pet categories": "ペットのすべてのカテゴリ", @@ -154,56 +154,56 @@ "All the relationship types": "すべての関係タイプ", "All the religions": "すべての宗教", "All the reports": "すべてのレポート", - "All the slices of life in :name": ":name の人生のすべての断片", + "All the slices of life in :name": ":Nameの人生のすべての断片", "All the tags used in the vault": "Vault で使用されるすべてのタグ", "All the templates": "すべてのテンプレート", - "All the vaults": "すべてのボールト", + "All the vaults": "すべての保管庫", "All the vaults in the account": "アカウント内のすべてのボールト", - "All users and vaults will be deleted immediately,": "すべてのユーザーとボールトはすぐに削除されます。", + "All users and vaults will be deleted immediately,": "すべてのユーザーとコンテナーはすぐに削除されます。", "All users in this account": "このアカウントのすべてのユーザー", - "Already registered?": "すでに登録?", - "Already used on this page": "このページではすでに使用されています", + "Already registered?": "登録済みの方はこちら", + "Already used on this page": "このページですでに使用されています", "A new verification link has been sent to the email address you provided during registration.": "新しい確認リンクが、登録時に指定した電子メール アドレスに送信されました。", - "A new verification link has been sent to the email address you provided in your profile settings.": "新しい確認リンクが、プロフィール設定で指定した電子メール アドレスに送信されました。", - "A new verification link has been sent to your email address.": "新しい確認リンクがメール アドレスに送信されました。", + "A new verification link has been sent to the email address you provided in your profile settings.": "登録いただいたメールアドレスに確認メールを送信しました。", + "A new verification link has been sent to your email address.": "確認メールを送信しました。", "Anniversary": "記念日", - "Apartment, suite, etc…": "アパート、スイートなど…", + "Apartment, suite, etc…": "アパートメント、スイートなど…", "API Token": "APIトークン", - "API Token Permissions": "API トークンのアクセス許可", + "API Token Permissions": "APIトークン認可", "API Tokens": "APIトークン", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API トークンを使用すると、サードパーティ サービスがお客様に代わってアプリケーションで認証できます。", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "投稿テンプレートは、投稿のコンテンツをどのように表示するかを定義します。必要な数のテンプレートを定義し、どの投稿でどのテンプレートを使用するかを選択できます。", + "API tokens allow third-party services to authenticate with our application on your behalf.": "APIトークンを用いることで、サードパーティーのサービスを使用してアプリケーションの認証を行うことが可能です。", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "投稿テンプレートは、投稿のコンテンツをどのように表示するかを定義します。必要な数のテンプレートを定義し、どの投稿にどのテンプレートを使用するかを選択できます。", "Archive": "アーカイブ", - "Archive contact": "連絡先をアーカイブする", + "Archive contact": "アーカイブ連絡先", "archived the contact": "連絡先をアーカイブしました", - "Are you sure? The address will be deleted immediately.": "本気ですか?アドレスはすぐに削除されます。", - "Are you sure? This action cannot be undone.": "本気ですか?この操作は元に戻せません。", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "本気ですか?これにより、それを使用していたすべての連絡先について、このタイプのすべての通話理由が削除されます。", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "本気ですか?これにより、このタイプを使用していたすべての連絡先のこのタイプのすべての関係が削除されます。", + "Are you sure? The address will be deleted immediately.": "本気ですか?アドレスは即刻削除されます。", + "Are you sure? This action cannot be undone.": "本気ですか?この操作は元に戻すことができません。", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "本気ですか?これにより、このタイプを使用していたすべての連絡先のこのタイプの通話理由がすべて削除されます。", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "本気ですか?これにより、このタイプを使用していたすべての連絡先のこのタイプの関係がすべて削除されます。", "Are you sure? This will delete the contact information permanently.": "本気ですか?これにより、連絡先情報が完全に削除されます。", "Are you sure? This will delete the document permanently.": "本気ですか?これにより、ドキュメントが完全に削除されます。", - "Are you sure? This will delete the goal and all the streaks permanently.": "本気ですか?これにより、ゴールとすべての連続記録が完全に削除されます。", + "Are you sure? This will delete the goal and all the streaks permanently.": "本気ですか?これにより、ゴールとすべてのストリークが完全に削除されます。", "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "本気ですか?これにより、すべての連絡先からアドレスの種類が削除されますが、連絡先自体は削除されません。", "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "本気ですか?これにより、すべての連絡先から連絡先情報の種類が削除されますが、連絡先自体は削除されません。", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "本気ですか?これにより、すべての連絡先から性別が削除されますが、連絡先自体は削除されません。", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "本気ですか?これにより、すべての連絡先からテンプレートが削除されますが、連絡先自体は削除されません。", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "このチームを削除してもよろしいですか?チームが削除されると、そのすべてのリソースとデータが完全に削除されます。", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "アカウントを削除してもよろしいですか?アカウントが削除されると、そのリソースとデータはすべて完全に削除されます。アカウントを完全に削除することを確認するため、パスワードを入力してください。", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "チームを削除しますか? チームを削除すると、全てのデータが完全に削除されます。", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "アカウントを削除しますか? アカウントを削除すると全てのデータが完全に削除されます。よろしければパスワードを入力してください。", "Are you sure you would like to archive this contact?": "この連絡先をアーカイブしてもよろしいですか?", - "Are you sure you would like to delete this API token?": "この API トークンを削除してもよろしいですか?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "この連絡先を削除してもよろしいですか?これにより、この連絡先に関するすべての情報が削除されます。", + "Are you sure you would like to delete this API token?": "APIトークンを削除しますか?", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "この連絡先を削除してもよろしいですか?これにより、この連絡先についてわかっているすべてが削除されます。", "Are you sure you would like to delete this key?": "このキーを削除してもよろしいですか?", - "Are you sure you would like to leave this team?": "本当にこのチームを離れますか?", - "Are you sure you would like to remove this person from the team?": "この人物をチームから削除してもよろしいですか?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "スライス オブ ライフを使用すると、投稿を自分にとって意味のあるものごとにグループ化できます。ここで見るには、投稿に人生のスライスを追加してください。", + "Are you sure you would like to leave this team?": "このチームから脱退してよろしいですか?", + "Are you sure you would like to remove this person from the team?": "このメンバーをチームから削除しますか?", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Slice of Life では、自分にとって意味のあるものごとに投稿をグループ化できます。投稿に人生の一部を追加して、ここに表示します。", "a son-father relation shown on the son page.": "息子と父親の関係が息子のページに表示されます。", - "assigned a label": "ラベルを割り当てた", + "assigned a label": "ラベルを割り当てられた", "Association": "協会", "At": "で", "at ": "で", "Ate": "食べた", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "テンプレートは、連絡先の表示方法を定義します。テンプレートはいくつでも作成できます。テンプレートはアカウント設定で定義されています。ただし、既定のテンプレートを定義して、このボルト内のすべての連絡先が既定でこのテンプレートを持つようにすることもできます。", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "テンプレートはページで構成され、各ページにはモジュールがあります。データの表示方法は完全にあなた次第です。", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "テンプレートは連絡先の表示方法を定義します。テンプレートは必要な数だけ持つことができます。テンプレートはアカウント設定で定義されます。ただし、デフォルトのテンプレートを定義して、このコンテナー内のすべての連絡先にこのテンプレートがデフォルトで含まれるようにすることもできます。", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "テンプレートはページで構成されており、各ページにはモジュールがあります。データをどのように表示するかは完全にあなた次第です。", "Atheist": "無神論者", "At which time should we send the notification, when the reminder occurs?": "リマインダーが発生したとき、どのタイミングで通知を送信すればよいですか?", "Audio-only call": "音声のみの通話", @@ -211,7 +211,7 @@ "Available modules:": "利用可能なモジュール:", "Avatar": "アバター", "Avatars": "アバター", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "先に進む前に、メールでお送りしたリンクをクリックして、メール アドレスを確認していただけますか?メールを受け取っていない場合は、喜んで別のメールをお送りします。", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "続行する前に、メールアドレスの認証を完了してください。メールが届いていない場合、再送することも可能です。", "best friend": "親友", "Bird": "鳥", "Birthdate": "生年月日", @@ -220,60 +220,60 @@ "boss": "ボス", "Bought": "買った", "Breakdown of the current usage": "現在の使用量の内訳", - "brother\/sister": "兄弟姉妹", - "Browser Sessions": "ブラウザ セッション", + "brother/sister": "兄弟姉妹", + "Browser Sessions": "ブラウザセッション", "Buddhist": "仏教徒", "Business": "仕事", - "By last updated": "最終更新順", + "By last updated": "最終更新日までに", "Calendar": "カレンダー", - "Call reasons": "通話の理由", - "Call reasons let you indicate the reason of calls you make to your contacts.": "通話の理由を使用すると、連絡先に発信した通話の理由を示すことができます。", - "Calls": "通話", + "Call reasons": "電話の理由", + "Call reasons let you indicate the reason of calls you make to your contacts.": "通話理由を使用すると、連絡先にかける通話の理由を示すことができます。", + "Calls": "電話", "Cancel": "キャンセル", - "Cancel account": "アカウントをキャンセル", + "Cancel account": "アカウントをキャンセルする", "Cancel all your active subscriptions": "アクティブなサブスクリプションをすべてキャンセルする", "Cancel your account": "アカウントをキャンセルする", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "他のユーザーの追加または削除、請求の管理、アカウントの閉鎖など、すべてを行うことができます。", - "Can do everything, including adding or removing other users.": "他のユーザーの追加や削除など、すべてを実行できます。", - "Can edit data, but can’t manage the vault.": "データを編集できますが、ボールトを管理することはできません。", - "Can view data, but can’t edit it.": "データを表示できますが、編集することはできません。", - "Can’t be moved or deleted": "移動または削除できません", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "他のユーザーの追加または削除、請求の管理、アカウントの閉鎖など、あらゆる操作を行うことができます。", + "Can do everything, including adding or removing other users.": "他のユーザーの追加または削除を含むすべての操作を行うことができます。", + "Can edit data, but can’t manage the vault.": "データは編集できますが、ボールトを管理することはできません。", + "Can view data, but can’t edit it.": "データを表示できますが、編集はできません。", + "Can’t be moved or deleted": "移動や削除はできません", "Cat": "猫", "Categories": "カテゴリー", - "Chandler is in beta.": "Chandler はベータ版です。", + "Chandler is in beta.": "チャンドラーはベータ版です。", "Change": "変化", "Change date": "変更日", "Change permission": "権限の変更", "Changes saved": "変更が保存されました", - "Change template": "テンプレートを変更", + "Change template": "テンプレートの変更", "Child": "子供", "child": "子供", "Choose": "選ぶ", "Choose a color": "色を選択してください", - "Choose an existing address": "既存の住所を選択", + "Choose an existing address": "既存のアドレスを選択してください", "Choose an existing contact": "既存の連絡先を選択してください", "Choose a template": "テンプレートを選択してください", "Choose a value": "値を選択してください", "Chosen type:": "選択したタイプ:", "Christian": "キリスト教徒", "Christmas": "クリスマス", - "City": "街", - "Click here to re-send the verification email.": "確認メールを再送信するには、ここをクリックしてください。", + "City": "市", + "Click here to re-send the verification email.": "確認メールの再送はこちら", "Click on a day to see the details": "日付をクリックすると詳細が表示されます", - "Close": "近い", + "Close": "閉じる", "close edit mode": "編集モードを閉じる", "Club": "クラブ", "Code": "コード", "colleague": "同僚", "Companies": "企業", "Company name": "会社名", - "Compared to Monica:": "モニカとの比較:", + "Compared to Monica:": "Monicaと比較すると、", "Configure how we should notify you": "通知方法を設定する", "Confirm": "確認", - "Confirm Password": "パスワードを認証する", - "Connect": "接続", + "Confirm Password": "パスワード(確認用)", + "Connect": "接続する", "Connected": "接続済み", - "Connect with your security key": "セキュリティ キーで接続する", + "Connect with your security key": "セキュリティキーを使って接続する", "Contact feed": "連絡先フィード", "Contact information": "連絡先", "Contact informations": "連絡先情報", @@ -281,40 +281,40 @@ "Contact name": "連絡先", "Contacts": "連絡先", "Contacts in this post": "この投稿の連絡先", - "Contacts in this slice": "このスライスの連絡先", + "Contacts in this slice": "このスライス内の連絡先", "Contacts will be shown as follow:": "連絡先は次のように表示されます。", "Content": "コンテンツ", - "Copied.": "コピーしました。", + "Copied.": "コピーされました。", "Copy": "コピー", - "Copy value into the clipboard": "値をクリップボードにコピー", + "Copy value into the clipboard": "値をクリップボードにコピーします", "Could not get address book data.": "アドレス帳データを取得できませんでした。", "Country": "国", "Couple": "カップル", "cousin": "いとこ", "Create": "作成", "Create account": "アカウントを作成する", - "Create Account": "アカウントを作成する", + "Create Account": "アカウントの作成", "Create a contact": "連絡先を作成する", "Create a contact entry for this person": "この人の連絡先エントリを作成する", - "Create a journal": "日誌を作成する", + "Create a journal": "日記を作成する", "Create a journal metric": "ジャーナル指標を作成する", - "Create a journal to document your life.": "あなたの人生を記録する日記を作成します。", + "Create a journal to document your life.": "自分の生活を記録する日記を作成します。", "Create an account": "アカウントを作成する", - "Create a new address": "新しい住所を作成する", - "Create a new team to collaborate with others on projects.": "プロジェクトで他のユーザーと共同作業する新しいチームを作成します。", - "Create API Token": "API トークンの作成", + "Create a new address": "新しいアドレスを作成する", + "Create a new team to collaborate with others on projects.": "新しいチームを作って、共同でプロジェクトを進める。", + "Create API Token": "APIトークン生成", "Create a post": "投稿を作成する", "Create a reminder": "リマインダーを作成する", "Create a slice of life": "人生の一部を作成する", - "Create at least one page to display contact’s data.": "連絡先のデータを表示するページを少なくとも 1 つ作成します。", - "Create at least one template to use Monica.": "Monica を使用するためのテンプレートを少なくとも 1 つ作成します。", + "Create at least one page to display contact’s data.": "連絡先のデータを表示するには、少なくとも 1 ページを作成します。", + "Create at least one template to use Monica.": "Monica を使用するテンプレートを少なくとも 1 つ作成します。", "Create a user": "ユーザーを作成する", "Create a vault": "ボールトを作成する", - "Created.": "作成した。", + "Created.": "作成しました。", "created a goal": "目標を作成しました", "created the contact": "連絡先を作成しました", - "Create label": "ラベルを作成", - "Create new label": "新しいラベルを作成", + "Create label": "ラベルの作成", + "Create new label": "新しいラベルを作成する", "Create new tag": "新しいタグを作成する", "Create New Team": "新しいチームを作成", "Create Team": "チームを作成", @@ -326,99 +326,100 @@ "Current site used to display maps:": "地図の表示に使用されている現在のサイト:", "Current streak": "現在のストリーク", "Current timezone:": "現在のタイムゾーン:", - "Current way of displaying contact names:": "連絡先名を表示する現在の方法:", - "Current way of displaying dates:": "日付を表示する現在の方法:", - "Current way of displaying distances:": "距離を表示する現在の方法:", - "Current way of displaying numbers:": "現在の数字の表示方法:", + "Current way of displaying contact names:": "連絡先名の現在の表示方法:", + "Current way of displaying dates:": "現在の日付の表示方法:", + "Current way of displaying distances:": "現在の距離の表示方法:", + "Current way of displaying numbers:": "現在の数値の表示方法:", "Customize how contacts should be displayed": "連絡先の表示方法をカスタマイズする", - "Custom name order": "カスタムネームオーダー", - "Daily affirmation": "毎日の肯定", + "Custom name order": "カスタム名の順序", + "Daily affirmation": "毎日のアファーメーション", "Dashboard": "ダッシュボード", - "date": "日にち", - "Date of the event": "開催日", + "date": "日付", + "Date of the event": "イベントの日付", "Date of the event:": "イベントの日付:", - "Date type": "日付タイプ", - "Date types are essential as they let you categorize dates that you add to a contact.": "連絡先に追加する日付を分類できるため、日付タイプは不可欠です。", + "Date type": "日付型", + "Date types are essential as they let you categorize dates that you add to a contact.": "日付タイプは、連絡先に追加した日付を分類できるため、必須です。", "Day": "日", "day": "日", - "Deactivate": "無効にする", + "Deactivate": "非アクティブ化", "Deceased date": "死亡日", "Default template": "デフォルトのテンプレート", "Default template to display contacts": "連絡先を表示するデフォルトのテンプレート", - "Delete": "消去", - "Delete Account": "アカウントを削除する", + "Delete": "削除", + "Delete Account": "アカウント削除", "Delete a new key": "新しいキーを削除する", - "Delete API Token": "API トークンの削除", - "Delete contact": "連絡先を削除", - "deleted a contact information": "連絡先を削除しました", - "deleted a goal": "目標を削除しました", + "Delete API Token": "APIトークン削除", + "Delete contact": "連絡先を削除する", + "deleted a contact information": "連絡先情報を削除しました", + "deleted a goal": "ゴールを削除した", "deleted an address": "アドレスを削除しました", "deleted an important date": "重要な日付を削除しました", "deleted a note": "メモを削除しました", "deleted a pet": "ペットを削除しました", "Deleted author": "削除された著者", - "Delete group": "グループを削除", - "Delete journal": "日誌を削除", + "Delete group": "グループの削除", + "Delete journal": "日記の削除", "Delete Team": "チームを削除", "Delete the address": "アドレスを削除する", "Delete the photo": "写真を削除する", "Delete the slice": "スライスを削除する", "Delete the vault": "ボールトを削除する", - "Delete your account on https:\/\/customers.monicahq.com.": "https:\/\/customers.monicahq.com でアカウントを削除します。", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "ボールトを削除すると、このボールト内のすべてのデータが完全に削除されます。後戻りはありません。ご安心ください。", + "Delete your account on https://customers.monicahq.com.": "https://customers.monicahq.com でアカウントを削除します。", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "ボールトを削除すると、このボールト内のすべてのデータが永久に削除されます。もう後戻りはできません。必ずご確認ください。", "Description": "説明", "Detail of a goal": "目標の詳細", "Details in the last year": "昨年の詳細", - "Disable": "無効にする", + "Disable": "無効化", "Disable all": "すべて無効にします", "Disconnect": "切断する", "Discuss partnership": "パートナーシップについて話し合う", "Discuss recent purchases": "最近の購入について話し合う", - "Dismiss": "解散", - "Display help links in the interface to help you (English only)": "インターフェースにヘルプ リンクを表示して役立つ (英語のみ)", + "Dismiss": "却下する", + "Display help links in the interface to help you (English only)": "役立つヘルプ リンクをインターフェイスに表示します (英語のみ)", "Distance": "距離", - "Documents": "ドキュメント", + "Documents": "書類", "Dog": "犬", - "Done.": "終わり。", + "Done.": "完了しました。", "Download": "ダウンロード", "Download as vCard": "vCard としてダウンロード", "Drank": "飲んだ", "Drove": "運転した", - "Due and upcoming tasks": "期日および今後のタスク", + "Due and upcoming tasks": "期限および今後のタスク", "Edit": "編集", "edit": "編集", "Edit a contact": "連絡先を編集する", - "Edit a journal": "日誌を編集する", + "Edit a journal": "日記を編集する", "Edit a post": "投稿を編集する", "edited a note": "メモを編集しました", - "Edit group": "グループを編集", - "Edit journal": "日誌を編集", - "Edit journal information": "ジャーナル情報の編集", + "Edit group": "グループの編集", + "Edit journal": "日記の編集", + "Edit journal information": "雑誌情報を編集する", "Edit journal metrics": "ジャーナル指標の編集", - "Edit names": "名前を編集", + "Edit names": "名前を編集する", "Editor": "編集者", - "Editor users have the ability to read, create, and update.": "編集者のユーザーは、読み取り、作成、および更新を行うことができます。", - "Edit post": "投稿を編集", - "Edit Profile": "プロファイル編集", - "Edit slice of life": "スライス オブ ライフを編集する", + "Editor users have the ability to read, create, and update.": "編集者は読み込み、作成、更新ができます。", + "Edit post": "投稿を編集する", + "Edit Profile": "プロフィール編集", + "Edit slice of life": "人生の一部を編集する", "Edit the group": "グループを編集する", - "Edit the slice of life": "スライス オブ ライフを編集する", - "Email": "Eメール", + "Edit the slice of life": "人生の一部を編集する", + "Email": "メール", "Email address": "電子メールアドレス", - "Email address to send the invitation to": "招待状の送信先メールアドレス", - "Email Password Reset Link": "メールパスワードリセットリンク", - "Enable": "有効", + "Email address to send the invitation to": "招待状の送信先の電子メール アドレス", + "Email Password Reset Link": "送信", + "Enable": "有効化", "Enable all": "全て可能にする", - "Ensure your account is using a long, random password to stay secure.": "安全性を確保するために、アカウントが長いランダムなパスワードを使用していることを確認してください。", - "Enter a number from 0 to 100000. No decimals.": "0 から 100000 までの数値を入力してください。小数点以下は使用できません。", + "Ensure your account is using a long, random password to stay secure.": "アカウントを安全に保つため、ランダムで長いパスワードを使用していることを確認してください。", + "Enter a number from 0 to 100000. No decimals.": "0 ~ 100000 の数値を入力します。小数点以下は使用できません。", "Events this month": "今月のイベント", "Events this week": "今週のイベント", "Events this year": "今年のイベント", - "Every": "毎日", + "Every": "毎", "ex-boyfriend": "元ボーイフレンド", "Exception:": "例外:", - "Existing company": "既存の会社", + "Existing company": "既存会社", "External connections": "外部接続", + "Facebook": "フェイスブック", "Family": "家族", "Family summary": "家族の概要", "Favorites": "お気に入り", @@ -427,149 +428,148 @@ "Filter": "フィルター", "Filter list or create a new label": "リストをフィルタリングするか、新しいラベルを作成します", "Filter list or create a new tag": "リストをフィルタリングするか、新しいタグを作成します", - "Find a contact in this vault": "このボールトで連絡先を探す", - "Finish enabling two factor authentication.": "2 要素認証の有効化を完了します。", + "Find a contact in this vault": "このボールトで連絡先を検索する", + "Finish enabling two factor authentication.": "二要素認証の有効化を終了します。", "First name": "ファーストネーム", "First name Last name": "名前苗字", - "First name Last name (nickname)": "姓名(ニックネーム)", + "First name Last name (nickname)": "名 姓(ニックネーム)", "Fish": "魚", "Food preferences": "食べ物の好み", - "for": "ために", - "For:": "ために:", - "For advice": "アドバイスのために", - "Forbidden": "禁断", - "Forgot password?": "パスワードをお忘れですか?", - "Forgot your password?": "パスワードをお忘れですか?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "パスワードをお忘れですか?問題ない。メール アドレスをお知らせいただければ、新しいパスワードを選択できるパスワード リセット リンクをメールでお送りします。", - "For your security, please confirm your password to continue.": "セキュリティのため、続行するにはパスワードを確認してください。", + "for": "のために", + "For:": "のために:", + "For advice": "アドバイスのため", + "Forbidden": "禁止されています", + "Forgot your password?": "パスワードを忘れた方はこちら", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "ご登録いただいたメールアドレスを入力してください。パスワード再設定用のURLをメールにてお送りします。", + "For your security, please confirm your password to continue.": "安全のため、パスワードを入力して続行してください。", "Found": "見つかった", "Friday": "金曜日", "Friend": "友達", - "friend": "友達", + "friend": "友人", "From A to Z": "AからZまで", "From Z to A": "ZからAへ", "Gender": "性別", "Gender and pronoun": "性別と代名詞", "Genders": "性別", - "Gift center": "ギフトセンター", - "Gift occasions": "贈答用", - "Gift occasions let you categorize all your gifts.": "ギフトの機会では、すべてのギフトを分類できます。", - "Gift states": "ギフト状態", - "Gift states let you define the various states for your gifts.": "ギフトの状態では、ギフトのさまざまな状態を定義できます。", - "Give this email address a name": "このメールアドレスに名前を付けます", + "Gift occasions": "ギフトシーン", + "Gift occasions let you categorize all your gifts.": "ギフト機会では、すべてのギフトを分類できます。", + "Gift states": "ギフトの状態", + "Gift states let you define the various states for your gifts.": "ギフトの状態を使用すると、ギフトのさまざまな状態を定義できます。", + "Give this email address a name": "このメールアドレスに名前を付けてください", "Goals": "目標", "Go back": "戻る", "godchild": "ゴッドチャイルド", "godparent": "名付け親", "Google Maps": "グーグルマップ", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google マップは最高の精度と詳細を提供しますが、プライバシーの観点からは理想的ではありません.", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google マップは最高の精度と詳細情報を提供しますが、プライバシーの観点からは理想的ではありません。", "Got fired": "解雇された", - "Go to page :page": "ページに移動:ページ", + "Go to page :page": ":Pageページへ", "grand child": "孫", "grand parent": "祖父母", - "Great! You have accepted the invitation to join the :team team.": "素晴らしい! :team チームへの招待を受け入れました。", - "Group journal entries together with slices of life.": "日誌エントリを人生の断片と一緒にグループ化します。", + "Great! You have accepted the invitation to join the :team team.": ":Teamチームに参加しました。", + "Group journal entries together with slices of life.": "日記のエントリを生活の一部とグループ化します。", "Groups": "グループ", "Groups let you put your contacts together in a single place.": "グループを使用すると、連絡先を 1 か所にまとめることができます。", - "Group type": "グループの種類", - "Group type: :name": "グループの種類: :名前", + "Group type": "グループタイプ", + "Group type: :name": "グループタイプ: :name", "Group types": "グループの種類", - "Group types let you group people together.": "グループ タイプを使用すると、ユーザーをグループ化できます。", - "Had a promotion": "昇格した", + "Group types let you group people together.": "グループ タイプを使用すると、人々をグループ化できます。", + "Had a promotion": "昇進がありました", "Hamster": "ハムスター", "Have a great day,": "すてきな一日を、", - "he\/him": "彼\/彼", - "Hello!": "こんにちは!", + "he/him": "彼/彼", + "Hello!": "こんにちは", "Help": "ヘルプ", - "Hi :name": "こんにちは:名前", - "Hinduist": "ヒンズー教", + "Hi :name": "こんにちは:name", + "Hinduist": "ヒンドゥー教徒", "History of the notification sent": "送信された通知の履歴", "Hobbies": "趣味", "Home": "家", "Horse": "馬", "How are you?": "元気ですか?", - "How could I have done this day better?": "どうすればこの日をもっとうまくやれたでしょうか?", - "How did you feel?": "どのように感じましたか?", + "How could I have done this day better?": "この日をどうすればもっと良くできたでしょうか?", + "How did you feel?": "どう感じましたか?", "How do you feel right now?": "今の気分はどうですか?", - "however, there are many, many new features that didn't exist before.": "ただし、以前には存在しなかった多くの新機能があります。", - "How much money was lent?": "貸したお金はいくら?", - "How much was lent?": "いくら貸した?", + "however, there are many, many new features that didn't exist before.": "ただし、以前には存在しなかった非常に多くの新機能があります。", + "How much money was lent?": "お金はいくら貸されましたか?", + "How much was lent?": "いくら貸されましたか?", "How often should we remind you about this date?": "この日付についてどのくらいの頻度で通知する必要がありますか?", - "How should we display dates": "日付の表示方法", - "How should we display distance values": "距離値の表示方法", - "How should we display numerical values": "数値をどう表示するか", + "How should we display dates": "日付をどのように表示すればよいですか", + "How should we display distance values": "距離値をどのように表示すべきか", + "How should we display numerical values": "数値をどのように表示すればよいか", "I agree to the :terms and :policy": ":terms と :policy に同意します", - "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service と :privacy_policy に同意します", - "I am grateful for": "私は感謝しています", - "I called": "私は呼びました", - "I called, but :name didn’t answer": "電話をかけましたが、:name は応答しませんでした", - "Idea": "アイディア", - "I don’t know the name": "名前がわからない", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "必要に応じて、すべてのデバイスで他のすべてのブラウザ セッションからログアウトできます。最近のセッションの一部を以下に示します。ただし、このリストはすべてを網羅しているわけではありません。アカウントが侵害されたと思われる場合は、パスワードも更新する必要があります。", - "If the date is in the past, the next occurence of the date will be next year.": "日付が過去の場合、次の日付は来年になります。", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "「:actionText」ボタンをクリックできない場合は、以下の URL をコピーして貼り付けてください。\nWeb ブラウザに次のように入力します。", - "If you already have an account, you may accept this invitation by clicking the button below:": "すでにアカウントをお持ちの場合は、下のボタンをクリックしてこの招待を受け入れることができます。", - "If you did not create an account, no further action is required.": "アカウントを作成していない場合は、これ以上の操作は必要ありません。", - "If you did not expect to receive an invitation to this team, you may discard this email.": "このチームへの招待状を受け取る予定がなかった場合は、このメールを破棄してください。", - "If you did not request a password reset, no further action is required.": "パスワードのリセットを要求していない場合は、これ以上の操作は必要ありません。", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "アカウントをお持ちでない場合は、下のボタンをクリックしてアカウントを作成できます。アカウントを作成したら、このメールの招待承諾ボタンをクリックして、チームの招待を承諾することができます。", + "I agree to the :terms_of_service and :privacy_policy": ":Terms_of_serviceと:privacy_policyに同意する", + "I am grateful for": "感謝しています", + "I called": "私は電話した", + "I called, but :name didn’t answer": "電話をかけましたが、:nameは応答しませんでした", + "Idea": "アイデア", + "I don’t know the name": "名前がわかりません", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "お使いの全ての端末からログアウトできます。最近のセッションは下記の通りです(一部の情報が表示されていない可能性があります)。アカウント不正利用の恐れがある場合は、パスワードの更新を行ってください。", + "If the date is in the past, the next occurence of the date will be next year.": "日付が過去の場合、次にその日付が現れるのは来年になります。", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\"ボタンがクリックできない場合は、以下のURLに直接アクセスしてください。", + "If you already have an account, you may accept this invitation by clicking the button below:": "アカウントを既にお持ちの場合は、以下のボタンをクリックして招待を承認できます:", + "If you did not create an account, no further action is required.": "アカウント作成にお心当たりがない場合は、このメールを無視してください。", + "If you did not expect to receive an invitation to this team, you may discard this email.": "この招待メールにお心当たりがない場合は、このメールを無視してください。", + "If you did not request a password reset, no further action is required.": "パスワード再設定のリクエストにお心当たりがない場合は、このメールを無視してください。", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "アカウントをお持ちでない場合は、以下のボタンをクリックしてアカウントを作成できます。アカウント作成後は招待メールのリンクをクリックして登録を完了してください。", "If you’ve received this invitation by mistake, please discard it.": "この招待状を誤って受け取った場合は、破棄してください。", - "I know the exact date, including the year": "年を含めて正確な日付を知っている", - "I know the name": "名前は知ってる", + "I know the exact date, including the year": "年を含む正確な日付を知っています", + "I know the name": "名前は知っています", "Important dates": "重要な日付", "Important date summary": "重要な日付の概要", - "in": "の", + "in": "で", "Information": "情報", "Information from Wikipedia": "ウィキペディアからの情報", - "in love with": "に恋して", - "Inspirational post": "心に強く訴える投稿", + "in love with": "恋してる", + "Inspirational post": "インスピレーションを与える投稿", + "Invalid JSON was returned from the route.": "無効な JSON がルートから返されました。", "Invitation sent": "招待状が送られました", "Invite a new user": "新しいユーザーを招待する", - "Invite someone": "誰かを招待する", - "I only know a number of years (an age, for example)": "年数しか知らない(年齢など)", - "I only know the day and month, not the year": "年じゃなくて月日しか知らない", - "it misses some of the features, the most important ones being the API and gift management,": "いくつかの機能がありません。最も重要なのは API とギフ​​ト管理です。", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "アカウントにはまだテンプレートがないようです。最初に少なくともテンプレートをアカウントに追加してから、このテンプレートをこの連絡先に関連付けてください。", + "Invite someone": "誰かを招待してください", + "I only know a number of years (an age, for example)": "何年かしか分かりません(年齢など)", + "I only know the day and month, not the year": "日と月しか分からない、年は分からない", + "it misses some of the features, the most important ones being the API and gift management,": "いくつかの機能が欠けていますが、最も重要な機能は API とギフト管理です。", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "アカウントにはまだテンプレートがないようです。まず少なくともテンプレートをアカウントに追加してから、このテンプレートをこの連絡先に関連付けてください。", "Jew": "ユダヤ人", - "Job information": "お仕事情報", + "Job information": "求人情報", "Job position": "職位", "Journal": "ジャーナル", - "Journal entries": "仕訳", + "Journal entries": "仕訳帳", "Journal metrics": "ジャーナルの指標", - "Journal metrics let you track data accross all your journal entries.": "ジャーナル メトリックを使用すると、すべてのジャーナル エントリにわたってデータを追跡できます。", - "Journals": "ジャーナル", - "Just because": "という理由だけで", - "Just to say hello": "挨拶するだけで", + "Journal metrics let you track data accross all your journal entries.": "仕訳メトリックを使用すると、すべての仕訳入力にわたるデータを追跡できます。", + "Journals": "雑誌", + "Just because": "ただだから", + "Just to say hello": "ただ挨拶するために", "Key name": "キー名", "kilometers (km)": "キロメートル (km)", "km": "km", "Label:": "ラベル:", "Labels": "ラベル", - "Labels let you classify contacts using a system that matters to you.": "ラベルを使用すると、重要なシステムを使用して連絡先を分類できます。", + "Labels let you classify contacts using a system that matters to you.": "ラベルを使用すると、自分にとって重要なシステムを使用して連絡先を分類できます。", "Language of the application": "アプリケーションの言語", - "Last active": "最後にログインした時", - "Last active :date": "最終アクティブ:日付", + "Last active": "最後のログイン", + "Last active :date": "最後にアクティブだった :date", "Last name": "苗字", "Last name First name": "姓 名", "Last updated": "最終更新", - "Last used": "最終使用", - "Last used :date": "最終使用日:日付", + "Last used": "最後に使用された", + "Last used :date": "最後に使用したのは :date", "Leave": "離れる", "Leave Team": "チームを離れる", "Life": "人生", "Life & goals": "人生と目標", "Life events": "生活上の出来事", - "Life events let you document what happened in your life.": "ライフイベントは、あなたの人生で何が起こったかを記録することができます。", - "Life event types:": "ライフ イベントの種類:", - "Life event types and categories": "ライフイベントの種類とカテゴリ", - "Life metrics": "ライフメトリクス", - "Life metrics let you track metrics that are important to you.": "ライフ メトリクスを使用すると、自分にとって重要なメトリクスを追跡できます。", - "Link to documentation": "ドキュメントへのリンク", - "List of addresses": "アドレス一覧", + "Life events let you document what happened in your life.": "ライフイベントを使用すると、自分の人生に何が起こったかを記録できます。", + "Life event types:": "ライフイベントの種類:", + "Life event types and categories": "ライフイベントの種類とカテゴリー", + "Life metrics": "人生の指標", + "Life metrics let you track metrics that are important to you.": "ライフメトリクスを使用すると、自分にとって重要な指標を追跡できます。", + "LinkedIn": "リンクトイン", + "List of addresses": "住所一覧", "List of addresses of the contacts in the vault": "ボールト内の連絡先のアドレスのリスト", "List of all important dates": "すべての重要な日付のリスト", - "Loading…": "読み込んでいます…", - "Load previous entries": "前のエントリをロード", + "Loading…": "読み込み中…", + "Load previous entries": "以前のエントリをロードする", "Loans": "ローン", "Locale default: :value": "ロケールのデフォルト: :value", "Log a call": "通話を記録する", @@ -580,340 +580,339 @@ "Login with:": "でログイン:", "Log Out": "ログアウト", "Logout": "ログアウト", - "Log Out Other Browser Sessions": "他のブラウザ セッションをログアウトする", - "Longest streak": "最長連勝", + "Log Out Other Browser Sessions": "全ての端末からログアウト", + "Longest streak": "最長連続記録", "Love": "愛", - "loved by": "に愛された", + "loved by": "に愛されている", "lover": "愛人", - "Made from all over the world. We ❤️ you.": "世界中から作られています。私たちはあなたを❤️します。", + "Made from all over the world. We ❤️ you.": "世界中から作られています。私たちは❤️あなたです。", "Maiden name": "旧姓", "Male": "男", - "Manage Account": "アカウントの管理", + "Manage Account": "アカウント管理", "Manage accounts you have linked to your Customers account.": "顧客アカウントにリンクしたアカウントを管理します。", "Manage address types": "アドレスの種類を管理する", - "Manage and log out your active sessions on other browsers and devices.": "他のブラウザーやデバイスでアクティブなセッションを管理およびログアウトします。", - "Manage API Tokens": "API トークンの管理", + "Manage and log out your active sessions on other browsers and devices.": "全ての端末からログアウトする。", + "Manage API Tokens": "APIトークン管理", "Manage call reasons": "通話理由の管理", "Manage contact information types": "連絡先情報の種類を管理する", - "Manage currencies": "通貨の管理", + "Manage currencies": "通貨を管理する", "Manage genders": "性別を管理する", - "Manage gift occasions": "ギフトの機会を管理する", - "Manage gift states": "ギフト状態を管理する", - "Manage group types": "グループの種類を管理する", + "Manage gift occasions": "ギフト機会を管理する", + "Manage gift states": "ギフトの状態を管理する", + "Manage group types": "グループタイプを管理する", "Manage modules": "モジュールの管理", "Manage pet categories": "ペットのカテゴリを管理する", - "Manage post templates": "投稿テンプレートの管理", + "Manage post templates": "投稿テンプレートを管理する", "Manage pronouns": "代名詞の管理", - "Manager": "マネジャー", - "Manage relationship types": "関係タイプの管理", + "Manager": "マネージャー", + "Manage relationship types": "関係タイプを管理する", "Manage religions": "宗教を管理する", - "Manage Role": "役割の管理", + "Manage Role": "役割管理", "Manage storage": "ストレージの管理", - "Manage Team": "チームの管理", + "Manage Team": "チーム管理", "Manage templates": "テンプレートの管理", - "Manage users": "ユーザーの管理", - "Maybe one of these contacts?": "多分これらの連絡先の1つですか?", + "Manage users": "ユーザーを管理する", + "Mastodon": "マストドン", + "Maybe one of these contacts?": "おそらくこれらの連絡先のいずれかでしょうか?", "mentor": "メンター", "Middle name": "ミドルネーム", "miles": "マイル", - "miles (mi)": "マイル (マイル)", + "miles (mi)": "マイル (mi)", "Modules in this page": "このページのモジュール", "Monday": "月曜日", - "Monica. All rights reserved. 2017 — :date.": "モニカ。全著作権所有。 2017 — :日付。", - "Monica is open source, made by hundreds of people from all around the world.": "Monica はオープン ソースであり、世界中の何百人もの人々によって作成されています。", + "Monica. All rights reserved. 2017 — :date.": "Monica。無断転載を禁じます。 2017 — :date。", + "Monica is open source, made by hundreds of people from all around the world.": "Monica はオープンソースであり、世界中の何百人もの人々によって作成されています。", "Monica was made to help you document your life and your social interactions.": "Monica は、あなたの人生と社会的交流を記録するのに役立つように作られました。", "Month": "月", "month": "月", - "Mood in the year": "今年の気分", + "Mood in the year": "その年の気分", "Mood tracking events": "気分追跡イベント", "Mood tracking parameters": "気分追跡パラメータ", - "More details": "詳細", - "More errors": "その他のエラー", - "Move contact": "連絡先を移動", + "More details": "さらに詳しく", + "More errors": "さらなるエラー", + "Move contact": "連絡先を移動する", "Muslim": "イスラム教徒", - "Name": "名前", + "Name": "氏名", "Name of the pet": "ペットの名前", "Name of the reminder": "リマインダーの名前", "Name of the reverse relationship": "逆関係の名前", "Nature of the call": "通話の性質", - "nephew\/niece": "甥\/姪", + "nephew/niece": "甥/姪", "New Password": "新しいパスワード", - "New to Monica?": "モニカは初めてですか?", + "New to Monica?": "Monica は初めてですか?", "Next": "次", "Nickname": "ニックネーム", "nickname": "ニックネーム", - "No cities have been added yet in any contact’s addresses.": "連絡先の住所に都市が追加されていません。", - "No contacts found.": "連絡先が見つかりません。", - "No countries have been added yet in any contact’s addresses.": "どの連絡先の住所にも国が追加されていません。", - "No dates in this month.": "今月の日付はありません。", + "No cities have been added yet in any contact’s addresses.": "どの連絡先の住所にもまだ都市が追加されていません。", + "No contacts found.": "連絡先が見つかりませんでした。", + "No countries have been added yet in any contact’s addresses.": "どの連絡先の住所にもまだ国が追加されていません。", + "No dates in this month.": "今月は日付がありません。", "No description yet.": "まだ説明がありません。", - "No groups found.": "グループが見つかりません。", - "No keys registered yet": "キーはまだ登録されていません", - "No labels yet.": "ラベルはまだありません。", + "No groups found.": "グループが見つかりませんでした。", + "No keys registered yet": "まだキーが登録されていません", + "No labels yet.": "まだラベルがありません。", "No life event types yet.": "ライフ イベント タイプはまだありません。", - "No notes found.": "メモが見つかりません。", + "No notes found.": "メモが見つかりませんでした。", "No results found": "結果が見つかりません", "No role": "役割なし", - "No roles yet.": "ロールはまだありません。", + "No roles yet.": "まだ役割がありません。", "No tasks.": "タスクはありません。", "Notes": "ノート", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "ページからモジュールを削除しても、連絡先ページの実際のデータは削除されないことに注意してください。それは単にそれを隠すでしょう。", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "ページからモジュールを削除しても、連絡先ページ上の実際のデータは削除されないことに注意してください。単純に隠してしまいます。", "Not Found": "見つかりません", "Notification channels": "通知チャネル", - "Notification sent": "通知を送信しました", + "Notification sent": "通知が送信されました", "Not set": "設定されていません", "No upcoming reminders.": "今後のリマインダーはありません。", "Number of hours slept": "睡眠時間", "Numerical value": "数値", "of": "の", - "Offered": "提供", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "チームが削除されると、そのすべてのリソースとデータが完全に削除されます。このチームを削除する前に、保持したいこのチームに関するデータまたは情報をダウンロードしてください。", - "Once you cancel,": "キャンセルしたら、", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "下の [セットアップ] ボタンをクリックしたら、提供されたボタンで Telegram を開く必要があります。これにより、Monica Telegram ボットが見つかります。", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "アカウントが削除されると、そのリソースとデータはすべて完全に削除されます。アカウントを削除する前に、保持したいデータや情報をダウンロードしてください。", - "Only once, when the next occurence of the date occurs.": "日付の次の発生時に 1 回だけ。", - "Oops! Something went wrong.": "おっとっと!エラーが発生しました。", - "Open Street Maps": "ストリート マップを開く", - "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps は優れたプライバシーの代替手段ですが、提供される詳細情報は少なくなります。", - "Open Telegram to validate your identity": "Telegramを開いて身元を確認する", + "Offered": "提供済み", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "チームを削除すると、全てのデータが完全に削除されます。残しておきたいデータなどは削除前にダウンロードしてください。", + "Once you cancel,": "一度キャンセルしていただきますと、", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "下の [セットアップ] ボタンをクリックしたら、提供されるボタンを使用して Telegram を開く必要があります。これにより、Monica Telegram ボットが見つかります。", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "アカウントを削除すると、全てのデータが完全に削除されます。残しておきたいデータなどは削除前にダウンロードしてください。", + "Only once, when the next occurence of the date occurs.": "次回その日付が発生するときに 1 回だけ。", + "Oops! Something went wrong.": "おっとっと!何か問題が発生しました。", + "Open Street Maps": "ストリートマップを開く", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps はプライバシーを保護する優れた代替手段ですが、詳細情報はあまり提供されません。", + "Open Telegram to validate your identity": "Telegramを開いて身元を確認してください", "optional": "オプション", - "Or create a new one": "または、新しいものを作成します", - "Or filter by type": "またはタイプでフィルタリング", + "Or create a new one": "または、新しいものを作成する", + "Or filter by type": "またはタイプでフィルタリングします", "Or remove the slice": "またはスライスを削除します", "Or reset the fields": "またはフィールドをリセットします", "Other": "他の", - "Out of respect and appreciation": "敬意と感謝を込めて", - "Page Expired": "ページの有効期限が切れました", + "Out of respect and appreciation": "敬意と感謝の気持ちから", + "Page Expired": "ページが無効です", "Pages": "ページ", - "Pagination Navigation": "ページネーション ナビゲーション", + "Pagination Navigation": "ページネーション", "Parent": "親", "parent": "親", "Participants": "参加者", "Partner": "相棒", "Part of": "一部の", "Password": "パスワード", - "Payment Required": "支払いが必要", - "Pending Team Invitations": "保留中のチームへの招待", - "per\/per": "用\/用", - "Permanently delete this team.": "このチームを完全に削除します。", - "Permanently delete your account.": "アカウントを完全に削除します。", - "Permission for :name": ":name の許可", - "Permissions": "権限", + "Payment Required": "お支払いが必要", + "Pending Team Invitations": "保留中のチーム招待", + "per/per": "あたり/あたり", + "Permanently delete this team.": "永久にチームを削除する。", + "Permanently delete your account.": "永久にアカウントを削除する。", + "Permission for :name": ":Nameの許可", + "Permissions": "認可", "Personal": "個人的", "Personalize your account": "アカウントをパーソナライズする", "Pet categories": "ペットのカテゴリー", - "Pet categories let you add types of pets that contacts can add to their profile.": "ペット カテゴリを使用すると、連絡先がプロファイルに追加できるペットの種類を追加できます。", + "Pet categories let you add types of pets that contacts can add to their profile.": "ペット カテゴリを使用すると、連絡先がプロフィールに追加できるペットの種類を追加できます。", "Pet category": "ペットカテゴリー", "Pets": "ペット", "Phone": "電話", "Photo": "写真", "Photos": "写真", "Played basketball": "バスケットボールをした", - "Played golf": "ゴルフをした", + "Played golf": "ゴルフをしました", "Played soccer": "サッカーをした", "Played tennis": "テニスをした", "Please choose a template for this new post": "この新しい投稿のテンプレートを選択してください", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "以下のテンプレートを 1 つ選択して、この連絡先をどのように表示するかをモニカに伝えてください。テンプレートを使用すると、連絡先ページに表示するデータを定義できます。", - "Please click the button below to verify your email address.": "下のボタンをクリックして、メールアドレスを確認してください。", - "Please complete this form to finalize your account.": "アカウントを確定するには、このフォームに記入してください。", - "Please confirm access to your account by entering one of your emergency recovery codes.": "緊急復旧コードのいずれかを入力して、アカウントへのアクセスを確認してください。", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "認証アプリケーションから提供された認証コードを入力して、アカウントへのアクセスを確認してください。", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "以下のテンプレートを 1 つ選択して、この連絡先をどのように表示するかを Monica に指示してください。テンプレートを使用すると、連絡先ページに表示するデータを定義できます。", + "Please click the button below to verify your email address.": "メールアドレスを確認するには、以下のボタンをクリックしてください。", + "Please complete this form to finalize your account.": "アカウントを完了するには、このフォームに記入してください。", + "Please confirm access to your account by entering one of your emergency recovery codes.": "アカウントへアクセスするには、リカバリーコードを1つ入力してください。", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "認証アプリから提供された認証コードを入力し、アカウントへのアクセスを確認してください。", "Please confirm access to your account by validating your security key.": "セキュリティ キーを検証して、アカウントへのアクセスを確認してください。", - "Please copy your new API token. For your security, it won't be shown again.": "新しい API トークンをコピーしてください。セキュリティのため、今後は表示されません。", - "Please copy your new API token. For your security, it won’t be shown again.": "新しい API トークンをコピーしてください。セキュリティのため、今後表示されることはありません。", + "Please copy your new API token. For your security, it won't be shown again.": "新しいAPIトークンをコピーしてください。漏洩防止のため、二度と表示されることはありません。", + "Please copy your new API token. For your security, it won’t be shown again.": "新しい API トークンをコピーしてください。セキュリティのため、再度表示されることはありません。", "Please enter at least 3 characters to initiate a search.": "検索を開始するには、少なくとも 3 文字を入力してください。", "Please enter your password to cancel the account": "アカウントをキャンセルするにはパスワードを入力してください", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "パスワードを入力して、すべてのデバイスで他のブラウザ セッションからログアウトすることを確認してください。", - "Please indicate the contacts": "連絡先を教えてください", - "Please join Monica": "モニカに参加してください", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "全ての端末からログアウトします。よろしければパスワードを入力してください。", + "Please indicate the contacts": "連絡先を明記してください", + "Please join Monica": "Monicaさんも参加してください", "Please provide the email address of the person you would like to add to this team.": "このチームに追加したい人のメールアドレスを入力してください。", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "この機能とアクセスできる変数の詳細については、ドキュメント<\/link>をお読みください。", - "Please select a page on the left to load modules.": "モジュールをロードするには、左側のページを選択してください。", - "Please type a few characters to create a new label.": "新しいラベルを作成するには、数文字入力してください。", - "Please type a few characters to create a new tag.": "新しいタグを作成するには、数文字入力してください。", + "Please read our documentation to know more about this feature, and which variables you have access to.": "この機能とアクセスできる変数の詳細については、ドキュメントをお読みください。", + "Please select a page on the left to load modules.": "左側のページを選択してモジュールをロードしてください。", + "Please type a few characters to create a new label.": "新しいラベルを作成するには、いくつかの文字を入力してください。", + "Please type a few characters to create a new tag.": "新しいタグを作成するには、いくつかの文字を入力してください。", "Please validate your email address": "メールアドレスを確認してください", "Please verify your email address": "メールアドレスを確認してください", "Postal code": "郵便番号", - "Post metrics": "投稿指標", + "Post metrics": "投稿メトリクス", "Posts": "投稿", - "Posts in your journals": "日誌への投稿", + "Posts in your journals": "日記への投稿", "Post templates": "投稿テンプレート", "Prefix": "プレフィックス", - "Previous": "前", + "Previous": "前の", "Previous addresses": "以前の住所", "Privacy Policy": "プライバシーポリシー", "Profile": "プロフィール", - "Profile and security": "プロファイルとセキュリティ", + "Profile and security": "プロフィールとセキュリティ", "Profile Information": "プロフィール情報", - "Profile of :name": ":name のプロフィール", - "Profile page of :name": ":name のプロフィール ページ", - "Pronoun": "彼らは傾向があります", + "Profile of :name": ":Nameのプロフィール", + "Profile page of :name": ":Name のプロフィール ページ", + "Pronoun": "代名詞", "Pronouns": "代名詞", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "代名詞は基本的に、名前とは別に自分自身を識別する方法です。それは、誰かが会話であなたを参照する方法です。", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "代名詞は基本的に、名前とは別に自分自身を識別する方法です。これは、誰かが会話の中であなたを指す方法です。", "protege": "弟子", "Protocol": "プロトコル", - "Protocol: :name": "プロトコル: :名前", + "Protocol: :name": "プロトコル: :name", "Province": "州", "Quick facts": "簡単な事実", - "Quick facts let you document interesting facts about a contact.": "クイック ファクトを使用すると、連絡先に関する興味深い事実を記録できます。", - "Quick facts template": "クイック ファクト テンプレート", + "Quick facts let you document interesting facts about a contact.": "クイックファクトを使用すると、連絡先に関する興味深い事実を文書化できます。", + "Quick facts template": "クイックファクトテンプレート", "Quit job": "仕事を辞める", "Rabbit": "うさぎ", "Ran": "ラン", "Rat": "ねずみ", - "Read :count time|Read :count times": "読み取り:count 回|読み取り:count 回", + "Read :count time|Read :count times": "読み取り回数 :count 回", "Record a loan": "ローンを記録する", "Record your mood": "気分を記録する", "Recovery Code": "リカバリーコード", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "世界のどこにいても、日付を自分のタイムゾーンで表示します。", - "Regards": "よろしく", - "Regenerate Recovery Codes": "リカバリ コードの再生成", - "Register": "登録", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "世界のどこにいても、日付を自分のタイムゾーンで表示できます。", + "Regards": "よろしくお願いします", + "Regenerate Recovery Codes": "リカバリーコード再生成", + "Register": "アカウント作成", "Register a new key": "新しいキーを登録する", "Register a new key.": "新しいキーを登録します。", - "Regular post": "普通郵便", + "Regular post": "定期投稿", "Regular user": "一般ユーザー", - "Relationships": "関係", + "Relationships": "人間関係", "Relationship types": "関係の種類", - "Relationship types let you link contacts and document how they are connected.": "関係タイプを使用すると、連絡先をリンクし、それらがどのように接続されているかを文書化できます。", + "Relationship types let you link contacts and document how they are connected.": "関係タイプを使用すると、連絡先をリンクし、連絡先がどのように接続されているかを文書化できます。", "Religion": "宗教", "Religions": "宗教", - "Religions is all about faith.": "宗教は信仰がすべてです。", - "Remember me": "私を覚えてますか", - "Reminder for :name": ":name のリマインダー", + "Religions is all about faith.": "宗教はすべて信仰です。", + "Remember me": "ログイン状態を保持する", + "Reminder for :name": ":Name へのリマインダー", "Reminders": "リマインダー", - "Reminders for the next 30 days": "今後 30 日間の通知", - "Remind me about this date every year": "毎年この日付について通知する", - "Remind me about this date just once, in one year from now": "この日付について、今から 1 年後に 1 回だけ通知する", + "Reminders for the next 30 days": "今後 30 日間のリマインダー", + "Remind me about this date every year": "毎年この日付について思い出させてくれる", + "Remind me about this date just once, in one year from now": "1 年後に一度だけ、この日付のことを思い出させてください", "Remove": "削除", - "Remove avatar": "アバターを削除", - "Remove cover image": "カバー画像を削除", + "Remove avatar": "アバターを削除する", + "Remove cover image": "カバー画像を削除する", "removed a label": "ラベルを削除しました", "removed the contact from a group": "グループから連絡先を削除しました", - "removed the contact from a post": "投稿から連絡先を削除した", + "removed the contact from a post": "投稿から連絡先を削除しました", "removed the contact from the favorites": "連絡先をお気に入りから削除しました", "Remove Photo": "写真を削除", "Remove Team Member": "チームメンバーを削除", - "Rename": "名前を変更", + "Rename": "名前の変更", "Reports": "レポート", "Reptile": "爬虫類", - "Resend Verification Email": "確認メールを再送", - "Reset Password": "パスワードを再設定する", - "Reset Password Notification": "パスワードのリセット通知", + "Resend Verification Email": "確認メールを再送する", + "Reset Password": "パスワード再設定", + "Reset Password Notification": "パスワード再設定のお知らせ", "results": "結果", "Retry": "リトライ", "Revert": "元に戻す", "Rode a bike": "自転車に乗った", "Role": "役割", "Roles:": "役割:", - "Roomates": "クロール", + "Roomates": "ルームメイト", "Saturday": "土曜日", "Save": "保存", - "Saved.": "保存しました。", - "Saving in progress": "保存中", - "Searched": "検索した", + "Saved.": "保存が完了しました。", + "Saving in progress": "保存中です", + "Searched": "検索されました", "Searching…": "検索中…", - "Search something": "何かを検索", - "Search something in the vault": "保管庫で何かを検索する", + "Search something": "何かを検索する", + "Search something in the vault": "金庫の中のものを探す", "Sections:": "セクション:", - "Security keys": "セキュリティ キー", - "Select a group or create a new one": "グループを選択するか、新しいグループを作成してください", + "Security keys": "セキュリティキー", + "Select a group or create a new one": "グループを選択するか、新しいグループを作成します", "Select A New Photo": "新しい写真を選択", "Select a relationship type": "関係タイプを選択してください", - "Send invitation": "招待状を送る", + "Send invitation": "招待状を送信する", "Send test": "送信テスト", - "Sent at :time": "送信時刻:time", + "Sent at :time": ":timeに送信されました", "Server Error": "サーバーエラー", "Service Unavailable": "サービスは利用できません", "Set as default": "デフォルトとして設定", "Set as favorite": "お気に入りに設定", "Settings": "設定", - "Settle": "解決", + "Settle": "解決する", "Setup": "設定", - "Setup Key": "セットアップキー", - "Setup Key:": "セットアップ キー:", - "Setup Telegram": "テレグラムの設定", - "she\/her": "彼女", + "Setup Key": "キー設定", + "Setup Key:": "セットアップキー:", + "Setup Telegram": "テレグラムのセットアップ", + "she/her": "彼女", "Shintoist": "神道家", - "Show Calendar tab": "カレンダータブを表示", - "Show Companies tab": "[会社] タブを表示", + "Show Calendar tab": "「カレンダー」タブを表示", + "Show Companies tab": "「会社」タブを表示", "Show completed tasks (:count)": "完了したタスクを表示 (:count)", - "Show Files tab": "[ファイル] タブを表示", - "Show Groups tab": "グループタブを表示", + "Show Files tab": "「ファイル」タブを表示", + "Show Groups tab": "「グループ」タブを表示", "Showing": "表示中", - "Showing :count of :total results": ":count of :total の結果を表示しています", - "Showing :first to :last of :total results": ":total 結果の :first から :last を表示しています", - "Show Journals tab": "仕訳タブを表示", + "Showing :count of :total results": ":total 件中 :count 件の結果を表示しています", + "Showing :first to :last of :total results": ":total 件中 :first ~ :last 件の結果を表示しています", + "Show Journals tab": "「ジャーナル」タブを表示", "Show Recovery Codes": "リカバリーコードを表示", - "Show Reports tab": "[レポート] タブを表示", - "Show Tasks tab": "タスクタブを表示", + "Show Reports tab": "「レポート」タブを表示", + "Show Tasks tab": "「タスク」タブを表示", "significant other": "伴侶", "Sign in to your account": "アカウントにサインインする", "Sign up for an account": "アカウントにサインアップする", "Sikh": "シーク教", - "Slept :count hour|Slept :count hours": "睡眠:カウント時間|睡眠:カウント時間", + "Slept :count hour|Slept :count hours": "睡眠時間:count時間", "Slice of life": "人生のひとこま", - "Slices of life": "スライス・オブ・ライフ", + "Slices of life": "人生の断片", "Small animal": "小動物", "Social": "社交", "Some dates have a special type that we will use in the software to calculate an age.": "一部の日付には、ソフトウェアで年齢を計算するために使用する特別なタイプがあります。", - "Sort contacts": "連絡先を並べ替える", "So… it works 😼": "それで…うまくいきます 😼", "Sport": "スポーツ", "spouse": "配偶者", "Statistics": "統計", - "Storage": "保管所", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "これらの回復コードを安全なパスワード マネージャーに保存します。 2 要素認証デバイスを紛失した場合に、アカウントへのアクセスを回復するために使用できます。", - "Submit": "送信", + "Storage": "ストレージ", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "パスワード管理ツールにリカバリーコードを保存してください。二要素認証に使用する端末を紛失した場合にリカバリーコードを使ってログインできます。", + "Submit": "提出する", "subordinate": "下位", "Suffix": "サフィックス", "Summary": "まとめ", "Sunday": "日曜日", "Switch role": "役割を切り替える", - "Switch Teams": "チームを切り替える", + "Switch Teams": "チーム切り替え", "Tabs visibility": "タブの可視性", "Tags": "タグ", - "Tags let you classify journal posts using a system that matters to you.": "タグを使用すると、重要なシステムを使用してジャーナル投稿を分類できます。", - "Taoist": "道教", + "Tags let you classify journal posts using a system that matters to you.": "タグを使用すると、自分にとって重要なシステムを使用して日記の投稿を分類できます。", + "Taoist": "道教者", "Tasks": "タスク", - "Team Details": "チームの詳細", + "Team Details": "チーム詳細", "Team Invitation": "チーム招待", "Team Members": "チームメンバー", - "Team Name": "チームの名前", - "Team Owner": "チーム所有者", + "Team Name": "チーム名", + "Team Owner": "チームオーナー", "Team Settings": "チーム設定", "Telegram": "電報", "Templates": "テンプレート", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "テンプレートを使用すると、連絡先に表示するデータをカスタマイズできます。必要な数のテンプレートを定義し、どの連絡先にどのテンプレートを使用するかを選択できます。", "Terms of Service": "利用規約", - "Test email for Monica": "モニカのテストメール", - "Test email sent!": "テストメールを送信しました!", + "Test email for Monica": "Monicaのテストメール", + "Test email sent!": "テストメールを送信しました!", "Thanks,": "ありがとう、", - "Thanks for giving Monica a try": "モニカを試してくれてありがとう", - "Thanks for giving Monica a try.": "モニカを試してくれてありがとう。", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "ご登録ありがとうございます。開始する前に、メールでお送りしたリンクをクリックして、メール アドレスを確認していただけますか?メールが届かない場合は、喜んで別のメールをお送りします。", - "The :attribute must be at least :length characters.": ":attribute は少なくとも :length 文字でなければなりません。", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute は、少なくとも :length 文字で、少なくとも 1 つの数字を含む必要があります。", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute は少なくとも :length 文字で、少なくとも 1 つの特殊文字を含む必要があります。", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute は、少なくとも :length 文字で、少なくとも 1 つの特殊文字と 1 つの数字を含む必要があります。", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute は、少なくとも :length 文字で、少なくとも 1 つの大文字、1 つの数字、および 1 つの特殊文字を含む必要があります。", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute は、少なくとも :length 文字で、少なくとも 1 つの大文字を含む必要があります。", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute は、少なくとも :length 文字で、少なくとも 1 つの大文字と 1 つの数字を含む必要があります。", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute は少なくとも :length 文字で、少なくとも 1 つの大文字と 1 つの特殊文字を含む必要があります。", - "The :attribute must be a valid role.": ":attribute は有効な役割でなければなりません。", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "アカウントのデータは、サーバーから 30 日以内に完全に削除され、すべてのバックアップから 60 日以内に削除されます。", - "The address type has been created": "アドレス タイプが作成されました", - "The address type has been deleted": "アドレス タイプが削除されました", + "Thanks for giving Monica a try.": "Monicaを試してくれてありがとう。", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "ご登録いただきありがとうございます!始める前に、先ほどメールでお送りしたリンクをクリックして、メール アドレスを確認していただけますか?メールが届かない場合は、喜んで別のメールをお送りいたします。", + "The :attribute must be at least :length characters.": ":Attributeは:length文字以上でなければいけません。", + "The :attribute must be at least :length characters and contain at least one number.": ":Attributeは:length文字以上で、数字を1文字以上含めなければいけません。", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attributeは:length文字以上で、記号を1文字以上含めなければいけません。", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attributeは:length文字以上で、記号と数字をそれぞれ1文字以上含めなければいけません。。", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attributeは:length文字以上で、大文字・数字・記号をそれぞれ1文字以上含めなければいけません。", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attributeは:length文字以上で、大文字を1文字以上含めなければいけません。", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attributeは:length文字以上で、大文字と数字をそれぞれ1文字以上含めなければいけません。", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attributeは:length文字以上で、大文字と記号をそれぞれ1文字以上含めなければいけません。", + "The :attribute must be a valid role.": ":Attributeは有効なロールである必要があります。", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "アカウントのデータは 30 日以内にサーバーから、60 日以内にすべてのバックアップから完全に削除されます。", + "The address type has been created": "アドレスタイプが作成されました", + "The address type has been deleted": "アドレスタイプが削除されました", "The address type has been updated": "住所タイプが更新されました", "The call has been created": "通話が作成されました", "The call has been deleted": "通話は削除されました", - "The call has been edited": "通話が編集されました", + "The call has been edited": "通話は編集されました", "The call reason has been created": "通話理由が作成されました", "The call reason has been deleted": "通話理由が削除されました", - "The call reason has been updated": "呼び出し理由が更新されました", + "The call reason has been updated": "通話理由が更新されました", "The call reason type has been created": "通話理由タイプが作成されました", - "The call reason type has been deleted": "通話理由の種類が削除されました", - "The call reason type has been updated": "通話理由の種類が更新されました", + "The call reason type has been deleted": "通話理由タイプが削除されました", + "The call reason type has been updated": "通話理由タイプが更新されました", "The channel has been added": "チャンネルが追加されました", "The channel has been updated": "チャンネルが更新されました", "The contact does not belong to any group yet.": "連絡先はまだどのグループにも属していません。", @@ -922,11 +921,11 @@ "The contact has been edited": "連絡先が編集されました", "The contact has been removed from the group": "連絡先がグループから削除されました", "The contact information has been created": "連絡先情報が作成されました", - "The contact information has been deleted": "連絡先が削除されました", - "The contact information has been edited": "連絡先を編集しました", + "The contact information has been deleted": "連絡先情報が削除されました", + "The contact information has been edited": "連絡先情報が編集されました", "The contact information type has been created": "連絡先情報タイプが作成されました", "The contact information type has been deleted": "連絡先情報の種類が削除されました", - "The contact information type has been updated": "連絡先情報の種類が更新されました", + "The contact information type has been updated": "連絡先情報のタイプが更新されました", "The contact is archived": "連絡先はアーカイブされています", "The currencies have been updated": "通貨が更新されました", "The currency has been updated": "通貨が更新されました", @@ -934,59 +933,59 @@ "The date has been deleted": "日付が削除されました", "The date has been updated": "日付が更新されました", "The document has been added": "ドキュメントが追加されました", - "The document has been deleted": "ドキュメントは削除されました", + "The document has been deleted": "文書は削除されました", "The email address has been deleted": "メールアドレスが削除されました", "The email has been added": "メールが追加されました", "The email is already taken. Please choose another one.": "メールはすでに取得されています。別のものを選択してください。", "The gender has been created": "性別が作成されました", "The gender has been deleted": "性別は削除されました", - "The gender has been updated": "性別を更新しました", + "The gender has been updated": "性別が更新されました", "The gift occasion has been created": "ギフト機会が作成されました", - "The gift occasion has been deleted": "プレゼント企画は削除しました", + "The gift occasion has been deleted": "プレゼント企画は削除されました", "The gift occasion has been updated": "プレゼント企画を更新しました", "The gift state has been created": "ギフト状態が作成されました", "The gift state has been deleted": "ギフト状態は削除されました", - "The gift state has been updated": "プレゼント状況を更新しました", - "The given data was invalid.": "指定されたデータは無効です。", + "The gift state has been updated": "ギフト状況が更新されました", + "The given data was invalid.": "指定されたデータは無効でした。", "The goal has been created": "目標が作成されました", - "The goal has been deleted": "目標は削除されました", + "The goal has been deleted": "ゴールは削除されました", "The goal has been edited": "目標が編集されました", "The group has been added": "グループが追加されました", "The group has been deleted": "グループが削除されました", "The group has been updated": "グループが更新されました", - "The group type has been created": "グループ タイプが作成されました", - "The group type has been deleted": "グループ タイプが削除されました", - "The group type has been updated": "グループ タイプが更新されました", - "The important dates in the next 12 months": "今後 12 か月の重要な日付", + "The group type has been created": "グループタイプが作成されました", + "The group type has been deleted": "グループタイプが削除されました", + "The group type has been updated": "グループタイプが更新されました", + "The important dates in the next 12 months": "今後 12 か月以内の重要な日付", "The job information has been saved": "ジョブ情報が保存されました", - "The journal lets you document your life with your own words.": "日記を使えば、自分の言葉で自分の人生を記録できます。", + "The journal lets you document your life with your own words.": "日記を使用すると、自分の人生を自分の言葉で記録できます。", "The keys to manage uploads have not been set in this Monica instance.": "この Monica インスタンスには、アップロードを管理するためのキーが設定されていません。", "The label has been added": "ラベルが追加されました", "The label has been created": "ラベルが作成されました", - "The label has been deleted": "ラベルは削除されました", - "The label has been updated": "ラベルを更新しました", - "The life metric has been created": "ライフメトリックが作成されました", - "The life metric has been deleted": "ライフメトリックは削除されました", - "The life metric has been updated": "ライフメトリックが更新されました", + "The label has been deleted": "ラベルが削除されました", + "The label has been updated": "ラベルが更新されました", + "The life metric has been created": "ライフメトリクスが作成されました", + "The life metric has been deleted": "ライフメトリクスが削除されました", + "The life metric has been updated": "ライフメトリクスが更新されました", "The loan has been created": "ローンが作成されました", - "The loan has been deleted": "貸出は削除されました", + "The loan has been deleted": "借金は削除されました", "The loan has been edited": "ローンが編集されました", - "The loan has been settled": "借金は完済した", - "The loan is an object": "ローンはオブジェクトです", - "The loan is monetary": "借金は金銭です", + "The loan has been settled": "借金は完済しました", + "The loan is an object": "ローンは対象物です", + "The loan is monetary": "借金は金銭的なものです", "The module has been added": "モジュールが追加されました", "The module has been removed": "モジュールが削除されました", - "The note has been created": "メモが作成されました", + "The note has been created": "ノートが作成されました", "The note has been deleted": "メモは削除されました", "The note has been edited": "メモが編集されました", "The notification has been sent": "通知が送信されました", "The operation either timed out or was not allowed.": "操作がタイムアウトしたか、許可されませんでした。", "The page has been added": "ページが追加されました", "The page has been deleted": "ページは削除されました", - "The page has been updated": "ページを更新しました", + "The page has been updated": "ページが更新されました", "The password is incorrect.": "パスワードが正しくありません。", - "The pet category has been created": "ペットのカテゴリを作成しました", - "The pet category has been deleted": "ペットのカテゴリは削除されました", + "The pet category has been created": "ペットカテゴリーができました", + "The pet category has been deleted": "ペットのカテゴリが削除されました", "The pet category has been updated": "ペットカテゴリーを更新しました", "The pet has been added": "ペットが追加されました", "The pet has been deleted": "ペットは削除されました", @@ -995,114 +994,115 @@ "The photo has been deleted": "写真は削除されました", "The position has been saved": "位置が保存されました", "The post template has been created": "投稿テンプレートが作成されました", - "The post template has been deleted": "投稿テンプレートは削除されました", - "The post template has been updated": "投稿テンプレートを更新しました", - "The pronoun has been created": "代名詞が作成されました", + "The post template has been deleted": "投稿テンプレートが削除されました", + "The post template has been updated": "投稿テンプレートが更新されました", + "The pronoun has been created": "代名詞が作られました", "The pronoun has been deleted": "代名詞が削除されました", - "The pronoun has been updated": "代名詞を更新しました", - "The provided password does not match your current password.": "指定されたパスワードが現在のパスワードと一致しません。", - "The provided password was incorrect.": "指定されたパスワードが正しくありませんでした。", - "The provided two factor authentication code was invalid.": "提供された 2 要素認証コードは無効でした。", - "The provided two factor recovery code was invalid.": "提供された 2 要素復旧コードは無効でした。", - "There are no active addresses yet.": "まだアクティブなアドレスはありません。", - "There are no calls logged yet.": "記録された通話はまだありません。", + "The pronoun has been updated": "代名詞が更新されました", + "The provided password does not match your current password.": "パスワードが現在のパスワードと一致しません。", + "The provided password was incorrect.": "パスワードが違います。", + "The provided two factor authentication code was invalid.": "二要素認証コードが無効です。", + "The provided two factor recovery code was invalid.": "二要素認証のリカバリーコードが無効です。", + "There are no active addresses yet.": "アクティブなアドレスはまだありません。", + "There are no calls logged yet.": "まだ通話は記録されていません。", "There are no contact information yet.": "連絡先情報はまだありません。", - "There are no documents yet.": "まだドキュメントはありません。", - "There are no events on that day, future or past.": "その日、未来または過去にイベントはありません。", - "There are no files yet.": "ファイルはまだありません。", + "There are no documents yet.": "まだ書類はありません。", + "There are no events on that day, future or past.": "その日、未来にも過去にも出来事はありません。", + "There are no files yet.": "まだファイルがありません。", "There are no goals yet.": "まだ目標はありません。", - "There are no journal metrics.": "ジャーナル メトリックはありません。", - "There are no loans yet.": "ローンはまだありません。", + "There are no journal metrics.": "ジャーナルの指標はありません。", + "There are no loans yet.": "まだローンはありません。", "There are no notes yet.": "まだメモはありません。", "There are no other users in this account.": "このアカウントには他のユーザーはいません。", "There are no pets yet.": "ペットはまだいません。", - "There are no photos yet.": "写真はまだありません。", + "There are no photos yet.": "まだ写真はありません。", "There are no posts yet.": "まだ投稿はありません。", "There are no quick facts here yet.": "ここにはまだ簡単な事実はありません。", "There are no relationships yet.": "まだ関係はありません。", - "There are no reminders yet.": "リマインダーはまだありません。", - "There are no tasks yet.": "タスクはまだありません。", - "There are no templates in the account. Go to the account settings to create one.": "アカウントにテンプレートはありません。アカウント設定に移動して作成します。", + "There are no reminders yet.": "まだリマインダーはありません。", + "There are no tasks yet.": "まだタスクはありません。", + "There are no templates in the account. Go to the account settings to create one.": "アカウントにはテンプレートがありません。アカウント設定に移動してアカウントを作成します。", "There is no activity yet.": "まだ活動はありません。", "There is no currencies in this account.": "このアカウントには通貨がありません。", - "The relationship has been added": "関係が追加されました", + "The relationship has been added": "関係性が追加されました", "The relationship has been deleted": "関係は削除されました", "The relationship type has been created": "関係タイプが作成されました", "The relationship type has been deleted": "関係タイプが削除されました", "The relationship type has been updated": "関係タイプが更新されました", - "The religion has been created": "宗教が創られた", + "The religion has been created": "宗教が作られてしまった", "The religion has been deleted": "宗教は削除されました", - "The religion has been updated": "宗教を更新しました", + "The religion has been updated": "宗教が更新されました", "The reminder has been created": "リマインダーが作成されました", - "The reminder has been deleted": "リマインダーは削除されました", + "The reminder has been deleted": "リマインダーが削除されました", "The reminder has been edited": "リマインダーが編集されました", + "The response is not a streamed response.": "応答はストリーミング応答ではありません。", + "The response is not a view.": "応答はビューではありません。", "The role has been created": "ロールが作成されました", - "The role has been deleted": "ロールが削除されました", - "The role has been updated": "ロールが更新されました", + "The role has been deleted": "役割が削除されました", + "The role has been updated": "役割が更新されました", "The section has been created": "セクションが作成されました", - "The section has been deleted": "セクションが削除されました", + "The section has been deleted": "セクションは削除されました", "The section has been updated": "セクションが更新されました", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "これらのユーザーはあなたのチームに招待され、招待メールが送信されました。メールの招待を受け入れることで、チームに参加することができます。", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "これらのユーザー宛にチームへの招待メールが送信されました。招待メールを確認してチームに参加できます。", "The tag has been added": "タグが追加されました", "The tag has been created": "タグが作成されました", "The tag has been deleted": "タグは削除されました", - "The tag has been updated": "タグ更新しました", + "The tag has been updated": "タグ更新されました", "The task has been created": "タスクが作成されました", "The task has been deleted": "タスクは削除されました", "The task has been edited": "タスクが編集されました", - "The team's name and owner information.": "チームの名前と所有者情報。", + "The team's name and owner information.": "チーム名とオーナー情報", "The Telegram channel has been deleted": "Telegram チャンネルが削除されました", "The template has been created": "テンプレートが作成されました", - "The template has been deleted": "テンプレートは削除されました", + "The template has been deleted": "テンプレは削除されました", "The template has been set": "テンプレートが設定されました", - "The template has been updated": "テンプレートを更新しました", - "The test email has been sent": "テストメールを送信しました", + "The template has been updated": "テンプレートが更新されました", + "The test email has been sent": "テストメールが送信されました", "The type has been created": "タイプが作成されました", - "The type has been deleted": "タイプが削除されました", + "The type has been deleted": "タイプは削除されました", "The type has been updated": "タイプが更新されました", "The user has been added": "ユーザーが追加されました", "The user has been deleted": "ユーザーは削除されました", "The user has been removed": "ユーザーが削除されました", "The user has been updated": "ユーザーが更新されました", - "The vault has been created": "ボールトが作成されました", - "The vault has been deleted": "ボールトは削除されました", + "The vault has been created": "金庫が作成されました", + "The vault has been deleted": "保管庫が削除されました", "The vault have been updated": "保管庫が更新されました", - "they\/them": "彼ら\/彼ら", - "This address is not active anymore": "このアドレスは現在アクティブではありません", - "This device": "この装置", + "they/them": "彼ら/彼ら", + "This address is not active anymore": "このアドレスはもうアクティブではありません", + "This device": "この端末", "This email is a test email to check if Monica can send an email to this email address.": "このメールは、Monica がこのメール アドレスにメールを送信できるかどうかを確認するためのテスト メールです。", - "This is a secure area of the application. Please confirm your password before continuing.": "これは、アプリケーションの安全な領域です。続行する前にパスワードを確認してください。", + "This is a secure area of the application. Please confirm your password before continuing.": "ここはアプリケーションの安全な領域です。パスワードを入力して続行ください。", "This is a test email": "これはテストメールです", "This is a test notification for :name": "これは :name のテスト通知です", "This key is already registered. It’s not necessary to register it again.": "このキーはすでに登録されています。再度登録する必要はありません。", "This link will open in a new tab": "このリンクは新しいタブで開きます", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "このページには、過去にこのチャネルで送信されたすべての通知が表示されます。これは主に、設定した通知を受信しない場合に備えてデバッグする方法として機能します。", - "This password does not match our records.": "このパスワードは私たちの記録と一致しません。", - "This password reset link will expire in :count minutes.": "このパスワード リセット リンクは :count 分後に有効期限が切れます。", + "This password does not match our records.": "パスワードが違います。", + "This password reset link will expire in :count minutes.": "このパスワード再設定リンクの有効期限は:count分です。", "This post has no content yet.": "この投稿にはまだコンテンツがありません。", - "This provider is already associated with another account": "このプロバイダはすでに別のアカウントに関連付けられています", + "This provider is already associated with another account": "このプロバイダーはすでに別のアカウントに関連付けられています", "This site is open source.": "このサイトはオープンソースです。", "This template will define what information are displayed on a contact page.": "このテンプレートは、連絡先ページに表示される情報を定義します。", - "This user already belongs to the team.": "このユーザーはすでにチームに所属しています。", - "This user has already been invited to the team.": "このユーザーはすでにチームに招待されています。", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "このユーザーはあなたのアカウントの一部になりますが、特定のアクセス権を付与しない限り、このアカウントのすべてのボールトにアクセスすることはできません.この人物は、ボールトも作成できます。", - "This will immediately:": "これはすぐに:", - "Three things that happened today": "今日あった3つのこと", + "This user already belongs to the team.": "このユーザーは既にチームに所属しています。", + "This user has already been invited to the team.": "このユーザーは既にチームに招待されています。", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "このユーザーはあなたのアカウントの一部になりますが、特定のアクセス権を付与しない限り、このアカウント内のすべてのコンテナーにアクセスできるわけではありません。この人は Vault を作成することもできます。", + "This will immediately:": "これにより、すぐに次のことが行われます。", + "Three things that happened today": "今日あった3つのこと", "Thursday": "木曜日", "Timezone": "タイムゾーン", "Title": "タイトル", "to": "に", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "2 要素認証の有効化を完了するには、携帯電話の認証アプリケーションを使用して次の QR コードをスキャンするか、セットアップ キーを入力して、生成された OTP コードを提供します。", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "2 要素認証の有効化を完了するには、携帯電話の認証アプリケーションを使用して次の QR コードをスキャンするか、セットアップ キーを入力して、生成された OTP コードを提供します。", - "Toggle navigation": "ナビゲーションを切り替える", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "二要素認証を有効にするには、お使いの携帯電話の認証アプリを使用してQRコードをスキャンするか、セットアップキーを入力した後に生成されたワンタイムパスワードを入力してください。", + "Toggle navigation": "ナビゲーション切替", "To hear their story": "彼らの話を聞くために", "Token Name": "トークン名", "Token name (for your reference only)": "トークン名 (参考用)", "Took a new job": "新しい仕事に就いた", - "Took the bus": "バスに乗った", - "Took the metro": "メトロに乗った", + "Took the bus": "バスに乗りました", + "Took the metro": "地下鉄に乗りました", "Too Many Requests": "リクエストが多すぎます", - "To see if they need anything": "彼らが何かを必要としているかどうかを確認する", + "To see if they need anything": "何か必要なものがあるかどうかを確認するため", "To start, you need to create a vault.": "まず、ボールトを作成する必要があります。", "Total:": "合計:", "Total streaks": "合計ストリーク数", @@ -1111,23 +1111,22 @@ "Tuesday": "火曜日", "Two-factor Confirmation": "二要素確認", "Two Factor Authentication": "二要素認証", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "2 要素認証が有効になりました。携帯電話の認証アプリケーションを使用して次の QR コードをスキャンするか、セットアップ キーを入力してください。", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "二要素認証が有効になりました。 お使いの携帯電話の認証アプリを使用して、QRコードをスキャンするか、セットアップキーを入力します。", "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "2 要素認証が有効になりました。携帯電話の認証アプリケーションを使用して次の QR コードをスキャンするか、セットアップ キーを入力します。", "Type": "タイプ", "Type:": "タイプ:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica ボットとの会話に何でも入力します。たとえば、「開始」にすることができます。", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica ボットとの会話に何かを入力します。たとえば「start」などです。", "Types": "種類", "Type something": "何かを入力", "Unarchive contact": "連絡先のアーカイブを解除する", - "unarchived the contact": "連絡先を解凍しました", - "Unauthorized": "無許可", - "uncle\/aunt": "おじさんおばさん", + "unarchived the contact": "連絡先をアーカイブ解除しました", + "Unauthorized": "認証が必要です", + "uncle/aunt": "おじさんおばさん", "Undefined": "未定義", "Unexpected error on login.": "ログイン時に予期しないエラーが発生しました。", - "Unknown": "知らない", - "unknown action": "不明なアクション", - "Unknown age": "年齢不明", - "Unknown contact name": "不明な連絡先名", + "Unknown": "不明", + "unknown action": "未知のアクション", + "Unknown age": "年齢不詳", "Unknown name": "不明な名前", "Update": "アップデート", "Update a key.": "キーを更新します。", @@ -1136,14 +1135,13 @@ "updated an address": "住所を更新しました", "updated an important date": "重要な日付を更新しました", "updated a pet": "ペットを更新しました", - "Updated on :date": "更新日:日付", + "Updated on :date": ":dateに更新されました", "updated the avatar of the contact": "連絡先のアバターを更新しました", "updated the contact information": "連絡先情報を更新しました", "updated the job information": "お仕事情報を更新しました", "updated the religion": "宗教を更新しました", - "Update Password": "パスワードの更新", - "Update your account's profile information and email address.": "アカウントのプロフィール情報と電子メール アドレスを更新します。", - "Update your account’s profile information and email address.": "アカウントのプロフィール情報とメール アドレスを更新します。", + "Update Password": "パスワード更新", + "Update your account's profile information and email address.": "プロフィール情報とメールアドレスを更新する。", "Upload photo as avatar": "写真をアバターとしてアップロード", "Use": "使用", "Use an authentication code": "認証コードを使用する", @@ -1153,134 +1151,133 @@ "Users": "ユーザー", "User settings": "ユーザー設定", "Use the following template for this contact": "この連絡先には次のテンプレートを使用してください", - "Use your password": "パスワードを使用する", + "Use your password": "パスワードを使用してください", "Use your security key": "セキュリティ キーを使用する", - "Validating key…": "キーを検証しています…", - "Value copied into your clipboard": "値がクリップボードにコピーされました", - "Vaults contain all your contacts data.": "ボールトには、すべての連絡先データが含まれています。", - "Vault settings": "ボールト設定", - "ve\/ver": "そして\/与える", - "Verification email sent": "確認メールを送信しました", + "Validating key…": "キーを検証中…", + "Value copied into your clipboard": "クリップボードにコピーされた値", + "Vaults contain all your contacts data.": "ボールトにはすべての連絡先データが含まれています。", + "Vault settings": "ボールトの設定", + "ve/ver": "ve/ver", + "Verification email sent": "確認メールが送信されました", "Verified": "確認済み", "Verify Email Address": "メールアドレスの確認", "Verify this email address": "このメールアドレスを確認してください", - "Version :version — commit [:short](:url).": "バージョン :version — [:short](:url) をコミットします。", + "Version :version — commit [:short](:url).": "バージョン :version — コミット [:short](:url)。", "Via Telegram": "電報経由", "Video call": "ビデオ通話", - "View": "意見", + "View": "ビュー", "View all": "すべて見る", "View details": "詳細を見る", - "Viewer": "ビューアー", + "Viewer": "ビューア", "View history": "履歴を見る", "View log": "ビュー・ログ", "View on map": "地図で見る", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica (アプリケーション) があなたを認識するまで数秒待ちます。偽の通知を送信して、機能するかどうかを確認します。", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica (アプリケーション) があなたを認識するまで数秒待ちます。機能するかどうかを確認するために偽の通知を送信します。", "Waiting for key…": "キーを待っています…", "Walked": "歩いた", "Wallpaper": "壁紙", - "Was there a reason for the call?": "電話の理由はありましたか?", + "Was there a reason for the call?": "電話をかけてきた理由はありましたか?", "Watched a movie": "映画を見た", "Watched a tv show": "テレビ番組を見ました", "Watched TV": "テレビを見ました", "Watch Netflix every day": "Netflixを毎日見る", "Ways to connect": "接続方法", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn は安全な接続のみをサポートします。このページを https スキームで読み込んでください。", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "それらを関係と呼び、その逆の関係と呼びます。定義するリレーションごとに、対応するものを定義する必要があります。", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn は安全な接続のみをサポートします。このページをhttpsスキームでロードしてください。", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "それらを関係、およびその逆の関係と呼びます。定義する関係ごとに、対応する関係を定義する必要があります。", "Wedding": "結婚式", "Wednesday": "水曜日", "We hope you'll like it.": "気に入っていただけると幸いです。", - "We hope you will like what we’ve done.": "私たちが行ったことを気に入っていただけることを願っています。", - "Welcome to Monica.": "モニカへようこそ。", - "Went to a bar": "バーに行った", - "We support Markdown to format the text (bold, lists, headings, etc…).": "テキストの書式を設定する Markdown をサポートしています (太字、リスト、見出しなど)。", - "We were unable to find a registered user with this email address.": "このメールアドレスの登録ユーザーは見つかりませんでした。", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "このメール アドレスにメールが送信されます。このメール アドレスに通知を送信する前に確認する必要があります。", + "We hope you will like what we’ve done.": "私たちの取り組みを気に入っていただけると幸いです。", + "Welcome to Monica.": "Monicaへようこそ。", + "Went to a bar": "バーに行きました", + "We support Markdown to format the text (bold, lists, headings, etc…).": "テキスト (太字、リスト、見出しなど) をフォーマットするための Markdown をサポートしています。", + "We were unable to find a registered user with this email address.": "このメールアドレスと紐づくユーザーは見つかりませんでした。", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "このメール アドレスにメールを送信します。このアドレスに通知を送信する前に確認する必要があります。", "What happens now?": "今、何が起きた?", - "What is the loan?": "ローンとは何ですか?", - "What permission should :name have?": ":name にはどのような権限が必要ですか?", + "What is the loan?": "ローンとは何ですか?", + "What permission should :name have?": ":Nameにはどのような権限が必要ですか?", "What permission should the user have?": "ユーザーにはどのような権限が必要ですか?", - "What should we use to display maps?": "マップを表示するには何を使用すればよいですか?", + "Whatsapp": "ワッツアップ", + "What should we use to display maps?": "地図を表示するには何を使用すればよいでしょうか?", "What would make today great?": "今日を素晴らしいものにするものは何でしょうか?", - "When did the call happened?": "電話がかかってきたのはいつですか?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "2 要素認証が有効になっている場合、認証中に安全なランダム トークンを求めるプロンプトが表示されます。このトークンは、携帯電話の Google Authenticator アプリケーションから取得できます。", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "2 要素認証が有効になっている場合、認証中に安全なランダム トークンを求めるプロンプトが表示されます。このトークンは、携帯電話の認証アプリケーションから取得できます。", - "When was the loan made?": "借金はいつしたの?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "2 つの連絡先間の関係 (父と息子の関係など) を定義すると、Monica は連絡先ごとに 1 つずつ、2 つの関係を作成します。", + "When did the call happened?": "電話がかかってきたのはいつですか?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "二要素認証を有効化した場合、ログイン時に安全かつランダムなトークンが与えられます。トークンはGoogle Authenticatorアプリから取得できます。", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "2 要素認証が有効になっている場合、認証中に安全なランダム トークンの入力を求められます。このトークンは、携帯電話の認証アプリケーションから取得できます。", + "When was the loan made?": "借金はいつ行われましたか?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "2 つの連絡先間の関係 (たとえば、父と息子の関係) を定義すると、Monica は連絡先ごとに 1 つずつ、合計 2 つの関係を作成します。", "Which email address should we send the notification to?": "どの電子メール アドレスに通知を送信すればよいですか?", - "Who called?": "誰が電話した?", - "Who makes the loan?": "誰がローンを作るのですか?", + "Who called?": "誰が電話したの?", + "Who makes the loan?": "誰がローンを作りますか?", "Whoops!": "おっと!", - "Whoops! Something went wrong.": "おっと!エラーが発生しました。", - "Who should we invite in this vault?": "この保管庫に誰を招待する必要がありますか?", + "Whoops! Something went wrong.": "エラーの内容を確認してください。", + "Who should we invite in this vault?": "この保管庫に誰を招待すればよいでしょうか?", "Who the loan is for?": "ローンは誰のためのものですか?", - "Wish good day": "良い一日を願って", + "Wish good day": "良い一日をお祈りします", "Work": "仕事", - "Write the amount with a dot if you need decimals, like 100.50": "100.50 のように小数が必要な場合は、ドットで金額を書きます。", + "Write the amount with a dot if you need decimals, like 100.50": "小数点が必要な場合は、100.50 のように金額をドットで書きます。", "Written on": "に書かれています", "wrote a note": "メモを書きました", - "xe\/xem": "車\/ビュー", + "xe/xem": "xe/xem", "year": "年", "Years": "年", "You are here:": "あなたはここにいる:", - "You are invited to join Monica": "あなたはモニカに招待されています", - "You are receiving this email because we received a password reset request for your account.": "このメールは、あなたのアカウントのパスワード リセット リクエストを受け取ったためにお送りしています。", - "you can't even use your current username or password to sign in,": "現在のユーザー名やパスワードを使用してサインインすることさえできません。", - "you can't even use your current username or password to sign in, ": "現在のユーザー名やパスワードを使用してサインインすることさえできません。", - "you can't import any data from your current Monica account(yet),": "現在の Monica アカウントからデータをインポートすることはできません (まだ)。", - "you can't import any data from your current Monica account(yet), ": "現在の Monica アカウントからデータをインポートすることはできません (まだ)。", - "You can add job information to your contacts and manage the companies here in this tab.": "連絡先に求人情報を追加し、このタブで会社を管理できます。", + "You are invited to join Monica": "Monicaに招待されています", + "You are receiving this email because we received a password reset request for your account.": "パスワード再設定のリクエストを受け付けました。", + "you can't even use your current username or password to sign in,": "現在のユーザー名やパスワードを使用してサインインすることもできません。", + "you can't import any data from your current Monica account(yet),": "現在の Monica アカウントからは (まだ) データをインポートできません。", + "You can add job information to your contacts and manage the companies here in this tab.": "このタブでは、連絡先に求人情報を追加し、会社を管理できます。", "You can add more account to log in to our service with one click.": "ワンクリックでサービスにログインするためのアカウントを追加できます。", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "メール、Telegram メッセージ、Facebook など、さまざまなチャネルを通じて通知を受け取ることができます。あなたが決める。", - "You can change that at any time.": "これはいつでも変更できます。", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "電子メール、電報メッセージ、Facebook など、さまざまなチャネルを通じて通知を受け取ることができます。あなたが決める。", + "You can change that at any time.": "それはいつでも変更できます。", "You can choose how you want Monica to display dates in the application.": "Monica がアプリケーションで日付を表示する方法を選択できます。", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "アカウントで有効にする通貨と無効にする通貨を選択できます。", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "自分の好み\/文化に応じて、連絡先の表示方法をカスタマイズできます。おそらく、Bond James の代わりに James Bond を使用したいと思うでしょう。ここでは、自由に定義できます。", - "You can customize the criteria that let you track your mood.": "気分を追跡できる基準をカスタマイズできます。", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "ボールト間で連絡先を移動できます。この変更は即時です。連絡先は、自分が属しているボールトにのみ移動できます。すべての連絡先データが一緒に移動します。", - "You cannot remove your own administrator privilege.": "自分の管理者権限を削除することはできません。", - "You don’t have enough space left in your account.": "アカウントに十分な空き容量がありません。", - "You don’t have enough space left in your account. Please upgrade.": "アカウントに十分な空き容量がありません。アップグレードしてください。", - "You have been invited to join the :team team!": ":team チームに招待されました!", - "You have enabled two factor authentication.": "二要素認証を有効にしました。", - "You have not enabled two factor authentication.": "2 要素認証が有効になっていません。", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "アカウントでどの通貨を有効にするか、どの通貨を無効にするかを選択できます。", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "自分の好みや文化に応じて連絡先の表示方法をカスタマイズできます。おそらく、ボンド・ジェームズの代わりにジェームズ・ボンドを使いたいと思うかもしれません。ここでは、任意に定義できます。", + "You can customize the criteria that let you track your mood.": "気分を追跡する基準をカスタマイズできます。", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "連絡先をボールト間で移動できます。この変更は即座に反映されます。連絡先は、自分が属しているボールトにのみ移動できます。すべての連絡先データも一緒に移動されます。", + "You cannot remove your own administrator privilege.": "自分自身の管理者権限を削除することはできません。", + "You don’t have enough space left in your account.": "アカウントに十分なスペースが残っていません。", + "You don’t have enough space left in your account. Please upgrade.": "アカウントに十分なスペースが残っていません。アップグレードしてください。", + "You have been invited to join the :team team!": ":Teamに招待されました。", + "You have enabled two factor authentication.": "二要素認証が有効です。", + "You have not enabled two factor authentication.": "二要素認証が未設定です。", "You have not setup Telegram in your environment variables yet.": "まだ環境変数に Telegram を設定していません。", "You haven’t received a notification in this channel yet.": "このチャンネルではまだ通知を受け取っていません。", - "You haven’t setup Telegram yet.": "まだ Telegram をセットアップしていません。", - "You may accept this invitation by clicking the button below:": "下のボタンをクリックすると、この招待を受け入れることができます。", - "You may delete any of your existing tokens if they are no longer needed.": "既存のトークンが不要になった場合は削除できます。", - "You may not delete your personal team.": "パーソナル チームを削除することはできません。", - "You may not leave a team that you created.": "作成したチームを離れることはできません。", + "You haven’t setup Telegram yet.": "Telegram をまだ設定していません。", + "You may accept this invitation by clicking the button below:": "以下のボタンをクリックして、この招待を受諾することができます:", + "You may delete any of your existing tokens if they are no longer needed.": "不要なAPIトークンを削除する。", + "You may not delete your personal team.": "パーソナルチームを削除することはできません。", + "You may not leave a team that you created.": "自身が作成したチームを離れることはできません。", "You might need to reload the page to see the changes.": "変更を確認するには、ページをリロードする必要がある場合があります。", "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "連絡先を表示するには、少なくとも 1 つのテンプレートが必要です。テンプレートがなければ、Monica はどの情報を表示すべきかわかりません。", "Your account current usage": "アカウントの現在の使用状況", "Your account has been created": "あなたのアカウントが作成されました", "Your account is linked": "あなたのアカウントはリンクされています", "Your account limits": "アカウントの制限", - "Your account will be closed immediately,": "あなたのアカウントはすぐに閉鎖されます。", + "Your account will be closed immediately,": "あなたのアカウントはすぐに閉鎖されます、", "Your browser doesn’t currently support WebAuthn.": "お使いのブラウザは現在 WebAuthn をサポートしていません。", - "Your email address is unverified.": "あなたのメールアドレスは未確認です。", + "Your email address is unverified.": "メールアドレスが未認証です。", "Your life events": "あなたのライフイベント", "Your mood has been recorded!": "あなたの気分が記録されました!", "Your mood that day": "その日のあなたの気分", - "Your mood that you logged at this date": "この日付に記録した気分", - "Your mood this year": "今年の気分", - "Your name here will be used to add yourself as a contact.": "ここにあるあなたの名前は、あなた自身を連絡先として追加するために使用されます。", - "You wanted to be reminded of the following:": "次のことを思い出してもらいたい:", - "You WILL still have to delete your account on Monica or OfficeLife.": "Monica または OfficeLife のアカウントを引き続き削除する必要があります。", + "Your mood that you logged at this date": "この日付に記録したあなたの気分", + "Your mood this year": "今年のあなたの気分", + "Your name here will be used to add yourself as a contact.": "ここでのあなたの名前は、あなた自身を連絡先として追加するために使用されます。", + "You wanted to be reminded of the following:": "次のことを思い出してもらいたいと考えていました。", + "You WILL still have to delete your account on Monica or OfficeLife.": "Monica または OfficeLife のアカウントを削除する必要があります。", "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "このメール アドレスをオープンソースのパーソナル CRM である Monica で使用するように招待されているため、通知を送信するために使用できます。", - "ze\/hir": "彼女に", + "ze/hir": "ぜ/ひる", "⚠️ Danger zone": "⚠️危険地帯", "🌳 Chalet": "🌳 シャレー", - "🏠 Secondary residence": "🏠 二次住宅", + "🏠 Secondary residence": "🏠 二次住居", "🏡 Home": "🏡 ホーム", - "🏢 Work": "🏢仕事", + "🏢 Work": "🏢 仕事", "🔔 Reminder: :label for :contactName": "🔔 リマインダー: :contactName の :label", - "😀 Good": "😀良い", - "😁 Positive": "😁ポジティブ", - "😐 Meh": "😐まあまあ", - "😔 Bad": "😔 悪い", - "😡 Negative": "😡ネガティブ", + "😀 Good": "😀 いいですね", + "😁 Positive": "😁 ポジティブ", + "😐 Meh": "😐 うーん", + "😔 Bad": "😔悪い", + "😡 Negative": "😡 ネガティブ", "😩 Awful": "😩 ひどい", - "😶‍🌫️ Neutral": "😶‍🌫️ ニュートラル", + "😶‍🌫️ Neutral": "😶‍🌫️中立", "🥳 Awesome": "🥳 素晴らしい" } \ No newline at end of file diff --git a/lang/ja/auth.php b/lang/ja/auth.php index baf6a2f0498..a55e383cea4 100644 --- a/lang/ja/auth.php +++ b/lang/ja/auth.php @@ -2,7 +2,7 @@ return [ 'failed' => '認証に失敗しました。', - 'lang' => '日本', + 'lang' => '日本語', 'password' => 'パスワードが正しくありません。', 'throttle' => 'ログインの試行回数が多すぎます。:seconds 秒後にお試しください。', ]; diff --git a/lang/ja/pagination.php b/lang/ja/pagination.php index b8137953b3d..a5d624bb9ba 100644 --- a/lang/ja/pagination.php +++ b/lang/ja/pagination.php @@ -1,6 +1,6 @@ '次へ »', - 'previous' => '« 前へ', + 'next' => '次へ ❯', + 'previous' => '❮ 前へ', ]; diff --git a/lang/ja/passwords.php b/lang/ja/passwords.php index fea67379feb..2c8d9acb803 100644 --- a/lang/ja/passwords.php +++ b/lang/ja/passwords.php @@ -1,7 +1,7 @@ 'パスワードをリセットしました。', + 'reset' => 'パスワードが再設定されました。', 'sent' => 'パスワードリセットメールを送信しました。', 'throttled' => '時間を置いて再度お試しください。', 'token' => 'このパスワード再設定トークンは無効です。', diff --git a/lang/ja/validation.php b/lang/ja/validation.php index 2907db98e6d..ad01040f145 100644 --- a/lang/ja/validation.php +++ b/lang/ja/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attributeは、:min文字から:max文字にしてください。', ], 'boolean' => ':Attributeには、\'true\'か\'false\'を指定してください。', + 'can' => ':Attribute フィールドには不正な値が含まれています。', 'confirmed' => ':Attributeと:attribute確認が一致しません。', 'current_password' => 'パスワードが正しくありません。', 'date' => ':Attributeは、正しい日付ではありません。', diff --git a/lang/ml.json b/lang/ml.json index 80114593698..12cde510d0d 100644 --- a/lang/ml.json +++ b/lang/ml.json @@ -1,6 +1,6 @@ { - "(and :count more error)": "(കൂടാതെ: കൂടുതൽ പിശക് എണ്ണുക)", - "(and :count more errors)": "(കൂടാതെ: കൂടുതൽ പിശകുകൾ എണ്ണുക)", + "(and :count more error)": "(കൂടാതെ :count പിശക് കൂടി)", + "(and :count more errors)": "(കൂടാതെ :count പിശകുകൾ കൂടി)", "(Help)": "(സഹായം)", "+ add a contact": "+ ഒരു കോൺടാക്റ്റ് ചേർക്കുക", "+ add another": "+ മറ്റൊന്ന് ചേർക്കുക", @@ -22,21 +22,21 @@ "+ note": "+ കുറിപ്പ്", "+ number of hours slept": "+ ഉറങ്ങിയ മണിക്കൂറുകളുടെ എണ്ണം", "+ prefix": "+ പ്രിഫിക്സ്", - "+ pronoun": "+ പ്രവണത", + "+ pronoun": "+ സർവനാമം", "+ suffix": "+ പ്രത്യയം", - ":count contact|:count contacts": ":count contact|:count contacts", - ":count hour slept|:count hours slept": ":എണ്ണം മണിക്കൂർ ഉറങ്ങി|:കൌണ്ട് മണിക്കൂർ ഉറങ്ങി", - ":count min read": ":എണ്ണം മിനിറ്റ് വായിച്ചു", - ":count post|:count posts": ":count post|:count posts", - ":count template section|:count template sections": ":എണ്ണം ടെംപ്ലേറ്റ് വിഭാഗം|:ടെംപ്ലേറ്റ് വിഭാഗങ്ങൾ എണ്ണുക", - ":count word|:count words": ":എണ്ണം വാക്ക്|:വാക്കുകൾ എണ്ണുക", - ":distance km": ":ദൂരം കി.മീ", - ":distance miles": ": ദൂരം മൈലുകൾ", - ":file at line :line": ": file at line :line", - ":file in :class at line :line": ":file in :class at line :line", - ":Name called": ":പേര് വിളിച്ചു", - ":Name called, but I didn’t answer": ":പേര് വിളിച്ചു, പക്ഷേ ഞാൻ മറുപടി പറഞ്ഞില്ല", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":ഉപയോക്തൃനാമം നിങ്ങളെ മോണിക്കയിൽ ചേരാൻ ക്ഷണിക്കുന്നു, ഒരു ഓപ്പൺ സോഴ്സ് പേഴ്സണൽ CRM, നിങ്ങളുടെ ബന്ധങ്ങൾ രേഖപ്പെടുത്താൻ നിങ്ങളെ സഹായിക്കുന്നു.", + ":count contact|:count contacts": ":count കോൺടാക്റ്റ്|:count കോൺടാക്റ്റുകൾ", + ":count hour slept|:count hours slept": ":count മണിക്കൂർ ഉറങ്ങി|:count മണിക്കൂർ ഉറങ്ങി", + ":count min read": ":count മിനിറ്റ് വായിച്ചു", + ":count post|:count posts": ":count പോസ്റ്റ്|:count പോസ്റ്റുകൾ", + ":count template section|:count template sections": ":count ടെംപ്ലേറ്റ് വിഭാഗം|:count ടെംപ്ലേറ്റ് വിഭാഗങ്ങൾ", + ":count word|:count words": ":count വാക്ക്|:count വാക്കുകൾ", + ":distance km": ":distance കി.മീ", + ":distance miles": ":distance മൈൽ", + ":file at line :line": ":line വരിയിൽ :file", + ":file in :class at line :line": ":line വരിയിൽ :class ൽ :file", + ":Name called": ":Name വിളിച്ചു", + ":Name called, but I didn’t answer": ":Name വിളിച്ചു, പക്ഷേ ഞാൻ ഉത്തരം നൽകിയില്ല", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName, നിങ്ങളുടെ ബന്ധങ്ങൾ രേഖപ്പെടുത്താൻ നിങ്ങളെ സഹായിക്കുന്നതിന് രൂപകൽപ്പന ചെയ്‌തിരിക്കുന്ന ഒരു ഓപ്പൺ സോഴ്‌സ് വ്യക്തിഗത CRM ആയ Monicaയിൽ ചേരാൻ നിങ്ങളെ ക്ഷണിക്കുന്നു.", "Accept Invitation": "ക്ഷണം സ്വീകരിക്കുക", "Accept invitation and create your account": "ക്ഷണം സ്വീകരിച്ച് നിങ്ങളുടെ അക്കൗണ്ട് സൃഷ്ടിക്കുക", "Account and security": "അക്കൗണ്ടും സുരക്ഷയും", @@ -119,13 +119,13 @@ "Add to group": "ഗ്രൂപ്പിലേക്ക് ചേർക്കുക", "Administrator": "കാര്യനിർവാഹകൻ", "Administrator users can perform any action.": "അഡ്മിനിസ്ട്രേറ്റർ ഉപയോക്താക്കൾക്ക് ഏത് പ്രവർത്തനവും ചെയ്യാൻ കഴിയും.", - "a father-son relation shown on the father page,": "പിതാവ് പേജിൽ കാണിച്ചിരിക്കുന്ന ഒരു അച്ഛൻ-മകൻ ബന്ധം,", + "a father-son relation shown on the father page,": "അച്ഛൻ പേജിൽ കാണിച്ചിരിക്കുന്ന ഒരു അച്ഛൻ-മകൻ ബന്ധം,", "after the next occurence of the date.": "തീയതിയുടെ അടുത്ത സംഭവത്തിന് ശേഷം.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "രണ്ടോ അതിലധികമോ ആളുകൾ ഒരുമിച്ചാണ് ഗ്രൂപ്പ്. അത് ഒരു കുടുംബം, ഒരു കുടുംബം, ഒരു സ്പോർട്സ് ക്ലബ്ബ് ആകാം. നിങ്ങൾക്ക് പ്രധാനപ്പെട്ടതെന്തും.", "All contacts in the vault": "നിലവറയിലെ എല്ലാ കോൺടാക്റ്റുകളും", "All files": "എല്ലാ ഫയലുകളും", "All groups in the vault": "നിലവറയിലെ എല്ലാ ഗ്രൂപ്പുകളും", - "All journal metrics in :name": "എല്ലാ ജേണൽ മെട്രിക്കുകളും :name", + "All journal metrics in :name": ":Name എന്നതിലെ എല്ലാ ജേണൽ മെട്രിക്കുകളും", "All of the people that are part of this team.": "ഈ ടീമിന്റെ ഭാഗമായ എല്ലാ ആളുകളും.", "All rights reserved.": "എല്ലാ അവകാശങ്ങളും നിക്ഷിപ്തം.", "All tags": "എല്ലാ ടാഗുകളും", @@ -154,7 +154,7 @@ "All the relationship types": "എല്ലാ തരത്തിലുള്ള ബന്ധങ്ങളും", "All the religions": "എല്ലാ മതങ്ങളും", "All the reports": "എല്ലാ റിപ്പോർട്ടുകളും", - "All the slices of life in :name": "ജീവിതത്തിന്റെ എല്ലാ ഭാഗങ്ങളും: പേരിൽ", + "All the slices of life in :name": ":Name-ലെ ജീവിതത്തിന്റെ എല്ലാ ഭാഗങ്ങളും", "All the tags used in the vault": "നിലവറയിൽ ഉപയോഗിക്കുന്ന എല്ലാ ടാഗുകളും", "All the templates": "എല്ലാ ടെംപ്ലേറ്റുകളും", "All the vaults": "എല്ലാ നിലവറകളും", @@ -202,10 +202,10 @@ "At": "ചെയ്തത്", "at ": "ചെയ്തത്", "Ate": "ഭക്ഷണം കഴിച്ചു", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "കോൺടാക്റ്റുകൾ എങ്ങനെ പ്രദർശിപ്പിക്കണമെന്ന് ഒരു ടെംപ്ലേറ്റ് നിർവചിക്കുന്നു. നിങ്ങൾക്ക് ആവശ്യമുള്ളത്ര ടെംപ്ലേറ്റുകൾ ഉണ്ടായിരിക്കാം - അവ നിങ്ങളുടെ അക്കൗണ്ട് ക്രമീകരണങ്ങളിൽ നിർവ്വചിച്ചിരിക്കുന്നു. എന്നിരുന്നാലും, നിങ്ങൾ ഒരു സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് നിർവചിക്കാൻ ആഗ്രഹിച്ചേക്കാം, അതിനാൽ ഈ നിലവറയിലെ നിങ്ങളുടെ എല്ലാ കോൺടാക്റ്റുകൾക്കും സ്ഥിരസ്ഥിതിയായി ഈ ടെംപ്ലേറ്റ് ഉണ്ടായിരിക്കും.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "കോൺടാക്റ്റുകൾ എങ്ങനെ പ്രദർശിപ്പിക്കണമെന്ന് ഒരു ടെംപ്ലേറ്റ് നിർവചിക്കുന്നു. നിങ്ങൾക്ക് ആവശ്യമുള്ളത്ര ടെംപ്ലേറ്റുകൾ ഉണ്ടായിരിക്കാം - അവ നിങ്ങളുടെ അക്കൗണ്ട് ക്രമീകരണങ്ങളിൽ നിർവ്വചിച്ചിരിക്കുന്നു. എന്നിരുന്നാലും, നിങ്ങൾ ഒരു സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് നിർവചിക്കാൻ ആഗ്രഹിച്ചേക്കാം, അതിനാൽ ഈ നിലവറയിലെ നിങ്ങളുടെ എല്ലാ കോൺടാക്റ്റുകൾക്കും ഡിഫോൾട്ടായി ഈ ടെംപ്ലേറ്റ് ഉണ്ടായിരിക്കും.", "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "ഒരു ടെംപ്ലേറ്റ് പേജുകൾ കൊണ്ട് നിർമ്മിച്ചതാണ്, ഓരോ പേജിലും മൊഡ്യൂളുകൾ ഉണ്ട്. ഡാറ്റ എങ്ങനെ പ്രദർശിപ്പിക്കണം എന്നത് പൂർണ്ണമായും നിങ്ങളുടേതാണ്.", "Atheist": "നിരീശ്വരവാദി", - "At which time should we send the notification, when the reminder occurs?": "ഓർമ്മപ്പെടുത്തൽ സംഭവിക്കുമ്പോൾ, ഏത് സമയത്താണ് ഞങ്ങൾ അറിയിപ്പ് അയയ്ക്കേണ്ടത്?", + "At which time should we send the notification, when the reminder occurs?": "ഓർമ്മപ്പെടുത്തൽ സംഭവിക്കുമ്പോൾ ഏത് സമയത്താണ് ഞങ്ങൾ അറിയിപ്പ് അയയ്‌ക്കേണ്ടത്?", "Audio-only call": "ഓഡിയോ-മാത്രം കോൾ", "Auto saved a few seconds ago": "കുറച്ച് സെക്കൻഡുകൾക്ക് മുമ്പ് സ്വയമേവ സംരക്ഷിച്ചു", "Available modules:": "ലഭ്യമായ മൊഡ്യൂളുകൾ:", @@ -220,7 +220,7 @@ "boss": "മുതലാളി", "Bought": "വാങ്ങി", "Breakdown of the current usage": "നിലവിലെ ഉപയോഗത്തിന്റെ വിഭജനം", - "brother\/sister": "സഹോദരൻ സഹോദരി", + "brother/sister": "സഹോദരൻ/സഹോദരി", "Browser Sessions": "ബ്രൗസർ സെഷനുകൾ", "Buddhist": "ബുദ്ധമതം", "Business": "ബിസിനസ്സ്", @@ -233,7 +233,7 @@ "Cancel account": "അക്കൗണ്ട് റദ്ദാക്കുക", "Cancel all your active subscriptions": "നിങ്ങളുടെ എല്ലാ സജീവ സബ്‌സ്‌ക്രിപ്‌ഷനുകളും റദ്ദാക്കുക", "Cancel your account": "നിങ്ങളുടെ അക്കൗണ്ട് റദ്ദാക്കുക", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "മറ്റ് ഉപയോക്താക്കളെ ചേർക്കുന്നതും നീക്കംചെയ്യുന്നതും, ബില്ലിംഗ് നിയന്ത്രിക്കുന്നതും അക്കൗണ്ട് അവസാനിപ്പിക്കുന്നതും ഉൾപ്പെടെ എല്ലാം ചെയ്യാൻ കഴിയും.", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "മറ്റ് ഉപയോക്താക്കളെ ചേർക്കുകയോ നീക്കം ചെയ്യുകയോ ബില്ലിംഗ് കൈകാര്യം ചെയ്യുകയോ അക്കൗണ്ട് ക്ലോസ് ചെയ്യുകയോ ഉൾപ്പെടെ എല്ലാം ചെയ്യാൻ കഴിയും.", "Can do everything, including adding or removing other users.": "മറ്റ് ഉപയോക്താക്കളെ ചേർക്കുന്നതും നീക്കം ചെയ്യുന്നതും ഉൾപ്പെടെ എല്ലാം ചെയ്യാൻ കഴിയും.", "Can edit data, but can’t manage the vault.": "ഡാറ്റ എഡിറ്റ് ചെയ്യാം, എന്നാൽ നിലവറ മാനേജ് ചെയ്യാൻ കഴിയില്ല.", "Can view data, but can’t edit it.": "ഡാറ്റ കാണാൻ കഴിയും, പക്ഷേ അത് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.", @@ -267,7 +267,7 @@ "colleague": "സഹപ്രവർത്തകൻ", "Companies": "കമ്പനികൾ", "Company name": "കമ്പനി പേര്", - "Compared to Monica:": "മോണിക്കയുമായി താരതമ്യം ചെയ്യുമ്പോൾ:", + "Compared to Monica:": "Monicaയുമായി താരതമ്യം ചെയ്യുമ്പോൾ:", "Configure how we should notify you": "ഞങ്ങൾ നിങ്ങളെ എങ്ങനെ അറിയിക്കണമെന്ന് കോൺഫിഗർ ചെയ്യുക", "Confirm": "സ്ഥിരീകരിക്കുക", "Confirm Password": "പാസ്വേഡ് സ്ഥിരീകരിക്കുക", @@ -295,7 +295,7 @@ "Create account": "അക്കൗണ്ട് സൃഷ്ടിക്കുക", "Create Account": "അക്കൗണ്ട് സൃഷ്ടിക്കുക", "Create a contact": "ഒരു കോൺടാക്റ്റ് സൃഷ്ടിക്കുക", - "Create a contact entry for this person": "ഈ വ്യക്തിക്കായി ഒരു കോൺടാക്റ്റ് എൻട്രി സൃഷ്ടിക്കുക", + "Create a contact entry for this person": "ഈ വ്യക്തിക്കായി ഒരു കോൺടാക്റ്റ് എൻട്രി സൃഷ്‌ടിക്കുക", "Create a journal": "ഒരു ജേണൽ സൃഷ്ടിക്കുക", "Create a journal metric": "ഒരു ജേണൽ മെട്രിക് സൃഷ്ടിക്കുക", "Create a journal to document your life.": "നിങ്ങളുടെ ജീവിതം രേഖപ്പെടുത്താൻ ഒരു ജേണൽ സൃഷ്ടിക്കുക.", @@ -307,7 +307,7 @@ "Create a reminder": "ഒരു ഓർമ്മപ്പെടുത്തൽ സൃഷ്ടിക്കുക", "Create a slice of life": "ജീവിതത്തിന്റെ ഒരു ഭാഗം സൃഷ്ടിക്കുക", "Create at least one page to display contact’s data.": "കോൺടാക്റ്റിന്റെ ഡാറ്റ പ്രദർശിപ്പിക്കുന്നതിന് കുറഞ്ഞത് ഒരു പേജെങ്കിലും സൃഷ്‌ടിക്കുക.", - "Create at least one template to use Monica.": "മോണിക്ക ഉപയോഗിക്കുന്നതിന് കുറഞ്ഞത് ഒരു ടെംപ്ലേറ്റെങ്കിലും സൃഷ്ടിക്കുക.", + "Create at least one template to use Monica.": "Monica ഉപയോഗിക്കുന്നതിന് കുറഞ്ഞത് ഒരു ടെംപ്ലേറ്റെങ്കിലും സൃഷ്ടിക്കുക.", "Create a user": "ഒരു ഉപയോക്താവിനെ സൃഷ്ടിക്കുക", "Create a vault": "ഒരു നിലവറ സൃഷ്ടിക്കുക", "Created.": "സൃഷ്ടിച്ചത്.", @@ -364,7 +364,7 @@ "Delete the photo": "ഫോട്ടോ ഇല്ലാതാക്കുക", "Delete the slice": "സ്ലൈസ് ഇല്ലാതാക്കുക", "Delete the vault": "നിലവറ ഇല്ലാതാക്കുക", - "Delete your account on https:\/\/customers.monicahq.com.": "https:\/\/customers.monicahq.com എന്നതിൽ നിങ്ങളുടെ അക്കൗണ്ട് ഇല്ലാതാക്കുക.", + "Delete your account on https://customers.monicahq.com.": "https://customers.monicahq.com എന്നതിൽ നിങ്ങളുടെ അക്കൗണ്ട് ഇല്ലാതാക്കുക.", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "നിലവറ ഇല്ലാതാക്കുക എന്നതിനർത്ഥം ഈ നിലവറയ്ക്കുള്ളിലെ എല്ലാ ഡാറ്റയും എന്നെന്നേക്കുമായി ഇല്ലാതാക്കുക എന്നാണ്. തിരിഞ്ഞു നോക്കാനില്ല. ദയവായി ഉറപ്പിച്ചിരിക്കുക.", "Description": "വിവരണം", "Detail of a goal": "ഒരു ഗോളിന്റെ വിശദാംശങ്ങൾ", @@ -419,6 +419,7 @@ "Exception:": "ഒഴിവാക്കൽ:", "Existing company": "നിലവിലുള്ള കമ്പനി", "External connections": "ബാഹ്യ കണക്ഷനുകൾ", + "Facebook": "ഫേസ്ബുക്ക്", "Family": "കുടുംബം", "Family summary": "കുടുംബ സംഗ്രഹം", "Favorites": "പ്രിയപ്പെട്ടവ", @@ -427,8 +428,8 @@ "Filter": "ഫിൽട്ടർ ചെയ്യുക", "Filter list or create a new label": "ലിസ്റ്റ് ഫിൽട്ടർ ചെയ്യുക അല്ലെങ്കിൽ ഒരു പുതിയ ലേബൽ സൃഷ്ടിക്കുക", "Filter list or create a new tag": "ലിസ്റ്റ് ഫിൽട്ടർ ചെയ്യുക അല്ലെങ്കിൽ ഒരു പുതിയ ടാഗ് സൃഷ്ടിക്കുക", - "Find a contact in this vault": "ഈ നിലവറയിൽ ഒരു കോൺടാക്റ്റിനെ കണ്ടെത്തുക", - "Finish enabling two factor authentication.": "രണ്ട് ഘടകങ്ങളുടെ പ്രാമാണീകരണം പ്രവർത്തനക്ഷമമാക്കുന്നത് പൂർത്തിയാക്കുക.", + "Find a contact in this vault": "ഈ നിലവറയിൽ ഒരു കോൺടാക്റ്റ് കണ്ടെത്തുക", + "Finish enabling two factor authentication.": "രണ്ട് ഘടകം പ്രാമാണീകരണം പ്രവർത്തനക്ഷമമാക്കുന്നത് പൂർത്തിയാക്കുക.", "First name": "പേരിന്റെ ആദ്യഭാഗം", "First name Last name": "ആദ്യ നാമം അവസാന നാമം", "First name Last name (nickname)": "ആദ്യ നാമം അവസാന നാമം (വിളിപ്പേര്)", @@ -438,7 +439,6 @@ "For:": "വേണ്ടി:", "For advice": "ഉപദേശത്തിന് വേണ്ടി", "Forbidden": "വിലക്കപ്പെട്ട", - "Forgot password?": "പാസ്വേഡ് മറന്നോ?", "Forgot your password?": "നിങ്ങളുടെ പാസ്വേഡ് മറന്നോ?", "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "നിങ്ങളുടെ പാസ്വേഡ് മറന്നോ? ഒരു പ്രശ്നവുമില്ല. നിങ്ങളുടെ ഇമെയിൽ വിലാസം ഞങ്ങളെ അറിയിക്കുക, പുതിയൊരെണ്ണം തിരഞ്ഞെടുക്കാൻ നിങ്ങളെ അനുവദിക്കുന്ന ഒരു പാസ്‌വേഡ് പുനഃസജ്ജീകരണ ലിങ്ക് ഞങ്ങൾ ഇമെയിൽ ചെയ്യും.", "For your security, please confirm your password to continue.": "നിങ്ങളുടെ സുരക്ഷയ്ക്കായി, തുടരാൻ നിങ്ങളുടെ പാസ്‌വേഡ് സ്ഥിരീകരിക്കുക.", @@ -464,25 +464,25 @@ "Google Maps": "ഗൂഗിൾ ഭൂപടം", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "ഗൂഗിൾ മാപ്‌സ് മികച്ച കൃത്യതയും വിശദാംശങ്ങളും വാഗ്ദാനം ചെയ്യുന്നു, എന്നാൽ സ്വകാര്യതാ കാഴ്ചപ്പാടിൽ ഇത് അനുയോജ്യമല്ല.", "Got fired": "പുറത്താക്കി", - "Go to page :page": "പേജിലേക്ക് പോകുക: പേജ്", + "Go to page :page": ":page പേജിലേക്ക് പോകുക", "grand child": "പേരക്കുട്ടി", "grand parent": "മുത്തച്ഛൻ", - "Great! You have accepted the invitation to join the :team team.": "കൊള്ളാം! :ടീം ടീമിൽ ചേരാനുള്ള ക്ഷണം നിങ്ങൾ സ്വീകരിച്ചു.", + "Great! You have accepted the invitation to join the :team team.": "കൊള്ളാം! :team ടീമിൽ ചേരാനുള്ള ക്ഷണം നിങ്ങൾ സ്വീകരിച്ചു.", "Group journal entries together with slices of life.": "ജീവിതത്തിന്റെ കഷ്ണങ്ങൾക്കൊപ്പം ഗ്രൂപ്പ് ജേണൽ എൻട്രികൾ.", "Groups": "ഗ്രൂപ്പുകൾ", "Groups let you put your contacts together in a single place.": "നിങ്ങളുടെ കോൺടാക്‌റ്റുകളെ ഒരൊറ്റ സ്ഥലത്ത് ഒരുമിച്ച് ചേർക്കാൻ ഗ്രൂപ്പുകൾ നിങ്ങളെ അനുവദിക്കുന്നു.", "Group type": "ഗ്രൂപ്പ് തരം", - "Group type: :name": "ഗ്രൂപ്പ് തരം: : പേര്", + "Group type: :name": "ഗ്രൂപ്പ് തരം: :name", "Group types": "ഗ്രൂപ്പ് തരങ്ങൾ", "Group types let you group people together.": "ഗ്രൂപ്പ് തരങ്ങൾ ആളുകളെ ഒരുമിച്ച് കൂട്ടാൻ നിങ്ങളെ അനുവദിക്കുന്നു.", "Had a promotion": "ഒരു പ്രമോഷൻ ഉണ്ടായിരുന്നു", "Hamster": "ഹാംസ്റ്റർ", "Have a great day,": "നല്ലൊരു ദിനം ആശംസിക്കുന്നു,", - "he\/him": "അവൻ\/അവൻ", + "he/him": "അവൻ/അവൻ", "Hello!": "ഹലോ!", "Help": "സഹായം", - "Hi :name": "ഹായ്: പേര്", - "Hinduist": "ഹിന്ദു", + "Hi :name": "ഹായ് :name", + "Hinduist": "ഹിന്ദുമത വിശ്വാസി", "History of the notification sent": "അയച്ച അറിയിപ്പിന്റെ ചരിത്രം", "Hobbies": "ഹോബികൾ", "Home": "വീട്", @@ -495,14 +495,14 @@ "How much money was lent?": "എത്ര പണം കടം കൊടുത്തു?", "How much was lent?": "എത്ര കടം കൊടുത്തു?", "How often should we remind you about this date?": "ഈ തീയതിയെക്കുറിച്ച് ഞങ്ങൾ എത്ര തവണ നിങ്ങളെ ഓർമ്മിപ്പിക്കണം?", - "How should we display dates": "ഞങ്ങൾ തീയതികൾ എങ്ങനെ പ്രദർശിപ്പിക്കണം", + "How should we display dates": "തീയതികൾ എങ്ങനെ പ്രദർശിപ്പിക്കണം", "How should we display distance values": "നമ്മൾ എങ്ങനെയാണ് ദൂര മൂല്യങ്ങൾ പ്രദർശിപ്പിക്കേണ്ടത്", "How should we display numerical values": "സംഖ്യാ മൂല്യങ്ങൾ എങ്ങനെ പ്രദർശിപ്പിക്കണം", - "I agree to the :terms and :policy": "ഞാൻ നിബന്ധനകളും നയങ്ങളും അംഗീകരിക്കുന്നു", + "I agree to the :terms and :policy": "ഞാൻ :terms, :policy എന്നിവ അംഗീകരിക്കുന്നു", "I agree to the :terms_of_service and :privacy_policy": "ഞാൻ :terms_of_service, :privacy_policy എന്നിവ അംഗീകരിക്കുന്നു", "I am grateful for": "ഞാൻ നന്ദിയുള്ളവനാണ്", "I called": "ഞാൻ വിളിച്ചു", - "I called, but :name didn’t answer": "ഞാൻ വിളിച്ചു, പക്ഷേ : പേര് പ്രതികരിച്ചില്ല", + "I called, but :name didn’t answer": "ഞാൻ വിളിച്ചു, പക്ഷേ :name ഉത്തരം നൽകിയില്ല", "Idea": "ആശയം", "I don’t know the name": "എനിക്ക് പേര് അറിയില്ല", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "ആവശ്യമെങ്കിൽ, നിങ്ങളുടെ എല്ലാ ഉപകരണങ്ങളിലുടനീളമുള്ള മറ്റെല്ലാ ബ്രൗസർ സെഷനുകളിൽ നിന്നും നിങ്ങൾക്ക് ലോഗ് ഔട്ട് ചെയ്യാം. നിങ്ങളുടെ സമീപകാല സെഷനുകളിൽ ചിലത് ചുവടെ പട്ടികപ്പെടുത്തിയിരിക്കുന്നു; എന്നിരുന്നാലും, ഈ ലിസ്റ്റ് സമഗ്രമായിരിക്കില്ല. നിങ്ങളുടെ അക്കൗണ്ട് അപഹരിക്കപ്പെട്ടതായി തോന്നുന്നുവെങ്കിൽ, നിങ്ങളുടെ പാസ്‌വേഡും അപ്‌ഡേറ്റ് ചെയ്യണം.", @@ -512,7 +512,7 @@ "If you did not create an account, no further action is required.": "നിങ്ങളൊരു അക്കൗണ്ട് സൃഷ്‌ടിച്ചിട്ടില്ലെങ്കിൽ, കൂടുതൽ നടപടികളൊന്നും ആവശ്യമില്ല.", "If you did not expect to receive an invitation to this team, you may discard this email.": "ഈ ടീമിലേക്ക് ഒരു ക്ഷണം ലഭിക്കുമെന്ന് നിങ്ങൾ പ്രതീക്ഷിച്ചിരുന്നില്ലെങ്കിൽ, നിങ്ങൾക്ക് ഈ ഇമെയിൽ നിരസിക്കാം.", "If you did not request a password reset, no further action is required.": "നിങ്ങൾ ഒരു പാസ്‌വേഡ് പുനഃസജ്ജീകരണത്തിനായി അഭ്യർത്ഥിച്ചിട്ടില്ലെങ്കിൽ, തുടർ നടപടികളൊന്നും ആവശ്യമില്ല.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "നിങ്ങൾക്ക് ഒരു അക്കൗണ്ട് ഇല്ലെങ്കിൽ, ചുവടെയുള്ള ബട്ടൺ ക്ലിക്കുചെയ്ത് നിങ്ങൾക്ക് ഒരെണ്ണം സൃഷ്ടിക്കാവുന്നതാണ്. ഒരു അക്കൗണ്ട് സൃഷ്‌ടിച്ചതിന് ശേഷം, ടീം ക്ഷണം സ്വീകരിക്കുന്നതിന് നിങ്ങൾക്ക് ഈ ഇമെയിലിലെ ക്ഷണ സ്വീകാര്യത ബട്ടൺ ക്ലിക്ക് ചെയ്യാം:", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "നിങ്ങൾക്ക് ഒരു അക്കൗണ്ട് ഇല്ലെങ്കിൽ, ചുവടെയുള്ള ബട്ടൺ ക്ലിക്കുചെയ്ത് നിങ്ങൾക്ക് ഒരെണ്ണം സൃഷ്ടിക്കാവുന്നതാണ്. ഒരു അക്കൗണ്ട് സൃഷ്‌ടിച്ചതിന് ശേഷം, ടീം ക്ഷണം സ്വീകരിക്കുന്നതിന് നിങ്ങൾക്ക് ഈ ഇമെയിലിലെ ക്ഷണം സ്വീകരിക്കൽ ബട്ടൺ ക്ലിക്ക് ചെയ്യാം:", "If you’ve received this invitation by mistake, please discard it.": "നിങ്ങൾക്ക് അബദ്ധവശാൽ ഈ ക്ഷണം ലഭിച്ചിട്ടുണ്ടെങ്കിൽ, അത് നിരസിക്കുക.", "I know the exact date, including the year": "വർഷം ഉൾപ്പെടെ കൃത്യമായ തീയതി എനിക്കറിയാം", "I know the name": "പേര് എനിക്കറിയാം", @@ -548,12 +548,12 @@ "Labels let you classify contacts using a system that matters to you.": "നിങ്ങൾക്ക് പ്രാധാന്യമുള്ള ഒരു സിസ്റ്റം ഉപയോഗിച്ച് കോൺടാക്റ്റുകളെ തരംതിരിക്കാൻ ലേബലുകൾ നിങ്ങളെ അനുവദിക്കുന്നു.", "Language of the application": "ആപ്ലിക്കേഷന്റെ ഭാഷ", "Last active": "അവസാനം സജീവമായത്", - "Last active :date": "അവസാനം സജീവമായത്: തീയതി", + "Last active :date": "അവസാനം സജീവമായത് :date", "Last name": "പേരിന്റെ അവസാന ഭാഗം", "Last name First name": "അവസാന നാമം ആദ്യ നാമം", "Last updated": "അവസാനമായി പുതുക്കിയത്", "Last used": "അവസാനം ഉപയോഗിച്ചത്", - "Last used :date": "അവസാനം ഉപയോഗിച്ചത്: തീയതി", + "Last used :date": "അവസാനം ഉപയോഗിച്ചത് :date", "Leave": "വിട്ടേക്കുക", "Leave Team": "ടീം വിടുക", "Life": "ജീവിതം", @@ -564,6 +564,7 @@ "Life event types and categories": "ലൈഫ് ഇവന്റ് തരങ്ങളും വിഭാഗങ്ങളും", "Life metrics": "ലൈഫ് മെട്രിക്സ്", "Life metrics let you track metrics that are important to you.": "നിങ്ങൾക്ക് പ്രധാനപ്പെട്ട അളവുകൾ ട്രാക്ക് ചെയ്യാൻ ലൈഫ് മെട്രിക്‌സ് നിങ്ങളെ അനുവദിക്കുന്നു.", + "LinkedIn": "ലിങ്ക്ഡ്ഇൻ", "Link to documentation": "ഡോക്യുമെന്റേഷനിലേക്കുള്ള ലിങ്ക്", "List of addresses": "വിലാസങ്ങളുടെ പട്ടിക", "List of addresses of the contacts in the vault": "നിലവറയിലെ കോൺടാക്റ്റുകളുടെ വിലാസങ്ങളുടെ ലിസ്റ്റ്", @@ -586,7 +587,7 @@ "loved by": "സ്നേഹിച്ചു", "lover": "കാമുകൻ", "Made from all over the world. We ❤️ you.": "ലോകമെമ്പാടും നിന്ന് നിർമ്മിച്ചത്. ഞങ്ങൾ ❤️ നിങ്ങൾ.", - "Maiden name": "ആദ്യനാമം", + "Maiden name": "കന്നി നാമം", "Male": "ആൺ", "Manage Account": "അക്കൌണ്ട് കൈകാര്യം ചെയ്യുക", "Manage accounts you have linked to your Customers account.": "നിങ്ങളുടെ ഉപഭോക്തൃ അക്കൗണ്ടിലേക്ക് ലിങ്ക് ചെയ്‌ത അക്കൗണ്ടുകൾ നിയന്ത്രിക്കുക.", @@ -612,6 +613,7 @@ "Manage Team": "ടീം നിയന്ത്രിക്കുക", "Manage templates": "ടെംപ്ലേറ്റുകൾ നിയന്ത്രിക്കുക", "Manage users": "ഉപയോക്താക്കളെ നിയന്ത്രിക്കുക", + "Mastodon": "മാസ്റ്റോഡോൺ", "Maybe one of these contacts?": "ഒരുപക്ഷേ ഈ കോൺടാക്റ്റുകളിൽ ഒന്നാണോ?", "mentor": "ഉപദേശകൻ", "Middle name": "പേരിന്റെ മധ്യഭാഗം", @@ -619,9 +621,9 @@ "miles (mi)": "മൈൽ (മൈൽ)", "Modules in this page": "ഈ പേജിലെ മൊഡ്യൂളുകൾ", "Monday": "തിങ്കളാഴ്ച", - "Monica. All rights reserved. 2017 — :date.": "മോണിക്ക. എല്ലാ അവകാശങ്ങളും നിക്ഷിപ്തം. 2017 — : തീയതി.", - "Monica is open source, made by hundreds of people from all around the world.": "ലോകമെമ്പാടുമുള്ള നൂറുകണക്കിന് ആളുകൾ നിർമ്മിച്ച മോണിക്ക ഓപ്പൺ സോഴ്‌സാണ്.", - "Monica was made to help you document your life and your social interactions.": "നിങ്ങളുടെ ജീവിതവും സാമൂഹിക ഇടപെടലുകളും രേഖപ്പെടുത്താൻ നിങ്ങളെ സഹായിക്കാനാണ് മോണിക്കയെ സൃഷ്ടിച്ചത്.", + "Monica. All rights reserved. 2017 — :date.": "Monica. എല്ലാ അവകാശങ്ങളും നിക്ഷിപ്തം. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "ലോകമെമ്പാടുമുള്ള നൂറുകണക്കിന് ആളുകൾ നിർമ്മിച്ച Monica ഓപ്പൺ സോഴ്‌സാണ്.", + "Monica was made to help you document your life and your social interactions.": "നിങ്ങളുടെ ജീവിതവും സാമൂഹിക ഇടപെടലുകളും രേഖപ്പെടുത്താൻ നിങ്ങളെ സഹായിക്കാനാണ് Monicaയെ സൃഷ്ടിച്ചത്.", "Month": "മാസം", "month": "മാസം", "Mood in the year": "വർഷത്തിലെ മാനസികാവസ്ഥ", @@ -630,15 +632,15 @@ "More details": "കൂടുതൽ വിശദാംശങ്ങൾ", "More errors": "കൂടുതൽ പിശകുകൾ", "Move contact": "കോൺടാക്റ്റ് നീക്കുക", - "Muslim": "മുസ്ലിം", + "Muslim": "മുസ്ലീം", "Name": "പേര്", "Name of the pet": "വളർത്തുമൃഗത്തിന്റെ പേര്", "Name of the reminder": "ഓർമ്മപ്പെടുത്തലിന്റെ പേര്", "Name of the reverse relationship": "വിപരീത ബന്ധത്തിന്റെ പേര്", "Nature of the call": "കോളിന്റെ സ്വഭാവം", - "nephew\/niece": "അനന്തരവന് അനന്തരവള്", + "nephew/niece": "അനന്തരവന്/അനന്തരവള്", "New Password": "പുതിയ പാസ്വേഡ്", - "New to Monica?": "മോണിക്കയിൽ പുതിയത്?", + "New to Monica?": "Monicaയിൽ പുതിയത്?", "Next": "അടുത്തത്", "Nickname": "വിളിപ്പേര്", "nickname": "വിളിപ്പേര്", @@ -665,12 +667,12 @@ "No upcoming reminders.": "വരാനിരിക്കുന്ന ഓർമ്മപ്പെടുത്തലുകളൊന്നുമില്ല.", "Number of hours slept": "ഉറങ്ങിയ മണിക്കൂറുകളുടെ എണ്ണം", "Numerical value": "സംഖ്യാ മൂല്യം", - "of": "യുടെ", + "of": "ന്റെ", "Offered": "വാഗ്ദാനം ചെയ്തു", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "ഒരു ടീം ഇല്ലാതാക്കിയാൽ, അതിന്റെ എല്ലാ ഉറവിടങ്ങളും ഡാറ്റയും ശാശ്വതമായി ഇല്ലാതാക്കപ്പെടും. ഈ ടീമിനെ ഇല്ലാതാക്കുന്നതിന് മുമ്പ്, ഈ ടീമിനെ സംബന്ധിച്ച് നിങ്ങൾ നിലനിർത്താൻ ആഗ്രഹിക്കുന്ന ഏതെങ്കിലും ഡാറ്റയോ വിവരങ്ങളോ ഡൗൺലോഡ് ചെയ്യുക.", "Once you cancel,": "ഒരിക്കൽ നിങ്ങൾ റദ്ദാക്കി,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "ചുവടെയുള്ള സജ്ജീകരണ ബട്ടണിൽ നിങ്ങൾ ക്ലിക്ക് ചെയ്‌തുകഴിഞ്ഞാൽ, ഞങ്ങൾ നിങ്ങൾക്ക് നൽകുന്ന ബട്ടൺ ഉപയോഗിച്ച് നിങ്ങൾ ടെലിഗ്രാം തുറക്കേണ്ടതുണ്ട്. ഇത് നിങ്ങൾക്കായി മോണിക്ക ടെലിഗ്രാം ബോട്ട് കണ്ടെത്തും.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "നിങ്ങളുടെ അക്കൗണ്ട് ഇല്ലാതാക്കിയാൽ, അതിന്റെ എല്ലാ ഉറവിടങ്ങളും ഡാറ്റയും ശാശ്വതമായി ഇല്ലാതാക്കപ്പെടും. നിങ്ങളുടെ അക്കൗണ്ട് ഇല്ലാതാക്കുന്നതിന് മുമ്പ്, നിങ്ങൾ നിലനിർത്താൻ ആഗ്രഹിക്കുന്ന ഏതെങ്കിലും ഡാറ്റയോ വിവരമോ ഡൗൺലോഡ് ചെയ്യുക.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "ചുവടെയുള്ള സജ്ജീകരണ ബട്ടണിൽ നിങ്ങൾ ക്ലിക്ക് ചെയ്‌തുകഴിഞ്ഞാൽ, ഞങ്ങൾ നിങ്ങൾക്ക് നൽകുന്ന ബട്ടൺ ഉപയോഗിച്ച് നിങ്ങൾ ടെലിഗ്രാം തുറക്കേണ്ടതുണ്ട്. ഇത് നിങ്ങൾക്കായി Monica ടെലിഗ്രാം ബോട്ട് കണ്ടെത്തും.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "നിങ്ങളുടെ അക്കൗണ്ട് ഇല്ലാതാക്കിയാൽ, അതിന്റെ എല്ലാ ഉറവിടങ്ങളും ഡാറ്റയും ശാശ്വതമായി ഇല്ലാതാക്കപ്പെടും. നിങ്ങളുടെ അക്കൗണ്ട് ഇല്ലാതാക്കുന്നതിന് മുമ്പ്, നിങ്ങൾ നിലനിർത്താൻ ആഗ്രഹിക്കുന്ന ഏതെങ്കിലും ഡാറ്റയോ വിവരങ്ങളോ ഡൗൺലോഡ് ചെയ്യുക.", "Only once, when the next occurence of the date occurs.": "തീയതിയുടെ അടുത്ത സംഭവം സംഭവിക്കുമ്പോൾ ഒരിക്കൽ മാത്രം.", "Oops! Something went wrong.": "ശ്ശോ! എന്തോ കുഴപ്പം സംഭവിച്ചു.", "Open Street Maps": "സ്ട്രീറ്റ് മാപ്പുകൾ തുറക്കുക", @@ -694,10 +696,10 @@ "Password": "Password", "Payment Required": "പേയ്മെന്റ് ആവശ്യമാണ്", "Pending Team Invitations": "തീർച്ചപ്പെടുത്താത്ത ടീം ക്ഷണങ്ങൾ", - "per\/per": "വേണ്ടി \/ വേണ്ടി", + "per/per": "ഓരോ / ഓരോ", "Permanently delete this team.": "ഈ ടീമിനെ ശാശ്വതമായി ഇല്ലാതാക്കുക.", "Permanently delete your account.": "നിങ്ങളുടെ അക്കൗണ്ട് ശാശ്വതമായി ഇല്ലാതാക്കുക.", - "Permission for :name": "പേരിനുള്ള അനുമതി", + "Permission for :name": ":Name എന്നതിനുള്ള അനുമതി", "Permissions": "അനുമതികൾ", "Personal": "വ്യക്തിപരം", "Personalize your account": "നിങ്ങളുടെ അക്കൗണ്ട് വ്യക്തിഗതമാക്കുക", @@ -713,7 +715,7 @@ "Played soccer": "സോക്കർ കളിച്ചു", "Played tennis": "ടെന്നീസ് കളിച്ചു", "Please choose a template for this new post": "ഈ പുതിയ പോസ്റ്റിനായി ദയവായി ഒരു ടെംപ്ലേറ്റ് തിരഞ്ഞെടുക്കുക", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "ഈ കോൺടാക്റ്റ് എങ്ങനെ പ്രദർശിപ്പിക്കണമെന്ന് മോണിക്കയോട് പറയാൻ താഴെയുള്ള ഒരു ടെംപ്ലേറ്റ് തിരഞ്ഞെടുക്കുക. കോൺടാക്റ്റ് പേജിൽ ഏത് ഡാറ്റയാണ് പ്രദർശിപ്പിക്കേണ്ടതെന്ന് നിർവചിക്കാൻ ടെംപ്ലേറ്റുകൾ നിങ്ങളെ അനുവദിക്കുന്നു.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "ഈ കോൺടാക്റ്റ് എങ്ങനെ പ്രദർശിപ്പിക്കണമെന്ന് Monicaയോട് പറയാൻ താഴെയുള്ള ഒരു ടെംപ്ലേറ്റ് തിരഞ്ഞെടുക്കുക. കോൺടാക്റ്റ് പേജിൽ ഏത് ഡാറ്റയാണ് പ്രദർശിപ്പിക്കേണ്ടതെന്ന് നിർവചിക്കാൻ ടെംപ്ലേറ്റുകൾ നിങ്ങളെ അനുവദിക്കുന്നു.", "Please click the button below to verify your email address.": "നിങ്ങളുടെ ഇമെയിൽ വിലാസം സ്ഥിരീകരിക്കാൻ താഴെയുള്ള ബട്ടണിൽ ക്ലിക്ക് ചെയ്യുക.", "Please complete this form to finalize your account.": "നിങ്ങളുടെ അക്കൗണ്ട് അന്തിമമാക്കുന്നതിന് ദയവായി ഈ ഫോം പൂരിപ്പിക്കുക.", "Please confirm access to your account by entering one of your emergency recovery codes.": "നിങ്ങളുടെ അടിയന്തര വീണ്ടെടുക്കൽ കോഡുകളിലൊന്ന് നൽകി നിങ്ങളുടെ അക്കൗണ്ടിലേക്കുള്ള ആക്സസ് സ്ഥിരീകരിക്കുക.", @@ -725,9 +727,9 @@ "Please enter your password to cancel the account": "അക്കൗണ്ട് റദ്ദാക്കാൻ നിങ്ങളുടെ പാസ്‌വേഡ് നൽകുക", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "നിങ്ങളുടെ എല്ലാ ഉപകരണങ്ങളിലും ഉള്ള മറ്റ് ബ്രൗസർ സെഷനുകളിൽ നിന്ന് ലോഗ് ഔട്ട് ചെയ്യാൻ നിങ്ങൾ ആഗ്രഹിക്കുന്നുവെന്ന് സ്ഥിരീകരിക്കാൻ നിങ്ങളുടെ പാസ്‌വേഡ് നൽകുക.", "Please indicate the contacts": "ദയവായി കോൺടാക്റ്റുകൾ സൂചിപ്പിക്കുക", - "Please join Monica": "മോണിക്കയിൽ ചേരൂ", + "Please join Monica": "Monicaയിൽ ചേരൂ", "Please provide the email address of the person you would like to add to this team.": "ഈ ടീമിലേക്ക് നിങ്ങൾ ചേർക്കാൻ ആഗ്രഹിക്കുന്ന വ്യക്തിയുടെ ഇമെയിൽ വിലാസം ദയവായി നൽകുക.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "ഈ സവിശേഷതയെക്കുറിച്ചും നിങ്ങൾക്ക് ആക്‌സസ് ഉള്ള വേരിയബിളുകളെക്കുറിച്ചും കൂടുതലറിയാൻ ഞങ്ങളുടെ ഡോക്യുമെന്റേഷൻ<\/link> വായിക്കുക.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "ഈ സവിശേഷതയെക്കുറിച്ചും നിങ്ങൾക്ക് ആക്‌സസ് ഉള്ള വേരിയബിളുകളെക്കുറിച്ചും കൂടുതലറിയാൻ ഞങ്ങളുടെ ഡോക്യുമെന്റേഷൻ വായിക്കുക.", "Please select a page on the left to load modules.": "മൊഡ്യൂളുകൾ ലോഡുചെയ്യാൻ ഇടതുവശത്തുള്ള ഒരു പേജ് തിരഞ്ഞെടുക്കുക.", "Please type a few characters to create a new label.": "ഒരു പുതിയ ലേബൽ സൃഷ്ടിക്കാൻ ദയവായി കുറച്ച് പ്രതീകങ്ങൾ ടൈപ്പ് ചെയ്യുക.", "Please type a few characters to create a new tag.": "ഒരു പുതിയ ടാഗ് സൃഷ്ടിക്കാൻ ദയവായി കുറച്ച് പ്രതീകങ്ങൾ ടൈപ്പ് ചെയ്യുക.", @@ -745,14 +747,14 @@ "Profile": "പ്രൊഫൈൽ", "Profile and security": "പ്രൊഫൈലും സുരക്ഷയും", "Profile Information": "വ്യക്തിഗത വിവരങ്ങൾ", - "Profile of :name": "പ്രൊഫൈൽ: പേര്", - "Profile page of :name": "പ്രൊഫൈൽ പേജ് :name", - "Pronoun": "അവർ പ്രവണത", + "Profile of :name": ":Name എന്നതിന്റെ പ്രൊഫൈൽ", + "Profile page of :name": ":Name എന്നതിന്റെ പ്രൊഫൈൽ പേജ്", + "Pronoun": "സർവ്വനാമം", "Pronouns": "സർവ്വനാമം", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "സർവ്വനാമങ്ങൾ അടിസ്ഥാനപരമായി നമ്മുടെ പേരിൽ നിന്ന് വേറിട്ട് നമ്മളെ എങ്ങനെ തിരിച്ചറിയുന്നു എന്നതാണ്. സംഭാഷണത്തിൽ ആരെങ്കിലും നിങ്ങളെ പരാമർശിക്കുന്നത് ഇങ്ങനെയാണ്.", "protege": "സംരക്ഷണം", "Protocol": "പ്രോട്ടോക്കോൾ", - "Protocol: :name": "പ്രോട്ടോക്കോൾ: : പേര്", + "Protocol: :name": "പ്രോട്ടോക്കോൾ: :name", "Province": "പ്രവിശ്യ", "Quick facts": "പെട്ടെന്നുള്ള വസ്തുതകൾ", "Quick facts let you document interesting facts about a contact.": "ഒരു കോൺടാക്റ്റിനെക്കുറിച്ചുള്ള രസകരമായ വസ്തുതകൾ രേഖപ്പെടുത്താൻ ദ്രുത വസ്തുതകൾ നിങ്ങളെ അനുവദിക്കുന്നു.", @@ -761,7 +763,7 @@ "Rabbit": "മുയൽ", "Ran": "ഓടി", "Rat": "എലി", - "Read :count time|Read :count times": "വായിക്കുക :എണ്ണം സമയം|വായിക്കുക :എണ്ണം തവണ", + "Read :count time|Read :count times": ":count തവണ വായിക്കുക|:count തവണ വായിക്കുക", "Record a loan": "വായ്പ രേഖപ്പെടുത്തുക", "Record your mood": "നിങ്ങളുടെ മാനസികാവസ്ഥ രേഖപ്പെടുത്തുക", "Recovery Code": "വീണ്ടെടുക്കൽ കോഡ്", @@ -775,12 +777,12 @@ "Regular user": "സ്ഥിരം ഉപയോക്താവ്", "Relationships": "ബന്ധങ്ങൾ", "Relationship types": "ബന്ധത്തിന്റെ തരങ്ങൾ", - "Relationship types let you link contacts and document how they are connected.": "ബന്ധ തരങ്ങൾ നിങ്ങളെ കോൺടാക്റ്റുകളെ ലിങ്ക് ചെയ്യാനും അവ എങ്ങനെ ബന്ധിപ്പിച്ചിരിക്കുന്നു എന്ന് രേഖപ്പെടുത്താനും നിങ്ങളെ അനുവദിക്കുന്നു.", + "Relationship types let you link contacts and document how they are connected.": "ബന്ധ തരങ്ങൾ നിങ്ങളെ കോൺടാക്‌റ്റുകളെ ലിങ്ക് ചെയ്യാനും അവ എങ്ങനെ ബന്ധിപ്പിച്ചിരിക്കുന്നു എന്ന് രേഖപ്പെടുത്താനും അനുവദിക്കുന്നു.", "Religion": "മതം", "Religions": "മതങ്ങൾ", "Religions is all about faith.": "മതങ്ങൾ എല്ലാം വിശ്വാസമാണ്.", "Remember me": "എന്നെ ഓർമ്മിക്കുക", - "Reminder for :name": "എന്നതിനായുള്ള ഓർമ്മപ്പെടുത്തൽ: പേര്", + "Reminder for :name": ":Name എന്നതിനായുള്ള ഓർമ്മപ്പെടുത്തൽ", "Reminders": "ഓർമ്മപ്പെടുത്തലുകൾ", "Reminders for the next 30 days": "അടുത്ത 30 ദിവസത്തേക്കുള്ള ഓർമ്മപ്പെടുത്തലുകൾ", "Remind me about this date every year": "എല്ലാ വർഷവും ഈ തീയതിയെക്കുറിച്ച് എന്നെ ഓർമ്മിപ്പിക്കുക", @@ -806,7 +808,7 @@ "Rode a bike": "ബൈക്ക് ഓടിച്ചു", "Role": "പങ്ക്", "Roles:": "റോളുകൾ:", - "Roomates": "ഇഴഞ്ഞു നീങ്ങുന്നു", + "Roomates": "റൂംമേറ്റ്സ്", "Saturday": "ശനിയാഴ്ച", "Save": "രക്ഷിക്കും", "Saved.": "സംരക്ഷിച്ചു.", @@ -822,7 +824,7 @@ "Select a relationship type": "ഒരു ബന്ധം തരം തിരഞ്ഞെടുക്കുക", "Send invitation": "ക്ഷണം അയയ്ക്കുക", "Send test": "ടെസ്റ്റ് അയയ്ക്കുക", - "Sent at :time": "സമയത്തിന് അയച്ചു", + "Sent at :time": ":time-ന് അയച്ചു", "Server Error": "സെർവർ തകരാർ", "Service Unavailable": "സേവനം ലഭ്യമല്ല", "Set as default": "സ്ഥിരസ്ഥിതിയായി സജ്ജമാക്കാൻ", @@ -833,16 +835,16 @@ "Setup Key": "സജ്ജീകരണ കീ", "Setup Key:": "സജ്ജീകരണ കീ:", "Setup Telegram": "ടെലിഗ്രാം സജ്ജീകരിക്കുക", - "she\/her": "അവൾ\/അവൾ", + "she/her": "അവൾ/അവൾ", "Shintoist": "ഷിന്റോയിസ്റ്റ്", "Show Calendar tab": "കലണ്ടർ ടാബ് കാണിക്കുക", "Show Companies tab": "കമ്പനികളുടെ ടാബ് കാണിക്കുക", - "Show completed tasks (:count)": "പൂർത്തിയാക്കിയ ജോലികൾ കാണിക്കുക (:എണ്ണം)", + "Show completed tasks (:count)": "പൂർത്തിയാക്കിയ ജോലികൾ കാണിക്കുക (:count)", "Show Files tab": "ഫയലുകൾ ടാബ് കാണിക്കുക", "Show Groups tab": "ഗ്രൂപ്പുകൾ ടാബ് കാണിക്കുക", "Showing": "കാണിക്കുന്നു", - "Showing :count of :total results": "മൊത്തം ഫലങ്ങളുടെ എണ്ണം: കാണിക്കുന്നു", - "Showing :first to :last of :total results": "മൊത്തം ഫലങ്ങൾ:ആദ്യം മുതൽ:അവസാനം വരെ കാണിക്കുന്നു", + "Showing :count of :total results": ":total ഫലങ്ങളിൽ :count കാണിക്കുന്നു", + "Showing :first to :last of :total results": ":total ഫലങ്ങളിൽ :first മുതൽ :last വരെ കാണിക്കുന്നു", "Show Journals tab": "ജേണലുകൾ ടാബ് കാണിക്കുക", "Show Recovery Codes": "വീണ്ടെടുക്കൽ കോഡുകൾ കാണിക്കുക", "Show Reports tab": "റിപ്പോർട്ടുകൾ ടാബ് കാണിക്കുക", @@ -851,14 +853,14 @@ "Sign in to your account": "നിങ്ങളുടെ അക്കൗണ്ടിലേക്ക് സൈൻ ഇൻ ചെയ്യുക", "Sign up for an account": "ഒരു അക്കൗണ്ടിനായി സൈൻ അപ്പ് ചെയ്യുക", "Sikh": "സിഖ്", - "Slept :count hour|Slept :count hours": "ഉറങ്ങി :എണ്ണം മണിക്കൂർ|ഉറക്കം :എണ്ണം മണിക്കൂർ", + "Slept :count hour|Slept :count hours": ":count മണിക്കൂർ ഉറങ്ങി|:count മണിക്കൂർ ഉറങ്ങി", "Slice of life": "ജീവിതത്തിന്റെ കഷ്ണം", "Slices of life": "ജീവിതത്തിന്റെ കഷ്ണങ്ങൾ", "Small animal": "ചെറിയ മൃഗം", "Social": "സാമൂഹിക", "Some dates have a special type that we will use in the software to calculate an age.": "ചില തീയതികൾക്ക് ഒരു പ്രത്യേക തരം ഉണ്ട്, അത് ഒരു പ്രായം കണക്കാക്കാൻ ഞങ്ങൾ സോഫ്റ്റ്വെയറിൽ ഉപയോഗിക്കും.", "Sort contacts": "കോൺടാക്റ്റുകൾ അടുക്കുക", - "So… it works 😼": "അങ്ങനെ... ഇത് പ്രവർത്തിക്കുന്നു 😼", + "So… it works 😼": "അങ്ങനെ... അത് പ്രവർത്തിക്കുന്നു 😼", "Sport": "കായികം", "spouse": "ഇണ", "Statistics": "സ്ഥിതിവിവരക്കണക്കുകൾ", @@ -886,21 +888,20 @@ "Templates": "ടെംപ്ലേറ്റുകൾ", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "നിങ്ങളുടെ കോൺടാക്റ്റുകളിൽ എന്ത് ഡാറ്റയാണ് പ്രദർശിപ്പിക്കേണ്ടതെന്ന് ഇഷ്ടാനുസൃതമാക്കാൻ ടെംപ്ലേറ്റുകൾ നിങ്ങളെ അനുവദിക്കുന്നു. നിങ്ങൾക്ക് ആവശ്യമുള്ളത്ര ടെംപ്ലേറ്റുകൾ നിർവചിക്കാം, കൂടാതെ ഏത് കോൺടാക്റ്റിൽ ഏത് ടെംപ്ലേറ്റ് ഉപയോഗിക്കണമെന്ന് തിരഞ്ഞെടുക്കുക.", "Terms of Service": "സേവന നിബന്ധനകൾ", - "Test email for Monica": "മോണിക്കയുടെ ഇമെയിൽ പരീക്ഷിക്കുക", + "Test email for Monica": "Monicaയുടെ ഇമെയിൽ പരീക്ഷിക്കുക", "Test email sent!": "ടെസ്റ്റ് ഇമെയിൽ അയച്ചു!", "Thanks,": "നന്ദി,", - "Thanks for giving Monica a try": "മോണിക്ക ശ്രമിച്ചതിന് നന്ദി", - "Thanks for giving Monica a try.": "മോണിക്ക ശ്രമിച്ചതിന് നന്ദി.", + "Thanks for giving Monica a try.": "Monica ശ്രമിച്ചതിന് നന്ദി.", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "സൈൻ അപ്പ് ചെയ്തതിന് നന്ദി! ആരംഭിക്കുന്നതിന് മുമ്പ്, ഞങ്ങൾ നിങ്ങൾക്ക് ഇമെയിൽ അയച്ച ലിങ്കിൽ ക്ലിക്കുചെയ്ത് നിങ്ങളുടെ ഇമെയിൽ വിലാസം പരിശോധിക്കാമോ? നിങ്ങൾക്ക് ഇമെയിൽ ലഭിച്ചില്ലെങ്കിൽ, ഞങ്ങൾ നിങ്ങൾക്ക് സന്തോഷത്തോടെ മറ്റൊന്ന് അയയ്ക്കും.", - "The :attribute must be at least :length characters.": ":ആട്രിബ്യൂട്ട് കുറഞ്ഞത് :ദൈർഘ്യമുള്ള പ്രതീകങ്ങളെങ്കിലും ആയിരിക്കണം.", - "The :attribute must be at least :length characters and contain at least one number.": ":ആട്രിബ്യൂട്ട് കുറഞ്ഞത് :നീളമുള്ള പ്രതീകങ്ങളെങ്കിലും കുറഞ്ഞത് ഒരു അക്കമെങ്കിലും അടങ്ങിയിരിക്കണം.", - "The :attribute must be at least :length characters and contain at least one special character.": ":ആട്രിബ്യൂട്ട് കുറഞ്ഞത് :ദൈർഘ്യമുള്ള പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം കൂടാതെ ഒരു പ്രത്യേക പ്രതീകമെങ്കിലും അടങ്ങിയിരിക്കണം.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":ആട്രിബ്യൂട്ട് കുറഞ്ഞത് :ദൈർഘ്യമുള്ള പ്രതീകങ്ങൾ ആയിരിക്കണം കൂടാതെ കുറഞ്ഞത് ഒരു പ്രത്യേക പ്രതീകവും ഒരു സംഖ്യയും അടങ്ങിയിരിക്കണം.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":ആട്രിബ്യൂട്ടിൽ കുറഞ്ഞത് :നീളമുള്ള പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം കൂടാതെ ഒരു വലിയക്ഷരം, ഒരു സംഖ്യ, ഒരു പ്രത്യേക പ്രതീകം എന്നിവയെങ്കിലും അടങ്ങിയിരിക്കണം.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":ആട്രിബ്യൂട്ട് കുറഞ്ഞത് :ദൈർഘ്യമുള്ള പ്രതീകങ്ങളെങ്കിലും ഒരു വലിയക്ഷര പ്രതീകമെങ്കിലും അടങ്ങിയിരിക്കണം.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":ആട്രിബ്യൂട്ടിൽ കുറഞ്ഞത് :നീളമുള്ള പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം കൂടാതെ കുറഞ്ഞത് ഒരു വലിയക്ഷരവും ഒരു സംഖ്യയും ഉണ്ടായിരിക്കണം.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":ആട്രിബ്യൂട്ട് കുറഞ്ഞത് :ദൈർഘ്യമുള്ള പ്രതീകങ്ങളായിരിക്കണം കൂടാതെ കുറഞ്ഞത് ഒരു വലിയക്ഷരവും ഒരു പ്രത്യേക പ്രതീകവും ഉണ്ടായിരിക്കണം.", - "The :attribute must be a valid role.": ":ആട്രിബ്യൂട്ട് ഒരു സാധുവായ റോൾ ആയിരിക്കണം.", + "The :attribute must be at least :length characters.": ":Attribute കുറഞ്ഞത് :length പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute എന്നതിൽ കുറഞ്ഞത് :length പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം കൂടാതെ ഒരു അക്കമെങ്കിലും അടങ്ങിയിരിക്കണം.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute എന്നതിൽ കുറഞ്ഞത് :length പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം കൂടാതെ ഒരു പ്രത്യേക പ്രതീകമെങ്കിലും അടങ്ങിയിരിക്കണം.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute എന്നതിൽ കുറഞ്ഞത് :length പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം കൂടാതെ കുറഞ്ഞത് ഒരു പ്രത്യേക പ്രതീകവും ഒരു സംഖ്യയും ഉണ്ടായിരിക്കണം.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute എന്നതിൽ കുറഞ്ഞത് :length പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം കൂടാതെ ഒരു വലിയക്ഷരം, ഒരു സംഖ്യ, ഒരു പ്രത്യേക പ്രതീകം എന്നിവയെങ്കിലും അടങ്ങിയിരിക്കണം.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute എന്നതിൽ കുറഞ്ഞത് :length പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം കൂടാതെ ഒരു വലിയക്ഷരം എങ്കിലും അടങ്ങിയിരിക്കണം.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute എന്നതിൽ കുറഞ്ഞത് :length പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം, കൂടാതെ കുറഞ്ഞത് ഒരു വലിയക്ഷരവും ഒരു അക്കവും ഉണ്ടായിരിക്കണം.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute എന്നതിൽ കുറഞ്ഞത് :length പ്രതീകങ്ങളെങ്കിലും ഉണ്ടായിരിക്കണം, കൂടാതെ കുറഞ്ഞത് ഒരു വലിയക്ഷരവും ഒരു പ്രത്യേക പ്രതീകവും ഉണ്ടായിരിക്കണം.", + "The :attribute must be a valid role.": ":Attribute ഒരു സാധുവായ റോൾ ആയിരിക്കണം.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "അക്കൗണ്ടിന്റെ ഡാറ്റ 30 ദിവസത്തിനുള്ളിൽ ഞങ്ങളുടെ സെർവറുകളിൽ നിന്നും 60 ദിവസത്തിനുള്ളിൽ എല്ലാ ബാക്കപ്പുകളിൽ നിന്നും ശാശ്വതമായി ഇല്ലാതാക്കപ്പെടും.", "The address type has been created": "വിലാസ തരം സൃഷ്ടിച്ചു", "The address type has been deleted": "വിലാസ തരം ഇല്ലാതാക്കി", @@ -960,7 +961,7 @@ "The important dates in the next 12 months": "അടുത്ത 12 മാസങ്ങളിലെ പ്രധാനപ്പെട്ട തീയതികൾ", "The job information has been saved": "ജോലി വിവരങ്ങൾ സംരക്ഷിച്ചു", "The journal lets you document your life with your own words.": "നിങ്ങളുടെ സ്വന്തം വാക്കുകൾ ഉപയോഗിച്ച് നിങ്ങളുടെ ജീവിതം രേഖപ്പെടുത്താൻ ജേണൽ നിങ്ങളെ അനുവദിക്കുന്നു.", - "The keys to manage uploads have not been set in this Monica instance.": "ഈ മോണിക്ക സംഭവത്തിൽ അപ്‌ലോഡുകൾ നിയന്ത്രിക്കുന്നതിനുള്ള കീകൾ സജ്ജീകരിച്ചിട്ടില്ല.", + "The keys to manage uploads have not been set in this Monica instance.": "ഈ Monica സംഭവത്തിൽ അപ്‌ലോഡുകൾ നിയന്ത്രിക്കുന്നതിനുള്ള കീകൾ സജ്ജീകരിച്ചിട്ടില്ല.", "The label has been added": "ലേബൽ ചേർത്തു", "The label has been created": "ലേബൽ സൃഷ്ടിച്ചു", "The label has been deleted": "ലേബൽ ഇല്ലാതാക്കി", @@ -1002,10 +1003,10 @@ "The pronoun has been updated": "സർവ്വനാമം അപ്ഡേറ്റ് ചെയ്തു", "The provided password does not match your current password.": "നൽകിയിരിക്കുന്ന പാസ്‌വേഡ് നിങ്ങളുടെ നിലവിലെ പാസ്‌വേഡുമായി പൊരുത്തപ്പെടുന്നില്ല.", "The provided password was incorrect.": "നൽകിയ പാസ്‌വേഡ് തെറ്റായിരുന്നു.", - "The provided two factor authentication code was invalid.": "നൽകിയിരിക്കുന്ന രണ്ട് ഫാക്ടർ പ്രാമാണീകരണ കോഡ് അസാധുവാണ്.", + "The provided two factor authentication code was invalid.": "നൽകിയിരിക്കുന്ന രണ്ട് ഘടകങ്ങളുടെ പ്രാമാണീകരണ കോഡ് അസാധുവാണ്.", "The provided two factor recovery code was invalid.": "നൽകിയിരിക്കുന്ന രണ്ട് ഫാക്ടർ വീണ്ടെടുക്കൽ കോഡ് അസാധുവാണ്.", "There are no active addresses yet.": "ഇതുവരെ സജീവമായ വിലാസങ്ങളൊന്നുമില്ല.", - "There are no calls logged yet.": "ഇതുവരെ കോളുകളൊന്നും ലോഗ് ചെയ്‌തിട്ടില്ല.", + "There are no calls logged yet.": "ഇതുവരെ കോളുകളൊന്നും ലോഗ് ചെയ്തിട്ടില്ല.", "There are no contact information yet.": "ഇതുവരെ ബന്ധപ്പെടാനുള്ള വിവരങ്ങളൊന്നുമില്ല.", "There are no documents yet.": "ഇതുവരെ രേഖകളൊന്നുമില്ല.", "There are no events on that day, future or past.": "ആ ദിവസമോ ഭാവിയിലോ ഭൂതകാലത്തിലോ സംഭവങ്ങളൊന്നുമില്ല.", @@ -1062,23 +1063,23 @@ "The type has been updated": "തരം അപ്ഡേറ്റ് ചെയ്തു", "The user has been added": "ഉപയോക്താവിനെ ചേർത്തു", "The user has been deleted": "ഉപയോക്താവിനെ ഇല്ലാതാക്കി", - "The user has been removed": "ഉപയോക്താവിനെ നീക്കം ചെയ്തു", + "The user has been removed": "ഉപയോക്താവിനെ നീക്കം ചെയ്‌തു", "The user has been updated": "ഉപയോക്താവ് അപ്ഡേറ്റ് ചെയ്തു", "The vault has been created": "നിലവറ സൃഷ്ടിച്ചു", "The vault has been deleted": "നിലവറ ഇല്ലാതാക്കി", "The vault have been updated": "നിലവറ നവീകരിച്ചു", - "they\/them": "അവർ\/അവർ", + "they/them": "അവർ/അവരെ", "This address is not active anymore": "ഈ വിലാസം ഇപ്പോൾ സജീവമല്ല", "This device": "ഈ ഉപകരണം", - "This email is a test email to check if Monica can send an email to this email address.": "ഈ ഇമെയിൽ വിലാസത്തിലേക്ക് മോണിക്കയ്ക്ക് ഒരു ഇമെയിൽ അയയ്ക്കാൻ കഴിയുമോ എന്ന് പരിശോധിക്കാനുള്ള ഒരു ടെസ്റ്റ് ഇമെയിൽ ആണ് ഈ ഇമെയിൽ.", + "This email is a test email to check if Monica can send an email to this email address.": "Monicaയ്ക്ക് ഈ ഇമെയിൽ വിലാസത്തിലേക്ക് ഒരു ഇമെയിൽ അയയ്ക്കാൻ കഴിയുമോ എന്ന് പരിശോധിക്കാനുള്ള ഒരു ടെസ്റ്റ് ഇമെയിൽ ആണ് ഈ ഇമെയിൽ.", "This is a secure area of the application. Please confirm your password before continuing.": "ഇത് ആപ്ലിക്കേഷന്റെ ഒരു സുരക്ഷിത മേഖലയാണ്. തുടരുന്നതിന് മുമ്പ് നിങ്ങളുടെ പാസ്‌വേഡ് സ്ഥിരീകരിക്കുക.", "This is a test email": "ഇതൊരു പരീക്ഷണ ഇമെയിൽ ആണ്", - "This is a test notification for :name": "ഇത് :name എന്നതിനായുള്ള ഒരു ടെസ്റ്റ് അറിയിപ്പാണ്", + "This is a test notification for :name": "ഇത് :name എന്നതിനായുള്ള ഒരു പരീക്ഷണ അറിയിപ്പാണ്", "This key is already registered. It’s not necessary to register it again.": "ഈ കീ ഇതിനകം രജിസ്റ്റർ ചെയ്തിട്ടുണ്ട്. ഇത് വീണ്ടും രജിസ്റ്റർ ചെയ്യേണ്ട ആവശ്യമില്ല.", "This link will open in a new tab": "ഈ ലിങ്ക് ഒരു പുതിയ ടാബിൽ തുറക്കും", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "ഈ ചാനലിൽ മുമ്പ് അയച്ച എല്ലാ അറിയിപ്പുകളും ഈ പേജ് കാണിക്കുന്നു. നിങ്ങൾ സജ്ജീകരിച്ച അറിയിപ്പ് നിങ്ങൾക്ക് ലഭിച്ചില്ലെങ്കിൽ ഡീബഗ് ചെയ്യാനുള്ള ഒരു മാർഗമായി ഇത് പ്രാഥമികമായി പ്രവർത്തിക്കുന്നു.", "This password does not match our records.": "ഈ പാസ്‌വേഡ് ഞങ്ങളുടെ രേഖകളുമായി പൊരുത്തപ്പെടുന്നില്ല.", - "This password reset link will expire in :count minutes.": "ഈ പാസ്‌വേഡ് പുനഃസജ്ജീകരണ ലിങ്ക്:എണ്ണം മിനിറ്റിനുള്ളിൽ കാലഹരണപ്പെടും.", + "This password reset link will expire in :count minutes.": "ഈ പാസ്‌വേഡ് പുനഃസജ്ജീകരണ ലിങ്ക് :count മിനിറ്റിനുള്ളിൽ കാലഹരണപ്പെടും.", "This post has no content yet.": "ഈ പോസ്റ്റിന് ഇതുവരെ ഉള്ളടക്കമൊന്നുമില്ല.", "This provider is already associated with another account": "ഈ ദാതാവ് ഇതിനകം മറ്റൊരു അക്കൗണ്ടുമായി ബന്ധപ്പെട്ടിരിക്കുന്നു", "This site is open source.": "ഈ സൈറ്റ് ഓപ്പൺ സോഴ്‌സ് ആണ്.", @@ -1093,7 +1094,6 @@ "Title": "തലക്കെട്ട്", "to": "വരെ", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "രണ്ട് ഘടകങ്ങളുടെ പ്രാമാണീകരണം പ്രവർത്തനക്ഷമമാക്കുന്നത് പൂർത്തിയാക്കാൻ, നിങ്ങളുടെ ഫോണിന്റെ ഓതന്റിക്കേറ്റർ ആപ്ലിക്കേഷൻ ഉപയോഗിച്ച് ഇനിപ്പറയുന്ന QR കോഡ് സ്കാൻ ചെയ്യുക അല്ലെങ്കിൽ സജ്ജീകരണ കീ നൽകി ജനറേറ്റ് ചെയ്ത OTP കോഡ് നൽകുക.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "രണ്ട് ഘടകങ്ങളുടെ പ്രാമാണീകരണം പ്രവർത്തനക്ഷമമാക്കുന്നത് പൂർത്തിയാക്കാൻ, നിങ്ങളുടെ ഫോണിന്റെ ഓതന്റിക്കേറ്റർ ആപ്ലിക്കേഷൻ ഉപയോഗിച്ച് ഇനിപ്പറയുന്ന QR കോഡ് സ്കാൻ ചെയ്യുക അല്ലെങ്കിൽ സജ്ജീകരണ കീ നൽകി ജനറേറ്റ് ചെയ്ത OTP കോഡ് നൽകുക.", "Toggle navigation": "നാവിഗേഷൻ ടോഗിൾ ചെയ്യുക", "To hear their story": "അവരുടെ കഥ കേൾക്കാൻ", "Token Name": "ടോക്കൺ പേര്", @@ -1111,17 +1111,17 @@ "Tuesday": "ചൊവ്വാഴ്ച", "Two-factor Confirmation": "രണ്ട്-ഘടക സ്ഥിരീകരണം", "Two Factor Authentication": "രണ്ട് ഫാക്ടർ ആധികാരികത", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "ടു ഫാക്ടർ ഓതന്റിക്കേഷൻ ഇപ്പോൾ പ്രവർത്തനക്ഷമമാക്കിയിരിക്കുന്നു. നിങ്ങളുടെ ഫോണിന്റെ ഓതന്റിക്കേറ്റർ ആപ്ലിക്കേഷൻ ഉപയോഗിച്ച് ഇനിപ്പറയുന്ന QR കോഡ് സ്കാൻ ചെയ്യുക അല്ലെങ്കിൽ സജ്ജീകരണ കീ നൽകുക.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "ടു ഫാക്ടർ ഓതന്റിക്കേഷൻ ഇപ്പോൾ പ്രവർത്തനക്ഷമമാക്കിയിരിക്കുന്നു. നിങ്ങളുടെ ഫോണിന്റെ ഓതന്റിക്കേറ്റർ ആപ്ലിക്കേഷൻ ഉപയോഗിച്ച് ഇനിപ്പറയുന്ന QR കോഡ് സ്കാൻ ചെയ്യുക അല്ലെങ്കിൽ സജ്ജീകരണ കീ നൽകുക.", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "രണ്ട് ഘടകം പ്രാമാണീകരണം ഇപ്പോൾ പ്രവർത്തനക്ഷമമാക്കിയിരിക്കുന്നു. നിങ്ങളുടെ ഫോണിന്റെ ഓതന്റിക്കേറ്റർ ആപ്ലിക്കേഷൻ ഉപയോഗിച്ച് ഇനിപ്പറയുന്ന QR കോഡ് സ്കാൻ ചെയ്യുക അല്ലെങ്കിൽ സജ്ജീകരണ കീ നൽകുക.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "രണ്ട് ഘടകം പ്രാമാണീകരണം ഇപ്പോൾ പ്രവർത്തനക്ഷമമാക്കിയിരിക്കുന്നു. നിങ്ങളുടെ ഫോണിന്റെ ഓതന്റിക്കേറ്റർ ആപ്ലിക്കേഷൻ ഉപയോഗിച്ച് ഇനിപ്പറയുന്ന QR കോഡ് സ്കാൻ ചെയ്യുക അല്ലെങ്കിൽ സജ്ജീകരണ കീ നൽകുക.", "Type": "ടൈപ്പ് ചെയ്യുക", "Type:": "തരം:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "മോണിക്ക ബോട്ടുമായുള്ള സംഭാഷണത്തിൽ എന്തെങ്കിലും ടൈപ്പ് ചെയ്യുക. ഉദാഹരണത്തിന്, ഇത് `ആരംഭിക്കുക` ആകാം.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica ബോട്ടുമായുള്ള സംഭാഷണത്തിൽ എന്തെങ്കിലും ടൈപ്പ് ചെയ്യുക. ഉദാഹരണത്തിന്, ഇത് `ആരംഭിക്കുക` ആകാം.", "Types": "തരങ്ങൾ", "Type something": "എന്തെങ്കിലും ടൈപ്പ് ചെയ്യുക", "Unarchive contact": "കോൺടാക്റ്റ് അൺആർക്കൈവ് ചെയ്യുക", "unarchived the contact": "കോൺടാക്‌റ്റ് ആർക്കൈവ് ചെയ്‌തത് മാറ്റി", "Unauthorized": "അനധികൃതം", - "uncle\/aunt": "അമ്മാവൻ അമ്മായി", + "uncle/aunt": "അമ്മാവൻ/അമ്മായി", "Undefined": "നിർവചിക്കാത്തത്", "Unexpected error on login.": "ലോഗിൻ ചെയ്യുമ്പോൾ അപ്രതീക്ഷിത പിശക്.", "Unknown": "അജ്ഞാതം", @@ -1136,14 +1136,13 @@ "updated an address": "ഒരു വിലാസം അപ്ഡേറ്റ് ചെയ്തു", "updated an important date": "ഒരു പ്രധാന തീയതി അപ്ഡേറ്റ് ചെയ്തു", "updated a pet": "ഒരു വളർത്തുമൃഗത്തെ അപ്ഡേറ്റ് ചെയ്തു", - "Updated on :date": "അപ്ഡേറ്റ് ചെയ്തത്: തീയതി", + "Updated on :date": ":date-ന് അപ്‌ഡേറ്റ് ചെയ്‌തു", "updated the avatar of the contact": "കോൺടാക്‌റ്റിന്റെ അവതാർ അപ്‌ഡേറ്റ് ചെയ്‌തു", "updated the contact information": "ബന്ധപ്പെടാനുള്ള വിവരങ്ങൾ അപ്ഡേറ്റ് ചെയ്തു", "updated the job information": "ജോലി വിവരങ്ങൾ അപ്ഡേറ്റ് ചെയ്തു", "updated the religion": "മതം പുതുക്കി", "Update Password": "പാസ്‌വേഡ് അപ്‌ഡേറ്റ് ചെയ്യുക", "Update your account's profile information and email address.": "നിങ്ങളുടെ അക്കൗണ്ടിന്റെ പ്രൊഫൈൽ വിവരങ്ങളും ഇമെയിൽ വിലാസവും അപ്ഡേറ്റ് ചെയ്യുക.", - "Update your account’s profile information and email address.": "നിങ്ങളുടെ അക്കൗണ്ടിന്റെ പ്രൊഫൈൽ വിവരങ്ങളും ഇമെയിൽ വിലാസവും അപ്ഡേറ്റ് ചെയ്യുക.", "Upload photo as avatar": "അവതാർ ആയി ഫോട്ടോ അപ്‌ലോഡ് ചെയ്യുക", "Use": "ഉപയോഗിക്കുക", "Use an authentication code": "ഒരു പ്രാമാണീകരണ കോഡ് ഉപയോഗിക്കുക", @@ -1159,12 +1158,12 @@ "Value copied into your clipboard": "നിങ്ങളുടെ ക്ലിപ്പ്ബോർഡിലേക്ക് മൂല്യം പകർത്തി", "Vaults contain all your contacts data.": "നിലവറകളിൽ നിങ്ങളുടെ എല്ലാ കോൺടാക്റ്റ് ഡാറ്റയും അടങ്ങിയിരിക്കുന്നു.", "Vault settings": "നിലവറ ക്രമീകരണങ്ങൾ", - "ve\/ver": "കൂടാതെ\/കൊടുക്കുക", + "ve/ver": "ve/ver", "Verification email sent": "സ്ഥിരീകരണ ഇമെയിൽ അയച്ചു", "Verified": "പരിശോധിച്ചുറപ്പിച്ചു", "Verify Email Address": "ഇമെയിൽ വിലാസം പരിശോധിക്കുക", "Verify this email address": "ഈ ഇമെയിൽ വിലാസം പരിശോധിക്കുക", - "Version :version — commit [:short](:url).": "പതിപ്പ് :version — കമ്മിറ്റ് [:short](:url).", + "Version :version — commit [:short](:url).": "പതിപ്പ് :version — പ്രതിബദ്ധത [:short](:url).", "Via Telegram": "ടെലിഗ്രാം വഴി", "Video call": "വീഡിയോ കോൾ", "View": "കാണുക", @@ -1174,7 +1173,7 @@ "View history": "ചരിത്രം കാണുക", "View log": "ലോഗ് കാണുക", "View on map": "മാപ്പിൽ കാണുക", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "മോണിക്ക (അപ്ലിക്കേഷൻ) നിങ്ങളെ തിരിച്ചറിയുന്നതിനായി കുറച്ച് നിമിഷങ്ങൾ കാത്തിരിക്കുക. ഇത് പ്രവർത്തിക്കുന്നുണ്ടോയെന്നറിയാൻ ഞങ്ങൾ നിങ്ങൾക്ക് ഒരു വ്യാജ അറിയിപ്പ് അയയ്ക്കും.", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica (അപ്ലിക്കേഷൻ) നിങ്ങളെ തിരിച്ചറിയുന്നതിനായി കുറച്ച് നിമിഷങ്ങൾ കാത്തിരിക്കുക. ഇത് പ്രവർത്തിക്കുന്നുണ്ടോയെന്നറിയാൻ ഞങ്ങൾ നിങ്ങൾക്ക് ഒരു വ്യാജ അറിയിപ്പ് അയയ്ക്കും.", "Waiting for key…": "താക്കോലിനായി കാത്തിരിക്കുന്നു...", "Walked": "നടന്നു", "Wallpaper": "വാൾപേപ്പർ", @@ -1190,22 +1189,23 @@ "Wednesday": "ബുധനാഴ്ച", "We hope you'll like it.": "നിങ്ങൾക്കിത് ഇഷ്ടപ്പെടുമെന്ന് ഞങ്ങൾ പ്രതീക്ഷിക്കുന്നു.", "We hope you will like what we’ve done.": "ഞങ്ങൾ ചെയ്തത് നിങ്ങൾക്ക് ഇഷ്ടപ്പെടുമെന്ന് ഞങ്ങൾ പ്രതീക്ഷിക്കുന്നു.", - "Welcome to Monica.": "മോണിക്കയ്ക്ക് സ്വാഗതം.", + "Welcome to Monica.": "Monica സ്വാഗതം.", "Went to a bar": "ഒരു ബാറിൽ പോയി", - "We support Markdown to format the text (bold, lists, headings, etc…).": "ടെക്‌സ്‌റ്റ് ഫോർമാറ്റ് ചെയ്യുന്നതിന് ഞങ്ങൾ മാർക്ക്ഡൗണിനെ പിന്തുണയ്‌ക്കുന്നു (ബോൾഡ്, ലിസ്‌റ്റുകൾ, തലക്കെട്ടുകൾ മുതലായവ...).", + "We support Markdown to format the text (bold, lists, headings, etc…).": "ടെക്‌സ്‌റ്റ് ഫോർമാറ്റ് ചെയ്യുന്നതിന് ഞങ്ങൾ മാർക്ക്ഡൗണിനെ പിന്തുണയ്‌ക്കുന്നു (ബോൾഡ്, ലിസ്റ്റുകൾ, തലക്കെട്ടുകൾ മുതലായവ...).", "We were unable to find a registered user with this email address.": "ഈ ഇമെയിൽ വിലാസമുള്ള ഒരു രജിസ്റ്റർ ചെയ്ത ഉപയോക്താവിനെ കണ്ടെത്താൻ ഞങ്ങൾക്ക് കഴിഞ്ഞില്ല.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "ഈ വിലാസത്തിലേക്ക് ഞങ്ങൾ അറിയിപ്പുകൾ അയയ്‌ക്കുന്നതിന് മുമ്പ് നിങ്ങൾ സ്ഥിരീകരിക്കേണ്ട ഒരു ഇമെയിൽ ഈ ഇമെയിൽ വിലാസത്തിലേക്ക് അയയ്‌ക്കും.", "What happens now?": "ഇപ്പോൾ എന്താണ് സംഭവിക്കുന്നത്?", "What is the loan?": "എന്താണ് വായ്പ?", - "What permission should :name have?": "എന്ത് അനുമതി വേണം: പേരിന്?", + "What permission should :name have?": ":Name എന്നയാൾക്ക് എന്ത് അനുമതി വേണം?", "What permission should the user have?": "ഉപയോക്താവിന് എന്ത് അനുമതി ഉണ്ടായിരിക്കണം?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "മാപ്പുകൾ പ്രദർശിപ്പിക്കാൻ നമ്മൾ എന്താണ് ഉപയോഗിക്കേണ്ടത്?", "What would make today great?": "ഇന്നത്തെ ദിവസം എന്തു മഹത്തരമാക്കും?", "When did the call happened?": "എപ്പോഴാണ് കോൾ സംഭവിച്ചത്?", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "രണ്ട് ഘടകങ്ങളുടെ പ്രാമാണീകരണം പ്രവർത്തനക്ഷമമാക്കുമ്പോൾ, പ്രാമാണീകരണ സമയത്ത് സുരക്ഷിതവും ക്രമരഹിതവുമായ ടോക്കണിനായി നിങ്ങളോട് ആവശ്യപ്പെടും. നിങ്ങളുടെ ഫോണിന്റെ Google Authenticator ആപ്ലിക്കേഷനിൽ നിന്ന് നിങ്ങൾക്ക് ഈ ടോക്കൺ വീണ്ടെടുക്കാം.", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "രണ്ട് ഘടകങ്ങളുടെ പ്രാമാണീകരണം പ്രവർത്തനക്ഷമമാക്കുമ്പോൾ, പ്രാമാണീകരണ സമയത്ത് സുരക്ഷിതവും ക്രമരഹിതവുമായ ടോക്കണിനായി നിങ്ങളോട് ആവശ്യപ്പെടും. നിങ്ങളുടെ ഫോണിന്റെ ഓതന്റിക്കേറ്റർ ആപ്ലിക്കേഷനിൽ നിന്ന് നിങ്ങൾക്ക് ഈ ടോക്കൺ വീണ്ടെടുക്കാം.", "When was the loan made?": "എപ്പോഴാണ് വായ്പ നൽകിയത്?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "രണ്ട് കോൺടാക്റ്റുകൾ തമ്മിലുള്ള ബന്ധം നിങ്ങൾ നിർവചിക്കുമ്പോൾ, ഉദാഹരണത്തിന് ഒരു പിതാവ്-മകൻ ബന്ധം, മോണിക്ക രണ്ട് ബന്ധങ്ങൾ സൃഷ്ടിക്കുന്നു, ഓരോ കോൺടാക്റ്റിനും ഒന്ന്:", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "രണ്ട് കോൺടാക്റ്റുകൾ തമ്മിലുള്ള ബന്ധം നിങ്ങൾ നിർവചിക്കുമ്പോൾ, ഉദാഹരണത്തിന് ഒരു പിതാവ്-മകൻ ബന്ധം, Monica രണ്ട് ബന്ധങ്ങൾ സൃഷ്ടിക്കുന്നു, ഓരോ കോൺടാക്റ്റിനും ഒന്ന്:", "Which email address should we send the notification to?": "ഏത് ഇമെയിൽ വിലാസത്തിലാണ് ഞങ്ങൾ അറിയിപ്പ് അയയ്ക്കേണ്ടത്?", "Who called?": "ആരാണ് വിളിച്ചത്?", "Who makes the loan?": "ആരാണ് വായ്പ നൽകുന്നത്?", @@ -1218,27 +1218,27 @@ "Write the amount with a dot if you need decimals, like 100.50": "നിങ്ങൾക്ക് 100.50 പോലെ ദശാംശങ്ങൾ വേണമെങ്കിൽ ഒരു ഡോട്ട് ഉപയോഗിച്ച് തുക എഴുതുക", "Written on": "എഴുതിയത്", "wrote a note": "ഒരു കുറിപ്പെഴുതി", - "xe\/xem": "കാർ\/കാഴ്ച", + "xe/xem": "xe/xem", "year": "വർഷം", "Years": "വർഷങ്ങൾ", "You are here:": "നീ ഇവിടെയാണ്:", - "You are invited to join Monica": "മോണിക്കയിൽ ചേരാൻ നിങ്ങളെ ക്ഷണിക്കുന്നു", + "You are invited to join Monica": "Monicaയിൽ ചേരാൻ നിങ്ങളെ ക്ഷണിക്കുന്നു", "You are receiving this email because we received a password reset request for your account.": "നിങ്ങളുടെ അക്കൗണ്ടിനായുള്ള പാസ്‌വേഡ് പുനഃസജ്ജീകരണ അഭ്യർത്ഥന ഞങ്ങൾക്ക് ലഭിച്ചതിനാലാണ് നിങ്ങൾക്ക് ഈ ഇമെയിൽ ലഭിക്കുന്നത്.", "you can't even use your current username or password to sign in,": "സൈൻ ഇൻ ചെയ്യാൻ നിങ്ങളുടെ നിലവിലെ ഉപയോക്തൃനാമമോ പാസ്‌വേഡോ പോലും ഉപയോഗിക്കാൻ കഴിയില്ല,", - "you can't import any data from your current Monica account(yet),": "നിങ്ങളുടെ നിലവിലെ മോണിക്ക അക്കൗണ്ടിൽ നിന്ന് ഒരു ഡാറ്റയും നിങ്ങൾക്ക് ഇറക്കുമതി ചെയ്യാൻ കഴിയില്ല(ഇതുവരെ),", + "you can't import any data from your current Monica account(yet),": "നിങ്ങളുടെ നിലവിലെ Monica അക്കൗണ്ടിൽ നിന്ന് ഒരു ഡാറ്റയും നിങ്ങൾക്ക് ഇറക്കുമതി ചെയ്യാൻ കഴിയില്ല(ഇതുവരെ),", "You can add job information to your contacts and manage the companies here in this tab.": "ഈ ടാബിൽ നിങ്ങളുടെ കോൺടാക്റ്റുകളിലേക്ക് ജോലി വിവരങ്ങൾ ചേർക്കാനും കമ്പനികളെ നിയന്ത്രിക്കാനും കഴിയും.", "You can add more account to log in to our service with one click.": "ഒരു ക്ലിക്കിലൂടെ ഞങ്ങളുടെ സേവനത്തിലേക്ക് ലോഗിൻ ചെയ്യാൻ നിങ്ങൾക്ക് കൂടുതൽ അക്കൗണ്ട് ചേർക്കാവുന്നതാണ്.", "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "വ്യത്യസ്ത ചാനലുകളിലൂടെ നിങ്ങളെ അറിയിക്കാം: ഇമെയിലുകൾ, ഒരു ടെലിഗ്രാം സന്ദേശം, Facebook-ൽ. നിങ്ങൾ തീരുമാനിക്കൂ.", "You can change that at any time.": "നിങ്ങൾക്ക് അത് എപ്പോൾ വേണമെങ്കിലും മാറ്റാം.", - "You can choose how you want Monica to display dates in the application.": "ആപ്ലിക്കേഷനിൽ മോണിക്ക എങ്ങനെ തീയതികൾ പ്രദർശിപ്പിക്കണമെന്ന് നിങ്ങൾക്ക് തിരഞ്ഞെടുക്കാം.", + "You can choose how you want Monica to display dates in the application.": "ആപ്ലിക്കേഷനിൽ Monica എങ്ങനെ തീയതികൾ പ്രദർശിപ്പിക്കണമെന്ന് നിങ്ങൾക്ക് തിരഞ്ഞെടുക്കാം.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "നിങ്ങളുടെ അക്കൗണ്ടിൽ ഏതൊക്കെ കറൻസികൾ പ്രവർത്തനക്ഷമമാക്കണം, ഏതൊക്കെ ചെയ്യരുത് എന്ന് നിങ്ങൾക്ക് തിരഞ്ഞെടുക്കാം.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "നിങ്ങളുടെ സ്വന്തം അഭിരുചിക്കനുസരിച്ച്\/സംസ്കാരത്തിനനുസരിച്ച് കോൺടാക്റ്റുകൾ എങ്ങനെ പ്രദർശിപ്പിക്കണമെന്ന് നിങ്ങൾക്ക് ഇഷ്ടാനുസൃതമാക്കാം. ബോണ്ട് ജെയിംസിന് പകരം ജെയിംസ് ബോണ്ട് ഉപയോഗിക്കാൻ നിങ്ങൾ ആഗ്രഹിച്ചേക്കാം. ഇവിടെ, നിങ്ങൾക്ക് അത് ഇഷ്ടാനുസരണം നിർവചിക്കാം.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "നിങ്ങളുടെ സ്വന്തം അഭിരുചിക്കനുസരിച്ച്/സംസ്കാരത്തിനനുസരിച്ച് കോൺടാക്റ്റുകൾ എങ്ങനെ പ്രദർശിപ്പിക്കണമെന്ന് നിങ്ങൾക്ക് ഇഷ്ടാനുസൃതമാക്കാം. ബോണ്ട് ജെയിംസിന് പകരം ജെയിംസ് ബോണ്ട് ഉപയോഗിക്കാൻ നിങ്ങൾ ആഗ്രഹിച്ചേക്കാം. ഇവിടെ, നിങ്ങൾക്ക് അത് ഇഷ്ടാനുസരണം നിർവചിക്കാം.", "You can customize the criteria that let you track your mood.": "നിങ്ങളുടെ മാനസികാവസ്ഥ ട്രാക്കുചെയ്യാൻ അനുവദിക്കുന്ന മാനദണ്ഡങ്ങൾ നിങ്ങൾക്ക് ഇഷ്ടാനുസൃതമാക്കാനാകും.", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "നിങ്ങൾക്ക് നിലവറകൾക്കിടയിൽ കോൺടാക്റ്റുകൾ നീക്കാൻ കഴിയും. ഈ മാറ്റം പെട്ടെന്നുള്ളതാണ്. നിങ്ങൾ ഭാഗമായ നിലവറകളിലേക്ക് മാത്രമേ നിങ്ങൾക്ക് കോൺടാക്റ്റുകൾ നീക്കാൻ കഴിയൂ. എല്ലാ കോൺടാക്റ്റ് ഡാറ്റയും അതിനൊപ്പം നീങ്ങും.", "You cannot remove your own administrator privilege.": "നിങ്ങൾക്ക് നിങ്ങളുടെ സ്വന്തം അഡ്മിനിസ്ട്രേറ്റർ പ്രത്യേകാവകാശം നീക്കം ചെയ്യാൻ കഴിയില്ല.", "You don’t have enough space left in your account.": "നിങ്ങളുടെ അക്കൗണ്ടിൽ മതിയായ ഇടമില്ല.", "You don’t have enough space left in your account. Please upgrade.": "നിങ്ങളുടെ അക്കൗണ്ടിൽ മതിയായ ഇടമില്ല. ദയവായി നവീകരിക്കുക.", - "You have been invited to join the :team team!": "നിങ്ങളെ :ടീം ടീമിൽ ചേരാൻ ക്ഷണിച്ചു!", + "You have been invited to join the :team team!": "നിങ്ങളെ :team ടീമിൽ ചേരാൻ ക്ഷണിച്ചു!", "You have enabled two factor authentication.": "നിങ്ങൾ രണ്ട് ഘടകം പ്രാമാണീകരണം പ്രാപ്തമാക്കി.", "You have not enabled two factor authentication.": "നിങ്ങൾ രണ്ട് ഘടകം പ്രാമാണീകരണം പ്രാപ്തമാക്കിയിട്ടില്ല.", "You have not setup Telegram in your environment variables yet.": "നിങ്ങളുടെ എൻവയോൺമെന്റ് വേരിയബിളുകളിൽ നിങ്ങൾ ഇതുവരെ ടെലിഗ്രാം സജ്ജീകരിച്ചിട്ടില്ല.", @@ -1247,9 +1247,9 @@ "You may accept this invitation by clicking the button below:": "ചുവടെയുള്ള ബട്ടണിൽ ക്ലിക്കുചെയ്തുകൊണ്ട് നിങ്ങൾക്ക് ഈ ക്ഷണം സ്വീകരിക്കാം:", "You may delete any of your existing tokens if they are no longer needed.": "നിങ്ങളുടെ നിലവിലുള്ള ഏതെങ്കിലും ടോക്കണുകൾ ഇനി ആവശ്യമില്ലെങ്കിൽ നിങ്ങൾക്ക് ഇല്ലാതാക്കാം.", "You may not delete your personal team.": "നിങ്ങളുടെ സ്വകാര്യ ടീമിനെ ഇല്ലാതാക്കാൻ പാടില്ല.", - "You may not leave a team that you created.": "നിങ്ങൾ സൃഷ്ടിച്ച ഒരു ടീമിനെ നിങ്ങൾക്ക് ഉപേക്ഷിക്കാൻ കഴിയില്ല.", - "You might need to reload the page to see the changes.": "മാറ്റങ്ങൾ കാണുന്നതിന് നിങ്ങൾ പേജ് വീണ്ടും ലോഡുചെയ്യേണ്ടതായി വന്നേക്കാം.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "കോൺടാക്റ്റുകൾ പ്രദർശിപ്പിക്കുന്നതിന് നിങ്ങൾക്ക് ഒരു ടെംപ്ലേറ്റെങ്കിലും ആവശ്യമാണ്. ഒരു ടെംപ്ലേറ്റ് ഇല്ലാതെ, ഏത് വിവരമാണ് പ്രദർശിപ്പിക്കേണ്ടതെന്ന് മോണിക്കയ്ക്ക് അറിയില്ല.", + "You may not leave a team that you created.": "നിങ്ങൾ സൃഷ്‌ടിച്ച ഒരു ടീമിനെ നിങ്ങൾ ഉപേക്ഷിക്കാനിടയില്ല.", + "You might need to reload the page to see the changes.": "മാറ്റങ്ങൾ കാണുന്നതിന് നിങ്ങൾ പേജ് റീലോഡ് ചെയ്യേണ്ടി വന്നേക്കാം.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "കോൺടാക്റ്റുകൾ പ്രദർശിപ്പിക്കുന്നതിന് നിങ്ങൾക്ക് ഒരു ടെംപ്ലേറ്റെങ്കിലും ആവശ്യമാണ്. ഒരു ടെംപ്ലേറ്റ് ഇല്ലാതെ, ഏത് വിവരമാണ് പ്രദർശിപ്പിക്കേണ്ടതെന്ന് Monicaയ്ക്ക് അറിയില്ല.", "Your account current usage": "നിങ്ങളുടെ അക്കൗണ്ട് നിലവിലെ ഉപയോഗം", "Your account has been created": "നിങ്ങളുടെ അക്കൗണ്ട് ഉണ്ടാക്കപ്പെട്ടിരിക്കുന്നു", "Your account is linked": "നിങ്ങളുടെ അക്കൗണ്ട് ലിങ്ക് ചെയ്‌തിരിക്കുന്നു", @@ -1264,15 +1264,15 @@ "Your mood this year": "ഈ വർഷത്തെ നിങ്ങളുടെ മാനസികാവസ്ഥ", "Your name here will be used to add yourself as a contact.": "നിങ്ങളെ ഒരു കോൺടാക്റ്റായി ചേർക്കാൻ ഇവിടെ നിങ്ങളുടെ പേര് ഉപയോഗിക്കും.", "You wanted to be reminded of the following:": "ഇനിപ്പറയുന്നവ നിങ്ങളെ ഓർമ്മിപ്പിക്കാൻ ആഗ്രഹിക്കുന്നു:", - "You WILL still have to delete your account on Monica or OfficeLife.": "മോണിക്കയിലോ ഓഫീസ് ലൈഫിലോ ഉള്ള നിങ്ങളുടെ അക്കൗണ്ട് നിങ്ങൾക്ക് ഇപ്പോഴും ഇല്ലാതാക്കേണ്ടി വരും.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "ഓപ്പൺ സോഴ്‌സ് വ്യക്തിഗത CRM ആയ മോണിക്കയിൽ ഈ ഇമെയിൽ വിലാസം ഉപയോഗിക്കാൻ നിങ്ങളെ ക്ഷണിച്ചിരിക്കുന്നു, അതിനാൽ നിങ്ങൾക്ക് അറിയിപ്പുകൾ അയയ്‌ക്കാൻ ഞങ്ങൾക്ക് ഇത് ഉപയോഗിക്കാം.", - "ze\/hir": "അവളോട്\/അവൾക്ക്", + "You WILL still have to delete your account on Monica or OfficeLife.": "Monicaയിലോ ഓഫീസ് ലൈഫിലോ ഉള്ള നിങ്ങളുടെ അക്കൗണ്ട് നിങ്ങൾക്ക് ഇപ്പോഴും ഇല്ലാതാക്കേണ്ടി വരും.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "ഓപ്പൺ സോഴ്‌സ് വ്യക്തിഗത CRM ആയ Monicaയിൽ ഈ ഇമെയിൽ വിലാസം ഉപയോഗിക്കാൻ നിങ്ങളെ ക്ഷണിച്ചിരിക്കുന്നു, അതിനാൽ നിങ്ങൾക്ക് അറിയിപ്പുകൾ അയയ്‌ക്കാൻ ഞങ്ങൾക്ക് ഇത് ഉപയോഗിക്കാം.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ അപകട മേഖല", "🌳 Chalet": "🌳 ചാലറ്റ്", "🏠 Secondary residence": "🏠 സെക്കൻഡറി വസതി", "🏡 Home": "🏡 വീട്", "🏢 Work": "🏢 ജോലി", - "🔔 Reminder: :label for :contactName": "🔔 റിമൈൻഡർ: :label ഇതിനായി :contactName", + "🔔 Reminder: :label for :contactName": "🔔 ഓർമ്മപ്പെടുത്തൽ: :contactName എന്നതിനുള്ള :label", "😀 Good": "😀 കൊള്ളാം", "😁 Positive": "😁 പോസിറ്റീവ്", "😐 Meh": "😐 മേഹ്", diff --git a/lang/ml/pagination.php b/lang/ml/pagination.php index dae41be82a0..95c4110fc0e 100644 --- a/lang/ml/pagination.php +++ b/lang/ml/pagination.php @@ -1,6 +1,6 @@ 'തുടരുക ❯', - 'previous' => 'പിന്തുണ ❮', + 'next' => 'തുടരുക ❯', + 'previous' => '❮ പിന്തുണ', ]; diff --git a/lang/ml/validation.php b/lang/ml/validation.php index 7ef556d56bb..145d7f68c4c 100644 --- a/lang/ml/validation.php +++ b/lang/ml/validation.php @@ -10,7 +10,7 @@ 'alpha_dash' => 'The :attribute may only contain letters, numbers, and dashes.', 'alpha_num' => 'The :attribute may only contain letters and numbers.', 'array' => 'The :attribute must be an array.', - 'ascii' => 'The :attribute must only contain single-byte alphanumeric characters and symbols.', + 'ascii' => 'The :attribute field must only contain single-byte alphanumeric characters and symbols.', 'attributes' => [ 'address' => 'address', 'age' => 'age', @@ -93,12 +93,13 @@ 'string' => 'The :attribute must be between :min and :max characters.', ], 'boolean' => 'The :attribute field must be true or false.', + 'can' => 'The :attribute field contains an unauthorized value.', 'confirmed' => 'The :attribute confirmation does not match.', 'current_password' => 'The password is incorrect.', 'date' => 'The :attribute is not a valid date.', 'date_equals' => 'The :attribute must be a date equal to :date.', 'date_format' => 'The :attribute does not match the format :format.', - 'decimal' => 'The :attribute must have :decimal decimal places.', + 'decimal' => 'The :attribute field must have :decimal decimal places.', 'declined' => 'The :attribute must be declined.', 'declined_if' => 'The :attribute must be declined when :other is :value.', 'different' => 'The :attribute and :other must be different.', @@ -106,8 +107,8 @@ 'digits_between' => 'The :attribute must be between :min and :max digits.', 'dimensions' => 'The :attribute has invalid image dimensions.', 'distinct' => 'The :attribute field has a duplicate value.', - 'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.', - 'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.', + 'doesnt_end_with' => 'The :attribute field must not end with one of the following: :values.', + 'doesnt_start_with' => 'The :attribute field must not start with one of the following: :values.', 'email' => 'The :attribute must be a valid email address.', 'ends_with' => 'The :attribute must end with one of the following: :values.', 'enum' => 'The selected :attribute is invalid.', @@ -134,7 +135,7 @@ 'ipv4' => 'The :attribute must be a valid IPv4 address.', 'ipv6' => 'The :attribute must be a valid IPv6 address.', 'json' => 'The :attribute must be a valid JSON string.', - 'lowercase' => 'The :attribute must be lowercase.', + 'lowercase' => 'The :attribute field must be lowercase.', 'lt' => [ 'array' => 'The :attribute must have less than :value items.', 'file' => 'The :attribute must be less than :value kilobytes.', @@ -154,7 +155,7 @@ 'numeric' => 'The :attribute may not be greater than :max.', 'string' => 'The :attribute may not be greater than :max characters.', ], - 'max_digits' => 'The :attribute must not have more than :max digits.', + 'max_digits' => 'The :attribute field must not have more than :max digits.', 'mimes' => 'The :attribute must be a file of type: :values.', 'mimetypes' => 'The :attribute must be a file of type: :values.', 'min' => [ @@ -163,7 +164,7 @@ 'numeric' => 'The :attribute must be at least :min.', 'string' => 'The :attribute must be at least :min characters.', ], - 'min_digits' => 'The :attribute must have at least :min digits.', + 'min_digits' => 'The :attribute field must have at least :min digits.', 'missing' => 'The :attribute field must be missing.', 'missing_if' => 'The :attribute field must be missing when :other is :value.', 'missing_unless' => 'The :attribute field must be missing unless :other is :value.', @@ -174,10 +175,10 @@ 'not_regex' => 'The :attribute format is invalid.', 'numeric' => 'The :attribute must be a number.', 'password' => [ - 'letters' => 'The :attribute must contain at least one letter.', - 'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.', - 'numbers' => 'The :attribute must contain at least one number.', - 'symbols' => 'The :attribute must contain at least one symbol.', + 'letters' => 'The :attribute field must contain at least one letter.', + 'mixed' => 'The :attribute field must contain at least one uppercase and one lowercase letter.', + 'numbers' => 'The :attribute field must contain at least one number.', + 'symbols' => 'The :attribute field must contain at least one symbol.', 'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.', ], 'present' => 'The :attribute field must be present.', @@ -205,10 +206,10 @@ 'starts_with' => 'The :attribute must start with one of the following: :values', 'string' => 'The :attribute must be a string.', 'timezone' => 'The :attribute must be a valid zone.', - 'ulid' => 'The :attribute must be a valid ULID.', + 'ulid' => 'The :attribute field must be a valid ULID.', 'unique' => 'The :attribute has already been taken.', 'uploaded' => 'The :attribute failed to upload.', - 'uppercase' => 'The :attribute must be uppercase.', + 'uppercase' => 'The :attribute field must be uppercase.', 'url' => 'The :attribute format is invalid.', 'uuid' => 'The :attribute must be a valid UUID.', ]; diff --git a/lang/nl.json b/lang/nl.json index 02b2821cc62..e9024479b91 100644 --- a/lang/nl.json +++ b/lang/nl.json @@ -1,19 +1,19 @@ { - "(and :count more error)": "(en: tel meer fouten)", - "(and :count more errors)": "(en: tel meer fouten)", + "(and :count more error)": "(en :count andere foutmelding)", + "(and :count more errors)": "(en :count andere foutmeldingen)", "(Help)": "(Hulp)", - "+ add a contact": "+ Voeg een contactpersoon toe", + "+ add a contact": "+ voeg een contactpersoon toe", "+ add another": "+ voeg er nog een toe", - "+ add another photo": "+ Voeg nog een foto toe", - "+ add description": "+ voeg beschrijving toe", + "+ add another photo": "+ voeg nog een foto toe", + "+ add description": "+ beschrijving toevoegen", "+ add distance": "+ afstand toevoegen", "+ add emotion": "+ voeg emotie toe", - "+ add reason": "+ voeg reden toe", + "+ add reason": "+ reden toevoegen", "+ add summary": "+ samenvatting toevoegen", "+ add title": "+ titel toevoegen", "+ change date": "+ datum wijzigen", "+ change template": "+ sjabloon wijzigen", - "+ create a group": "+ Maak een groep aan", + "+ create a group": "+ maak een groep", "+ gender": "+ geslacht", "+ last name": "+ achternaam", "+ maiden name": "+ meisjesnaam", @@ -22,28 +22,28 @@ "+ note": "+ opmerking", "+ number of hours slept": "+ aantal uren geslapen", "+ prefix": "+ voorvoegsel", - "+ pronoun": "+ neigen", + "+ pronoun": "+ voornaamwoord", "+ suffix": "+ achtervoegsel", - ":count contact|:count contacts": ":count contact|:count contacten", - ":count hour slept|:count hours slept": ":tel het aantal uren geslapen|:tel het aantal uren geslapen", - ":count min read": ":count min gelezen", - ":count post|:count posts": ":count post|:count posts", - ":count template section|:count template sections": ":tel sjabloonsectie|:tel sjabloonsecties", - ":count word|:count words": ":tel woord|:tel woorden", - ":distance km": ":afstand km", - ":distance miles": ":afstand mijlen", + ":count contact|:count contacts": ":count contactpersoon|:count contacten", + ":count hour slept|:count hours slept": ":count uur geslapen|:count uur geslapen", + ":count min read": ":count min leestijd", + ":count post|:count posts": ":count bericht|:count berichten", + ":count template section|:count template sections": ":count sjabloongedeelte|:count sjabloonsecties", + ":count word|:count words": ":count woord|:count woorden", + ":distance km": ":distance kilometer", + ":distance miles": ":distance mijl", ":file at line :line": ":file op regel :line", ":file in :class at line :line": ":file in :class op regel :line", - ":Name called": ":naam genoemd", - ":Name called, but I didn’t answer": ":Name belde, maar ik nam niet op", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName nodigt u uit om lid te worden van Monica, een open source persoonlijk CRM, ontworpen om u te helpen uw relaties te documenteren.", + ":Name called": ":Name heeft gebeld", + ":Name called, but I didn’t answer": ":Name heeft gebeld, maar ik heb niet opgenomen", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName nodigt u uit om deel te nemen aan Monica, een open source persoonlijk CRM, ontworpen om u te helpen uw relaties te documenteren.", "Accept Invitation": "Uitnodiging accepteren", "Accept invitation and create your account": "Accepteer de uitnodiging en maak uw account aan", - "Account and security": "Rekening en veiligheid", + "Account and security": "Account en beveiliging", "Account settings": "Account instellingen", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Een contactgegevens kunnen aanklikbaar zijn. Er kan bijvoorbeeld op een telefoonnummer worden geklikt en de standaardtoepassing op uw computer worden gestart. Als u het protocol niet weet voor het type dat u toevoegt, kunt u dit veld gewoon weglaten.", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Een contactgegevens kunnen klikbaar zijn. U kunt bijvoorbeeld op een telefoonnummer klikken en de standaardapplicatie op uw computer starten. Als u het protocol voor het type dat u toevoegt niet kent, kunt u dit veld eenvoudigweg weglaten.", "Activate": "Activeren", - "Activity feed": "Activiteitsfeed", + "Activity feed": "Activiteitenfeed", "Activity in this vault": "Activiteit in deze kluis", "Add": "Toevoegen", "add a call reason type": "voeg een type oproepreden toe", @@ -51,40 +51,40 @@ "Add a contact information": "Voeg contactgegevens toe", "Add a date": "Voeg een datum toe", "Add additional security to your account using a security key.": "Voeg extra beveiliging toe aan uw account met behulp van een beveiligingssleutel.", - "Add additional security to your account using two factor authentication.": "Voeg extra beveiliging toe aan uw account met behulp van tweefactorauthenticatie.", + "Add additional security to your account using two factor authentication.": "Voeg extra beveiliging toe aan je account met tweestapsverificatie.", "Add a document": "Voeg een document toe", "Add a due date": "Voeg een vervaldatum toe", "Add a gender": "Voeg een geslacht toe", - "Add a gift occasion": "Voeg een gelegenheidscadeau toe", - "Add a gift state": "Voeg een geschenkstatus toe", + "Add a gift occasion": "Voeg een cadeaumoment toe", + "Add a gift state": "Voeg een cadeaustatus toe", "Add a goal": "Voeg een doel toe", "Add a group type": "Voeg een groepstype toe", - "Add a header image": "Voeg een kopafbeelding toe", + "Add a header image": "Voeg een headerafbeelding toe", "Add a label": "Voeg een etiket toe", "Add a life event": "Voeg een Levensgebeurtenis toe", - "Add a life event category": "Voeg een levensgebeurteniscategorie toe", + "Add a life event category": "Voeg een categorie voor levensgebeurtenissen toe", "add a life event type": "voeg een type levensgebeurtenis toe", - "Add a module": "Voeg een moduul toe", + "Add a module": "Voeg een module toe", "Add an address": "Voeg een adres toe", "Add an address type": "Voeg een adrestype toe", "Add an email address": "Voeg een e-mailadres toe", "Add an email to be notified when a reminder occurs.": "Voeg een e-mail toe om op de hoogte te worden gesteld wanneer er een herinnering plaatsvindt.", "Add an entry": "Voeg een vermelding toe", "add a new metric": "voeg een nieuwe statistiek toe", - "Add a new team member to your team, allowing them to collaborate with you.": "Voeg een nieuw teamlid toe aan uw team, zodat deze met u kan samenwerken.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Voeg een belangrijke datum toe om te onthouden wat voor jou belangrijk is aan deze persoon, zoals een geboortedatum of een overlijdensdatum.", + "Add a new team member to your team, allowing them to collaborate with you.": "Voeg een nieuw teamlid toe aan je team, zodat ze met je kunnen samenwerken.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Voeg een belangrijke datum toe om te onthouden wat voor u belangrijk is aan deze persoon, zoals een geboortedatum of een overleden datum.", "Add a note": "Voeg een notitie toe", "Add another life event": "Voeg nog een levensgebeurtenis toe", "Add a page": "Voeg een pagina toe", "Add a parameter": "Voeg een parameter toe", "Add a pet": "Voeg een huisdier toe", "Add a photo": "Voeg een foto toe", - "Add a photo to a journal entry to see it here.": "Voeg een foto toe aan een journaalboeking om deze hier te zien.", + "Add a photo to a journal entry to see it here.": "Voeg een foto toe aan een journaalboeking om deze hier te bekijken.", "Add a post template": "Voeg een berichtsjabloon toe", "Add a pronoun": "Voeg een voornaamwoord toe", "add a reason": "voeg een reden toe", "Add a relationship": "Voeg een relatie toe", - "Add a relationship group type": "Voeg een type relatiegroep toe", + "Add a relationship group type": "Voeg een relatiegroeptype toe", "Add a relationship type": "Voeg een relatietype toe", "Add a religion": "Voeg een religie toe", "Add a reminder": "Voeg een herinnering toe", @@ -94,7 +94,7 @@ "Add a task": "Voeg een taak toe", "Add a template": "Voeg een sjabloon toe", "Add at least one module.": "Voeg minimaal één module toe.", - "Add a type": "Voeg een soort toe", + "Add a type": "Voeg een type toe", "Add a user": "Voeg een gebruiker toe", "Add a vault": "Voeg een kluis toe", "Add date": "Datum toevoegen", @@ -103,58 +103,58 @@ "added an address": "een adres toegevoegd", "added an important date": "een belangrijke datum toegevoegd", "added a pet": "een huisdier toegevoegd", - "added the contact to a group": "het contact toegevoegd aan een groep", - "added the contact to a post": "het contact toegevoegd aan een bericht", - "added the contact to the favorites": "het contact toegevoegd aan de favorieten", + "added the contact to a group": "het contact aan een groep toegevoegd", + "added the contact to a post": "het contact aan een bericht toegevoegd", + "added the contact to the favorites": "heeft het contact aan de favorieten toegevoegd", "Add genders to associate them to contacts.": "Voeg geslachten toe om ze aan contacten te koppelen.", "Add loan": "Lening toevoegen", "Add one now": "Voeg er nu een toe", - "Add photos": "Voeg foto's toe", + "Add photos": "Voeg foto’s toe", "Address": "Adres", "Addresses": "Adressen", - "Address type": "Soort adres", - "Address types": "Adres typen", + "Address type": "Adrestype", + "Address types": "Adrestypen", "Address types let you classify contact addresses.": "Met adrestypen kunt u contactadressen classificeren.", "Add Team Member": "Teamlid toevoegen", "Add to group": "Aan groep toevoegen", "Administrator": "Beheerder", "Administrator users can perform any action.": "Beheerders kunnen elke actie uitvoeren.", "a father-son relation shown on the father page,": "een vader-zoonrelatie weergegeven op de vaderpagina,", - "after the next occurence of the date.": "na het eerstvolgende voorkomen van de datum.", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Een groep is twee of meer mensen bij elkaar. Dat kan een gezin zijn, een huishouden, een sportclub. Wat voor jou ook belangrijk is.", + "after the next occurence of the date.": "na de volgende verschijning van de datum.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Een groep bestaat uit twee of meer personen bij elkaar. Het kan een gezin zijn, een huishouden, een sportclub. Wat voor jou ook belangrijk is.", "All contacts in the vault": "Alle contacten in de kluis", "All files": "Alle bestanden", "All groups in the vault": "Alle groepen in de kluis", - "All journal metrics in :name": "Alle journaalstatistieken in :name", + "All journal metrics in :name": "Alle dagboekstatistieken in :name", "All of the people that are part of this team.": "Alle mensen die deel uitmaken van dit team.", "All rights reserved.": "Alle rechten voorbehouden.", "All tags": "Alle labels", - "All the address types": "Alle adressoorten", + "All the address types": "Alle adrestypen", "All the best,": "Al het beste,", "All the call reasons": "Alle belredenen", "All the cities": "Alle steden", "All the companies": "Alle bedrijven", - "All the contact information types": "Alle soorten contactgegevens", + "All the contact information types": "Alle typen contactgegevens", "All the countries": "Alle landen", - "All the currencies": "Alle valuta's", + "All the currencies": "Alle valuta", "All the files": "Alle bestanden", "All the genders": "Alle geslachten", "All the gift occasions": "Alle cadeaugelegenheden", - "All the gift states": "Alle geschenkstatussen", + "All the gift states": "Alle cadeaustatussen", "All the group types": "Alle groepstypen", "All the important dates": "Alle belangrijke data", "All the important date types used in the vault": "Alle belangrijke datumtypen die in de kluis worden gebruikt", "All the journals": "Alle tijdschriften", - "All the labels used in the vault": "Alle labels die in de kluis worden gebruikt", + "All the labels used in the vault": "Alle labels die in de kluis zijn gebruikt", "All the notes": "Alle aantekeningen", - "All the pet categories": "Alle categorieën huisdieren", - "All the photos": "Alle foto's", + "All the pet categories": "Alle huisdiercategorieën", + "All the photos": "Alle foto’s", "All the planned reminders": "Alle geplande herinneringen", "All the pronouns": "Alle voornaamwoorden", - "All the relationship types": "Alle soorten relaties", + "All the relationship types": "Alle relatietypen", "All the religions": "Alle religies", "All the reports": "Alle rapporten", - "All the slices of life in :name": "Alle stukjes van het leven in :name", + "All the slices of life in :name": "Alle delen van het leven in :name", "All the tags used in the vault": "Alle tags die in de kluis worden gebruikt", "All the templates": "Alle sjablonen", "All the vaults": "Alle kluizen", @@ -163,55 +163,55 @@ "All users in this account": "Alle gebruikers in dit account", "Already registered?": "Al geregistreerd?", "Already used on this page": "Al gebruikt op deze pagina", - "A new verification link has been sent to the email address you provided during registration.": "Er is een nieuwe verificatielink verzonden naar het e-mailadres dat u tijdens de registratie hebt opgegeven.", - "A new verification link has been sent to the email address you provided in your profile settings.": "Er is een nieuwe verificatielink verzonden naar het e-mailadres dat je hebt opgegeven in je profielinstellingen.", - "A new verification link has been sent to your email address.": "Er is een nieuwe verificatielink naar uw e-mailadres verzonden.", + "A new verification link has been sent to the email address you provided during registration.": "Er is een nieuwe verificatielink verzonden naar het e-mailadres dat u tijdens de registratie heeft opgegeven.", + "A new verification link has been sent to the email address you provided in your profile settings.": "Er is een nieuwe verificatielink verstuurd naar het e-mailadres dat je ingegeven hebt in je profielinstellingen.", + "A new verification link has been sent to your email address.": "Er is een nieuwe verificatielink naar je e-mailadres verstuurd.", "Anniversary": "Verjaardag", "Apartment, suite, etc…": "Appartement, suite, enz...", "API Token": "API-token", - "API Token Permissions": "API-tokenmachtigingen", + "API Token Permissions": "API-tokenrechten", "API Tokens": "API-tokens", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Met API-tokens kunnen services van derden namens u authenticeren met onze applicatie.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Een berichtsjabloon definieert hoe de inhoud van een bericht moet worden weergegeven. U kunt zoveel sjablonen definiëren als u wilt en kiezen welke sjabloon voor welke post moet worden gebruikt.", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Met API-tokens kunnen andere services zich als jou authenticeren in onze applicatie.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Een berichtsjabloon definieert hoe de inhoud van een bericht moet worden weergegeven. U kunt zoveel sjablonen definiëren als u wilt, en kiezen welke sjabloon voor welk bericht moet worden gebruikt.", "Archive": "Archief", - "Archive contact": "Archief contactpersoon", + "Archive contact": "Contactpersoon archiveren", "archived the contact": "het contact gearchiveerd", "Are you sure? The address will be deleted immediately.": "Weet je het zeker? Het adres wordt onmiddellijk verwijderd.", "Are you sure? This action cannot be undone.": "Weet je het zeker? Deze actie kan niet ongedaan gemaakt worden.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Weet je het zeker? Hiermee worden alle oproepredenen van dit type verwijderd voor alle contacten die het gebruikten.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Weet je het zeker? Hiermee worden alle relaties van dit type verwijderd voor alle contacten die het gebruikten.", - "Are you sure? This will delete the contact information permanently.": "Weet je het zeker? Hiermee worden de contactgegevens permanent verwijderd.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Weet je het zeker? Hiermee worden alle oproepredenen van dit type verwijderd voor alle contacten die er gebruik van maakten.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Weet je het zeker? Hierdoor worden alle relaties van dit type verwijderd voor alle contactpersonen die er gebruik van maakten.", + "Are you sure? This will delete the contact information permanently.": "Weet je het zeker? Hierdoor worden de contactgegevens permanent verwijderd.", "Are you sure? This will delete the document permanently.": "Weet je het zeker? Hiermee wordt het document permanent verwijderd.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Weet je het zeker? Hiermee worden het doel en alle strepen permanent verwijderd.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Weet je het zeker? Hierdoor worden het doel en alle streaks permanent verwijderd.", "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Weet je het zeker? Hiermee worden de adrestypen van alle contacten verwijderd, maar worden de contacten zelf niet verwijderd.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Weet je het zeker? Hiermee worden de typen contactgegevens van alle contacten verwijderd, maar worden de contacten zelf niet verwijderd.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Weet je het zeker? Hierdoor worden de typen contactgegevens van alle contacten verwijderd, maar worden de contacten zelf niet verwijderd.", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Weet je het zeker? Hiermee worden de geslachten van alle contacten verwijderd, maar worden de contacten zelf niet verwijderd.", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Weet je het zeker? Hiermee wordt de sjabloon van alle contacten verwijderd, maar worden de contacten zelf niet verwijderd.", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Weet je zeker dat je dit team wilt verwijderen? Zodra een team is verwijderd, worden alle resources en gegevens permanent verwijderd.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Weet je zeker dat je je account wilt verwijderen? Zodra uw account is verwijderd, worden alle bronnen en gegevens permanent verwijderd. Voer uw wachtwoord in om te bevestigen dat u uw account permanent wilt verwijderen.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Weet je het zeker? Hierdoor wordt de sjabloon uit alle contacten verwijderd, maar worden de contacten zelf niet verwijderd.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Weet je zeker dat je dit team wilt verwijderen? Zodra een team is verwijderd, worden alle bronnen en gegevens ook permanent verwijderd.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Weet je zeker dat je je account permanent wilt verwijderen? Als je account wordt verwijderd, worden alle gekoppelde bestanden en gegevens ook permanent verwijderd. Voer alsjeblieft je wachtwoord in, om te bevestigen dat je je account permanent wilt verwijderen.", "Are you sure you would like to archive this contact?": "Weet u zeker dat u dit contact wilt archiveren?", - "Are you sure you would like to delete this API token?": "Weet u zeker dat u deze API-token wilt verwijderen?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Weet u zeker dat u dit contact wilt verwijderen? Hiermee wordt alles verwijderd wat we weten over dit contact.", + "Are you sure you would like to delete this API token?": "Weet je zeker dat je deze API-token wilt verwijderen?", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Weet u zeker dat u dit contact wilt verwijderen? Hiermee wordt alles verwijderd wat we over dit contact weten.", "Are you sure you would like to delete this key?": "Weet u zeker dat u deze sleutel wilt verwijderen?", "Are you sure you would like to leave this team?": "Weet je zeker dat je dit team wilt verlaten?", - "Are you sure you would like to remove this person from the team?": "Weet u zeker dat u deze persoon uit het team wilt verwijderen?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Met een deel van het leven kun je berichten groeperen op iets dat voor jou van betekenis is. Voeg een stukje leven toe aan een bericht om het hier te zien.", + "Are you sure you would like to remove this person from the team?": "Weet je zeker dat je deze persoon uit het team wilt verwijderen?", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Met een stukje leven kun je berichten groeperen op basis van iets dat voor jou betekenisvol is. Voeg een stukje leven toe aan een bericht om het hier te zien.", "a son-father relation shown on the son page.": "een zoon-vaderrelatie weergegeven op de zoonpagina.", - "assigned a label": "een label toegekend", + "assigned a label": "een etiket toegekend", "Association": "Vereniging", "At": "Bij", "at ": "bij", "Ate": "At", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Een sjabloon definieert hoe contacten moeten worden weergegeven. U kunt zoveel sjablonen hebben als u wilt - ze worden gedefinieerd in uw accountinstellingen. U kunt echter een standaardsjabloon definiëren, zodat al uw contacten in deze kluis standaard dit sjabloon hebben.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Een sjabloon is gemaakt van pagina's en op elke pagina zijn er modules. Hoe gegevens worden weergegeven, is geheel aan jou.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Een sjabloon definieert hoe contacten moeten worden weergegeven. U kunt zoveel sjablonen hebben als u wilt; deze worden gedefinieerd in uw accountinstellingen. Mogelijk wilt u echter een standaardsjabloon definiëren, zodat al uw contactpersonen in deze kluis standaard deze sjabloon hebben.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Een sjabloon bestaat uit pagina’s en op elke pagina bevinden zich modules. Hoe gegevens worden weergegeven, is geheel aan u.", "Atheist": "Atheïst", - "At which time should we send the notification, when the reminder occurs?": "Op welk tijdstip moeten we de melding sturen, wanneer de herinnering plaatsvindt?", - "Audio-only call": "Gesprek met alleen audio", - "Auto saved a few seconds ago": "Auto enkele seconden geleden opgeslagen", + "At which time should we send the notification, when the reminder occurs?": "Op welk tijdstip moeten wij de melding versturen, wanneer de herinnering plaatsvindt?", + "Audio-only call": "Alleen audiogesprek", + "Auto saved a few seconds ago": "Automatisch opgeslagen een paar seconden geleden", "Available modules:": "Beschikbare modules:", "Avatar": "Avatar", "Avatars": "Avatars", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Zou je, voordat je verder gaat, je e-mailadres kunnen verifiëren door op de link te klikken die we je zojuist per e-mail hebben gestuurd? Als je de e-mail niet hebt ontvangen, sturen we je graag een andere.", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Kun je voor je verder gaat je e-mailadres verifiëren door op de link te klikken die we net naar je verstuurd hebben? Als je geen e-mail hebt ontvangen, sturen wij je er graag nog een.", "best friend": "beste vriend", "Bird": "Vogel", "Birthdate": "Geboortedatum", @@ -220,30 +220,30 @@ "boss": "baas", "Bought": "Gekocht", "Breakdown of the current usage": "Uitsplitsing van het huidige gebruik", - "brother\/sister": "broer zus", - "Browser Sessions": "Browser-sessies", - "Buddhist": "Boeddhist", + "brother/sister": "broer/zus", + "Browser Sessions": "Browsersessies", + "Buddhist": "Boeddhistisch", "Business": "Bedrijf", "By last updated": "Door laatst bijgewerkt", "Calendar": "Kalender", "Call reasons": "Bel redenen", - "Call reasons let you indicate the reason of calls you make to your contacts.": "Met Oproepredenen kunt u aangeven waarom u naar uw contacten belt.", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Met oproepredenen kunt u de reden aangeven van de oproepen die u naar uw contacten plaatst.", "Calls": "Oproepen", "Cancel": "Annuleren", "Cancel account": "Annuleer account", - "Cancel all your active subscriptions": "Zeg al je actieve abonnementen op", + "Cancel all your active subscriptions": "Annuleer al uw actieve abonnementen", "Cancel your account": "Annuleer uw account", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "Kan alles, inclusief het toevoegen of verwijderen van andere gebruikers, het beheren van de facturering en het sluiten van het account.", - "Can do everything, including adding or removing other users.": "Kan alles, inclusief het toevoegen of verwijderen van andere gebruikers.", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Kan alles doen, inclusief het toevoegen of verwijderen van andere gebruikers, het beheren van de facturering en het sluiten van het account.", + "Can do everything, including adding or removing other users.": "Kan alles doen, inclusief het toevoegen of verwijderen van andere gebruikers.", "Can edit data, but can’t manage the vault.": "Kan gegevens bewerken, maar kan de kluis niet beheren.", - "Can view data, but can’t edit it.": "Kan gegevens bekijken, maar niet bewerken.", + "Can view data, but can’t edit it.": "Kan gegevens bekijken, maar kan deze niet bewerken.", "Can’t be moved or deleted": "Kan niet worden verplaatst of verwijderd", "Cat": "Kat", "Categories": "Categorieën", - "Chandler is in beta.": "Chandler is in bèta.", + "Chandler is in beta.": "Chandler bevindt zich in de bètafase.", "Change": "Wijziging", "Change date": "Verander de datum", - "Change permission": "Toestemming wijzigen", + "Change permission": "Wijzig toestemming", "Changes saved": "Wijzigingen opgeslagen", "Change template": "Sjabloon wijzigen", "Child": "Kind", @@ -254,30 +254,30 @@ "Choose an existing contact": "Kies een bestaand contact", "Choose a template": "Kies een sjabloon", "Choose a value": "Kies een waarde", - "Chosen type:": "gekozen type:", - "Christian": "christen", + "Chosen type:": "Gekozen type:", + "Christian": "Christelijk", "Christmas": "Kerstmis", "City": "Stad", - "Click here to re-send the verification email.": "Klik hier om de verificatie-e-mail opnieuw te verzenden.", - "Click on a day to see the details": "Klik op een dag om de details te zien", - "Close": "Dichtbij", + "Click here to re-send the verification email.": "Klik hier om de verificatie e-mail opnieuw te versturen.", + "Click on a day to see the details": "Klik op een dag om de details te bekijken", + "Close": "Sluit", "close edit mode": "sluit de bewerkingsmodus", "Club": "Club", "Code": "Code", "colleague": "collega", "Companies": "Bedrijven", "Company name": "Bedrijfsnaam", - "Compared to Monica:": "Vergeleken met Monica:", - "Configure how we should notify you": "Configureer hoe we u moeten informeren", - "Confirm": "Bevestigen", - "Confirm Password": "bevestig wachtwoord", + "Compared to Monica:": "Vergelijkbaar met Monica:", + "Configure how we should notify you": "Configureer hoe we u op de hoogte moeten stellen", + "Confirm": "Bevestig", + "Confirm Password": "Bevestig wachtwoord", "Connect": "Aansluiten", "Connected": "Verbonden", "Connect with your security key": "Maak verbinding met uw beveiligingssleutel", "Contact feed": "Contactfeed", "Contact information": "Contactgegevens", "Contact informations": "Contactgegevens", - "Contact information types": "Soorten contactgegevens", + "Contact information types": "Soorten contactinformatie", "Contact name": "Contactnaam", "Contacts": "Contacten", "Contacts in this post": "Contacten in dit bericht", @@ -287,49 +287,49 @@ "Copied.": "Gekopieerd.", "Copy": "Kopiëren", "Copy value into the clipboard": "Kopieer de waarde naar het klembord", - "Could not get address book data.": "Kan adresboekgegevens niet ophalen.", + "Could not get address book data.": "Kon adresboekgegevens niet ophalen.", "Country": "Land", "Couple": "Stel", "cousin": "neef", - "Create": "Creëren", + "Create": "Aanmaken", "Create account": "Account aanmaken", "Create Account": "Account aanmaken", "Create a contact": "Maak een contactpersoon aan", - "Create a contact entry for this person": "Maak een contactpersoon aan voor deze persoon", + "Create a contact entry for this person": "Maak een contactpersoon voor deze persoon aan", "Create a journal": "Maak een dagboek", - "Create a journal metric": "Maak een journaalstatistiek", + "Create a journal metric": "Maak een dagboekstatistiek", "Create a journal to document your life.": "Maak een dagboek om je leven te documenteren.", "Create an account": "Account aanmaken", "Create a new address": "Maak een nieuw adres aan", - "Create a new team to collaborate with others on projects.": "Creëer een nieuw team om samen met anderen aan projecten te werken.", - "Create API Token": "API-token maken", - "Create a post": "Maak een bericht aan", - "Create a reminder": "Maak een herinnering aan", + "Create a new team to collaborate with others on projects.": "Maak een nieuw team aan om met anderen aan projecten samen te werken.", + "Create API Token": "Maak een API-token", + "Create a post": "Maak een bericht", + "Create a reminder": "Maak een herinnering", "Create a slice of life": "Creëer een stukje leven", - "Create at least one page to display contact’s data.": "Maak ten minste één pagina om de gegevens van de contactpersoon weer te geven.", + "Create at least one page to display contact’s data.": "Maak minimaal één pagina aan om de gegevens van contactpersonen weer te geven.", "Create at least one template to use Monica.": "Maak ten minste één sjabloon om Monica te gebruiken.", "Create a user": "Maak een gebruiker aan", "Create a vault": "Maak een kluis", - "Created.": "Gemaakt.", - "created a goal": "een doel gemaakt", - "created the contact": "de contactpersoon gemaakt", + "Created.": "Aangemaakt.", + "created a goal": "een doel gecreëerd", + "created the contact": "heeft het contact aangemaakt", "Create label": "Etiket maken", "Create new label": "Nieuw etiket maken", - "Create new tag": "Nieuwe tag maken", - "Create New Team": "Nieuw team maken", - "Create Team": "Team maken", - "Currencies": "Valuta's", + "Create new tag": "Maak een nieuw label", + "Create New Team": "Maak nieuw team aan", + "Create Team": "Maak team aan", + "Currencies": "Valuta’s", "Currency": "Munteenheid", "Current default": "Huidige standaard", "Current language:": "Huidige taal:", - "Current Password": "huidig ​​wachtwoord", + "Current Password": "Huidig wachtwoord", "Current site used to display maps:": "Huidige site die wordt gebruikt om kaarten weer te geven:", - "Current streak": "Huidige streep", + "Current streak": "Huidige reeks", "Current timezone:": "Huidige tijdzone:", - "Current way of displaying contact names:": "Huidige manier om namen van contactpersonen weer te geven:", + "Current way of displaying contact names:": "Huidige manier om contactnamen weer te geven:", "Current way of displaying dates:": "Huidige manier om datums weer te geven:", "Current way of displaying distances:": "Huidige manier om afstanden weer te geven:", - "Current way of displaying numbers:": "Huidige manier om getallen weer te geven:", + "Current way of displaying numbers:": "Huidige manier om cijfers weer te geven:", "Customize how contacts should be displayed": "Pas aan hoe contacten moeten worden weergegeven", "Custom name order": "Aangepaste naamvolgorde", "Daily affirmation": "Dagelijkse bevestiging", @@ -338,20 +338,20 @@ "Date of the event": "Datum van het evenement", "Date of the event:": "Datum van het evenement:", "Date type": "Datumtype", - "Date types are essential as they let you categorize dates that you add to a contact.": "Datumtypen zijn essentieel, omdat u hiermee datums kunt categoriseren die u aan een contactpersoon toevoegt.", + "Date types are essential as they let you categorize dates that you add to a contact.": "Datumtypen zijn essentieel omdat u hiermee datums kunt categoriseren die u aan een contactpersoon toevoegt.", "Day": "Dag", "day": "dag", "Deactivate": "Deactiveren", - "Deceased date": "Overleden datum", - "Default template": "Standaard sjabloon", + "Deceased date": "Datum van overlijden", + "Default template": "Standaardsjabloon", "Default template to display contacts": "Standaardsjabloon om contacten weer te geven", - "Delete": "Verwijderen", - "Delete Account": "Account verwijderen", + "Delete": "Verwijder", + "Delete Account": "Account Verwijderen", "Delete a new key": "Verwijder een nieuwe sleutel", - "Delete API Token": "API-token verwijderen", + "Delete API Token": "API-token Verwijderen", "Delete contact": "Verwijder contact", "deleted a contact information": "een contactgegevens verwijderd", - "deleted a goal": "een doelpunt verwijderd", + "deleted a goal": "een doel verwijderd", "deleted an address": "een adres verwijderd", "deleted an important date": "een belangrijke datum verwijderd", "deleted a note": "een notitie verwijderd", @@ -359,18 +359,18 @@ "Deleted author": "Auteur verwijderd", "Delete group": "Groep verwijderen", "Delete journal": "Journaal verwijderen", - "Delete Team": "Team verwijderen", + "Delete Team": "Team Verwijderen", "Delete the address": "Verwijder het adres", "Delete the photo": "Verwijder de foto", "Delete the slice": "Verwijder het segment", "Delete the vault": "Verwijder de kluis", - "Delete your account on https:\/\/customers.monicahq.com.": "Verwijder uw account op https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Als u de kluis verwijdert, verwijdert u alle gegevens in deze kluis voor altijd. Er is geen weg terug. Wees alsjeblieft zeker.", + "Delete your account on https://customers.monicahq.com.": "Verwijder uw account op https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Het verwijderen van de kluis betekent dat alle gegevens in deze kluis voor altijd worden verwijderd. Er is geen weg terug. Wees alsjeblieft zeker.", "Description": "Beschrijving", - "Detail of a goal": "Detail van een doel", - "Details in the last year": "Bijzonderheden in het afgelopen jaar", - "Disable": "Uitzetten", - "Disable all": "Alles uitschakelen", + "Detail of a goal": "Detail van een doelpunt", + "Details in the last year": "Details van het afgelopen jaar", + "Disable": "Schakel uit", + "Disable all": "Schakel alles uit", "Disconnect": "Loskoppelen", "Discuss partnership": "Bespreek partnerschap", "Discuss recent purchases": "Bespreek recente aankopen", @@ -383,34 +383,34 @@ "Download": "Downloaden", "Download as vCard": "Downloaden als vCard", "Drank": "Dronken", - "Drove": "reed", - "Due and upcoming tasks": "Vervallen en aankomende taken", + "Drove": "Reed", + "Due and upcoming tasks": "Vervallen en komende taken", "Edit": "Bewerking", "edit": "bewerking", "Edit a contact": "Bewerk een contactpersoon", "Edit a journal": "Een dagboek bewerken", "Edit a post": "Bewerk een bericht", - "edited a note": "een notitie bewerkt", + "edited a note": "een notitie aangepast", "Edit group": "Groep bewerken", "Edit journal": "Journaal bewerken", "Edit journal information": "Journaalgegevens bewerken", - "Edit journal metrics": "Journalstatistieken bewerken", - "Edit names": "Bewerk namen", - "Editor": "Editor", - "Editor users have the ability to read, create, and update.": "Editor-gebruikers kunnen lezen, maken en bijwerken.", + "Edit journal metrics": "Journaalstatistieken bewerken", + "Edit names": "Namen bewerken", + "Editor": "Redacteur", + "Editor users have the ability to read, create, and update.": "Redacteurs hebben de bevoegdheid om te lezen, te creëren en te bewerken.", "Edit post": "Bericht bewerken", - "Edit Profile": "Bewerk profiel", - "Edit slice of life": "Stukje leven bewerken", + "Edit Profile": "Profiel bewerken", + "Edit slice of life": "Bewerk een stukje leven", "Edit the group": "Bewerk de groep", - "Edit the slice of life": "Bewerk het deel van het leven", - "Email": "E-mail", + "Edit the slice of life": "Bewerk het stukje leven", + "Email": "E-mailadres", "Email address": "E-mailadres", - "Email address to send the invitation to": "E-mailadres om de uitnodiging naar toe te sturen", - "Email Password Reset Link": "E-mail Wachtwoord Reset Link", - "Enable": "Inschakelen", + "Email address to send the invitation to": "E-mailadres waarnaar de uitnodiging moet worden verzonden", + "Email Password Reset Link": "Verstuur link", + "Enable": "Schakel in", "Enable all": "Schakel alles in", - "Ensure your account is using a long, random password to stay secure.": "Zorg ervoor dat uw account een lang, willekeurig wachtwoord gebruikt om veilig te blijven.", - "Enter a number from 0 to 100000. No decimals.": "Voer een getal in van 0 tot 100000. Geen decimalen.", + "Ensure your account is using a long, random password to stay secure.": "Zorg ervoor dat je account een lang, willekeurig wachtwoord gebruikt om veilig te blijven.", + "Enter a number from 0 to 100000. No decimals.": "Voer een getal in van 0 tot 100.000. Geen decimalen.", "Events this month": "Evenementen deze maand", "Events this week": "Evenementen deze week", "Events this year": "Evenementen dit jaar", @@ -418,42 +418,41 @@ "ex-boyfriend": "ex vriendje", "Exception:": "Uitzondering:", "Existing company": "Bestaand bedrijf", - "External connections": "Externe verbindingen", + "External connections": "Externe aansluitingen", + "Facebook": "Facebook", "Family": "Familie", "Family summary": "Familie samenvatting", "Favorites": "Favorieten", "Female": "Vrouwelijk", "Files": "Bestanden", "Filter": "Filter", - "Filter list or create a new label": "Filter de lijst of maak een nieuw label aan", - "Filter list or create a new tag": "Filter de lijst of maak een nieuwe tag aan", + "Filter list or create a new label": "Filter de lijst of maak een nieuw label", + "Filter list or create a new tag": "Filter de lijst of maak een nieuwe tag", "Find a contact in this vault": "Zoek een contactpersoon in deze kluis", - "Finish enabling two factor authentication.": "Voltooi het inschakelen van twee-factor-authenticatie.", + "Finish enabling two factor authentication.": "Inschakelen van tweestapsverificatie afronden.", "First name": "Voornaam", "First name Last name": "Voornaam Achternaam", "First name Last name (nickname)": "Voornaam Achternaam (bijnaam)", "Fish": "Vis", - "Food preferences": "Voedsel voorkeuren", + "Food preferences": "Voedselvoorkeuren", "for": "voor", "For:": "Voor:", "For advice": "Voor advies", - "Forbidden": "Verboden", - "Forgot password?": "Wachtwoord vergeten?", - "Forgot your password?": "Je wachtwoord vergeten?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Je wachtwoord vergeten? Geen probleem. Laat ons je e-mailadres weten en we sturen je een link om je wachtwoord opnieuw in te stellen, waarmee je een nieuwe kunt kiezen.", - "For your security, please confirm your password to continue.": "Bevestig voor uw veiligheid uw wachtwoord om door te gaan.", + "Forbidden": "Geen toegang", + "Forgot your password?": "Wachtwoord vergeten?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Wachtwoord vergeten? Geen probleem. Geef hier je e-mailadres in en we sturen je een link via mail waarmee je een nieuw wachtwoord kan instellen.", + "For your security, please confirm your password to continue.": "Bevestig voor de zekerheid je wachtwoord om door te gaan.", "Found": "Gevonden", "Friday": "Vrijdag", "Friend": "Vriend", "friend": "vriend", "From A to Z": "Van A tot Z", - "From Z to A": "Van Z naar A", + "From Z to A": "Van Z tot A", "Gender": "Geslacht", "Gender and pronoun": "Geslacht en voornaamwoord", "Genders": "Geslachten", - "Gift center": "Cadeau centrum", - "Gift occasions": "Geschenk gelegenheden", - "Gift occasions let you categorize all your gifts.": "Met cadeaugelegenheden kun je al je cadeaus categoriseren.", + "Gift occasions": "Cadeau gelegenheden", + "Gift occasions let you categorize all your gifts.": "Met cadeaugelegenheden kunt u al uw geschenken categoriseren.", "Gift states": "Geschenkstaten", "Gift states let you define the various states for your gifts.": "Met geschenkstatussen kunt u de verschillende statussen voor uw geschenken definiëren.", "Give this email address a name": "Geef dit e-mailadres een naam", @@ -462,85 +461,86 @@ "godchild": "petekind", "godparent": "peetouder", "Google Maps": "Google Maps", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps biedt de beste nauwkeurigheid en details, maar is niet ideaal vanuit het oogpunt van privacy.", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps biedt de beste nauwkeurigheid en details, maar is vanuit privacyoogpunt niet ideaal.", "Got fired": "Ontslagen", - "Go to page :page": "Ga naar pagina :pagina", + "Go to page :page": "Ga naar pagina :page", "grand child": "klein kind", "grand parent": "grootouder", - "Great! You have accepted the invitation to join the :team team.": "Geweldig! Je hebt de uitnodiging geaccepteerd om deel uit te maken van het :team-team.", - "Group journal entries together with slices of life.": "Groepeer dagboekaantekeningen samen met stukjes van het leven.", + "Great! You have accepted the invitation to join the :team team.": "Mooizo! Je hebt de uitnodiging om deel te nemen aan :team geaccepteerd.", + "Group journal entries together with slices of life.": "Groepeer journaalposten samen met stukjes leven.", "Groups": "Groepen", "Groups let you put your contacts together in a single place.": "Met groepen kunt u uw contacten op één plek samenbrengen.", "Group type": "Groepstype", - "Group type: :name": "Groepstype: :naam", - "Group types": "Groepstypes", + "Group type: :name": "Groepstype: :name", + "Group types": "Groepstypen", "Group types let you group people together.": "Met groepstypen kunt u mensen groeperen.", "Had a promotion": "Promotie gehad", "Hamster": "Hamster", "Have a great day,": "Een fijne dag verder,", - "he\/him": "hij\/hem", + "he/him": "hij/hem", "Hello!": "Hallo!", "Help": "Hulp", - "Hi :name": "Hoi: naam", - "Hinduist": "Hindoe", + "Hi :name": "Hallo :name", + "Hinduist": "Hindoeïstisch", "History of the notification sent": "Geschiedenis van de verzonden melding", - "Hobbies": "Hobby's", + "Hobbies": "Hobby’s", "Home": "Thuis", "Horse": "Paard", "How are you?": "Hoe is het met je?", "How could I have done this day better?": "Hoe had ik deze dag beter kunnen doen?", "How did you feel?": "Hoe voelde je je?", "How do you feel right now?": "Hoe voel je je nu?", - "however, there are many, many new features that didn't exist before.": "er zijn echter heel veel nieuwe functies die voorheen niet bestonden.", - "How much money was lent?": "Hoeveel geld is er geleend?", - "How much was lent?": "Hoeveel is er geleend?", + "however, there are many, many new features that didn't exist before.": "Er zijn echter heel veel nieuwe functies die voorheen niet bestonden.", + "How much money was lent?": "Hoeveel geld werd geleend?", + "How much was lent?": "Hoeveel werd geleend?", "How often should we remind you about this date?": "Hoe vaak moeten we u aan deze datum herinneren?", - "How should we display dates": "Hoe moeten we datums weergeven", - "How should we display distance values": "Hoe moeten we afstandswaarden weergeven", + "How should we display dates": "Hoe moeten we datums weergeven?", + "How should we display distance values": "Hoe moeten we afstandswaarden weergeven?", "How should we display numerical values": "Hoe moeten we numerieke waarden weergeven", "I agree to the :terms and :policy": "Ik ga akkoord met de :terms en :policy", - "I agree to the :terms_of_service and :privacy_policy": "Ik ga akkoord met de :terms_of_service en :privacy_policy", + "I agree to the :terms_of_service and :privacy_policy": "Ik ga akkoord met de :terms_of_service en de :privacy_policy", "I am grateful for": "ik ben dankbaar voor", "I called": "ik belde", "I called, but :name didn’t answer": "Ik heb gebeld, maar :name nam niet op", "Idea": "Idee", "I don’t know the name": "Ik weet de naam niet", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Indien nodig kunt u zich op al uw apparaten afmelden bij al uw andere browsersessies. Enkele van uw recente sessies staan ​​hieronder vermeld; deze lijst is echter mogelijk niet volledig. Als u denkt dat uw account is gecompromitteerd, moet u ook uw wachtwoord bijwerken.", - "If the date is in the past, the next occurence of the date will be next year.": "Als de datum in het verleden ligt, is de volgende datum volgend jaar.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Als u problemen ondervindt bij het klikken op de knop \":actionText\", kopieert en plakt u de onderstaande URL\nin uw webbrowser:", - "If you already have an account, you may accept this invitation by clicking the button below:": "Als u al een account heeft, kunt u deze uitnodiging accepteren door op de onderstaande knop te klikken:", - "If you did not create an account, no further action is required.": "Als u geen account heeft aangemaakt, hoeft u verder niets te doen.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Als u geen uitnodiging voor dit team verwachtte, kunt u deze e-mail weggooien.", - "If you did not request a password reset, no further action is required.": "Als u geen wachtwoordreset heeft aangevraagd, hoeft u verder niets te doen.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Als u nog geen account heeft, kunt u er een aanmaken door op onderstaande knop te klikken. Nadat je een account hebt aangemaakt, kun je op de uitnodigingsknop in deze e-mail klikken om de teamuitnodiging te accepteren:", - "If you’ve received this invitation by mistake, please discard it.": "Als u deze uitnodiging per vergissing heeft ontvangen, gooi deze dan weg.", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Indien nodig kun je uitloggen bij al je andere browsersessies op al je apparaten. Sommige van je recente sessies staan hieronder vermeld; deze lijst is echter mogelijk niet volledig. Als je vermoedt dat je account is gecompromitteerd, wijzig dan ook je wachtwoord.", + "If the date is in the past, the next occurence of the date will be next year.": "Als de datum in het verleden ligt, zal de volgende datum volgend jaar zijn.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Als je problemen hebt met de \":actionText\" knop, kopieer en plak de URL hieronder\nin je webbrowser:", + "If you already have an account, you may accept this invitation by clicking the button below:": "Als je al een account hebt, kan je deze uitnodiging accepteren door op onderstaande knop te klikken:", + "If you did not create an account, no further action is required.": "Als je geen account hebt aangemaakt hoef je verder niets te doen.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Als je geen uitnodiging voor dit team verwachtte, mag je deze mail negeren.", + "If you did not request a password reset, no further action is required.": "Als je geen wachtwoordherstel hebt aangevraagd, hoef je verder niets te doen.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Als je nog geen account hebt, kan je er een aanmaken door op onderstaande knop te klikken. Na het aanmaken van je account kan je op de uitnodiging in deze mail klikken om die te accepteren:", + "If you’ve received this invitation by mistake, please discard it.": "Als u deze uitnodiging per ongeluk heeft ontvangen, kunt u deze weggooien.", "I know the exact date, including the year": "Ik weet de exacte datum, inclusief het jaar", - "I know the name": "Ik weet de naam", + "I know the name": "Ik ken de naam", "Important dates": "Belangrijke data", - "Important date summary": "Belangrijke datum samenvatting", + "Important date summary": "Belangrijk datumoverzicht", "in": "in", "Information": "Informatie", - "Information from Wikipedia": "Informatie van Wikipedia", + "Information from Wikipedia": "Informatie uit Wikipedia", "in love with": "verliefd op", "Inspirational post": "Inspirerende post", + "Invalid JSON was returned from the route.": "Er is ongeldige JSON teruggekomen van de route.", "Invitation sent": "Uitnodiging verzonden", "Invite a new user": "Nodig een nieuwe gebruiker uit", "Invite someone": "Iemand uitnodigen", - "I only know a number of years (an age, for example)": "Ik weet maar een aantal jaren (bijvoorbeeld een leeftijd)", - "I only know the day and month, not the year": "Ik weet alleen de dag en de maand, niet het jaar", - "it misses some of the features, the most important ones being the API and gift management,": "het mist enkele functies, de belangrijkste zijn de API en het beheer van geschenken,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Het lijkt erop dat er nog geen sjablonen in het account staan. Voeg eerst ten minste een sjabloon toe aan uw account en koppel deze sjabloon vervolgens aan deze contactpersoon.", + "I only know a number of years (an age, for example)": "Ik weet maar een aantal jaren (een leeftijd bijvoorbeeld)", + "I only know the day and month, not the year": "Ik ken alleen de dag en de maand, niet het jaar", + "it misses some of the features, the most important ones being the API and gift management,": "het mist enkele functies, waarvan de belangrijkste de API en het cadeaubeheer zijn,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Het lijkt erop dat er nog geen sjablonen in het account staan. Voeg eerst minimaal een sjabloon toe aan uw account en koppel deze sjabloon vervolgens aan deze contactpersoon.", "Jew": "Jood", "Job information": "Job informatie", "Job position": "Baan positie", "Journal": "logboek", - "Journal entries": "Journaalposten", - "Journal metrics": "Tijdschriftstatistieken", - "Journal metrics let you track data accross all your journal entries.": "Met dagboekstatistieken kunt u gegevens over al uw journaalboekingen bijhouden.", + "Journal entries": "Journaalboekingen", + "Journal metrics": "Journaalstatistieken", + "Journal metrics let you track data accross all your journal entries.": "Met journaalstatistieken kunt u gegevens van al uw journaalboekingen bijhouden.", "Journals": "Tijdschriften", "Just because": "Daarom", "Just to say hello": "Gewoon om hallo te zeggen", - "Key name": "Sleutel naam", + "Key name": "Sleutelnaam", "kilometers (km)": "kilometer (km)", "km": "km", "Label:": "Etiket:", @@ -548,85 +548,86 @@ "Labels let you classify contacts using a system that matters to you.": "Met labels kunt u contacten classificeren met behulp van een systeem dat voor u belangrijk is.", "Language of the application": "Taal van de applicatie", "Last active": "Laatst actief", - "Last active :date": "Laatst actief: datum", + "Last active :date": "Laatst actief :date", "Last name": "Achternaam", "Last name First name": "Achternaam voornaam", "Last updated": "Laatst bijgewerkt", "Last used": "Laatst gebruikt", - "Last used :date": "Laatst gebruikt: datum", - "Leave": "Vertrekken", - "Leave Team": "Team verlaten", + "Last used :date": "Laatst gebruikt :date", + "Leave": "Verlaat", + "Leave Team": "Team Verlaten", "Life": "Leven", "Life & goals": "Levensdoelen", "Life events": "Levensgebeurtenissen", "Life events let you document what happened in your life.": "Met levensgebeurtenissen kunt u documenteren wat er in uw leven is gebeurd.", "Life event types:": "Soorten levensgebeurtenissen:", - "Life event types and categories": "Typen en categorieën levensgebeurtenissen", + "Life event types and categories": "Typen en categorieën van levensgebeurtenissen", "Life metrics": "Levensstatistieken", - "Life metrics let you track metrics that are important to you.": "Met levensstatistieken kunt u statistieken bijhouden die belangrijk voor u zijn.", - "Link to documentation": "Link naar documentatie", + "Life metrics let you track metrics that are important to you.": "Met levensstatistieken kunt u statistieken bijhouden die voor u belangrijk zijn.", + "LinkedIn": "LinkedIn", "List of addresses": "Lijst met adressen", "List of addresses of the contacts in the vault": "Lijst met adressen van de contacten in de kluis", "List of all important dates": "Lijst met alle belangrijke data", "Loading…": "Bezig met laden…", "Load previous entries": "Laad eerdere invoer", "Loans": "Leningen", - "Locale default: :value": "Locale standaard: :value", - "Log a call": "Log een gesprek in", + "Locale default: :value": "Standaard landinstelling: :value", + "Log a call": "Een oproep registreren", "Log details": "Loggegevens", "logged the mood": "registreerde de stemming", - "Log in": "Log in", - "Login": "Log in", + "Log in": "Inloggen", + "Login": "Inloggen", "Login with:": "Login met:", "Log Out": "Uitloggen", "Logout": "Uitloggen", - "Log Out Other Browser Sessions": "Andere browsersessies uitloggen", + "Log Out Other Browser Sessions": "Uitloggen bij alle sessies", "Longest streak": "Langste reeks", "Love": "Liefde", "loved by": "geliefd bij", "lover": "minnaar", - "Made from all over the world. We ❤️ you.": "Gemaakt van over de hele wereld. Wij ❤️ jij.", + "Made from all over the world. We ❤️ you.": "Gemaakt van over de hele wereld. Wij❤️ jou.", "Maiden name": "Meisjesnaam", "Male": "Mannelijk", - "Manage Account": "Beheer account", - "Manage accounts you have linked to your Customers account.": "Accounts beheren die u aan uw klantenaccount heeft gekoppeld.", - "Manage address types": "Adrestypen beheren", - "Manage and log out your active sessions on other browsers and devices.": "Beheer en log uit uw actieve sessies op andere browsers en apparaten.", - "Manage API Tokens": "API-tokens beheren", + "Manage Account": "Accountbeheer", + "Manage accounts you have linked to your Customers account.": "Beheer accounts die u aan uw Klantenaccount heeft gekoppeld.", + "Manage address types": "Beheer adrestypen", + "Manage and log out your active sessions on other browsers and devices.": "Beheer je actieve sessies op andere browsers en andere apparaten.", + "Manage API Tokens": "Beheer API-tokens", "Manage call reasons": "Beheer oproepredenen", - "Manage contact information types": "Beheer typen contactgegevens", - "Manage currencies": "Valuta's beheren", + "Manage contact information types": "Beheer contactinformatietypen", + "Manage currencies": "Beheer valuta’s", "Manage genders": "Beheer geslachten", - "Manage gift occasions": "Cadeaugelegenheden beheren", + "Manage gift occasions": "Beheer cadeaugelegenheden", "Manage gift states": "Beheer geschenkstatussen", "Manage group types": "Groepstypen beheren", - "Manage modules": "Modules beheren", + "Manage modules": "Beheer modules", "Manage pet categories": "Beheer huisdiercategorieën", - "Manage post templates": "Postsjablonen beheren", + "Manage post templates": "Beheer berichtsjablonen", "Manage pronouns": "Beheer voornaamwoorden", "Manager": "Manager", - "Manage relationship types": "Relatietypen beheren", + "Manage relationship types": "Beheer relatietypen", "Manage religions": "Beheer religies", - "Manage Role": "Rol beheren", + "Manage Role": "Beheer Rol", "Manage storage": "Beheer van de opslag", - "Manage Team": "Team beheren", - "Manage templates": "Sjablonen beheren", + "Manage Team": "Beheer Team", + "Manage templates": "Beheer sjablonen", "Manage users": "Gebruikers beheren", + "Mastodon": "Mastodont", "Maybe one of these contacts?": "Misschien een van deze contacten?", "mentor": "mentor", "Middle name": "Midden-naam", - "miles": "mijl", - "miles (mi)": "mijl (mi)", + "miles": "mijlen", + "miles (mi)": "mijl (mijlen)", "Modules in this page": "Modules op deze pagina", "Monday": "Maandag", - "Monica. All rights reserved. 2017 — :date.": "Monica. Alle rechten voorbehouden. 2017 — :datum.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Alle rechten voorbehouden. 2017 — :date.", "Monica is open source, made by hundreds of people from all around the world.": "Monica is open source, gemaakt door honderden mensen van over de hele wereld.", - "Monica was made to help you document your life and your social interactions.": "Monica is gemaakt om je te helpen je leven en je sociale interacties te documenteren.", + "Monica was made to help you document your life and your social interactions.": "Monica is gemaakt om u te helpen uw leven en uw sociale interacties te documenteren.", "Month": "Maand", "month": "maand", "Mood in the year": "Stemming in het jaar", - "Mood tracking events": "Gebeurtenissen voor het volgen van stemmingen", - "Mood tracking parameters": "Stemmingsregistratieparameters", + "Mood tracking events": "Stemmingsregistratie-evenementen", + "Mood tracking parameters": "Parameters voor het volgen van de stemming", "More details": "Meer details", "More errors": "Meer fouten", "Move contact": "Contactpersoon verplaatsen", @@ -636,13 +637,13 @@ "Name of the reminder": "Naam van de herinnering", "Name of the reverse relationship": "Naam van de omgekeerde relatie", "Nature of the call": "Aard van de oproep", - "nephew\/niece": "neef nicht", - "New Password": "nieuw paswoord", + "nephew/niece": "neef/nicht", + "New Password": "Nieuw wachtwoord", "New to Monica?": "Nieuw bij Monica?", "Next": "Volgende", "Nickname": "Bijnaam", "nickname": "bijnaam", - "No cities have been added yet in any contact’s addresses.": "Er zijn nog geen steden toegevoegd aan de adressen van een contact.", + "No cities have been added yet in any contact’s addresses.": "Er zijn nog geen steden toegevoegd aan de adressen van contactpersonen.", "No contacts found.": "Geen contacten gevonden.", "No countries have been added yet in any contact’s addresses.": "Er zijn nog geen landen toegevoegd aan de adressen van contactpersonen.", "No dates in this month.": "Geen data in deze maand.", @@ -656,8 +657,8 @@ "No role": "Geen rol", "No roles yet.": "Nog geen rollen.", "No tasks.": "Geen taken.", - "Notes": "Notities", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Houd er rekening mee dat het verwijderen van een module van een pagina niet de daadwerkelijke gegevens op uw contactpagina's verwijdert. Het zal het gewoon verbergen.", + "Notes": "Opmerkingen", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Houd er rekening mee dat het verwijderen van een module van een pagina niet de feitelijke gegevens op uw contactpagina’s verwijdert. Het zal het eenvoudigweg verbergen.", "Not Found": "Niet gevonden", "Notification channels": "Meldingskanalen", "Notification sent": "Melding verzonden", @@ -667,25 +668,25 @@ "Numerical value": "Numerieke waarde", "of": "van", "Offered": "Aangeboden", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Zodra een team is verwijderd, worden alle resources en gegevens permanent verwijderd. Voordat u dit team verwijdert, moet u alle gegevens of informatie over dit team downloaden die u wilt behouden.", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Zodra een team is verwijderd, worden alle bronnen en gegevens permanent verwijderd. Download voordat je dit team verwijdert alle gegevens of informatie over dit team die je wilt behouden.", "Once you cancel,": "Zodra u annuleert,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Nadat u op de knop Instellingen hieronder hebt geklikt, moet u Telegram openen met de knop die we u zullen geven. Dit zal de Monica Telegram-bot voor je lokaliseren.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Zodra uw account is verwijderd, worden alle bronnen en gegevens permanent verwijderd. Download voordat u uw account verwijdert alle gegevens of informatie die u wilt behouden.", - "Only once, when the next occurence of the date occurs.": "Slechts één keer, wanneer de volgende keer dat de datum voorkomt.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Zodra u op de onderstaande knop Instellen klikt, moet u Telegram openen met de knop die wij u ter beschikking stellen. Hiermee wordt de Monica Telegram-bot voor u gelokaliseerd.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Als je account wordt verwijderd, worden alle gekoppelde bestanden en gegevens ook permanent verwijderd. Sla alsjeblieft alle data op die je wilt behouden, voordat je je account verwijderd.", + "Only once, when the next occurence of the date occurs.": "Slechts één keer, wanneer de volgende gebeurtenis van de datum plaatsvindt.", "Oops! Something went wrong.": "Oeps! Er is iets fout gegaan.", - "Open Street Maps": "Open stratenkaarten", - "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps is een geweldig alternatief voor privacy, maar biedt minder details.", + "Open Street Maps": "Open plattegronden", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps is een geweldig privacyalternatief, maar biedt minder details.", "Open Telegram to validate your identity": "Open Telegram om uw identiteit te valideren", "optional": "optioneel", "Or create a new one": "Of maak een nieuwe aan", - "Or filter by type": "Of filter op soort", - "Or remove the slice": "Of verwijder de plak", + "Or filter by type": "Of filter op type", + "Or remove the slice": "Of verwijder het stukje", "Or reset the fields": "Of reset de velden", "Other": "Ander", "Out of respect and appreciation": "Uit respect en waardering", - "Page Expired": "Pagina verlopen", - "Pages": "Pagina's", - "Pagination Navigation": "Paginering Navigatie", + "Page Expired": "Pagina niet meer geldig", + "Pages": "Pagina’s", + "Pagination Navigation": "Paginanavigatie", "Parent": "Ouder", "parent": "ouder", "Participants": "Deelnemers", @@ -693,123 +694,123 @@ "Part of": "Deel van", "Password": "Wachtwoord", "Payment Required": "Betaling Vereist", - "Pending Team Invitations": "Wachtende teamuitnodigingen", - "per\/per": "voor voor", + "Pending Team Invitations": "Openstaande Team uitnodigingen", + "per/per": "per/per", "Permanently delete this team.": "Verwijder dit team definitief.", - "Permanently delete your account.": "Verwijder uw account definitief.", - "Permission for :name": "Toestemming voor :naam", + "Permanently delete your account.": "Verwijder je account permanent.", + "Permission for :name": "Toestemming voor :name", "Permissions": "Rechten", "Personal": "Persoonlijk", "Personalize your account": "Personaliseer uw account", "Pet categories": "Huisdier categorieën", - "Pet categories let you add types of pets that contacts can add to their profile.": "Met huisdiercategorieën kun je soorten huisdieren toevoegen die contacten aan hun profiel kunnen toevoegen.", - "Pet category": "Huisdier categorie", + "Pet categories let you add types of pets that contacts can add to their profile.": "Met huisdiercategorieën kunt u typen huisdieren toevoegen die contacten aan hun profiel kunnen toevoegen.", + "Pet category": "Categorie huisdieren", "Pets": "Huisdieren", "Phone": "Telefoon", "Photo": "Foto", - "Photos": "Foto's", + "Photos": "Foto’s", "Played basketball": "Speelde basketbal", "Played golf": "Golf gespeeld", "Played soccer": "Speelde voetbal", "Played tennis": "Tennis gespeeld", "Please choose a template for this new post": "Kies een sjabloon voor dit nieuwe bericht", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Kies hieronder één sjabloon om Monica te vertellen hoe dit contact moet worden weergegeven. Met sjablonen kunt u bepalen welke gegevens op de contactpagina moeten worden weergegeven.", - "Please click the button below to verify your email address.": "Klik op de onderstaande knop om uw e-mailadres te verifiëren.", - "Please complete this form to finalize your account.": "Vul dit formulier in om uw account definitief te maken.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Bevestig de toegang tot uw account door een van uw noodherstelcodes in te voeren.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bevestig de toegang tot uw account door de authenticatiecode in te voeren die is verstrekt door uw authenticatietoepassing.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Kies hieronder één sjabloon om Monica te vertellen hoe dit contact moet worden weergegeven. Met sjablonen kunt u definiëren welke gegevens op de contactpagina moeten worden weergegeven.", + "Please click the button below to verify your email address.": "Klik op de knop hieronder om je e-mailadres te verifiëren.", + "Please complete this form to finalize your account.": "Vul dit formulier in om uw account af te ronden.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Bevestig de toegang tot je account door een van je noodherstelcodes in te voeren.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bevestig de toegang tot je account door de authenticatiecode in te voeren die door je authenticator-applicatie is aangemaakt.", "Please confirm access to your account by validating your security key.": "Bevestig de toegang tot uw account door uw beveiligingssleutel te valideren.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopieer uw nieuwe API-token. Voor uw veiligheid wordt het niet meer getoond.", - "Please copy your new API token. For your security, it won’t be shown again.": "Kopieer uw nieuwe API-token. Voor uw veiligheid wordt het niet meer getoond.", - "Please enter at least 3 characters to initiate a search.": "Voer minimaal 3 tekens in om een ​​zoekopdracht te starten.", + "Please copy your new API token. For your security, it won't be shown again.": "Kopieer je nieuwe API-token. Voor de veiligheid zal het niet opnieuw getoond worden.", + "Please copy your new API token. For your security, it won’t be shown again.": "Kopieer uw nieuwe API-token. Voor uw veiligheid wordt deze niet opnieuw weergegeven.", + "Please enter at least 3 characters to initiate a search.": "Voer minimaal 3 tekens in om een zoekopdracht te starten.", "Please enter your password to cancel the account": "Voer uw wachtwoord in om het account te annuleren", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Voer uw wachtwoord in om te bevestigen dat u zich wilt afmelden bij uw andere browsersessies op al uw apparaten.", - "Please indicate the contacts": "Gelieve de contacten aan te geven", - "Please join Monica": "Sluit je aan bij Monica", - "Please provide the email address of the person you would like to add to this team.": "Geef het e-mailadres op van de persoon die u aan dit team wilt toevoegen.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Lees a.u.b. onze documentatie<\/link> voor meer informatie over deze functie en tot welke variabelen u toegang heeft.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Voer je wachtwoord in om te bevestigen dat je je wilt afmelden bij je andere browsersessies op al je apparaten.", + "Please indicate the contacts": "Geef de contactpersonen aan", + "Please join Monica": "Sluit je alsjeblieft aan bij Monica", + "Please provide the email address of the person you would like to add to this team.": "Geef het e-mailadres op van de persoon die je aan dit team wilt toevoegen.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Lees onze documentatie voor meer informatie over deze functie en tot welke variabelen u toegang heeft.", "Please select a page on the left to load modules.": "Selecteer een pagina aan de linkerkant om modules te laden.", - "Please type a few characters to create a new label.": "Typ een paar tekens om een ​​nieuw label te maken.", - "Please type a few characters to create a new tag.": "Typ een paar tekens om een ​​nieuwe tag te maken.", + "Please type a few characters to create a new label.": "Typ een paar tekens om een nieuw label te maken.", + "Please type a few characters to create a new tag.": "Typ een paar tekens om een nieuwe tag te maken.", "Please validate your email address": "Valideer uw e-mailadres", "Please verify your email address": "Verifieer uw email adres alstublieft", "Postal code": "Postcode", "Post metrics": "Statistieken posten", "Posts": "Berichten", "Posts in your journals": "Berichten in uw dagboeken", - "Post templates": "Plaats sjablonen", + "Post templates": "Post-sjablonen", "Prefix": "Voorvoegsel", "Previous": "Vorig", "Previous addresses": "Vorige adressen", "Privacy Policy": "Privacybeleid", "Profile": "Profiel", - "Profile and security": "Profiel en veiligheid", - "Profile Information": "profiel informatie", - "Profile of :name": "Profiel van :naam", + "Profile and security": "Profiel en beveiliging", + "Profile Information": "Profiel Informatie", + "Profile of :name": "Profiel van :name", "Profile page of :name": "Profielpagina van :name", - "Pronoun": "Ze neigen", + "Pronoun": "Voornaamwoord", "Pronouns": "Voornaamwoorden", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Voornaamwoorden zijn in feite hoe we onszelf identificeren, afgezien van onze naam. Het is hoe iemand naar je verwijst in een gesprek.", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Voornaamwoorden zijn in feite de manier waarop we onszelf identificeren, afgezien van onze naam. Het is hoe iemand naar je verwijst in een gesprek.", "protege": "beschermeling", "Protocol": "Protocol", - "Protocol: :name": "Protocol: :naam", + "Protocol: :name": "Protocol: :name", "Province": "Provincie", "Quick facts": "Snelle feiten", - "Quick facts let you document interesting facts about a contact.": "Met snelle feiten kunt u interessante feiten over een contactpersoon documenteren.", + "Quick facts let you document interesting facts about a contact.": "Met Snelle feiten kunt u interessante feiten over een contactpersoon documenteren.", "Quick facts template": "Sjabloon voor snelle feiten", "Quit job": "Stop baan", "Rabbit": "Konijn", - "Ran": "liep", + "Ran": "Liep", "Rat": "Rat", - "Read :count time|Read :count times": "Lees :count time|Lees :count times", - "Record a loan": "Leg een lening vast", - "Record your mood": "Registreer je stemming", - "Recovery Code": "Herstel code", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Waar ter wereld u zich ook bevindt, datums worden weergegeven in uw eigen tijdzone.", - "Regards": "Groeten", - "Regenerate Recovery Codes": "Herstelcodes regenereren", - "Register": "Register", + "Read :count time|Read :count times": ":count keer lezen|:count keer lezen", + "Record a loan": "Registreer een lening", + "Record your mood": "Registreer uw humeur", + "Recovery Code": "Herstelcode", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Ongeacht waar ter wereld u zich bevindt, laat datums in uw eigen tijdzone weergeven.", + "Regards": "Met vriendelijke groet", + "Regenerate Recovery Codes": "Herstelcodes Opnieuw Genereren", + "Register": "Registreren", "Register a new key": "Registreer een nieuwe sleutel", "Register a new key.": "Registreer een nieuwe sleutel.", - "Regular post": "Gewone post", + "Regular post": "Reguliere post", "Regular user": "Regelmatige gebruiker", "Relationships": "Relaties", - "Relationship types": "Soorten relaties", - "Relationship types let you link contacts and document how they are connected.": "Met relatietypen kunt u contacten koppelen en documenteren hoe ze zijn verbonden.", + "Relationship types": "Relatietypen", + "Relationship types let you link contacts and document how they are connected.": "Met relatietypen kunt u contacten koppelen en documenteren hoe ze met elkaar verbonden zijn.", "Religion": "Religie", "Religions": "Religies", "Religions is all about faith.": "Religies hebben alles te maken met geloof.", - "Remember me": "Onthoud me", - "Reminder for :name": "Herinnering voor :naam", + "Remember me": "Onthouden", + "Reminder for :name": "Herinnering voor :name", "Reminders": "Herinneringen", "Reminders for the next 30 days": "Herinneringen voor de komende 30 dagen", - "Remind me about this date every year": "Herinner me elk jaar aan deze datum", - "Remind me about this date just once, in one year from now": "Herinner me maar één keer aan deze datum, over een jaar", - "Remove": "Verwijderen", + "Remind me about this date every year": "Herinner mij elk jaar aan deze datum", + "Remind me about this date just once, in one year from now": "Herinner me een keer aan deze datum, over een jaar", + "Remove": "Verwijder", "Remove avatar": "Avatar verwijderen", "Remove cover image": "Omslagafbeelding verwijderen", "removed a label": "een etiket verwijderd", "removed the contact from a group": "het contact uit een groep verwijderd", "removed the contact from a post": "het contact uit een bericht verwijderd", - "removed the contact from the favorites": "het contact uit de favorieten verwijderd", - "Remove Photo": "Verwijder foto", - "Remove Team Member": "Teamlid verwijderen", + "removed the contact from the favorites": "heb het contact uit de favorieten verwijderd", + "Remove Photo": "Foto Verwijderen", + "Remove Team Member": "Teamlid Verwijderen", "Rename": "Hernoemen", - "Reports": "rapporten", + "Reports": "Rapporten", "Reptile": "Reptiel", - "Resend Verification Email": "Verificatie-e-mail opnieuw verzenden", - "Reset Password": "Wachtwoord opnieuw instellen", - "Reset Password Notification": "Reset wachtwoordmelding", + "Resend Verification Email": "Verificatie-e-mail opnieuw versturen", + "Reset Password": "Wachtwoord herstellen", + "Reset Password Notification": "Wachtwoordherstel notificatie", "results": "resultaten", "Retry": "Opnieuw proberen", "Revert": "Terugdraaien", - "Rode a bike": "Reed een fiets", + "Rode a bike": "Heb op de fiets gezeten", "Role": "Rol", "Roles:": "Rollen:", - "Roomates": "Kruipen", + "Roomates": "Huisgenoten", "Saturday": "Zaterdag", - "Save": "Redden", - "Saved.": "opgeslagen.", + "Save": "Opslaan", + "Saved.": "Opgeslagen.", "Saving in progress": "Bezig met opslaan", "Searched": "Gezocht", "Searching…": "Zoeken…", @@ -818,94 +819,92 @@ "Sections:": "Secties:", "Security keys": "Beveiligingssleutels", "Select a group or create a new one": "Selecteer een groep of maak een nieuwe aan", - "Select A New Photo": "Selecteer een nieuwe foto", + "Select A New Photo": "Selecteer Een Nieuwe Foto", "Select a relationship type": "Selecteer een relatietype", "Send invitation": "Verstuur uitnodiging", - "Send test": "Stuur test", - "Sent at :time": "Verzonden om: tijd", - "Server Error": "Serverfout", - "Service Unavailable": "Service onbeschikbaar", + "Send test": "Test verzenden", + "Sent at :time": "Verzonden om :time", + "Server Error": "Server fout", + "Service Unavailable": "Website onbeschikbaar", "Set as default": "Instellen als standaard", "Set as favorite": "Instellen als favoriet", "Settings": "Instellingen", "Settle": "Schikken", "Setup": "Opgericht", - "Setup Key": "Instelsleutel", - "Setup Key:": "Instelsleutel:", + "Setup Key": "Setup Sleutel", + "Setup Key:": "Installatiesleutel:", "Setup Telegram": "Telegram instellen", - "she\/her": "zij\/haar", + "she/her": "zij/haar", "Shintoist": "Shintoïst", - "Show Calendar tab": "Tabblad Agenda weergeven", - "Show Companies tab": "Toon tabblad Bedrijven", + "Show Calendar tab": "Tabblad Agenda tonen", + "Show Companies tab": "Tabblad Bedrijven weergeven", "Show completed tasks (:count)": "Toon voltooide taken (:count)", - "Show Files tab": "Toon tabblad Bestanden", - "Show Groups tab": "Tabblad Groepen weergeven", - "Showing": "tonen", - "Showing :count of :total results": "Resultaat :count of :total resultaten", - "Showing :first to :last of :total results": "Toont :eerste tot :laatste van :totaal resultaten", - "Show Journals tab": "Toon tabblad Tijdschriften", + "Show Files tab": "Tabblad Bestanden tonen", + "Show Groups tab": "Tabblad Groepen tonen", + "Showing": "Toont", + "Showing :count of :total results": "Er worden :count van :total resultaten weergegeven", + "Showing :first to :last of :total results": "Er worden :first tot :last van :total resultaten weergegeven", + "Show Journals tab": "Tabblad Dagboeken tonen", "Show Recovery Codes": "Toon herstelcodes", - "Show Reports tab": "Toon tabblad Rapporten", - "Show Tasks tab": "Tabblad Taken weergeven", + "Show Reports tab": "Tabblad Rapporten tonen", + "Show Tasks tab": "Tabblad Taken tonen", "significant other": "wederhelft", - "Sign in to your account": "Meld u aan bij uw account", + "Sign in to your account": "Log in op uw account", "Sign up for an account": "Meld u aan voor een account", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Slapen :tel uur|Slapen :tel uur", + "Slept :count hour|Slept :count hours": ":count uur geslapen|:count uur geslapen", "Slice of life": "Deel van het leven", - "Slices of life": "Stukken van het leven", + "Slices of life": "Plakjes leven", "Small animal": "Klein dier", "Social": "Sociaal", - "Some dates have a special type that we will use in the software to calculate an age.": "Sommige datums hebben een speciaal type dat we in de software zullen gebruiken om een ​​leeftijd te berekenen.", - "Sort contacts": "Sorteer contacten", - "So… it works 😼": "Dus… het werkt 😼", + "Some dates have a special type that we will use in the software to calculate an age.": "Sommige datums hebben een speciaal type dat we in de software zullen gebruiken om een leeftijd te berekenen.", + "So… it works 😼": "Dus... het werkt 😼", "Sport": "Sport", "spouse": "echtgenoot", "Statistics": "Statistieken", "Storage": "Opslag", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Bewaar deze herstelcodes in een veilige wachtwoordbeheerder. Ze kunnen worden gebruikt om de toegang tot uw account te herstellen als uw apparaat voor tweefactorauthenticatie verloren is gegaan.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Bewaar deze herstelcodes in een beveiligde wachtwoordbeheerder. Ze kunnen worden gebruikt om de toegang tot je account te herstellen als je tweestapsverificatie verloren is gegaan.", "Submit": "Indienen", "subordinate": "ondergeschikt", "Suffix": "Achtervoegsel", "Summary": "Samenvatting", "Sunday": "Zondag", "Switch role": "Wissel van rol", - "Switch Teams": "Wissel van team", + "Switch Teams": "Wissel Van Team", "Tabs visibility": "Zichtbaarheid van tabbladen", "Tags": "Labels", "Tags let you classify journal posts using a system that matters to you.": "Met tags kunt u dagboekberichten classificeren met behulp van een systeem dat voor u belangrijk is.", "Taoist": "Taoïstisch", "Tasks": "Taken", - "Team Details": "Teamgegevens", - "Team Invitation": "Teamuitnodiging", - "Team Members": "Leden van het team", + "Team Details": "Teamdetails", + "Team Invitation": "Team uitnodiging", + "Team Members": "Teamleden", "Team Name": "Teamnaam", - "Team Owner": "Teameigenaar", - "Team Settings": "Teaminstellingen", + "Team Owner": "Team Eigenaar", + "Team Settings": "Team Instellingen", "Telegram": "Telegram", "Templates": "Sjablonen", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Met sjablonen kunt u aanpassen welke gegevens op uw contacten moeten worden weergegeven. U kunt zoveel sjablonen definiëren als u wilt en kiezen welke sjabloon voor welke contactpersoon moet worden gebruikt.", - "Terms of Service": "Servicevoorwaarden", - "Test email for Monica": "Test e-mail voor Monica", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Met sjablonen kunt u aanpassen welke gegevens bij uw contacten moeten worden weergegeven. U kunt zoveel sjablonen definiëren als u wilt, en kiezen welke sjabloon voor welk contact moet worden gebruikt.", + "Terms of Service": "Algemene voorwaarden", + "Test email for Monica": "Test-e-mail voor Monica", "Test email sent!": "Testmail verzonden!", "Thanks,": "Bedankt,", - "Thanks for giving Monica a try": "Bedankt dat je Monica hebt geprobeerd", "Thanks for giving Monica a try.": "Bedankt dat je Monica hebt geprobeerd.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Bedankt voor het aanmelden! Zou je, voordat je aan de slag gaat, je e-mailadres kunnen verifiëren door op de link te klikken die we je zojuist per e-mail hebben gestuurd? Als je de e-mail niet hebt ontvangen, sturen we je graag een andere.", - "The :attribute must be at least :length characters.": "Het :attribuut moet minstens :length karakters zijn.", - "The :attribute must be at least :length characters and contain at least one number.": "Het :attribuut moet minimaal :length tekens bevatten en minimaal één cijfer bevatten.", - "The :attribute must be at least :length characters and contain at least one special character.": "Het :attribuut moet minimaal :length tekens bevatten en minimaal één speciaal teken bevatten.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Het :attribuut moet minimaal :length tekens bevatten en minimaal één speciaal teken en één cijfer bevatten.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Het :attribuut moet minimaal :length tekens bevatten en minimaal één hoofdletter, één cijfer en één speciaal teken bevatten.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Het :attribuut moet minimaal :length tekens bevatten en minimaal één hoofdletter bevatten.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Het :attribuut moet minimaal :length tekens bevatten en minimaal één hoofdletter en één cijfer bevatten.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Het :attribuut moet minimaal :length tekens bevatten en minimaal één hoofdletter en één speciaal teken bevatten.", - "The :attribute must be a valid role.": "Het :attribuut moet een geldige rol zijn.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Bedankt voor het aanmelden! Kunt u, voordat u aan de slag gaat, uw e-mailadres verifiëren door op de link te klikken die we zojuist naar u hebben gemaild? Als u de e-mail niet heeft ontvangen, sturen wij u graag een nieuwe.", + "The :attribute must be at least :length characters.": "Het :attribute moet minstens :length karakters lang zijn.", + "The :attribute must be at least :length characters and contain at least one number.": "Het :attribute moet minimaal :length tekens lang zijn en minimaal één cijfer bevatten.", + "The :attribute must be at least :length characters and contain at least one special character.": "Het :attribute moet minimaal :length tekens lang zijn en minstens één speciaal karakter bevatten.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Het :attribute moet minstens :length karakters zijn en minstens één speciaal teken en één nummer bevatten.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Het :attribute moet minstens :length tekens lang zijn en minstens één hoofdletter, één cijfer en één speciaal teken bevatten.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Het :attribute moet minimaal :length tekens lang zijn en minimaal één hoofdletter bevatten.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Het :attribute moet minstens :length tekens lang zijn en minstens één hoofdletter en één cijfer bevatten.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Het :attribute moet minimaal :length tekens lang zijn en minimaal één hoofdletter en één speciaal teken bevatten.", + "The :attribute must be a valid role.": "Het :attribute moet een geldige rol zijn.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "De gegevens van het account worden binnen 30 dagen definitief van onze servers verwijderd en binnen 60 dagen van alle back-ups.", "The address type has been created": "Het adrestype is aangemaakt", "The address type has been deleted": "Het adrestype is verwijderd", "The address type has been updated": "Het adrestype is bijgewerkt", - "The call has been created": "De oproep is gemaakt", + "The call has been created": "Het gesprek is aangemaakt", "The call has been deleted": "De oproep is verwijderd", "The call has been edited": "De oproep is bewerkt", "The call reason has been created": "De oproepreden is aangemaakt", @@ -915,20 +914,20 @@ "The call reason type has been deleted": "Het type oproepreden is verwijderd", "The call reason type has been updated": "Het type oproepreden is bijgewerkt", "The channel has been added": "Het kanaal is toegevoegd", - "The channel has been updated": "Het kanaal is vernieuwd", - "The contact does not belong to any group yet.": "Het contact behoort nog niet tot een groep.", - "The contact has been added": "De contactpersoon is toegevoegd", + "The channel has been updated": "Het kanaal is bijgewerkt", + "The contact does not belong to any group yet.": "Het contact behoort nog tot geen enkele groep.", + "The contact has been added": "Het contact is toegevoegd", "The contact has been deleted": "Het contact is verwijderd", "The contact has been edited": "Het contact is bewerkt", - "The contact has been removed from the group": "Het contact is verwijderd uit de groep", + "The contact has been removed from the group": "Het contact is uit de groep verwijderd", "The contact information has been created": "De contactgegevens zijn aangemaakt", "The contact information has been deleted": "De contactgegevens zijn verwijderd", "The contact information has been edited": "De contactgegevens zijn aangepast", - "The contact information type has been created": "Het type contactinformatie is aangemaakt", + "The contact information type has been created": "Het type contactgegevens is aangemaakt", "The contact information type has been deleted": "Het type contactgegevens is verwijderd", "The contact information type has been updated": "Het type contactgegevens is bijgewerkt", "The contact is archived": "Het contact wordt gearchiveerd", - "The currencies have been updated": "De valuta's zijn bijgewerkt", + "The currencies have been updated": "De valuta’s zijn bijgewerkt", "The currency has been updated": "De valuta is bijgewerkt", "The date has been added": "De datum is toegevoegd", "The date has been deleted": "De datum is verwijderd", @@ -938,16 +937,16 @@ "The email address has been deleted": "Het e-mailadres is verwijderd", "The email has been added": "De e-mail is toegevoegd", "The email is already taken. Please choose another one.": "De e-mail is al in gebruik. Kies alstublieft een andere.", - "The gender has been created": "Het geslacht is aangemaakt", + "The gender has been created": "Het geslacht is gemaakt", "The gender has been deleted": "Het geslacht is verwijderd", "The gender has been updated": "Het geslacht is bijgewerkt", - "The gift occasion has been created": "De cadeau-gelegenheid is gemaakt", + "The gift occasion has been created": "Het geschenkmoment is gecreëerd", "The gift occasion has been deleted": "De cadeau-gelegenheid is verwijderd", - "The gift occasion has been updated": "De cadeau-gelegenheid is bijgewerkt", - "The gift state has been created": "De geschenkstaat is gecreëerd", - "The gift state has been deleted": "De geschenkstatus is verwijderd", + "The gift occasion has been updated": "Het cadeaumoment is bijgewerkt", + "The gift state has been created": "De geschenkstatus is gecreëerd", + "The gift state has been deleted": "De cadeaustatus is verwijderd", "The gift state has been updated": "De cadeaustatus is bijgewerkt", - "The given data was invalid.": "De opgegeven gegevens waren ongeldig.", + "The given data was invalid.": "De gegeven data was ongeldig.", "The goal has been created": "Het doel is gemaakt", "The goal has been deleted": "Het doel is verwijderd", "The goal has been edited": "Het doel is aangepast", @@ -959,16 +958,16 @@ "The group type has been updated": "Het groepstype is bijgewerkt", "The important dates in the next 12 months": "De belangrijke data in de komende 12 maanden", "The job information has been saved": "De taakinformatie is opgeslagen", - "The journal lets you document your life with your own words.": "Met het dagboek kun je je leven documenteren met je eigen woorden.", - "The keys to manage uploads have not been set in this Monica instance.": "De sleutels om uploads te beheren zijn niet ingesteld in deze instantie van Monica.", - "The label has been added": "Het label is toegevoegd", - "The label has been created": "Het label is gemaakt", - "The label has been deleted": "Het label is verwijderd", - "The label has been updated": "Het etiket is vernieuwd", - "The life metric has been created": "De levensstatistiek is gemaakt", + "The journal lets you document your life with your own words.": "Met het dagboek kun je je leven met je eigen woorden documenteren.", + "The keys to manage uploads have not been set in this Monica instance.": "De sleutels voor het beheren van uploads zijn niet ingesteld in dit Monica-exemplaar.", + "The label has been added": "Het etiket is toegevoegd", + "The label has been created": "Het etiket is gemaakt", + "The label has been deleted": "Het etiket is verwijderd", + "The label has been updated": "Het etiket is bijgewerkt", + "The life metric has been created": "De levensmetriek is gemaakt", "The life metric has been deleted": "De levensstatistiek is verwijderd", "The life metric has been updated": "De levensduurstatistiek is bijgewerkt", - "The loan has been created": "De lening is aangemaakt", + "The loan has been created": "De lening is gecreëerd", "The loan has been deleted": "De lening is verwijderd", "The loan has been edited": "De lening is aangepast", "The loan has been settled": "De lening is afgewikkeld", @@ -978,14 +977,14 @@ "The module has been removed": "De module is verwijderd", "The note has been created": "De notitie is gemaakt", "The note has been deleted": "De notitie is verwijderd", - "The note has been edited": "De notitie is aangepast", + "The note has been edited": "De notitie is bewerkt", "The notification has been sent": "De melding is verzonden", "The operation either timed out or was not allowed.": "Er is een time-out opgetreden voor de bewerking of deze is niet toegestaan.", "The page has been added": "De pagina is toegevoegd", "The page has been deleted": "De pagina is verwijderd", "The page has been updated": "De pagina is bijgewerkt", "The password is incorrect.": "Het wachtwoord is incorrect.", - "The pet category has been created": "De huisdiercategorie is aangemaakt", + "The pet category has been created": "De categorie huisdieren is aangemaakt", "The pet category has been deleted": "De huisdiercategorie is verwijderd", "The pet category has been updated": "De categorie huisdieren is bijgewerkt", "The pet has been added": "Het huisdier is toegevoegd", @@ -994,29 +993,29 @@ "The photo has been added": "De foto is toegevoegd", "The photo has been deleted": "De foto is verwijderd", "The position has been saved": "De positie is opgeslagen", - "The post template has been created": "Het berichtsjabloon is gemaakt", + "The post template has been created": "De berichtsjabloon is gemaakt", "The post template has been deleted": "Het berichtsjabloon is verwijderd", "The post template has been updated": "Het berichtsjabloon is bijgewerkt", "The pronoun has been created": "Het voornaamwoord is gemaakt", "The pronoun has been deleted": "Het voornaamwoord is verwijderd", "The pronoun has been updated": "Het voornaamwoord is bijgewerkt", - "The provided password does not match your current password.": "Het opgegeven wachtwoord komt niet overeen met uw huidige wachtwoord.", - "The provided password was incorrect.": "Het opgegeven wachtwoord was onjuist.", - "The provided two factor authentication code was invalid.": "De verstrekte tweefactorauthenticatiecode is ongeldig.", - "The provided two factor recovery code was invalid.": "De verstrekte herstelcode met twee factoren is ongeldig.", + "The provided password does not match your current password.": "Het opgegeven wachtwoord komt niet overeen met je huidige wachtwoord.", + "The provided password was incorrect.": "Het opgegeven wachtwoord is onjuist.", + "The provided two factor authentication code was invalid.": "De opgegeven tweestapsverificatie was ongeldig.", + "The provided two factor recovery code was invalid.": "De gegeven twee-staps herstelcode was ongeldig.", "There are no active addresses yet.": "Er zijn nog geen actieve adressen.", "There are no calls logged yet.": "Er zijn nog geen oproepen geregistreerd.", "There are no contact information yet.": "Er zijn nog geen contactgegevens.", "There are no documents yet.": "Er zijn nog geen documenten.", - "There are no events on that day, future or past.": "Er zijn geen evenementen op die dag, toekomst of verleden.", + "There are no events on that day, future or past.": "Er zijn geen gebeurtenissen op die dag, toekomst of verleden.", "There are no files yet.": "Er zijn nog geen bestanden.", "There are no goals yet.": "Er zijn nog geen doelen.", "There are no journal metrics.": "Er zijn geen dagboekstatistieken.", "There are no loans yet.": "Er zijn nog geen leningen.", - "There are no notes yet.": "Er zijn nog geen notities.", + "There are no notes yet.": "Er zijn nog geen aantekeningen.", "There are no other users in this account.": "Er zijn geen andere gebruikers in dit account.", "There are no pets yet.": "Er zijn nog geen huisdieren.", - "There are no photos yet.": "Er zijn nog geen foto's.", + "There are no photos yet.": "Er zijn nog geen foto’s.", "There are no posts yet.": "Er zijn nog geen berichten.", "There are no quick facts here yet.": "Er zijn hier nog geen snelle feiten.", "There are no relationships yet.": "Er zijn nog geen relaties.", @@ -1024,7 +1023,7 @@ "There are no tasks yet.": "Er zijn nog geen taken.", "There are no templates in the account. Go to the account settings to create one.": "Er zijn geen sjablonen in het account. Ga naar de accountinstellingen om er een aan te maken.", "There is no activity yet.": "Er is nog geen activiteit.", - "There is no currencies in this account.": "Er staan ​​geen valuta op deze rekening.", + "There is no currencies in this account.": "Er staan geen valuta’s op deze rekening.", "The relationship has been added": "De relatie is toegevoegd", "The relationship has been deleted": "De relatie is verwijderd", "The relationship type has been created": "Het relatietype is aangemaakt", @@ -1036,27 +1035,29 @@ "The reminder has been created": "De herinnering is aangemaakt", "The reminder has been deleted": "De herinnering is verwijderd", "The reminder has been edited": "De herinnering is bewerkt", - "The role has been created": "De rol is aangemaakt", + "The response is not a streamed response.": "De respons is niet gestreamd.", + "The response is not a view.": "De respons is geen view.", + "The role has been created": "De rol is gemaakt", "The role has been deleted": "De rol is verwijderd", "The role has been updated": "De rol is bijgewerkt", "The section has been created": "De sectie is gemaakt", - "The section has been deleted": "Het onderdeel is verwijderd", + "The section has been deleted": "De sectie is verwijderd", "The section has been updated": "De sectie is bijgewerkt", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Deze mensen zijn uitgenodigd voor uw team en hebben een uitnodigingsmail ontvangen. Ze kunnen lid worden van het team door de e-mailuitnodiging te accepteren.", - "The tag has been added": "De tag is toegevoegd", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Deze personen hebben een uitnodiging ontvangen om lid te worden van je team. Ze kunnen deelnemen door de uitnodiging te accepteren.", + "The tag has been added": "Het label is toegevoegd", "The tag has been created": "De tag is gemaakt", "The tag has been deleted": "De tag is verwijderd", "The tag has been updated": "De tag is bijgewerkt", "The task has been created": "De taak is gemaakt", "The task has been deleted": "De taak is verwijderd", "The task has been edited": "De taak is bewerkt", - "The team's name and owner information.": "De naam van het team en informatie over de eigenaar.", + "The team's name and owner information.": "De naam van het team en de informatie over de eigenaar.", "The Telegram channel has been deleted": "Het Telegram-kanaal is verwijderd", - "The template has been created": "Het sjabloon is gemaakt", - "The template has been deleted": "Het sjabloon is verwijderd", + "The template has been created": "De sjabloon is gemaakt", + "The template has been deleted": "De sjabloon is verwijderd", "The template has been set": "Het sjabloon is ingesteld", "The template has been updated": "Het sjabloon is bijgewerkt", - "The test email has been sent": "De testmail is verzonden", + "The test email has been sent": "De test-e-mail is verzonden", "The type has been created": "Het type is gemaakt", "The type has been deleted": "Het type is verwijderd", "The type has been updated": "Het type is bijgewerkt", @@ -1067,23 +1068,23 @@ "The vault has been created": "De kluis is gemaakt", "The vault has been deleted": "De kluis is verwijderd", "The vault have been updated": "De kluis is bijgewerkt", - "they\/them": "zij\/zij", + "they/them": "zij/hen", "This address is not active anymore": "Dit adres is niet meer actief", "This device": "Dit apparaat", "This email is a test email to check if Monica can send an email to this email address.": "Deze e-mail is een test-e-mail om te controleren of Monica een e-mail naar dit e-mailadres kan sturen.", - "This is a secure area of the application. Please confirm your password before continuing.": "Dit is een beveiligd gedeelte van de applicatie. Bevestig uw wachtwoord voordat u verder gaat.", - "This is a test email": "Dit is een testmail", + "This is a secure area of the application. Please confirm your password before continuing.": "Dit is een beveiligd gedeelte van de applicatie. Bevestig je wachtwoord voordat je doorgaat.", + "This is a test email": "Dit is een test-e-mail", "This is a test notification for :name": "Dit is een testmelding voor :name", "This key is already registered. It’s not necessary to register it again.": "Deze sleutel is al geregistreerd. Het is niet nodig om het opnieuw te registreren.", - "This link will open in a new tab": "Deze link opent in een nieuw tabblad", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Deze pagina toont alle meldingen die in het verleden in dit kanaal zijn verzonden. Het dient in de eerste plaats als een manier om te debuggen voor het geval u de door u ingestelde melding niet ontvangt.", - "This password does not match our records.": "Dit wachtwoord komt niet overeen met onze gegevens.", - "This password reset link will expire in :count minutes.": "Deze link voor het opnieuw instellen van het wachtwoord verloopt over :count minuten.", + "This link will open in a new tab": "Deze link wordt geopend in een nieuw tabblad", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Op deze pagina worden alle meldingen weergegeven die in het verleden in dit kanaal zijn verzonden. Het dient in de eerste plaats als een manier om fouten op te sporen voor het geval u de door u ingestelde melding niet ontvangt.", + "This password does not match our records.": "Het wachtwoord is onbekend.", + "This password reset link will expire in :count minutes.": "Deze link om je wachtwoord te herstellen verloopt over :count minuten.", "This post has no content yet.": "Dit bericht heeft nog geen inhoud.", - "This provider is already associated with another account": "Deze provider is al gekoppeld aan een ander account", - "This site is open source.": "Deze site is open source.", - "This template will define what information are displayed on a contact page.": "Deze sjabloon definieert welke informatie op een contactpagina wordt weergegeven.", - "This user already belongs to the team.": "Deze gebruiker behoort al tot het team.", + "This provider is already associated with another account": "Deze provider is al aan een ander account gekoppeld", + "This site is open source.": "Deze site is opensource.", + "This template will define what information are displayed on a contact page.": "Deze sjabloon bepaalt welke informatie op een contactpagina wordt weergegeven.", + "This user already belongs to the team.": "Deze gebruiker is al toegewezen aan het team.", "This user has already been invited to the team.": "Deze gebruiker is al uitgenodigd voor het team.", "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Deze gebruiker maakt deel uit van uw account, maar krijgt geen toegang tot alle kluizen in dit account, tenzij u er specifieke toegang toe geeft. Deze persoon kan ook kluizen maken.", "This will immediately:": "Dit zal onmiddellijk:", @@ -1091,196 +1092,192 @@ "Thursday": "Donderdag", "Timezone": "Tijdzone", "Title": "Titel", - "to": "naar", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Om het inschakelen van tweefactorauthenticatie te voltooien, scant u de volgende QR-code met de authenticatietoepassing van uw telefoon of voert u de installatiesleutel in en geeft u de gegenereerde OTP-code op.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Om het inschakelen van tweefactorauthenticatie te voltooien, scant u de volgende QR-code met de authenticatietoepassing van uw telefoon of voert u de installatiesleutel in en geeft u de gegenereerde OTP-code op.", - "Toggle navigation": "Schakel tussen navigatie", + "to": "tot", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Scan de volgende QR-code met de auhenticatie-applicatie van je telefoon of gebruik de setup-sleutel en voer de gegenereerde OTP-code in om het inschakelen van tweestapsverificatie af te ronden.", + "Toggle navigation": "Schakel navigatie", "To hear their story": "Om hun verhaal te horen", - "Token Name": "Tokennaam", + "Token Name": "Token Naam", "Token name (for your reference only)": "Tokennaam (alleen ter referentie)", "Took a new job": "Een nieuwe baan aangenomen", - "Took the bus": "De bus genomen", - "Took the metro": "De metro genomen", - "Too Many Requests": "Te veel verzoeken", + "Took the bus": "Nam de bus", + "Took the metro": "Nam de metro", + "Too Many Requests": "Te veel serververzoeken", "To see if they need anything": "Om te kijken of ze iets nodig hebben", - "To start, you need to create a vault.": "Om te beginnen, moet u een kluis maken.", + "To start, you need to create a vault.": "Om te beginnen moet u een kluis maken.", "Total:": "Totaal:", - "Total streaks": "Totale strepen", - "Track a new metric": "Volg een nieuwe statistiek", + "Total streaks": "Totaal strepen", + "Track a new metric": "Houd een nieuwe statistiek bij", "Transportation": "Vervoer", "Tuesday": "Dinsdag", - "Two-factor Confirmation": "Twee-factor bevestiging", - "Two Factor Authentication": "Twee-factor-authenticatie", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Twee-factor-authenticatie is nu ingeschakeld. Scan de volgende QR-code met de authenticatietoepassing van uw telefoon of voer de configuratiesleutel in.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Twee-factor-authenticatie is nu ingeschakeld. Scan de volgende QR-code met de authenticatietoepassing van uw telefoon of voer de configuratiesleutel in.", + "Two-factor Confirmation": "Bevestiging met twee factoren", + "Two Factor Authentication": "Tweestapsverificatie", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Tweestapsverificatie is nu ingeschakeld. Scan de volgende QR-code met de authenticatie-applicatie van je telefoon of gebruik de setup-sleutel.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Tweefactorauthenticatie is nu ingeschakeld. Scan de volgende QR-code met de authenticatietoepassing van uw telefoon of voer de installatiesleutel in.", "Type": "Type", "Type:": "Type:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Typ alles in het gesprek met de Monica-bot. Het kan bijvoorbeeld `start` zijn.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Typ alles in het gesprek met de Monica-bot. Het kan bijvoorbeeld ’start’ zijn.", "Types": "Soorten", "Type something": "Typ iets", "Unarchive contact": "Contact uit het archief halen", - "unarchived the contact": "het contact uit het archief gehaald", - "Unauthorized": "Ongeautoriseerd", - "uncle\/aunt": "oom tante", + "unarchived the contact": "heb het contact uit het archief gehaald", + "Unauthorized": "Onbevoegd", + "uncle/aunt": "oom/tante", "Undefined": "Ongedefinieerd", "Unexpected error on login.": "Onverwachte fout bij inloggen.", "Unknown": "Onbekend", "unknown action": "onbekende actie", "Unknown age": "Onbekende leeftijd", - "Unknown contact name": "Onbekende naam contactpersoon", "Unknown name": "Onbekende naam", "Update": "Update", "Update a key.": "Een sleutel bijwerken.", - "updated a contact information": "een contactgegevens bijgewerkt", + "updated a contact information": "bijgewerkte contactgegevens", "updated a goal": "een doel bijgewerkt", "updated an address": "een adres bijgewerkt", "updated an important date": "een belangrijke datum bijgewerkt", "updated a pet": "een huisdier bijgewerkt", - "Updated on :date": "Bijgewerkt op :datum", - "updated the avatar of the contact": "de avatar van de contactpersoon bijgewerkt", + "Updated on :date": "Bijgewerkt op :date", + "updated the avatar of the contact": "heeft de avatar van het contact bijgewerkt", "updated the contact information": "de contactgegevens bijgewerkt", - "updated the job information": "de vacaturegegevens bijgewerkt", - "updated the religion": "bijgewerkt de religie", - "Update Password": "Vernieuw wachtwoord", - "Update your account's profile information and email address.": "Werk de profielgegevens en het e-mailadres van uw account bij.", - "Update your account’s profile information and email address.": "Werk de profielgegevens en het e-mailadres van uw account bij.", + "updated the job information": "de taakinformatie bijgewerkt", + "updated the religion": "de religie bijgewerkt", + "Update Password": "Wachtwoord Aanpassen", + "Update your account's profile information and email address.": "Pas je profiel informatie en e-mailadres aan.", "Upload photo as avatar": "Upload foto als avatar", "Use": "Gebruik", - "Use an authentication code": "Gebruik een authenticatiecode", + "Use an authentication code": "Gebruik een autorisatiecode", "Use a recovery code": "Gebruik een herstelcode", - "Use a security key (Webauthn, or FIDO) to increase your account security.": "Gebruik een beveiligingssleutel (Webauthn of FIDO) om de beveiliging van uw account te vergroten.", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "Gebruik een beveiligingssleutel (Webauthn of FIDO) om de veiligheid van uw account te vergroten.", "User preferences": "Gebruiker voorkeuren", "Users": "Gebruikers", "User settings": "Gebruikersinstellingen", "Use the following template for this contact": "Gebruik het volgende sjabloon voor dit contact", - "Use your password": "Gebruik je wachtwoord", + "Use your password": "Gebruik uw wachtwoord", "Use your security key": "Gebruik uw beveiligingssleutel", "Validating key…": "Sleutel valideren…", "Value copied into your clipboard": "Waarde gekopieerd naar uw klembord", - "Vaults contain all your contacts data.": "Vaults bevatten al uw contactgegevens.", - "Vault settings": "Kluis instellingen", - "ve\/ver": "en geef", + "Vaults contain all your contacts data.": "Kluizen bevatten al uw contactgegevens.", + "Vault settings": "Kluisinstellingen", + "ve/ver": "ve/ver", "Verification email sent": "verificatie email verzonden", "Verified": "Geverifieerd", - "Verify Email Address": "Bevestig e-mail adres", + "Verify Email Address": "Verifieer e-mailadres", "Verify this email address": "Verifieer dit e-mailadres", "Version :version — commit [:short](:url).": "Versie :version — commit [:short](:url).", "Via Telegram": "Via Telegram", "Video call": "Video-oproep", "View": "Weergave", "View all": "Bekijk alles", - "View details": "Details bekijken", - "Viewer": "kijker", + "View details": "Bekijk details", + "Viewer": "Kijker", "View history": "Bekijk geschiedenis", - "View log": "Logboek bekijken", + "View log": "Bekijk logboek", "View on map": "Bekijk op kaart", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Wacht een paar seconden tot Monica (de applicatie) je herkent. We sturen je een valse melding om te zien of het werkt.", - "Waiting for key…": "Wachten op sleutel...", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Wacht een paar seconden totdat Monica (de applicatie) je herkent. We sturen u een valse melding om te zien of het werkt.", + "Waiting for key…": "Wachten op sleutel…", "Walked": "Liep", "Wallpaper": "Behang", "Was there a reason for the call?": "Was er een reden voor het telefoontje?", - "Watched a movie": "Film gekeken", - "Watched a tv show": "Heb een tv-programma gekeken", + "Watched a movie": "Ik heb een film bekeken", + "Watched a tv show": "Een tv-programma bekeken", "Watched TV": "Tv gekeken", - "Watch Netflix every day": "Kijk elke dag naar Netflix", + "Watch Netflix every day": "Kijk elke dag Netflix", "Ways to connect": "Manieren om verbinding te maken", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn ondersteunt alleen beveiligde verbindingen. Laad deze pagina met https-schema.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "We noemen ze een relatie, en de omgekeerde relatie. Voor elke relatie die u definieert, moet u de tegenhanger ervan definiëren.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "We noemen ze een relatie, en de omgekeerde relatie ervan. Voor elke relatie die u definieert, moet u de tegenhanger ervan definiëren.", "Wedding": "Bruiloft", "Wednesday": "Woensdag", - "We hope you'll like it.": "We hopen dat je het leuk zult vinden.", + "We hope you'll like it.": "Wij hopen dat je het leuk zult vinden.", "We hope you will like what we’ve done.": "We hopen dat je het leuk zult vinden wat we hebben gedaan.", "Welcome to Monica.": "Welkom bij Monica.", - "Went to a bar": "Ging naar een kroeg", - "We support Markdown to format the text (bold, lists, headings, etc…).": "We ondersteunen Markdown om de tekst op te maken (vetgedrukt, lijsten, koppen, enz…).", - "We were unable to find a registered user with this email address.": "We konden geen geregistreerde gebruiker vinden met dit e-mailadres.", + "Went to a bar": "Ging naar een bar", + "We support Markdown to format the text (bold, lists, headings, etc…).": "We ondersteunen Markdown om de tekst op te maken (vetgedrukt, lijsten, koppen, enz...).", + "We were unable to find a registered user with this email address.": "Er is geen gebruiker met dit e-mailadres.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "We sturen een e-mail naar dit e-mailadres dat u moet bevestigen voordat we meldingen naar dit adres kunnen sturen.", "What happens now?": "Wat gebeurt er nu?", "What is the loan?": "Wat is de lening?", - "What permission should :name have?": "Welke rechten moet :naam hebben?", - "What permission should the user have?": "Welke rechten moet de gebruiker hebben?", + "What permission should :name have?": "Welke toestemming moet :name hebben?", + "What permission should the user have?": "Welke toestemming moet de gebruiker hebben?", + "Whatsapp": "WhatsApp", "What should we use to display maps?": "Wat moeten we gebruiken om kaarten weer te geven?", "What would make today great?": "Wat zou vandaag geweldig maken?", - "When did the call happened?": "Wanneer is de oproep gebeurd?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Wanneer tweefactorauthenticatie is ingeschakeld, wordt u tijdens de authenticatie gevraagd om een ​​veilig, willekeurig token. U kunt dit token ophalen uit de Google Authenticator-applicatie van uw telefoon.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Wanneer tweefactorauthenticatie is ingeschakeld, wordt u tijdens de authenticatie gevraagd om een ​​veilig, willekeurig token. U kunt dit token ophalen uit de Authenticator-applicatie van uw telefoon.", - "When was the loan made?": "Wanneer is de lening afgesloten?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Wanneer u een relatie definieert tussen twee contacten, bijvoorbeeld een vader-zoonrelatie, creëert Monica twee relaties, één voor elk contact:", + "When did the call happened?": "Wanneer vond de oproep plaats?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Als tweestapsverificatie is ingeschakeld, word je tijdens de authenticatie om een veilige, willekeurige token gevraagd. Je kunt dit token ophalen uit de Google Authenticator-applicatie op je telefoon.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Wanneer tweefactorauthenticatie is ingeschakeld, wordt u tijdens de authenticatie om een veilig, willekeurig token gevraagd. U kunt dit token ophalen via de Authenticator-applicatie van uw telefoon.", + "When was the loan made?": "Wanneer is de lening verstrekt?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Wanneer u een relatie tussen twee contactpersonen definieert, bijvoorbeeld een vader-zoonrelatie, maakt Monica twee relaties, één voor elk contact:", "Which email address should we send the notification to?": "Naar welk e-mailadres moeten we de melding sturen?", "Who called?": "Wie belde?", "Who makes the loan?": "Wie verstrekt de lening?", "Whoops!": "Oeps!", - "Whoops! Something went wrong.": "Oeps! Er is iets fout gegaan.", + "Whoops! Something went wrong.": "Oeps! Er is iets misgelopen.", "Who should we invite in this vault?": "Wie moeten we uitnodigen in deze kluis?", "Who the loan is for?": "Voor wie is de lening bedoeld?", "Wish good day": "Wens een goede dag", "Work": "Werk", - "Write the amount with a dot if you need decimals, like 100.50": "Schrijf het bedrag met een punt als je decimalen nodig hebt, zoals 100,50", + "Write the amount with a dot if you need decimals, like 100.50": "Schrijf het bedrag met een punt als u decimalen nodig heeft, zoals 100,50", "Written on": "Geschreven op", - "wrote a note": "schreef een notitie", - "xe\/xem": "auto\/uitzicht", + "wrote a note": "schreef een briefje", + "xe/xem": "xe/xem", "year": "jaar", - "Years": "jaren", + "Years": "Jaren", "You are here:": "Je bent hier:", - "You are invited to join Monica": "Je bent uitgenodigd om je bij Monica aan te sluiten", - "You are receiving this email because we received a password reset request for your account.": "U ontvangt deze e-mail omdat we een verzoek om het wachtwoord opnieuw in te stellen voor uw account hebben ontvangen.", - "you can't even use your current username or password to sign in,": "je kunt niet eens je huidige gebruikersnaam of wachtwoord gebruiken om in te loggen,", - "you can't even use your current username or password to sign in, ": "je kunt niet eens je huidige gebruikersnaam of wachtwoord gebruiken om in te loggen,", - "you can't import any data from your current Monica account(yet),": "je kunt (nog) geen gegevens importeren uit je huidige Monica-account,", - "you can't import any data from your current Monica account(yet), ": "je kunt (nog) geen gegevens importeren uit je huidige Monica-account,", - "You can add job information to your contacts and manage the companies here in this tab.": "U kunt hier op dit tabblad vacature-informatie toevoegen aan uw contacten en de bedrijven beheren.", - "You can add more account to log in to our service with one click.": "U kunt met één klik meer accounts toevoegen om u aan te melden bij onze service.", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "U kunt via verschillende kanalen op de hoogte worden gebracht: e-mails, een Telegram-bericht, op Facebook. Jij beslist.", - "You can change that at any time.": "U kunt dat op elk moment wijzigen.", - "You can choose how you want Monica to display dates in the application.": "U kunt kiezen hoe u wilt dat Monica datums weergeeft in de applicatie.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "U kunt kiezen welke valuta's in uw account moeten worden ingeschakeld en welke niet.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "U kunt aanpassen hoe contacten moeten worden weergegeven volgens uw eigen smaak\/cultuur. Misschien wilt u James Bond gebruiken in plaats van Bond James. Hier kunt u het naar believen definiëren.", - "You can customize the criteria that let you track your mood.": "U kunt de criteria aanpassen waarmee u uw stemming kunt volgen.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "U kunt contacten tussen kluizen verplaatsen. Deze wijziging is per direct. U kunt alleen contacten verplaatsen naar kluizen waarvan u deel uitmaakt. Alle contactgegevens verhuizen mee.", + "You are invited to join Monica": "Je bent van harte uitgenodigd om je bij Monica aan te sluiten", + "You are receiving this email because we received a password reset request for your account.": "Je ontvangt deze e-mail omdat we een wachtwoordherstel verzoek hebben ontvangen voor je account.", + "you can't even use your current username or password to sign in,": "u kunt niet eens uw huidige gebruikersnaam of wachtwoord gebruiken om in te loggen,", + "you can't import any data from your current Monica account(yet),": "je kunt (nog) geen gegevens uit je huidige Monica-account importeren,", + "You can add job information to your contacts and manage the companies here in this tab.": "Hier op dit tabblad kunt u functie-informatie aan uw contacten toevoegen en de bedrijven beheren.", + "You can add more account to log in to our service with one click.": "U kunt met één klik meer accounts toevoegen om in te loggen op onze service.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Je kunt via verschillende kanalen op de hoogte worden gebracht: e-mails, een Telegram-bericht, op Facebook. Jij beslist.", + "You can change that at any time.": "Je kunt dat op elk moment wijzigen.", + "You can choose how you want Monica to display dates in the application.": "Je kunt kiezen hoe je wilt dat Monica datums in de applicatie weergeeft.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "U kunt kiezen welke valuta’s in uw account moeten worden ingeschakeld en welke niet.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "U kunt aanpassen hoe contacten moeten worden weergegeven volgens uw eigen smaak/cultuur. Misschien zou je James Bond willen gebruiken in plaats van Bond James. Hier kunt u het naar wens definiëren.", + "You can customize the criteria that let you track your mood.": "U kunt de criteria aanpassen waarmee u uw humeur kunt volgen.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "U kunt contacten tussen kluizen verplaatsen. Deze verandering is onmiddellijk. U kunt alleen contacten verplaatsen naar kluizen waarvan u deel uitmaakt. Alle contactgegevens verhuizen mee.", "You cannot remove your own administrator privilege.": "U kunt uw eigen beheerdersrechten niet verwijderen.", - "You don’t have enough space left in your account.": "Je hebt niet genoeg ruimte meer in je account.", - "You don’t have enough space left in your account. Please upgrade.": "Je hebt niet genoeg ruimte meer in je account. Upgrade alstublieft.", - "You have been invited to join the :team team!": "Je bent uitgenodigd om deel uit te maken van het :team-team!", - "You have enabled two factor authentication.": "Je hebt twee-factor-authenticatie ingeschakeld.", - "You have not enabled two factor authentication.": "Je hebt twee-factor-authenticatie niet ingeschakeld.", - "You have not setup Telegram in your environment variables yet.": "U heeft Telegram nog niet ingesteld in uw omgevingsvariabelen.", - "You haven’t received a notification in this channel yet.": "Je hebt nog geen melding ontvangen in dit kanaal.", + "You don’t have enough space left in your account.": "U heeft onvoldoende ruimte over in uw account.", + "You don’t have enough space left in your account. Please upgrade.": "U heeft onvoldoende ruimte over in uw account. Upgrade alstublieft.", + "You have been invited to join the :team team!": "Je bent uitgenodigd om lid te worden van team :team!", + "You have enabled two factor authentication.": "Je hebt tweestapsverificatie ingeschakeld.", + "You have not enabled two factor authentication.": "Je hebt tweestapsverificatie niet ingeschakeld.", + "You have not setup Telegram in your environment variables yet.": "Je hebt Telegram nog niet ingesteld in je omgevingsvariabelen.", + "You haven’t received a notification in this channel yet.": "Je hebt nog geen melding ontvangen op dit kanaal.", "You haven’t setup Telegram yet.": "Je hebt Telegram nog niet ingesteld.", - "You may accept this invitation by clicking the button below:": "U kunt deze uitnodiging accepteren door op de onderstaande knop te klikken:", - "You may delete any of your existing tokens if they are no longer needed.": "U kunt al uw bestaande tokens verwijderen als ze niet langer nodig zijn.", - "You may not delete your personal team.": "U mag uw persoonlijke team niet verwijderen.", - "You may not leave a team that you created.": "Je mag een door jou aangemaakt team niet verlaten.", + "You may accept this invitation by clicking the button below:": "Je kunt de uitnodiging accepteren door op de volgende knop te klikken:", + "You may delete any of your existing tokens if they are no longer needed.": "Je kunt al je bestaande tokens verwijderen als ze niet langer nodig zijn.", + "You may not delete your personal team.": "Je mag je persoonlijke team niet verwijderen.", + "You may not leave a team that you created.": "Je kan het team dat je aangemaakt hebt niet verlaten.", "You might need to reload the page to see the changes.": "Mogelijk moet u de pagina opnieuw laden om de wijzigingen te zien.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "U hebt ten minste één sjabloon nodig om contacten weer te geven. Zonder een sjabloon weet Monica niet welke informatie ze moet weergeven.", - "Your account current usage": "Het huidige gebruik van uw account", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "U heeft minimaal één sjabloon nodig om contacten weer te geven. Zonder sjabloon weet Monica niet welke informatie moet worden weergegeven.", + "Your account current usage": "Het huidige accountgebruik", "Your account has been created": "Je account is aangemaakt", - "Your account is linked": "Je account is gekoppeld", + "Your account is linked": "Uw account is gekoppeld", "Your account limits": "Uw accountlimieten", "Your account will be closed immediately,": "Uw account wordt onmiddellijk gesloten,", "Your browser doesn’t currently support WebAuthn.": "Uw browser ondersteunt momenteel geen WebAuthn.", - "Your email address is unverified.": "Uw e-mailadres is niet geverifieerd.", - "Your life events": "Je levensgebeurtenissen", - "Your mood has been recorded!": "Je stemming is geregistreerd!", - "Your mood that day": "Je stemming die dag", - "Your mood that you logged at this date": "Je stemming die je op deze datum hebt geregistreerd", + "Your email address is unverified.": "Je e-mailadres is niet geverifieerd.", + "Your life events": "Jouw levensgebeurtenissen", + "Your mood has been recorded!": "Je humeur is vastgelegd!", + "Your mood that day": "Jouw humeur die dag", + "Your mood that you logged at this date": "Uw stemming die u op deze datum heeft geregistreerd", "Your mood this year": "Jouw humeur dit jaar", - "Your name here will be used to add yourself as a contact.": "Je naam wordt hier gebruikt om jezelf toe te voegen als contactpersoon.", - "You wanted to be reminded of the following:": "U wilde herinnerd worden aan het volgende:", - "You WILL still have to delete your account on Monica or OfficeLife.": "Je MOET nog steeds je account op Monica of OfficeLife verwijderen.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Je bent uitgenodigd om dit e-mailadres te gebruiken in Monica, een open source persoonlijk CRM, zodat we het kunnen gebruiken om je meldingen te sturen.", - "ze\/hir": "aan haar", - "⚠️ Danger zone": "⚠️ Gevarenzone", - "🌳 Chalet": "🌳 Chalet", - "🏠 Secondary residence": "🏠 Tweede woning", - "🏡 Home": "🏡 Thuis", + "Your name here will be used to add yourself as a contact.": "Uw naam hier wordt gebruikt om uzelf als contactpersoon toe te voegen.", + "You wanted to be reminded of the following:": "Je wilde herinnerd worden aan het volgende:", + "You WILL still have to delete your account on Monica or OfficeLife.": "U ZULT nog steeds uw account op Monica of OfficeLife moeten verwijderen.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "U bent uitgenodigd om dit e-mailadres te gebruiken in Monica, een open source persoonlijk CRM, zodat we het kunnen gebruiken om u meldingen te sturen.", + "ze/hir": "ze/hir", + "⚠️ Danger zone": "⚠️Gevarenzone", + "🌳 Chalet": "🌳Chalet", + "🏠 Secondary residence": "🏠 Tweede verblijfplaats", + "🏡 Home": "🏡Thuis", "🏢 Work": "🏢 Werk", - "🔔 Reminder: :label for :contactName": "🔔 Herinnering: :label voor :contactnaam", + "🔔 Reminder: :label for :contactName": "🔔 Herinnering: :label voor :contactName", "😀 Good": "😀 Goed", "😁 Positive": "😁 Positief", "😐 Meh": "😐 Meh", "😔 Bad": "😔 Slecht", "😡 Negative": "😡 Negatief", - "😩 Awful": "😩 Vreselijk", + "😩 Awful": "😩 Verschrikkelijk", "😶‍🌫️ Neutral": "😶‍🌫️ Neutraal", "🥳 Awesome": "🥳 Geweldig" } \ No newline at end of file diff --git a/lang/nl/auth.php b/lang/nl/auth.php index b7961fc5927..43173b87669 100644 --- a/lang/nl/auth.php +++ b/lang/nl/auth.php @@ -1,8 +1,8 @@ 'ਈਮੇਲ ਅਤੇ ਪਾਸਵਰਡ ਦੀ ਇਸ ਜੋੜੀ ਵੈਧ ਨਹੀਂ ਹੈ।', - 'lang' => 'ਨੀਦਰਲੈਂਡਸ', - 'password' => 'ਪਾਸਵਰਡ ਗਲਤ ਹੈ।', - 'throttle' => ':seconds ਸਕਿੰਟਾਂ ਵਿੱਚ ਹੋਈਆਂ ਬਹੁਤ ਵਧੀਆਂ ਲੋੜਾਂ ਦੀ ਵਜ੍ਹਾ ਤੋਂ ਲਾਗਤਾਰ ਸਾਈਨ ਇਨ ਕਰਨ ਦੀ ਕੋਸ਼ਿਸ਼ ਕੀਤੀ ਹੈ। ਫੇਰ ਕੋਸ਼ਿਸ਼ ਕਰੋ।', + 'failed' => 'Deze combinatie van e-mailadres en wachtwoord is niet geldig.', + 'lang' => 'Nederlands', + 'password' => 'Wachtwoord is onjuist.', + 'throttle' => 'Te veel mislukte aanmeldpogingen. Probeer het nog eens over :seconds seconden.', ]; diff --git a/lang/nl/http-statuses.php b/lang/nl/http-statuses.php index 8f6e0cfa6b5..6487565d366 100644 --- a/lang/nl/http-statuses.php +++ b/lang/nl/http-statuses.php @@ -1,82 +1,82 @@ 'ਅਣਜਾਣ ਗਲਤੀ ਸੁਨੇਹਾ', - '100' => 'ਜਾਰੀ ਰੱਖੋ', - '101' => 'ਪ੍ਰੋਟੋਕਾਲ ਤਬਦੀਲੀ', - '102' => 'ਪ੍ਰਸੇਸ ਕਰੋ', - '200' => 'ਠੀਕ ਹੈ', - '201' => 'ਬਣਾਇਆ ਗਿਆ', - '202' => 'ਸਵੀਕਾਰ ਕੀਤਾ ਗਿਆ', - '203' => 'ਅਧਿਕਾਰਿਤ ਜਾਣਕਾਰੀ ਨਹੀਂ', - '204' => 'ਕੋਈ ਸਮੱਗਰੀ ਨਹੀਂ', - '205' => 'ਸਮੱਗਰੀ ਮੁੜ ਸੈੱਟ ਕਰੋ', - '206' => 'ਆਂਸ਼ਿਕ ਸਮੱਗਰੀ', - '207' => 'ਕਈ ਹਾਲਾਤ', - '208' => 'ਪਹਿਲਾਂ ਹੀ ਸੂਚਿਤ ਕੀਤਾ ਗਿਆ ਹੈ', - '226' => 'ਮੈਂ ਵਰਤਿਆ ਗਿਆ ਹਾਂ', - '300' => 'ਮਲਟੀਪਲ ਚੋਣ', - '301' => 'ਅੰਤਿਮ ਤਬਦੀਲੀ', - '302' => 'ਲੱਭਿਆ', - '303' => 'ਹੋਰ ਵੇਖੋ', - '304' => 'ਨਹੀਂ ਬਦਲਿਆ', - '305' => 'ਪਰਸ਼ਤੀ ਵਰਤੋ', - '307' => 'ਅਸਥਾਈ ਰੀਰਾਹ', - '308' => 'ਅੰਤਿਮ ਰੀਰਾਹ', - '400' => 'ਗਲਤ ਬੇਨਤੀ', - '401' => 'ਅਧਿਕਾਰ ਨਹੀਂ ਹੈ', - '402' => 'ਭੁਗਤਾਨ ਕੀਤਾ ਜਾਂਦਾ ਹੈ', - '403' => 'ਪਾਬੰਦੀ ਹੈ', - '404' => 'ਨਹੀਂ ਲੱਭਿਆ', - '405' => 'ਮੈਥਡ ਨਹੀਂ ਹੈ', - '406' => 'ਸਵੀਕਾਰਨ ਯੋਗ ਨਹੀ ਂ', - '407' => 'ਪ੍ਰਾਕਸੀ ਸਰਵਰ ਉੱਤੇ ਪ੍ਰਮਾਣੀਕਰਣ ਲਾਜ਼ਮੀ', - '408' => 'ਬੇਨਤੀ ਵਾਰ ਅੰਤ ਹੋ ਗਈ', - '409' => 'ਟਕਰਾਵ', - '410' => 'ਗ਼ਾਇਬ', - '411' => 'ਲੰਬਾਈ ਲਾਜ਼ਮੀ ਹੈ', - '412' => 'ਪੂਰਵ-ਨਿਰਧਾਰਿਤ ਸ਼ਰਤ ਨਾ ਪੂਰੀ ਹੋਈ', - '413' => 'ਬੇਨਤੀ ਬਹੁਤ ਵੱਡੀ ਹੈ', - '414' => 'ਬੇਨਤੀ URL ਬਹੁਤ ਲੰਬਾ ਹੈ', - '415' => 'ਮੀਡੀਆ ਟਾਈਪ ਸਹਿਿਯੋਗ ਨਹੀਂ ਹੈ', - '416' => 'ਸੰਬੰਧ ਸੰਖੇਪ ਨਹੀਂ ਹੈ', - '417' => 'ਉਮੀਦਾਂ ਨਾ ਪੂਰੀ ਹੋਈਆਂ', - '418' => 'ਮੈਂ ਇੱਕ ਚਾਹਣ ਪਟੀ ਹਾਂ', - '419' => 'ਪੰਨਾ ਮਿਆਦ ਖਤਮ', - '421' => 'ਗਲਤ ਪੁੱਛਾਂ ਜਾਂਦਾ ਹੈ', - '422' => 'ਬੇਨਤੀ ਨੂੰ ਪ੍ਰੋਸੈਸ ਨਹੀਂ ਕੀਤਾ ਜਾ ਸਕਦਾ', - '423' => 'ਬੰਦ ਹੈ', - '424' => 'ਅਸਫਲ ਨਿਰਭਰਤਾ', - '425' => 'ਬਹੁਤ ਜਲਦੀ', - '426' => 'ਅੱਪਗ੍ਰੇਡ ਦੀ ਲੋੜ ਹੈ', - '428' => 'ਸ਼ਰਤ ਲਾਜ਼ਮੀ ਹੈ', - '429' => 'ਬਹੁਤ ਸਾਰੇ ਬੇਨਤੀ', - '431' => 'ਬੇਨਤੀ ਦੇ ਹੈਡਰ ਬਹੁਤ ਲੰਬੇ ਹਨ', - '444' => 'ਕੁਨੈਕਸ਼ਨ ਬਿਨਾਂ ਜਵਾਬ ਦੇ ਬੰਦ', - '449' => 'ਨਾਲ ਮੁੜ ਕੋਸ਼ਿਸ਼ ਕਰੋ', - '451' => 'ਕਾਨੂੰਨੀ ਕਾਰਨਾਂ ਵਜੋਂ ਪਹੁੰਚ ਨਾ ਦਿੱਤਾ ਗਿਆ', - '499' => 'ਗਾਹਕ ਬੰਦ ਬੇਨਤੀ', - '500' => 'ਸਰਵਰ ਵਿੱਚ ਅੰਦਰੂਨੀ ਗਲਤੀ', - '501' => 'ਅਮਲ ਵਿਆਪਕ ਨਹੀਂ ਹੈ', - '502' => 'ਬੁਰੀ ਪੋਰਟ', - '503' => 'ਸੇਵਾ ਉਪਲਬਧ ਨਹੀਂ ਹੈ', - '504' => 'ਗੇਟਵੇ-ਟਾਈਮ-ਆਉਟ', - '505' => 'HTTP-ਵਰਜਨ ਸਹਿਯੋਗ ਨਹੀਂ ਹੈ', - '506' => 'ਵੈਰੀਅਂਟ ਵੀ ਸਹਿਯੋਗ ਕਰਦਾ ਹੈ', - '507' => 'ਅਪਰਮਾਣਿਕ ਸਟੋਰੇਜ', - '508' => 'ਲੂਪ ਪਕੜਿਆ ਗਿਆ', - '509' => 'ਬੈਂਡਵਿਡਥ ਦੀ ਹਦ ਪਾਰ ਹੋ ਗਈ', - '510' => 'ਨਾ ਵਧਾਇਆ ਜਾ ਸਕਦਾ', - '511' => 'ਨੈੱਟਵਰਕ ਪ੍ਰਮਾਣੀਕਰਣ ਲਾਜ਼ਮੀ ਹੈ', - '520' => 'ਅਣਜਾਣ ਗਲਤੀ ਸੁਨੇਹਾ', - '521' => 'ਵੈੱਬ ਸਰਵਰ ਤਕ ਪਹੁੰਚ ਨਹੀਂ ਹੈ', - '522' => 'ਕਨੈਕਸ਼ਨ ਬਹੁਤ ਲੰਮਾ ਚਲਦਾ ਹੈ', - '523' => 'ਮੂਲ ਉਪਲਬਧ ਨਹੀਂ ਹੈ', - '524' => 'ਟਾਈਮ-ਆਉਟ ਹੋਇਆ', - '525' => 'SSL ਹੈਂਡਸ਼ੇਕ ਅਸਫਲ', - '526' => 'ਅਵੈਧ SSL ਸਰਟੀਫਿਕੇਟ', - '527' => 'ਰੇਲਗਨ ਗਲਤੀ ਸੁਨੇਹਾ', - '598' => 'ਨੈੱਟਵਰਕ ਪੜ੍ਹਣ ਟਾਈਮ-ਆਉਟ ਗਲਤੀ', - '599' => 'ਨੈੱਟਵਰਕ ਕਨੈਕਸ਼ਨ ਟਾਈਮ-ਆਉਟ ਸਹੀ ਹ!', - 'unknownError' => 'ਅਣਜਾਣ ਗਲਤੀ ਸੁਨੇਹਾ', + '0' => 'Onbekende foutmelding', + '100' => 'Doorgaan', + '101' => 'Protocolwissel', + '102' => 'Verwerken', + '200' => 'Oké', + '201' => 'Aangemaakt', + '202' => 'Aanvaard', + '203' => 'Niet-gemachtigde informatie', + '204' => 'Geen inhoud', + '205' => 'Inhoud opnieuw instellen', + '206' => 'Gedeeltelijke inhoud', + '207' => 'Meerdere statussen', + '208' => 'Al gemeld', + '226' => 'Ik ben gebruikt', + '300' => 'Meerkeuze', + '301' => 'Definitief verplaatst', + '302' => 'Gevonden', + '303' => 'Zie andere', + '304' => 'Niet gewijzigd', + '305' => 'Gebruik Proxy', + '307' => 'Tijdelijke omleiding', + '308' => 'Definitieve omleiding', + '400' => 'Foute aanvraag', + '401' => 'Niet geautoriseerd', + '402' => 'Betaalde toegang', + '403' => 'Verboden toegang', + '404' => 'Niet gevonden', + '405' => 'Methode niet toegestaan', + '406' => 'Niet aanvaardbaar', + '407' => 'Authenticatie op de proxyserver verplicht', + '408' => 'Aanvraagtijd verstreken', + '409' => 'Conflict', + '410' => 'Verdwenen', + '411' => 'Lengte vereist', + '412' => 'Niet voldaan aan de vooraf gestelde voorwaarde', + '413' => 'Aanvraag te groot', + '414' => 'Aanvraag-URL te lang', + '415' => 'Media-type niet ondersteund', + '416' => 'Bereik niet bevredigend', + '417' => 'Niet voldaan aan verwachting', + '418' => 'Ik ben een theepot', + '419' => 'Pagina verlopen', + '421' => 'Verkeerd geadresseerd verzoek', + '422' => 'Aanvraag kan niet worden verwerkt', + '423' => 'Afgesloten', + '424' => 'Gefaalde afhankelijkheid', + '425' => 'Te vroeg', + '426' => 'Upgrade nodig', + '428' => 'Voorwaarde nodig', + '429' => 'Te veel requests', + '431' => 'Headers van de aanvraag te lang', + '444' => 'Verbinding gesloten zonder reactie', + '449' => 'Opnieuw proberen met', + '451' => 'Toegang geweigerd om juridische redenen', + '499' => 'Klant Gesloten Verzoek', + '500' => 'Interne serverfout', + '501' => 'Niet geïmplementeerd', + '502' => 'Slechte poort', + '503' => 'Dienst niet beschikbaar', + '504' => 'Gateway-time-out', + '505' => 'HTTP-versie wordt niet ondersteund', + '506' => 'Variant onderhandelt ook', + '507' => 'Onvoldoende opslag', + '508' => 'Loop gedetecteerd', + '509' => 'Bandbreedte overschreden', + '510' => 'Niet verlengd', + '511' => 'Netwerkauthenticatie vereist', + '520' => 'Onbekende foutmelding', + '521' => 'Webserver is onbereikbaar', + '522' => 'Connectie duurt te lang', + '523' => 'Herkomst is onbereikbaar', + '524' => 'Time-out opgetreden', + '525' => 'SSL-handshake mislukt', + '526' => 'Ongeldig SSL-certificaat', + '527' => 'Railgun foutmelding', + '598' => 'Time-outfout netwerk lezen', + '599' => 'Fout bij time-out netwerkverbinding', + 'unknownError' => 'Onbekende foutmelding', ]; diff --git a/lang/nl/pagination.php b/lang/nl/pagination.php index 96824938fef..7b2dbdac663 100644 --- a/lang/nl/pagination.php +++ b/lang/nl/pagination.php @@ -1,6 +1,6 @@ 'Volgende »', - 'previous' => '« Vorige', + 'next' => 'Volgende ❯', + 'previous' => '❮ Vorige', ]; diff --git a/lang/nl/passwords.php b/lang/nl/passwords.php index 9e76899ef23..291bf11c496 100644 --- a/lang/nl/passwords.php +++ b/lang/nl/passwords.php @@ -5,5 +5,5 @@ 'sent' => 'We hebben een e-mail verstuurd met instructies om een nieuw wachtwoord in te stellen.', 'throttled' => 'Gelieve even te wachten en het dan opnieuw te proberen.', 'token' => 'Dit wachtwoordhersteltoken is niet geldig.', - 'user' => 'Geen gebruiker bekend met het e-mailadres.', + 'user' => 'Geen gebruiker bekend met dit e-mailadres.', ]; diff --git a/lang/nl/validation.php b/lang/nl/validation.php index fec3a0529d6..0fc100aa4a7 100644 --- a/lang/nl/validation.php +++ b/lang/nl/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute moet tussen :min en :max karakters zijn.', ], 'boolean' => ':Attribute moet ja of nee zijn.', + 'can' => ':Attribute bevat een waarde waar je niet bevoegd voor bent.', 'confirmed' => 'Bevestiging van :attribute komt niet overeen.', 'current_password' => 'Huidig wachtwoord is onjuist.', 'date' => ':Attribute moet een datum bevatten.', diff --git a/lang/no.json b/lang/nn.json similarity index 91% rename from lang/no.json rename to lang/nn.json index 37020aa6394..95dbe36a0cf 100644 --- a/lang/no.json +++ b/lang/nn.json @@ -1,10 +1,10 @@ { - "(and :count more error)": "(og :count more error)", - "(and :count more errors)": "(og :tell flere feil)", + "(and :count more error)": "(og :count feil til)", + "(and :count more errors)": "(og :count feil til)", "(Help)": "(Hjelp)", - "+ add a contact": "+ Legg til en kontakt", + "+ add a contact": "+ legg til en kontakt", "+ add another": "+ legg til en annen", - "+ add another photo": "+ Legg til et nytt bilde", + "+ add another photo": "+ legg til et nytt bilde", "+ add description": "+ legg til beskrivelse", "+ add distance": "+ legg til avstand", "+ add emotion": "+ legg til følelser", @@ -13,7 +13,7 @@ "+ add title": "+ legg til tittel", "+ change date": "+ endre dato", "+ change template": "+ endre mal", - "+ create a group": "+ Opprett en gruppe", + "+ create a group": "+ opprette en gruppe", "+ gender": "+ kjønn", "+ last name": "+ etternavn", "+ maiden name": "+ pikenavn", @@ -22,20 +22,20 @@ "+ note": "+ merknad", "+ number of hours slept": "+ antall timer sov", "+ prefix": "+ prefiks", - "+ pronoun": "+ pleier", + "+ pronoun": "+ pronomen", "+ suffix": "+ suffiks", - ":count contact|:count contacts": ":telle kontakt|:telle kontakter", - ":count hour slept|:count hours slept": ":telle timer sov|:telle timer sov", - ":count min read": ":tell min lesing", - ":count post|:count posts": ":telle innlegg|:telle innlegg", - ":count template section|:count template sections": ":count mal seksjon|:count mal seksjoner", - ":count word|:count words": ":telle ord|:telle ord", - ":distance km": ":avstand km", - ":distance miles": ": avstand miles", - ":file at line :line": ":fil på linje :linje", - ":file in :class at line :line": ":fil i :klasse på linje :linje", - ":Name called": ":navn kalt", - ":Name called, but I didn’t answer": ":navnet ringte, men jeg svarte ikke", + ":count contact|:count contacts": ":count kontakt|:count kontakter", + ":count hour slept|:count hours slept": ":count time sov|:count timer sov", + ":count min read": ":count min lest", + ":count post|:count posts": ":count innlegg|:count innlegg", + ":count template section|:count template sections": ":count malseksjon|:count malseksjoner", + ":count word|:count words": ":count ord|:count ord", + ":distance km": ":distance km", + ":distance miles": ":distance miles", + ":file at line :line": ":file på linje :line", + ":file in :class at line :line": ":file i :class på linje :line", + ":Name called": ":Name ringte", + ":Name called, but I didn’t answer": ":Name ringte, men jeg svarte ikke", ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName inviterer deg til å bli med Monica, en åpen kildekode personlig CRM, utviklet for å hjelpe deg med å dokumentere relasjonene dine.", "Accept Invitation": "Godta invitasjon", "Accept invitation and create your account": "Godta invitasjonen og opprett din konto", @@ -45,7 +45,7 @@ "Activate": "Aktiver", "Activity feed": "Aktivitetsstrøm", "Activity in this vault": "Aktivitet i dette hvelvet", - "Add": "Legg til", + "Add": "Legge til", "add a call reason type": "legg til en type anropsårsak", "Add a contact": "Legg til en kontakt", "Add a contact information": "Legg til en kontaktinformasjon", @@ -127,9 +127,9 @@ "All groups in the vault": "Alle grupper i hvelvet", "All journal metrics in :name": "Alle journalberegninger i :name", "All of the people that are part of this team.": "Alle menneskene som er en del av dette teamet.", - "All rights reserved.": "Alle rettigheter forbeholdt.", + "All rights reserved.": "Alle rettar reservert.", "All tags": "Alle tagger", - "All the address types": "Alle adressetyper", + "All the address types": "Alle adressetypene", "All the best,": "Beste ønsker,", "All the call reasons": "Alle anropsgrunnene", "All the cities": "Alle byene", @@ -151,10 +151,10 @@ "All the photos": "Alle bildene", "All the planned reminders": "Alle de planlagte påminnelsene", "All the pronouns": "Alle pronomenene", - "All the relationship types": "Alle relasjonstyper", + "All the relationship types": "Alle relasjonstypene", "All the religions": "Alle religionene", "All the reports": "Alle rapportene", - "All the slices of life in :name": "Alle skivene av livet i :name", + "All the slices of life in :name": "Alle deler av livet i :name", "All the tags used in the vault": "Alle taggene som brukes i hvelvet", "All the templates": "Alle malene", "All the vaults": "Alle hvelvene", @@ -220,14 +220,14 @@ "boss": "sjef", "Bought": "Kjøpt", "Breakdown of the current usage": "Oversikt over gjeldende bruk", - "brother\/sister": "bror søster", + "brother/sister": "bror/søster", "Browser Sessions": "Nettleserøkter", "Buddhist": "buddhist", "Business": "Virksomhet", "By last updated": "Ved sist oppdatert", "Calendar": "Kalender", "Call reasons": "Ringegrunner", - "Call reasons let you indicate the reason of calls you make to your contacts.": "Anropsårsaker lar deg angi årsaken til anropene du foretar til kontaktene dine.", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Anropsårsaker lar deg angi årsaken til anrop du foretar til kontaktene dine.", "Calls": "Samtaler", "Cancel": "Avbryt", "Cancel account": "Avslutt konto", @@ -270,7 +270,7 @@ "Compared to Monica:": "Sammenlignet med Monica:", "Configure how we should notify you": "Konfigurer hvordan vi skal varsle deg", "Confirm": "Bekrefte", - "Confirm Password": "bekreft passord", + "Confirm Password": "Bekreft passord", "Connect": "Koble", "Connected": "Tilkoblet", "Connect with your security key": "Koble til med sikkerhetsnøkkelen din", @@ -326,7 +326,7 @@ "Current site used to display maps:": "Gjeldende nettsted som brukes til å vise kart:", "Current streak": "Nåværende rekke", "Current timezone:": "Gjeldende tidssone:", - "Current way of displaying contact names:": "Nåværende måte å vise kontaktnavn på:", + "Current way of displaying contact names:": "Gjeldende måte å vise kontaktnavn på:", "Current way of displaying dates:": "Gjeldende måte å vise datoer på:", "Current way of displaying distances:": "Gjeldende måte å vise avstander på:", "Current way of displaying numbers:": "Gjeldende måte å vise tall på:", @@ -364,7 +364,7 @@ "Delete the photo": "Slett bildet", "Delete the slice": "Slett skiven", "Delete the vault": "Slett hvelvet", - "Delete your account on https:\/\/customers.monicahq.com.": "Slett kontoen din på https:\/\/customers.monicahq.com.", + "Delete your account on https://customers.monicahq.com.": "Slett kontoen din på https://customers.monicahq.com.", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Å slette hvelvet betyr å slette alle dataene inne i dette hvelvet, for alltid. Det er ingen vei tilbake. Vær sikker.", "Description": "Beskrivelse", "Detail of a goal": "Detalj av et mål", @@ -419,6 +419,7 @@ "Exception:": "Unntak:", "Existing company": "Eksisterende selskap", "External connections": "Eksterne tilkoblinger", + "Facebook": "Facebook", "Family": "Familie", "Family summary": "Familieoppsummering", "Favorites": "Favoritter", @@ -437,8 +438,7 @@ "for": "til", "For:": "Til:", "For advice": "For råd", - "Forbidden": "Forbudt", - "Forgot password?": "Glemt passord?", + "Forbidden": "Forbode", "Forgot your password?": "Glemt passordet?", "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Glemt passordet? Ikke noe problem. Bare gi oss beskjed om e-postadressen din, så sender vi deg en lenke for tilbakestilling av passord som lar deg velge en ny.", "For your security, please confirm your password to continue.": "For din sikkerhet, bekreft passordet ditt for å fortsette.", @@ -451,7 +451,6 @@ "Gender": "Kjønn", "Gender and pronoun": "Kjønn og pronomen", "Genders": "Kjønn", - "Gift center": "Gavesenter", "Gift occasions": "Gaveanledninger", "Gift occasions let you categorize all your gifts.": "Gaveanledninger lar deg kategorisere alle gavene dine.", "Gift states": "Gave opplyser", @@ -464,7 +463,7 @@ "Google Maps": "Google Kart", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps tilbyr den beste nøyaktigheten og detaljene, men det er ikke ideelt fra et personvernsynspunkt.", "Got fired": "Fikk sparken", - "Go to page :page": "Gå til side:side", + "Go to page :page": "Gå til side :page", "grand child": "barnebarn", "grand parent": "besteforelder", "Great! You have accepted the invitation to join the :team team.": "Flott! Du har godtatt invitasjonen til å bli med i :team-teamet.", @@ -472,17 +471,17 @@ "Groups": "Grupper", "Groups let you put your contacts together in a single place.": "Med grupper kan du sette sammen kontaktene dine på ett sted.", "Group type": "Gruppetype", - "Group type: :name": "Gruppetype: :navn", + "Group type: :name": "Gruppetype: :name", "Group types": "Gruppetyper", "Group types let you group people together.": "Gruppetyper lar deg gruppere folk sammen.", "Had a promotion": "Hadde en forfremmelse", "Hamster": "Hamster", "Have a great day,": "Ha en flott dag,", - "he\/him": "han ham", + "he/him": "han/ham", "Hello!": "Hallo!", "Help": "Hjelp", - "Hi :name": "Hei :navn", - "Hinduist": "hindu", + "Hi :name": "Hei :name", + "Hinduist": "Hinduist", "History of the notification sent": "Historien om varselet som ble sendt", "Hobbies": "Hobbyer", "Home": "Hjem", @@ -498,8 +497,8 @@ "How should we display dates": "Hvordan skal vi vise datoer", "How should we display distance values": "Hvordan skal vi vise avstandsverdier", "How should we display numerical values": "Hvordan skal vi vise numeriske verdier", - "I agree to the :terms and :policy": "Jeg godtar :vilkårene og :policyen", - "I agree to the :terms_of_service and :privacy_policy": "Jeg godtar :vilkårene_for_tjenesten og :personvernreglene", + "I agree to the :terms and :policy": "Jeg godtar :terms og :policy", + "I agree to the :terms_of_service and :privacy_policy": "Jeg er enig i :terms_of_service og :privacy_policy", "I am grateful for": "jeg er takknemlig for", "I called": "jeg ringte", "I called, but :name didn’t answer": "Jeg ringte, men :name svarte ikke", @@ -507,11 +506,11 @@ "I don’t know the name": "Jeg vet ikke navnet", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Om nødvendig kan du logge ut av alle de andre nettleserøktene dine på alle enhetene dine. Noen av de siste øktene dine er oppført nedenfor; men denne listen er kanskje ikke uttømmende. Hvis du føler at kontoen din har blitt kompromittert, bør du også oppdatere passordet ditt.", "If the date is in the past, the next occurence of the date will be next year.": "Hvis datoen er i fortiden, vil neste forekomst av datoen være neste år.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Hvis du har problemer med å klikke på \":actionText\"-knappen, kopier og lim inn URL-en nedenfor\ninn i nettleseren din:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Dersom du har problem med å klikke \":actionText\"-knappen, kopier og lim nettadressa nedanfor\ninn i nettlesaren din:", "If you already have an account, you may accept this invitation by clicking the button below:": "Hvis du allerede har en konto, kan du godta denne invitasjonen ved å klikke på knappen nedenfor:", - "If you did not create an account, no further action is required.": "Hvis du ikke opprettet en konto, er det ikke nødvendig å gjøre noe mer.", + "If you did not create an account, no further action is required.": "Dersom du ikkje har oppretta ein konto, treng du ikkje gjere noko.", "If you did not expect to receive an invitation to this team, you may discard this email.": "Hvis du ikke forventet å motta en invitasjon til dette teamet, kan du forkaste denne e-posten.", - "If you did not request a password reset, no further action is required.": "Hvis du ikke ba om tilbakestilling av passord, er det ikke nødvendig å gjøre noe.", + "If you did not request a password reset, no further action is required.": "Dersom du ikkje har bede om å nullstille passordet, treng du ikkje gjere noko.", "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Hvis du ikke har en konto, kan du opprette en ved å klikke på knappen nedenfor. Etter å ha opprettet en konto, kan du klikke på knappen for invitasjonsgodkjenning i denne e-posten for å godta teaminvitasjonen:", "If you’ve received this invitation by mistake, please discard it.": "Hvis du har mottatt denne invitasjonen ved en feiltakelse, ber vi deg forkaste den.", "I know the exact date, including the year": "Jeg vet nøyaktig dato, inkludert år", @@ -523,6 +522,7 @@ "Information from Wikipedia": "Informasjon fra Wikipedia", "in love with": "forelsket i", "Inspirational post": "Inspirerende innlegg", + "Invalid JSON was returned from the route.": "Ugyldig JSON ble returnert fra ruten.", "Invitation sent": "Invitasjon sendt", "Invite a new user": "Inviter en ny bruker", "Invite someone": "Inviter noen", @@ -548,12 +548,12 @@ "Labels let you classify contacts using a system that matters to you.": "Etiketter lar deg klassifisere kontakter ved hjelp av et system som er viktig for deg.", "Language of the application": "Språket for applikasjonen", "Last active": "Sist aktiv", - "Last active :date": "Siste aktive :date", + "Last active :date": "Sist aktive :date", "Last name": "Etternavn", "Last name First name": "Etternavn Fornavn", "Last updated": "Sist oppdatert", "Last used": "Sist brukt", - "Last used :date": "Sist brukt :dato", + "Last used :date": "Sist brukt :date", "Leave": "Permisjon", "Leave Team": "Gå ut av teamet", "Life": "Liv", @@ -564,7 +564,7 @@ "Life event types and categories": "Livshendelsestyper og kategorier", "Life metrics": "Livsmål", "Life metrics let you track metrics that are important to you.": "Livsmålinger lar deg spore beregninger som er viktige for deg.", - "Link to documentation": "Link til dokumentasjon", + "LinkedIn": "LinkedIn", "List of addresses": "Liste over adresser", "List of addresses of the contacts in the vault": "Liste over adresser til kontaktene i hvelvet", "List of all important dates": "Liste over alle viktige datoer", @@ -576,7 +576,7 @@ "Log details": "Loggdetaljer", "logged the mood": "logget stemningen", "Log in": "Logg Inn", - "Login": "Logg Inn", + "Login": "Logg inn", "Login with:": "Logg inn med:", "Log Out": "Logg ut", "Logout": "Logg ut", @@ -612,6 +612,7 @@ "Manage Team": "Administrer team", "Manage templates": "Administrer maler", "Manage users": "Administrer brukere", + "Mastodon": "Mastodont", "Maybe one of these contacts?": "Kanskje en av disse kontaktene?", "mentor": "mentor", "Middle name": "Mellomnavn", @@ -619,7 +620,7 @@ "miles (mi)": "miles (mi)", "Modules in this page": "Moduler på denne siden", "Monday": "mandag", - "Monica. All rights reserved. 2017 — :date.": "Monica. Alle rettigheter forbeholdt. 2017 — :dato.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Alle rettigheter forbeholdt. 2017 – :date.", "Monica is open source, made by hundreds of people from all around the world.": "Monica er åpen kildekode, laget av hundrevis av mennesker fra hele verden.", "Monica was made to help you document your life and your social interactions.": "Monica ble laget for å hjelpe deg med å dokumentere livet ditt og dine sosiale interaksjoner.", "Month": "Måned", @@ -631,12 +632,12 @@ "More errors": "Flere feil", "Move contact": "Flytt kontakt", "Muslim": "muslim", - "Name": "Navn", + "Name": "Namn", "Name of the pet": "Navnet på kjæledyret", - "Name of the reminder": "Navnet på påminnelsen", + "Name of the reminder": "Navn på påminnelsen", "Name of the reverse relationship": "Navn på det omvendte forholdet", "Nature of the call": "Samtalens art", - "nephew\/niece": "nevø niese", + "nephew/niece": "nevø/niese", "New Password": "Nytt passord", "New to Monica?": "Ny hos Monica?", "Next": "Neste", @@ -644,13 +645,13 @@ "nickname": "kallenavn", "No cities have been added yet in any contact’s addresses.": "Ingen byer er lagt til i noen kontakts adresser ennå.", "No contacts found.": "Ingen kontakter funnet.", - "No countries have been added yet in any contact’s addresses.": "Ingen land er lagt til i noen kontakts adresser ennå.", + "No countries have been added yet in any contact’s addresses.": "Ingen land er lagt til i noen kontaktadresser ennå.", "No dates in this month.": "Ingen datoer i denne måneden.", "No description yet.": "Ingen beskrivelse ennå.", "No groups found.": "Ingen grupper funnet.", "No keys registered yet": "Ingen nøkler registrert ennå", "No labels yet.": "Ingen etiketter ennå.", - "No life event types yet.": "Ingen livshendelsestyper ennå.", + "No life event types yet.": "Ingen typer livshendelser ennå.", "No notes found.": "Ingen notater funnet.", "No results found": "Ingen resultater", "No role": "Ingen rolle", @@ -658,7 +659,7 @@ "No tasks.": "Ingen oppgaver.", "Notes": "Notater", "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Merk at fjerning av en modul fra en side vil ikke slette de faktiske dataene på kontaktsidene dine. Det vil ganske enkelt skjule det.", - "Not Found": "Ikke funnet", + "Not Found": "Ikkje funne", "Notification channels": "Varslingskanaler", "Notification sent": "Varsel sendt", "Not set": "Ikke satt", @@ -674,7 +675,7 @@ "Only once, when the next occurence of the date occurs.": "Bare én gang, når neste forekomst av datoen inntreffer.", "Oops! Something went wrong.": "Oops! Noe gikk galt.", "Open Street Maps": "Åpne gatekart", - "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps er et flott alternativ for personvern, men tilbyr færre detaljer.", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps er et flott alternativ for personvern, men tilbyr mindre detaljer.", "Open Telegram to validate your identity": "Åpne Telegram for å bekrefte identiteten din", "optional": "valgfri", "Or create a new one": "Eller lag en ny", @@ -683,7 +684,7 @@ "Or reset the fields": "Eller tilbakestill feltene", "Other": "Annen", "Out of respect and appreciation": "Av respekt og takknemlighet", - "Page Expired": "Side utløpt", + "Page Expired": "Sida har utløpt", "Pages": "Sider", "Pagination Navigation": "Pagineringsnavigering", "Parent": "Foreldre", @@ -694,10 +695,10 @@ "Password": "Passord", "Payment Required": "Betaling kreves", "Pending Team Invitations": "Ventende teaminvitasjoner", - "per\/per": "for\/for", + "per/per": "pr/pr", "Permanently delete this team.": "Slett dette teamet permanent.", "Permanently delete your account.": "Slett kontoen din permanent.", - "Permission for :name": "Tillatelse til :name", + "Permission for :name": "Tillatelse for :name", "Permissions": "Tillatelser", "Personal": "Personlig", "Personalize your account": "Tilpass kontoen din", @@ -714,12 +715,12 @@ "Played tennis": "Spilte tennis", "Please choose a template for this new post": "Velg en mal for dette nye innlegget", "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Velg én mal nedenfor for å fortelle Monica hvordan denne kontakten skal vises. Maler lar deg definere hvilke data som skal vises på kontaktsiden.", - "Please click the button below to verify your email address.": "Vennligst klikk på knappen nedenfor for å bekrefte e-postadressen din.", + "Please click the button below to verify your email address.": "Ver snill og klikk på knappen nedanfor for å bekrefte e-postadressa di.", "Please complete this form to finalize your account.": "Fyll ut dette skjemaet for å fullføre kontoen din.", "Please confirm access to your account by entering one of your emergency recovery codes.": "Bekreft tilgangen til kontoen din ved å skrive inn en av nødgjenopprettingskodene dine.", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Vennligst bekreft tilgangen til kontoen din ved å skrive inn autentiseringskoden fra autentiseringsprogrammet.", "Please confirm access to your account by validating your security key.": "Bekreft tilgangen til kontoen din ved å validere sikkerhetsnøkkelen.", - "Please copy your new API token. For your security, it won't be shown again.": "Vennligst kopier det nye API-tokenet ditt. For din sikkerhet vil den ikke vises igjen.", + "Please copy your new API token. For your security, it won't be shown again.": "Vennligst kopier det nye API-tokenet ditt. For din egen sikkerhet vil den ikke vises igjen.", "Please copy your new API token. For your security, it won’t be shown again.": "Vennligst kopier det nye API-tokenet ditt. For din sikkerhet vil den ikke vises igjen.", "Please enter at least 3 characters to initiate a search.": "Skriv inn minst 3 tegn for å starte et søk.", "Please enter your password to cancel the account": "Vennligst skriv inn passordet ditt for å avslutte kontoen", @@ -727,7 +728,7 @@ "Please indicate the contacts": "Vennligst oppgi kontaktene", "Please join Monica": "Bli med Monica", "Please provide the email address of the person you would like to add to this team.": "Vennligst oppgi e-postadressen til personen du vil legge til i dette teamet.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Les vår dokumentasjon<\/link> for å vite mer om denne funksjonen, og hvilke variabler du har tilgang til.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Les vår dokumentasjon for å vite mer om denne funksjonen, og hvilke variabler du har tilgang til.", "Please select a page on the left to load modules.": "Velg en side til venstre for å laste inn moduler.", "Please type a few characters to create a new label.": "Skriv inn noen få tegn for å lage en ny etikett.", "Please type a few characters to create a new tag.": "Skriv inn noen få tegn for å lage en ny tag.", @@ -747,7 +748,7 @@ "Profile Information": "profil informasjon", "Profile of :name": "Profilen til :name", "Profile page of :name": "Profilsiden til :name", - "Pronoun": "De pleier", + "Pronoun": "Pronomen", "Pronouns": "Pronomen", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Pronomen er i utgangspunktet hvordan vi identifiserer oss bortsett fra navnet vårt. Det er hvordan noen refererer til deg i samtale.", "protege": "protesje", @@ -761,14 +762,14 @@ "Rabbit": "Kanin", "Ran": "Løp", "Rat": "Rotte", - "Read :count time|Read :count times": "Les :count time|Les :count ganger", + "Read :count time|Read :count times": "Les :count gang|Les :count ganger", "Record a loan": "Ta opp et lån", "Record your mood": "Registrer humøret ditt", "Recovery Code": "Gjenopprettingskode", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Uansett hvor du befinner deg i verden, har datoer vist i din egen tidssone.", - "Regards": "Hilsen", + "Regards": "Venleg helsing", "Regenerate Recovery Codes": "Regenerer gjenopprettingskoder", - "Register": "Registrere", + "Register": "Registrer", "Register a new key": "Registrer en ny nøkkel", "Register a new key.": "Registrer en ny nøkkel.", "Regular post": "Vanlig innlegg", @@ -798,15 +799,15 @@ "Reports": "Rapporter", "Reptile": "Reptil", "Resend Verification Email": "Send bekreftelses-e-post på nytt", - "Reset Password": "Tilbakestille passord", - "Reset Password Notification": "Tilbakestill passordvarsling", + "Reset Password": "Nullstill passord", + "Reset Password Notification": "Varsling om å nullstille passord", "results": "resultater", "Retry": "Prøv på nytt", "Revert": "Gå tilbake", "Rode a bike": "Har syklet", "Role": "Rolle", "Roles:": "Roller:", - "Roomates": "Kryper", + "Roomates": "Romkamerater", "Saturday": "lørdag", "Save": "Lagre", "Saved.": "Lagret.", @@ -822,9 +823,9 @@ "Select a relationship type": "Velg en relasjonstype", "Send invitation": "Send invitasjon", "Send test": "Send test", - "Sent at :time": "Sendt kl. :tid", - "Server Error": "serverfeil", - "Service Unavailable": "Tjenesten er ikke tilgjengelig", + "Sent at :time": "Sendt på :time", + "Server Error": "Server-feil", + "Service Unavailable": "Tenesta er ikkje tilgjengeleg", "Set as default": "Satt som standard", "Set as favorite": "Sett som favoritt", "Settings": "Innstillinger", @@ -833,7 +834,7 @@ "Setup Key": "Oppsettnøkkel", "Setup Key:": "Oppsettnøkkel:", "Setup Telegram": "Sett opp telegram", - "she\/her": "hun henne", + "she/her": "hun/henne", "Shintoist": "Shintoist", "Show Calendar tab": "Vis Kalender-fanen", "Show Companies tab": "Vis firmaer-fanen", @@ -841,8 +842,8 @@ "Show Files tab": "Vis Filer-fanen", "Show Groups tab": "Vis kategorien Grupper", "Showing": "Viser", - "Showing :count of :total results": "Viser :antall av :totale resultater", - "Showing :first to :last of :total results": "Viser :first to :last av :totale resultater", + "Showing :count of :total results": "Viser :count av :total resultater", + "Showing :first to :last of :total results": "Viser :first til :last av :total resultater", "Show Journals tab": "Vis Journaler-fanen", "Show Recovery Codes": "Vis gjenopprettingskoder", "Show Reports tab": "Vis Rapporter-fanen", @@ -851,13 +852,12 @@ "Sign in to your account": "Logg på kontoen din", "Sign up for an account": "Registrer deg for en konto", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Sov :count hour|Sov :count hours", + "Slept :count hour|Slept :count hours": "Sov :count time|Sov :count timer", "Slice of life": "Bit av livet", "Slices of life": "Skiver av livet", "Small animal": "Lite dyr", "Social": "Sosial", "Some dates have a special type that we will use in the software to calculate an age.": "Noen datoer har en spesiell type som vi vil bruke i programvaren for å beregne en alder.", - "Sort contacts": "Sorter kontakter", "So… it works 😼": "Så... det fungerer 😼", "Sport": "Sport", "spouse": "ektefelle", @@ -889,18 +889,17 @@ "Test email for Monica": "Test e-post for Monica", "Test email sent!": "Testmail sendt!", "Thanks,": "Takk,", - "Thanks for giving Monica a try": "Takk for at du prøvde Monica", "Thanks for giving Monica a try.": "Takk for at du prøvde Monica.", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Takk for at du registrerte deg! Før du begynner, kan du bekrefte e-postadressen din ved å klikke på linken vi nettopp sendte til deg? Hvis du ikke har mottatt e-posten, sender vi deg gjerne en annen.", - "The :attribute must be at least :length characters.": ":attributtet må være minst :length-tegn.", - "The :attribute must be at least :length characters and contain at least one number.": ":attributtet må bestå av minst :length-tegn og inneholde minst ett tall.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attributtet må være minst :length-tegn og inneholde minst ett spesialtegn.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attributtet må være minst :length-tegn og inneholde minst ett spesialtegn og ett tall.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attributtet må være minst :length-tegn og inneholde minst ett stort tegn, ett tall og ett spesialtegn.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attributtet må bestå av minst :length-tegn og inneholde minst ett stort tegn.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attributtet må bestå av minst :length-tegn og inneholde minst ett stort tegn og ett tall.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attributtet må være minst :length-tegn og inneholde minst ett stort tegn og ett spesialtegn.", - "The :attribute must be a valid role.": ":attributtet må være en gyldig rolle.", + "The :attribute must be at least :length characters.": "De :attribute må bestå av minst :length tegn.", + "The :attribute must be at least :length characters and contain at least one number.": "De :attribute må bestå av minst :length tegn og inneholde minst ett tall.", + "The :attribute must be at least :length characters and contain at least one special character.": "De :attribute må bestå av minst :length tegn og inneholde minst ett spesialtegn.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "De :attribute må være på minst :length tegn og inneholde minst ett spesialtegn og ett tall.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "De :attribute må bestå av minst :length tegn og inneholde minst ett stort tegn, ett tall og ett spesialtegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "De :attribute må bestå av minst :length tegn og inneholde minst ett stort tegn.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "De :attribute må bestå av minst :length tegn og inneholde minst ett stort tegn og ett tall.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "De :attribute må bestå av minst :length tegn og inneholde minst ett stort tegn og ett spesialtegn.", + "The :attribute must be a valid role.": "De :attribute må være en gyldig rolle.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Kontoens data vil bli permanent slettet fra våre servere innen 30 dager og fra alle sikkerhetskopier innen 60 dager.", "The address type has been created": "Adressetypen er opprettet", "The address type has been deleted": "Adressetypen er slettet", @@ -980,12 +979,12 @@ "The note has been deleted": "Notatet er slettet", "The note has been edited": "Notatet er redigert", "The notification has been sent": "Varselet er sendt", - "The operation either timed out or was not allowed.": "Operasjonen enten ble tidsavbrutt eller var ikke tillatt.", + "The operation either timed out or was not allowed.": "Operasjonen ble enten tidsavbrutt eller ikke tillatt.", "The page has been added": "Siden er lagt til", "The page has been deleted": "Siden er slettet", "The page has been updated": "Siden er oppdatert", "The password is incorrect.": "Passordet er feil.", - "The pet category has been created": "Kjæledyrkategorien er opprettet", + "The pet category has been created": "Kjæledyrskategorien er opprettet", "The pet category has been deleted": "Kjæledyrskategorien er slettet", "The pet category has been updated": "Kjæledyrkategorien er oppdatert", "The pet has been added": "Kjæledyret er lagt til", @@ -1000,7 +999,7 @@ "The pronoun has been created": "Pronomenet er opprettet", "The pronoun has been deleted": "Pronomenet er slettet", "The pronoun has been updated": "Pronomenet er oppdatert", - "The provided password does not match your current password.": "Det angitte passordet samsvarer ikke med ditt nåværende passord.", + "The provided password does not match your current password.": "Det oppgitte passordet samsvarer ikke med ditt nåværende passord.", "The provided password was incorrect.": "Det oppgitte passordet var feil.", "The provided two factor authentication code was invalid.": "Den oppgitte tofaktorautentiseringskoden var ugyldig.", "The provided two factor recovery code was invalid.": "Den oppgitte tofaktorgjenopprettingskoden var ugyldig.", @@ -1036,6 +1035,8 @@ "The reminder has been created": "Påminnelsen er opprettet", "The reminder has been deleted": "Påminnelsen er slettet", "The reminder has been edited": "Påminnelsen er redigert", + "The response is not a streamed response.": "Svaret er ikke et strømmet svar.", + "The response is not a view.": "Svaret er ikke et syn.", "The role has been created": "Rollen er opprettet", "The role has been deleted": "Rollen er slettet", "The role has been updated": "Rollen er oppdatert", @@ -1067,7 +1068,7 @@ "The vault has been created": "Hvelvet er opprettet", "The vault has been deleted": "Hvelvet er slettet", "The vault have been updated": "Hvelvet er oppdatert", - "they\/them": "de dem", + "they/them": "de/dem", "This address is not active anymore": "Denne adressen er ikke aktiv lenger", "This device": "Denne enheten", "This email is a test email to check if Monica can send an email to this email address.": "Denne e-posten er en test-e-post for å sjekke om Monica kan sende en e-post til denne e-postadressen.", @@ -1078,7 +1079,7 @@ "This link will open in a new tab": "Denne lenken åpnes i en ny fane", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Denne siden viser alle varslene som har blitt sendt i denne kanalen tidligere. Det fungerer først og fremst som en måte å feilsøke i tilfelle du ikke mottar varselet du har konfigurert.", "This password does not match our records.": "Dette passordet samsvarer ikke med opplysningene våre.", - "This password reset link will expire in :count minutes.": "Denne koblingen for tilbakestilling av passord utløper om :count minutter.", + "This password reset link will expire in :count minutes.": "Lenka for å nullstille passordet vil utløpe om :count minutt.", "This post has no content yet.": "Dette innlegget har ikke noe innhold ennå.", "This provider is already associated with another account": "Denne leverandøren er allerede tilknyttet en annen konto", "This site is open source.": "Denne siden er åpen kildekode.", @@ -1093,15 +1094,14 @@ "Title": "Tittel", "to": "til", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "For å fullføre aktiveringen av tofaktorautentisering, skann følgende QR-kode ved å bruke telefonens autentiseringsprogram eller skriv inn oppsettnøkkelen og oppgi den genererte OTP-koden.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "For å fullføre aktiveringen av tofaktorautentisering, skann følgende QR-kode ved å bruke telefonens autentiseringsprogram eller skriv inn oppsettnøkkelen og oppgi den genererte OTP-koden.", - "Toggle navigation": "Slå på navigering", + "Toggle navigation": "Vis/skjul navigasjon", "To hear their story": "For å høre historien deres", "Token Name": "Token navn", "Token name (for your reference only)": "Tokennavn (bare for din referanse)", "Took a new job": "Tok ny jobb", "Took the bus": "Tok bussen", "Took the metro": "Tok metroen", - "Too Many Requests": "For mange forespørsler", + "Too Many Requests": "For mange førespurnader", "To see if they need anything": "For å se om de trenger noe", "To start, you need to create a vault.": "For å starte må du lage et hvelv.", "Total:": "Total:", @@ -1121,13 +1121,12 @@ "Unarchive contact": "Fjern kontakt", "unarchived the contact": "har avarkivert kontakten", "Unauthorized": "Uautorisert", - "uncle\/aunt": "onkel tante", + "uncle/aunt": "onkel/tante", "Undefined": "Udefinert", "Unexpected error on login.": "Uventet feil ved pålogging.", "Unknown": "Ukjent", "unknown action": "ukjent handling", "Unknown age": "Ukjent alder", - "Unknown contact name": "Ukjent kontaktnavn", "Unknown name": "Ukjent navn", "Update": "Oppdater", "Update a key.": "Oppdater en nøkkel.", @@ -1139,11 +1138,10 @@ "Updated on :date": "Oppdatert :date", "updated the avatar of the contact": "oppdaterte avataren til kontakten", "updated the contact information": "oppdatert kontaktinformasjonen", - "updated the job information": "oppdaterte jobbinformasjonen", + "updated the job information": "oppdatert jobbinformasjonen", "updated the religion": "oppdatert religionen", "Update Password": "Oppdater passord", "Update your account's profile information and email address.": "Oppdater kontoens profilinformasjon og e-postadresse.", - "Update your account’s profile information and email address.": "Oppdater kontoens profilinformasjon og e-postadresse.", "Upload photo as avatar": "Last opp bilde som avatar", "Use": "Bruk", "Use an authentication code": "Bruk en autentiseringskode", @@ -1157,12 +1155,12 @@ "Use your security key": "Bruk sikkerhetsnøkkelen din", "Validating key…": "Validerer nøkkel …", "Value copied into your clipboard": "Verdien er kopiert til utklippstavlen", - "Vaults contain all your contacts data.": "Vaults inneholder alle kontaktdataene dine.", + "Vaults contain all your contacts data.": "Hvelv inneholder alle kontaktdataene dine.", "Vault settings": "Innstillinger for hvelv", - "ve\/ver": "og\/gi", + "ve/ver": "ve/ver", "Verification email sent": "Bekreftelses-e-post sendt", "Verified": "Verifisert", - "Verify Email Address": "Bekreft epostadressen", + "Verify Email Address": "Bekreft e-postadresse", "Verify this email address": "Bekreft denne e-postadressen", "Version :version — commit [:short](:url).": "Versjon :version — commit [:short](:url).", "Via Telegram": "Via Telegram", @@ -1188,7 +1186,7 @@ "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Vi kaller dem en relasjon, og dens omvendte relasjon. For hver relasjon du definerer, må du definere dens motpart.", "Wedding": "Bryllup", "Wednesday": "onsdag", - "We hope you'll like it.": "Vi håper du vil like det.", + "We hope you'll like it.": "Vi håper du liker det.", "We hope you will like what we’ve done.": "Vi håper du vil like det vi har gjort.", "Welcome to Monica.": "Velkommen til Monica.", "Went to a bar": "Gikk på en bar", @@ -1197,8 +1195,9 @@ "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Vi sender en e-post til denne e-postadressen som du må bekrefte før vi kan sende varsler til denne adressen.", "What happens now?": "Hva skjer nå?", "What is the loan?": "Hva er lånet?", - "What permission should :name have?": "Hvilken tillatelse skal :name ha?", + "What permission should :name have?": "Hvilken tillatelse bør :name ha?", "What permission should the user have?": "Hvilken tillatelse skal brukeren ha?", + "Whatsapp": "Hva skjer", "What should we use to display maps?": "Hva skal vi bruke for å vise kart?", "What would make today great?": "Hva ville gjort dagen stor?", "When did the call happened?": "Når skjedde samtalen?", @@ -1209,7 +1208,7 @@ "Which email address should we send the notification to?": "Hvilken e-postadresse skal vi sende varselet til?", "Who called?": "Hvem ringte?", "Who makes the loan?": "Hvem gir lånet?", - "Whoops!": "Oops!", + "Whoops!": "Oisann!", "Whoops! Something went wrong.": "Oops! Noe gikk galt.", "Who should we invite in this vault?": "Hvem skal vi invitere inn i dette hvelvet?", "Who the loan is for?": "Hvem er lånet til?", @@ -1218,12 +1217,12 @@ "Write the amount with a dot if you need decimals, like 100.50": "Skriv beløpet med en prikk hvis du trenger desimaler, for eksempel 100,50", "Written on": "Skrevet på", "wrote a note": "skrev et notat", - "xe\/xem": "bil\/utsikt", + "xe/xem": "xe/xem", "year": "år", "Years": "år", "You are here:": "Du er her:", "You are invited to join Monica": "Du er invitert til å bli med Monica", - "You are receiving this email because we received a password reset request for your account.": "Du mottar denne e-posten fordi vi mottok en forespørsel om tilbakestilling av passord for kontoen din.", + "You are receiving this email because we received a password reset request for your account.": "Du får denne e-posten fordi vi har motteke ein førespurnad om å nullstille passordet til kontoen din.", "you can't even use your current username or password to sign in,": "du kan ikke engang bruke ditt nåværende brukernavn eller passord for å logge på,", "you can't import any data from your current Monica account(yet),": "du kan ikke importere data fra din nåværende Monica-konto (ennå),", "You can add job information to your contacts and manage the companies here in this tab.": "Du kan legge til jobbinformasjon til kontaktene dine og administrere selskapene her i denne fanen.", @@ -1232,7 +1231,7 @@ "You can change that at any time.": "Du kan endre det når som helst.", "You can choose how you want Monica to display dates in the application.": "Du kan velge hvordan du vil at Monica skal vise datoer i applikasjonen.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Du kan velge hvilke valutaer som skal være aktivert i kontoen din, og hvilken som ikke skal.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Du kan tilpasse hvordan kontakter skal vises etter din egen smak\/kultur. Kanskje du vil bruke James Bond i stedet for Bond James. Her kan du definere det etter eget ønske.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Du kan tilpasse hvordan kontakter skal vises etter din egen smak/kultur. Kanskje du vil bruke James Bond i stedet for Bond James. Her kan du definere det etter eget ønske.", "You can customize the criteria that let you track your mood.": "Du kan tilpasse kriteriene som lar deg spore humøret ditt.", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Du kan flytte kontakter mellom hvelv. Denne endringen er umiddelbar. Du kan bare flytte kontakter til hvelv du er en del av. Alle kontaktdata vil flytte med den.", "You cannot remove your own administrator privilege.": "Du kan ikke fjerne din egen administratorrettighet.", @@ -1265,8 +1264,8 @@ "Your name here will be used to add yourself as a contact.": "Navnet ditt her vil bli brukt til å legge til deg selv som kontakt.", "You wanted to be reminded of the following:": "Du ønsket å bli påminnet om følgende:", "You WILL still have to delete your account on Monica or OfficeLife.": "Du MÅ fortsatt slette kontoen din på Monica eller OfficeLife.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Du har blitt invitert til å bruke denne e-postadressen i Monica, en åpen kildekode for personlig CRM, slik at vi kan bruke den til å sende deg varsler.", - "ze\/hir": "til henne", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Du har blitt invitert til å bruke denne e-postadressen i Monica, en åpen kildekode personlig CRM, slik at vi kan bruke den til å sende deg varsler.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Faresone", "🌳 Chalet": "🌳 Hytte", "🏠 Secondary residence": "🏠 Sekundærbolig", diff --git a/lang/nn/auth.php b/lang/nn/auth.php new file mode 100644 index 00000000000..80ae6f4fe47 --- /dev/null +++ b/lang/nn/auth.php @@ -0,0 +1,8 @@ + 'Brukarnamn og/eller passord er feil.', + 'lang' => 'Norsk nynorsk', + 'password' => 'Passordet er feil.', + 'throttle' => 'For mange innloggingsforsøk. Ver venleg og prøv på nytt om :seconds sekund.', +]; diff --git a/lang/zh/format.php b/lang/nn/format.php similarity index 100% rename from lang/zh/format.php rename to lang/nn/format.php diff --git a/lang/nn/http-statuses.php b/lang/nn/http-statuses.php new file mode 100644 index 00000000000..b3b852f9573 --- /dev/null +++ b/lang/nn/http-statuses.php @@ -0,0 +1,82 @@ + 'Ukjent feil', + '100' => 'Fortsette', + '101' => 'Bytte protokoller', + '102' => 'Behandling', + '200' => 'Ok', + '201' => 'Opprettet', + '202' => 'Akseptert', + '203' => 'Ikke-autoritativ informasjon', + '204' => 'Ikke noe innhold', + '205' => 'Tilbakestill innhold', + '206' => 'Delvis innhold', + '207' => 'Multi-status', + '208' => 'Allerede rapportert', + '226' => 'Jeg er brukt', + '300' => 'Flere valg', + '301' => 'flyttet permanent', + '302' => 'Funnet', + '303' => 'Se Annet', + '304' => 'Ikke endret', + '305' => 'Bruk proxy', + '307' => 'Midlertidig viderekobling', + '308' => 'Permanent omdirigering', + '400' => 'Dårlig forespørsel', + '401' => 'Uautorisert', + '402' => 'Betaling kreves', + '403' => 'Forbudt', + '404' => 'Ikke funnet', + '405' => 'Metode ikke tillatt', + '406' => 'Ikke akseptabelt', + '407' => 'Proxy-autentisering kreves', + '408' => 'Be om tidsavbrudd', + '409' => 'Konflikt', + '410' => 'Borte', + '411' => 'Lengde påkrevd', + '412' => 'Forutsetning mislyktes', + '413' => 'Nyttelasten er for stor', + '414' => 'URI for lang', + '415' => 'Ustøttet medietype', + '416' => 'Rekkevidde ikke tilfredsstillende', + '417' => 'Forventningen mislyktes', + '418' => 'Jeg er en tekanne', + '419' => 'Økten er utløpt', + '421' => 'Feilrettet forespørsel', + '422' => 'Entitet som ikke kan behandles', + '423' => 'Låst', + '424' => 'Mislykket avhengighet', + '425' => 'For tidlig', + '426' => 'Oppgradering kreves', + '428' => 'Forutsetning påkrevd', + '429' => 'For mange forespørsler', + '431' => 'Forespørselens overskriftsfelt er for store', + '444' => 'Tilkobling stengt uten respons', + '449' => 'Prøv på nytt med', + '451' => 'Utilgjengelig av juridiske årsaker', + '499' => 'Klient lukket forespørsel', + '500' => 'intern server feil', + '501' => 'Ikke implementert', + '502' => 'Dårlig gateway', + '503' => 'vedlikeholdsmodus', + '504' => 'Gateway Timeout', + '505' => 'HTTP-versjon støttes ikke', + '506' => 'Variant forhandler også', + '507' => 'Manglende lagringsplass', + '508' => 'Løkke oppdaget', + '509' => 'Båndbreddekvoten er overskredet', + '510' => 'Ikke utvidet', + '511' => 'Nettverksautentisering kreves', + '520' => 'Ukjent feil', + '521' => 'Nettserveren er nede', + '522' => 'Tilkobling tidsavbrutt', + '523' => 'Opprinnelsen er uoppnåelig', + '524' => 'En tidsavbrudd oppsto', + '525' => 'SSL-håndtrykk mislyktes', + '526' => 'Ugyldig SSL-sertifikat', + '527' => 'Railgun-feil', + '598' => 'Nettverkslesetidsavbruddfeil', + '599' => 'Network Connect Timeout Feil', + 'unknownError' => 'Ukjent feil', +]; diff --git a/lang/nn/pagination.php b/lang/nn/pagination.php new file mode 100644 index 00000000000..34a3d76f736 --- /dev/null +++ b/lang/nn/pagination.php @@ -0,0 +1,6 @@ + 'Neste ❯', + 'previous' => '❮ Førre', +]; diff --git a/lang/nn/passwords.php b/lang/nn/passwords.php new file mode 100644 index 00000000000..e24953a454e --- /dev/null +++ b/lang/nn/passwords.php @@ -0,0 +1,9 @@ + 'Passordet vart endra!', + 'sent' => 'Vi har sendt deg ei lenke du kan klikke på for å endre passordet ditt!', + 'throttled' => 'Vent før du prøver på nytt.', + 'token' => 'Koden for å nullstille passord er ikkje gyldig.', + 'user' => 'Vi finn ingen brukarar med denne e-postadressen.', +]; diff --git a/lang/nn/validation.php b/lang/nn/validation.php new file mode 100644 index 00000000000..9877a9a04aa --- /dev/null +++ b/lang/nn/validation.php @@ -0,0 +1,215 @@ + ':Attribute må aksepterast.', + 'accepted_if' => 'De :attribute må godtas når :other er :value.', + 'active_url' => ':Attribute er ikkje ein gyldig URL.', + 'after' => ':Attribute må vere ein dato etter :date.', + 'after_or_equal' => ':Attribute må vere ein dato etter eller lik :date.', + 'alpha' => ':Attribute må berre vere av bokstavar.', + 'alpha_dash' => ':Attribute må berre vere av bokstavar, tal og bindestrekar.', + 'alpha_num' => ':Attribute må berre vere av bokstavar og tal.', + 'array' => ':Attribute må vere ei matrise.', + 'ascii' => ':Attribute må bare inneholde enkeltbyte alfanumeriske tegn og symboler.', + 'attributes' => [ + 'address' => 'adresse', + 'age' => 'alder', + 'amount' => 'beløp', + 'area' => 'område', + 'available' => 'tilgjengelig', + 'birthday' => 'fødselsdag', + 'body' => 'kropp', + 'city' => 'by', + 'content' => 'innhold', + 'country' => 'land', + 'created_at' => 'opprettet kl', + 'creator' => 'skaperen', + 'current_password' => 'Nåværende passord', + 'date' => 'Dato', + 'date_of_birth' => 'fødselsdato', + 'day' => 'dag', + 'deleted_at' => 'slettet kl', + 'description' => 'beskrivelse', + 'district' => 'distrikt', + 'duration' => 'varighet', + 'email' => 'e-post', + 'excerpt' => 'utdrag', + 'filter' => 'filter', + 'first_name' => 'fornavn', + 'gender' => 'kjønn', + 'group' => 'gruppe', + 'hour' => 'time', + 'image' => 'bilde', + 'last_name' => 'etternavn', + 'lesson' => 'lekse', + 'line_address_1' => 'linjeadresse 1', + 'line_address_2' => 'linjeadresse 2', + 'message' => 'beskjed', + 'middle_name' => 'mellomnavn', + 'minute' => 'minutt', + 'mobile' => 'mobil', + 'month' => 'måned', + 'name' => 'Navn', + 'national_code' => 'nasjonal kode', + 'number' => 'Antall', + 'password' => 'passord', + 'password_confirmation' => 'Passord bekreftelse', + 'phone' => 'telefon', + 'photo' => 'bilde', + 'postal_code' => 'postnummer', + 'price' => 'pris', + 'province' => 'provins', + 'recaptcha_response_field' => 'recaptcha-svarsfelt', + 'remember' => 'huske', + 'restored_at' => 'restaurert kl', + 'result_text_under_image' => 'resultattekst under bildet', + 'role' => 'rolle', + 'second' => 'sekund', + 'sex' => 'kjønn', + 'short_text' => 'kort tekst', + 'size' => 'størrelse', + 'state' => 'stat', + 'street' => 'gate', + 'student' => 'student', + 'subject' => 'Emne', + 'teacher' => 'lærer', + 'terms' => 'vilkår', + 'test_description' => 'testbeskrivelse', + 'test_locale' => 'test lokalitet', + 'test_name' => 'testnavn', + 'text' => 'tekst', + 'time' => 'tid', + 'title' => 'tittel', + 'updated_at' => 'oppdatert kl', + 'username' => 'brukernavn', + 'year' => 'år', + ], + 'before' => ':Attribute må vere ein dato før :date.', + 'before_or_equal' => ':Attribute må vere ein dato før eller lik :date.', + 'between' => [ + 'array' => ':Attribute må ha mellom :min - :max element.', + 'file' => ':Attribute skal vere mellom :min - :max kilobytes.', + 'numeric' => ':Attribute skal vere mellom :min - :max.', + 'string' => ':Attribute skal vere mellom :min - :max teikn.', + ], + 'boolean' => ':Attribute må vere sann eller usann.', + 'can' => ':Attribute-feltet inneholder en uautorisert verdi.', + 'confirmed' => ':Attribute er ikkje likt feltet for stadfesting.', + 'current_password' => 'Passordet er feil.', + 'date' => ':Attribute er ikkje ein gyldig dato.', + 'date_equals' => ':Attribute må vere ein dato lik :date.', + 'date_format' => ':Attribute er ikkje likt formatet :format.', + 'decimal' => 'De :attribute må ha :decimal desimaler.', + 'declined' => 'De :attribute må avvises.', + 'declined_if' => 'De :attribute må avvises når :other er :value.', + 'different' => ':Attribute og :other skal vere ulike.', + 'digits' => ':Attribute skal ha :digits siffer.', + 'digits_between' => ':Attribute skal vere mellom :min og :max siffer.', + 'dimensions' => ':Attribute har ikkje gyldige bildedimensjonar.', + 'distinct' => ':Attribute har ein duplikatverdi.', + 'doesnt_end_with' => 'De :attribute slutter kanskje ikke med ett av følgende: :values.', + 'doesnt_start_with' => 'De :attribute starter kanskje ikke med ett av følgende: :values.', + 'email' => ':Attribute format er ugyldig.', + 'ends_with' => ':Attribute må slutte på ein av følgande: :values', + 'enum' => 'Den valgte :attribute er ugyldig.', + 'exists' => 'Det valde :attribute er ugyldig.', + 'file' => ':Attribute må vere ei fil.', + 'filled' => ':Attribute må fyllast ut.', + 'gt' => [ + 'array' => ':Attribute må vere minst :value element.', + 'file' => ':Attribute må vere større enn :value kilobyte.', + 'numeric' => ':Attribute må vere større enn :value.', + 'string' => ':Attribute må vere lengre enn :value teikn.', + ], + 'gte' => [ + 'array' => ':Attribute må ha :value element eller meir.', + 'file' => ':Attribute må vere større enn eller lik :value kilobyte.', + 'numeric' => ':Attribute må vere større enn eller lik :value.', + 'string' => ':Attribute må vere lengre enn eller lik :value teikn.', + ], + 'image' => ':Attribute skal vere eit bilete.', + 'in' => 'Det valde :attribute er ugyldig.', + 'integer' => ':Attribute skal vere eit heiltal.', + 'in_array' => ':Attribute eksisterer ikkje i :other.', + 'ip' => ':Attribute skal vere ei gyldig IP-adresse.', + 'ipv4' => ':Attribute skal vere ei gyldig IPv4-adresse.', + 'ipv6' => ':Attribute skal vere ei gyldig IPv6-adresse.', + 'json' => ':Attribute må vere på JSON-format.', + 'lowercase' => ':Attribute må være små bokstaver.', + 'lt' => [ + 'array' => ':Attribute må ha færre enn :value element.', + 'file' => ':Attribute må vere mindre enn :value kilobyte.', + 'numeric' => ':Attribute må vere mindre enn :value.', + 'string' => ':Attribute må vere kortare enn :value teikn.', + ], + 'lte' => [ + 'array' => ':Attribute må ikkje ha fleire enn :value element.', + 'file' => ':Attribute må vere mindre enn eller lik :value kilobyte.', + 'numeric' => ':Attribute må vere mindre enn eller lik :value.', + 'string' => ':Attribute må vere kortare enn eller lik :value teikn.', + ], + 'mac_address' => ':Attribute må være en gyldig MAC-adresse.', + 'max' => [ + 'array' => ':Attribute skal ikkje ha fleire enn :max element.', + 'file' => ':Attribute skal vere mindre enn :max kilobytes.', + 'numeric' => ':Attribute skal vere mindre enn :max.', + 'string' => ':Attribute skal vere kortare enn :max teikn.', + ], + 'max_digits' => 'De :attribute må ikke ha mer enn :max sifre.', + 'mimes' => ':Attribute skal vere ei fil av typen: :values.', + 'mimetypes' => ':Attribute skal vere ei fil av typen: :values.', + 'min' => [ + 'array' => ':Attribute må vere minst :min element.', + 'file' => ':Attribute skal vere større enn :min kilobyte.', + 'numeric' => ':Attribute skal vere større enn :min.', + 'string' => ':Attribute skal vere lengre enn :min teikn.', + ], + 'min_digits' => 'De :attribute må ha minst :min sifre.', + 'missing' => ':Attribute-feltet må mangle.', + 'missing_if' => ':Attribute-feltet må mangle når :other er :value.', + 'missing_unless' => ':Attribute-feltet må mangle med mindre :other er :value.', + 'missing_with' => ':Attribute-feltet må mangle når :values er tilstede.', + 'missing_with_all' => ':Attribute-feltet må mangle når :values er tilstede.', + 'multiple_of' => ':Attribute må være et multiplum av :value.', + 'not_in' => 'Den valgte :attribute er ugyldig.', + 'not_regex' => 'Formatet på :attribute er ugyldig.', + 'numeric' => ':Attribute skal vere eit tal.', + 'password' => [ + 'letters' => 'De :attribute må inneholde minst én bokstav.', + 'mixed' => ':Attribute må inneholde minst én stor og én liten bokstav.', + 'numbers' => 'De :attribute må inneholde minst ett tall.', + 'symbols' => 'De :attribute må inneholde minst ett symbol.', + 'uncompromised' => 'De oppgitte :attribute har dukket opp i en datalekkasje. Velg en annen :attribute.', + ], + 'present' => ':Attribute må vere til stades.', + 'prohibited' => ':Attribute-feltet er forbudt.', + 'prohibited_if' => ':Attribute-feltet er forbudt når :other er :value.', + 'prohibited_unless' => ':Attribute-feltet er forbudt med mindre :other er i :values.', + 'prohibits' => ':Attribute-feltet forbyr :other å være tilstede.', + 'regex' => 'Formatet på :attribute er ugyldig.', + 'required' => ':Attribute må fyllast ut.', + 'required_array_keys' => ':Attribute-feltet må inneholde oppføringer for: :values.', + 'required_if' => ':Attribute må fyllast ut når :other er :value.', + 'required_if_accepted' => ':Attribute-feltet er obligatorisk når :other er akseptert.', + 'required_unless' => ':Attribute må vere til stades viss ikkje :other finnas hjå verdiene :values.', + 'required_with' => ':Attribute må fyllast ut når :values er fylt ut.', + 'required_without' => ':Attribute må fyllast ut når :values ikkje er fylt ut.', + 'required_without_all' => ':Attribute må vere til stades når inga av :values er oppgjeve.', + 'required_with_all' => ':Attribute må vere til stades når :values er oppgjeve.', + 'same' => ':Attribute og :other må vere like.', + 'size' => [ + 'array' => ':Attribute må innehalde :size element.', + 'file' => ':Attribute må vere :size kilobytes.', + 'numeric' => ':Attribute må vere :size.', + 'string' => ':Attribute må vere :size teikn lang.', + ], + 'starts_with' => ':Attribute må starte med ein av følgande: :values', + 'string' => ':Attribute må vere ein tekststreng.', + 'timezone' => ':Attribute må vere ei gyldig tidssone.', + 'ulid' => ':Attribute må være en gyldig ULID.', + 'unique' => ':Attribute er allereie i bruk.', + 'uploaded' => ':Attribute kunne ikkje lastast opp.', + 'uppercase' => ':Attribute må være store bokstaver.', + 'url' => 'Formatet på :attribute er ugyldig.', + 'uuid' => ':Attribute må vere ein gyldig UUID.', +]; diff --git a/lang/no/auth.php b/lang/no/auth.php deleted file mode 100644 index 059ad1617d1..00000000000 --- a/lang/no/auth.php +++ /dev/null @@ -1,7 +0,0 @@ - 'Disse opplysningene samsvarer ikke med våre opplysninger.', - 'lang' => 'norsk', - 'throttle' => 'For mange påloggingsforsøk. Vennligst prøv igjen om :seconds sekunder.', -]; diff --git a/lang/pa.json b/lang/pa.json index 382f31e446f..fe515db6181 100644 --- a/lang/pa.json +++ b/lang/pa.json @@ -1,6 +1,6 @@ { - "(and :count more error)": "(ਅਤੇ: ਹੋਰ ਗਲਤੀ ਗਿਣੋ)", - "(and :count more errors)": "(ਅਤੇ : ਹੋਰ ਗਲਤੀਆਂ ਗਿਣੋ)", + "(and :count more error)": "(ਅਤੇ :count ਹੋਰ ਗਲਤੀ)", + "(and :count more errors)": "(ਅਤੇ :count ਹੋਰ ਤਰੁੱਟੀਆਂ)", "(Help)": "(ਮਦਦ ਕਰੋ)", "+ add a contact": "+ ਇੱਕ ਸੰਪਰਕ ਸ਼ਾਮਲ ਕਰੋ", "+ add another": "+ ਹੋਰ ਸ਼ਾਮਲ ਕਰੋ", @@ -8,7 +8,7 @@ "+ add description": "+ ਵਰਣਨ ਸ਼ਾਮਲ ਕਰੋ", "+ add distance": "+ ਦੂਰੀ ਜੋੜੋ", "+ add emotion": "+ ਭਾਵਨਾ ਸ਼ਾਮਲ ਕਰੋ", - "+ add reason": "+ ਕਾਰਨ ਸ਼ਾਮਲ ਕਰੋ", + "+ add reason": "+ ਕਾਰਨ ਜੋੜੋ", "+ add summary": "+ ਸੰਖੇਪ ਸ਼ਾਮਲ ਕਰੋ", "+ add title": "+ ਸਿਰਲੇਖ ਸ਼ਾਮਲ ਕਰੋ", "+ change date": "+ ਮਿਤੀ ਬਦਲੋ", @@ -22,29 +22,29 @@ "+ note": "+ ਨੋਟ ਕਰੋ", "+ number of hours slept": "+ ਸੌਣ ਦੇ ਘੰਟਿਆਂ ਦੀ ਗਿਣਤੀ", "+ prefix": "+ ਅਗੇਤਰ", - "+ pronoun": "+ ਝੁਕਾਅ", + "+ pronoun": "+ ਸਰਵਣ", "+ suffix": "+ ਪਿਛੇਤਰ", - ":count contact|:count contacts": ":ਸੰਪਰਕ ਦੀ ਗਿਣਤੀ|:ਸੰਪਰਕਾਂ ਦੀ ਗਿਣਤੀ ਕਰੋ", - ":count hour slept|:count hours slept": ":ਸੁੱਤੇ ਘੰਟੇ ਦੀ ਗਿਣਤੀ ਕਰੋ|:ਸੁੱਤੇ ਘੰਟੇ ਦੀ ਗਿਣਤੀ ਕਰੋ", - ":count min read": ": ਪੜ੍ਹੇ ਗਏ ਮਿੰਟ ਦੀ ਗਿਣਤੀ ਕਰੋ", - ":count post|:count posts": ": ਪੋਸਟਾਂ ਦੀ ਗਿਣਤੀ | : ਪੋਸਟਾਂ ਦੀ ਗਿਣਤੀ ਕਰੋ", - ":count template section|:count template sections": ":ਕਾਊਂਟ ਟੈਮਪਲੇਟ ਸੈਕਸ਼ਨ|:ਕਾਊਂਟ ਟੈਮਪਲੇਟ ਸੈਕਸ਼ਨ", - ":count word|:count words": ":ਸ਼ਬਦ ਗਿਣੋ |:ਸ਼ਬਦਾਂ ਦੀ ਗਿਣਤੀ ਕਰੋ", - ":distance km": ": ਦੂਰੀ ਕਿਲੋਮੀਟਰ", - ":distance miles": ": ਦੂਰੀ ਮੀਲ", - ":file at line :line": ": ਲਾਈਨ 'ਤੇ ਫਾਈਲ: ਲਾਈਨ", - ":file in :class at line :line": ":ਫਾਇਲ ਇਨ :ਕਲਾਸ 'ਤੇ ਲਾਈਨ :ਲਾਈਨ", - ":Name called": ": ਨਾਮ ਕਿਹਾ ਜਾਂਦਾ ਹੈ", - ":Name called, but I didn’t answer": ": ਨਾਮ ਬੁਲਾਇਆ, ਪਰ ਮੈਂ ਜਵਾਬ ਨਹੀਂ ਦਿੱਤਾ", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName ਤੁਹਾਨੂੰ ਮੋਨਿਕਾ ਵਿੱਚ ਸ਼ਾਮਲ ਹੋਣ ਲਈ ਸੱਦਾ ਦਿੰਦਾ ਹੈ, ਇੱਕ ਓਪਨ ਸੋਰਸ ਨਿੱਜੀ CRM, ਜੋ ਤੁਹਾਡੇ ਸਬੰਧਾਂ ਨੂੰ ਦਸਤਾਵੇਜ਼ ਬਣਾਉਣ ਵਿੱਚ ਤੁਹਾਡੀ ਮਦਦ ਕਰਨ ਲਈ ਤਿਆਰ ਕੀਤਾ ਗਿਆ ਹੈ।", + ":count contact|:count contacts": ":count ਸੰਪਰਕ|:count ਸੰਪਰਕ", + ":count hour slept|:count hours slept": ":count ਘੰਟਾ ਸੌਂ ਗਿਆ|:count ਘੰਟੇ ਸੌਂ ਗਏ", + ":count min read": ":count ਮਿੰਟ ਪੜ੍ਹਿਆ ਗਿਆ", + ":count post|:count posts": ":count ਪੋਸਟ|:count ਪੋਸਟਾਂ", + ":count template section|:count template sections": ":count ਟੈਮਪਲੇਟ ਸੈਕਸ਼ਨ|:count ਟੈਮਪਲੇਟ ਸੈਕਸ਼ਨ", + ":count word|:count words": ":count ਸ਼ਬਦ|:count ਸ਼ਬਦ", + ":distance km": ":distance ਕਿ.ਮੀ", + ":distance miles": ":distance ਮੀਲ", + ":file at line :line": ":file ਲਾਈਨ :line ’ਤੇ", + ":file in :class at line :line": ":line ਲਾਈਨ ’ਤੇ :class ਵਿੱਚ :file", + ":Name called": ":Name ਬੁਲਾਇਆ ਗਿਆ", + ":Name called, but I didn’t answer": ":Name ਨੇ ਕਾਲ ਕੀਤੀ, ਪਰ ਮੈਂ ਜਵਾਬ ਨਹੀਂ ਦਿੱਤਾ", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName ਤੁਹਾਨੂੰ Monica ਵਿੱਚ ਸ਼ਾਮਲ ਹੋਣ ਲਈ ਸੱਦਾ ਦਿੰਦਾ ਹੈ, ਇੱਕ ਓਪਨ ਸੋਰਸ ਨਿੱਜੀ CRM, ਜੋ ਤੁਹਾਡੇ ਸਬੰਧਾਂ ਨੂੰ ਦਸਤਾਵੇਜ਼ ਬਣਾਉਣ ਵਿੱਚ ਤੁਹਾਡੀ ਮਦਦ ਕਰਨ ਲਈ ਤਿਆਰ ਕੀਤਾ ਗਿਆ ਹੈ।", "Accept Invitation": "ਸੱਦਾ ਸਵੀਕਾਰ ਕਰੋ", "Accept invitation and create your account": "ਸੱਦਾ ਸਵੀਕਾਰ ਕਰੋ ਅਤੇ ਆਪਣਾ ਖਾਤਾ ਬਣਾਓ", "Account and security": "ਖਾਤਾ ਅਤੇ ਸੁਰੱਖਿਆ", "Account settings": "ਖਾਤਾ ਯੋਜਨਾ", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "ਇੱਕ ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਕਲਿੱਕ ਕਰਨ ਯੋਗ ਹੋ ਸਕਦੀ ਹੈ। ਉਦਾਹਰਨ ਲਈ, ਇੱਕ ਫ਼ੋਨ ਨੰਬਰ ਕਲਿੱਕ ਕਰਨ ਯੋਗ ਹੋ ਸਕਦਾ ਹੈ ਅਤੇ ਤੁਹਾਡੇ ਕੰਪਿਊਟਰ ਵਿੱਚ ਡਿਫੌਲਟ ਐਪਲੀਕੇਸ਼ਨ ਲਾਂਚ ਕਰ ਸਕਦਾ ਹੈ। ਜੇ ਤੁਸੀਂ ਉਸ ਕਿਸਮ ਲਈ ਪ੍ਰੋਟੋਕੋਲ ਨਹੀਂ ਜਾਣਦੇ ਜੋ ਤੁਸੀਂ ਜੋੜ ਰਹੇ ਹੋ, ਤਾਂ ਤੁਸੀਂ ਇਸ ਖੇਤਰ ਨੂੰ ਛੱਡ ਸਕਦੇ ਹੋ।", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "ਇੱਕ ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਕਲਿੱਕ ਕਰਨ ਯੋਗ ਹੋ ਸਕਦੀ ਹੈ। ਉਦਾਹਰਨ ਲਈ, ਇੱਕ ਫ਼ੋਨ ਨੰਬਰ ਕਲਿੱਕ ਕਰਨ ਯੋਗ ਹੋ ਸਕਦਾ ਹੈ ਅਤੇ ਤੁਹਾਡੇ ਕੰਪਿਊਟਰ ਵਿੱਚ ਡਿਫੌਲਟ ਐਪਲੀਕੇਸ਼ਨ ਲਾਂਚ ਕਰ ਸਕਦਾ ਹੈ। ਜੇਕਰ ਤੁਸੀਂ ਉਸ ਕਿਸਮ ਲਈ ਪ੍ਰੋਟੋਕੋਲ ਨਹੀਂ ਜਾਣਦੇ ਜੋ ਤੁਸੀਂ ਜੋੜ ਰਹੇ ਹੋ, ਤਾਂ ਤੁਸੀਂ ਇਸ ਖੇਤਰ ਨੂੰ ਛੱਡ ਸਕਦੇ ਹੋ।", "Activate": "ਸਰਗਰਮ ਕਰੋ", "Activity feed": "ਗਤੀਵਿਧੀ ਫੀਡ", - "Activity in this vault": "ਇਸ ਵਾਲਟ ਵਿੱਚ ਗਤੀਵਿਧੀ", + "Activity in this vault": "ਇਸ ਵਾਲਟ ਵਿੱਚ ਸਰਗਰਮੀ", "Add": "ਸ਼ਾਮਲ ਕਰੋ", "add a call reason type": "ਇੱਕ ਕਾਲ ਕਾਰਨ ਕਿਸਮ ਸ਼ਾਮਲ ਕਰੋ", "Add a contact": "ਇੱਕ ਸੰਪਰਕ ਸ਼ਾਮਲ ਕਰੋ", @@ -68,7 +68,7 @@ "Add an address": "ਕੋਈ ਪਤਾ ਸ਼ਾਮਲ ਕਰੋ", "Add an address type": "ਇੱਕ ਪਤਾ ਕਿਸਮ ਸ਼ਾਮਲ ਕਰੋ", "Add an email address": "ਇੱਕ ਈਮੇਲ ਪਤਾ ਸ਼ਾਮਲ ਕਰੋ", - "Add an email to be notified when a reminder occurs.": "ਇੱਕ ਰੀਮਾਈਂਡਰ ਆਉਣ 'ਤੇ ਸੂਚਿਤ ਕਰਨ ਲਈ ਇੱਕ ਈਮੇਲ ਸ਼ਾਮਲ ਕਰੋ।", + "Add an email to be notified when a reminder occurs.": "ਇੱਕ ਰੀਮਾਈਂਡਰ ਆਉਣ ’ਤੇ ਸੂਚਿਤ ਕਰਨ ਲਈ ਇੱਕ ਈਮੇਲ ਸ਼ਾਮਲ ਕਰੋ।", "Add an entry": "ਇੱਕ ਐਂਟਰੀ ਸ਼ਾਮਲ ਕਰੋ", "add a new metric": "ਇੱਕ ਨਵਾਂ ਮੈਟ੍ਰਿਕ ਸ਼ਾਮਲ ਕਰੋ", "Add a new team member to your team, allowing them to collaborate with you.": "ਆਪਣੀ ਟੀਮ ਵਿੱਚ ਇੱਕ ਨਵਾਂ ਟੀਮ ਮੈਂਬਰ ਸ਼ਾਮਲ ਕਰੋ, ਉਹਨਾਂ ਨੂੰ ਤੁਹਾਡੇ ਨਾਲ ਸਹਿਯੋਗ ਕਰਨ ਦੀ ਇਜਾਜ਼ਤ ਦਿੰਦੇ ਹੋਏ।", @@ -91,13 +91,13 @@ "add a role": "ਇੱਕ ਭੂਮਿਕਾ ਸ਼ਾਮਲ ਕਰੋ", "add a section": "ਇੱਕ ਭਾਗ ਸ਼ਾਮਲ ਕਰੋ", "Add a tag": "ਇੱਕ ਟੈਗ ਸ਼ਾਮਲ ਕਰੋ", - "Add a task": "ਇੱਕ ਕਾਰਜ ਸ਼ਾਮਲ ਕਰੋ", + "Add a task": "ਕੋਈ ਕਾਰਜ ਸ਼ਾਮਲ ਕਰੋ", "Add a template": "ਇੱਕ ਟੈਮਪਲੇਟ ਸ਼ਾਮਲ ਕਰੋ", "Add at least one module.": "ਘੱਟੋ-ਘੱਟ ਇੱਕ ਮੋਡੀਊਲ ਸ਼ਾਮਲ ਕਰੋ।", "Add a type": "ਇੱਕ ਕਿਸਮ ਸ਼ਾਮਲ ਕਰੋ", "Add a user": "ਇੱਕ ਉਪਭੋਗਤਾ ਸ਼ਾਮਲ ਕਰੋ", "Add a vault": "ਇੱਕ ਵਾਲਟ ਸ਼ਾਮਲ ਕਰੋ", - "Add date": "ਮਿਤੀ ਜੋੜੋ", + "Add date": "ਮਿਤੀ ਸ਼ਾਮਲ ਕਰੋ", "Added.": "ਜੋੜਿਆ ਗਿਆ।", "added a contact information": "ਇੱਕ ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਸ਼ਾਮਲ ਕੀਤੀ", "added an address": "ਇੱਕ ਪਤਾ ਸ਼ਾਮਲ ਕੀਤਾ", @@ -108,7 +108,7 @@ "added the contact to the favorites": "ਸੰਪਰਕ ਨੂੰ ਮਨਪਸੰਦ ਵਿੱਚ ਸ਼ਾਮਲ ਕੀਤਾ", "Add genders to associate them to contacts.": "ਉਹਨਾਂ ਨੂੰ ਸੰਪਰਕਾਂ ਨਾਲ ਜੋੜਨ ਲਈ ਲਿੰਗ ਜੋੜੋ।", "Add loan": "ਕਰਜ਼ਾ ਸ਼ਾਮਲ ਕਰੋ", - "Add one now": "ਹੁਣ ਇੱਕ ਸ਼ਾਮਲ ਕਰੋ", + "Add one now": "ਹੁਣ ਇੱਕ ਜੋੜੋ", "Add photos": "ਫੋਟੋਆਂ ਸ਼ਾਮਲ ਕਰੋ", "Address": "ਪਤਾ", "Addresses": "ਪਤੇ", @@ -119,13 +119,13 @@ "Add to group": "ਗਰੁੱਪ ਵਿੱਚ ਸ਼ਾਮਲ ਕਰੋ", "Administrator": "ਪ੍ਰਸ਼ਾਸਕ", "Administrator users can perform any action.": "ਪ੍ਰਸ਼ਾਸਕ ਉਪਭੋਗਤਾ ਕੋਈ ਵੀ ਕਾਰਵਾਈ ਕਰ ਸਕਦੇ ਹਨ।", - "a father-son relation shown on the father page,": "ਪਿਤਾ ਪੰਨੇ 'ਤੇ ਦਿਖਾਇਆ ਗਿਆ ਪਿਤਾ-ਪੁੱਤਰ ਦਾ ਰਿਸ਼ਤਾ,", + "a father-son relation shown on the father page,": "ਪਿਤਾ ਪੰਨੇ ’ਤੇ ਦਿਖਾਇਆ ਗਿਆ ਪਿਤਾ-ਪੁੱਤਰ ਦਾ ਰਿਸ਼ਤਾ,", "after the next occurence of the date.": "ਮਿਤੀ ਦੀ ਅਗਲੀ ਘਟਨਾ ਤੋਂ ਬਾਅਦ.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "ਇੱਕ ਸਮੂਹ ਦੋ ਜਾਂ ਵੱਧ ਲੋਕ ਇਕੱਠੇ ਹੁੰਦੇ ਹਨ। ਇਹ ਇੱਕ ਪਰਿਵਾਰ, ਇੱਕ ਘਰੇਲੂ, ਇੱਕ ਖੇਡ ਕਲੱਬ ਹੋ ਸਕਦਾ ਹੈ। ਜੋ ਵੀ ਤੁਹਾਡੇ ਲਈ ਮਹੱਤਵਪੂਰਨ ਹੈ।", "All contacts in the vault": "ਵਾਲਟ ਵਿੱਚ ਸਾਰੇ ਸੰਪਰਕ", "All files": "ਸਾਰੀਆਂ ਫਾਈਲਾਂ", "All groups in the vault": "ਵਾਲਟ ਵਿੱਚ ਸਾਰੇ ਸਮੂਹ", - "All journal metrics in :name": "ਸਾਰੇ ਜਰਨਲ ਮੈਟ੍ਰਿਕਸ: ਨਾਮ ਵਿੱਚ", + "All journal metrics in :name": ":Name ਵਿੱਚ ਸਾਰੇ ਜਰਨਲ ਮੈਟ੍ਰਿਕਸ", "All of the people that are part of this team.": "ਉਹ ਸਾਰੇ ਲੋਕ ਜੋ ਇਸ ਟੀਮ ਦਾ ਹਿੱਸਾ ਹਨ।", "All rights reserved.": "ਸਾਰੇ ਹੱਕ ਰਾਖਵੇਂ ਹਨ.", "All tags": "ਸਾਰੇ ਟੈਗ", @@ -140,10 +140,10 @@ "All the files": "ਸਾਰੀਆਂ ਫਾਈਲਾਂ", "All the genders": "ਸਾਰੇ ਲਿੰਗ", "All the gift occasions": "ਸਾਰੇ ਤੋਹਫ਼ੇ ਦੇ ਮੌਕੇ", - "All the gift states": "ਸਾਰੇ ਦਾਤ ਰਾਜ", + "All the gift states": "ਸਭ ਤੋਹਫ਼ੇ ਰਾਜ", "All the group types": "ਸਮੂਹ ਦੀਆਂ ਸਾਰੀਆਂ ਕਿਸਮਾਂ", "All the important dates": "ਸਾਰੀਆਂ ਮਹੱਤਵਪੂਰਨ ਤਾਰੀਖਾਂ", - "All the important date types used in the vault": "ਵਾਲਟ ਵਿੱਚ ਵਰਤੀਆਂ ਜਾਂਦੀਆਂ ਸਾਰੀਆਂ ਮਹੱਤਵਪੂਰਨ ਮਿਤੀਆਂ ਦੀਆਂ ਕਿਸਮਾਂ", + "All the important date types used in the vault": "ਵਾਲਟ ਵਿੱਚ ਵਰਤੀਆਂ ਜਾਂਦੀਆਂ ਸਾਰੀਆਂ ਮਹੱਤਵਪੂਰਨ ਤਾਰੀਖਾਂ ਦੀਆਂ ਕਿਸਮਾਂ", "All the journals": "ਸਾਰੇ ਰਸਾਲੇ", "All the labels used in the vault": "ਵਾਲਟ ਵਿੱਚ ਵਰਤੇ ਗਏ ਸਾਰੇ ਲੇਬਲ", "All the notes": "ਸਾਰੇ ਨੋਟਸ", @@ -154,25 +154,25 @@ "All the relationship types": "ਰਿਸ਼ਤੇ ਦੀਆਂ ਸਾਰੀਆਂ ਕਿਸਮਾਂ", "All the religions": "ਸਾਰੇ ਧਰਮ", "All the reports": "ਸਾਰੀਆਂ ਰਿਪੋਰਟਾਂ", - "All the slices of life in :name": "ਜੀਵਨ ਦੇ ਸਾਰੇ ਟੁਕੜੇ :ਨਾਮ ਵਿੱਚ", + "All the slices of life in :name": ":Name ਵਿੱਚ ਜ਼ਿੰਦਗੀ ਦੇ ਸਾਰੇ ਟੁਕੜੇ", "All the tags used in the vault": "ਵਾਲਟ ਵਿੱਚ ਵਰਤੇ ਗਏ ਸਾਰੇ ਟੈਗ", - "All the templates": "ਸਾਰੇ ਟੈਂਪਲੇਟ", + "All the templates": "ਸਾਰੇ ਖਾਕੇ", "All the vaults": "ਸਾਰੇ ਵਾਲਟ", "All the vaults in the account": "ਖਾਤੇ ਵਿੱਚ ਸਾਰੇ vaults", "All users and vaults will be deleted immediately,": "ਸਾਰੇ ਉਪਭੋਗਤਾਵਾਂ ਅਤੇ ਵਾਲਟਾਂ ਨੂੰ ਤੁਰੰਤ ਮਿਟਾ ਦਿੱਤਾ ਜਾਵੇਗਾ,", "All users in this account": "ਇਸ ਖਾਤੇ ਵਿੱਚ ਸਾਰੇ ਉਪਭੋਗਤਾ", "Already registered?": "ਪਹਿਲਾਂ ਹੀ ਰਜਿਸਟਰਡ ਹੈ?", - "Already used on this page": "ਇਸ ਪੰਨੇ 'ਤੇ ਪਹਿਲਾਂ ਹੀ ਵਰਤਿਆ ਗਿਆ ਹੈ", - "A new verification link has been sent to the email address you provided during registration.": "ਇੱਕ ਨਵਾਂ ਪੁਸ਼ਟੀਕਰਨ ਲਿੰਕ ਤੁਹਾਡੇ ਦੁਆਰਾ ਰਜਿਸਟ੍ਰੇਸ਼ਨ ਦੌਰਾਨ ਪ੍ਰਦਾਨ ਕੀਤੇ ਗਏ ਈਮੇਲ ਪਤੇ 'ਤੇ ਭੇਜਿਆ ਗਿਆ ਹੈ।", - "A new verification link has been sent to the email address you provided in your profile settings.": "ਇੱਕ ਨਵਾਂ ਪੁਸ਼ਟੀਕਰਨ ਲਿੰਕ ਤੁਹਾਡੇ ਦੁਆਰਾ ਤੁਹਾਡੀ ਪ੍ਰੋਫਾਈਲ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਪ੍ਰਦਾਨ ਕੀਤੇ ਗਏ ਈਮੇਲ ਪਤੇ 'ਤੇ ਭੇਜਿਆ ਗਿਆ ਹੈ।", - "A new verification link has been sent to your email address.": "ਇੱਕ ਨਵਾਂ ਪੁਸ਼ਟੀਕਰਨ ਲਿੰਕ ਤੁਹਾਡੇ ਈਮੇਲ ਪਤੇ 'ਤੇ ਭੇਜਿਆ ਗਿਆ ਹੈ।", + "Already used on this page": "ਇਸ ਪੰਨੇ ’ਤੇ ਪਹਿਲਾਂ ਹੀ ਵਰਤਿਆ ਗਿਆ ਹੈ", + "A new verification link has been sent to the email address you provided during registration.": "ਇੱਕ ਨਵਾਂ ਪੁਸ਼ਟੀਕਰਨ ਲਿੰਕ ਤੁਹਾਡੇ ਦੁਆਰਾ ਰਜਿਸਟ੍ਰੇਸ਼ਨ ਦੌਰਾਨ ਪ੍ਰਦਾਨ ਕੀਤੇ ਗਏ ਈਮੇਲ ਪਤੇ ’ਤੇ ਭੇਜਿਆ ਗਿਆ ਹੈ।", + "A new verification link has been sent to the email address you provided in your profile settings.": "ਇੱਕ ਨਵਾਂ ਪੁਸ਼ਟੀਕਰਨ ਲਿੰਕ ਤੁਹਾਡੇ ਦੁਆਰਾ ਤੁਹਾਡੀ ਪ੍ਰੋਫਾਈਲ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਪ੍ਰਦਾਨ ਕੀਤੇ ਗਏ ਈਮੇਲ ਪਤੇ ’ਤੇ ਭੇਜਿਆ ਗਿਆ ਹੈ।", + "A new verification link has been sent to your email address.": "ਇੱਕ ਨਵਾਂ ਪੁਸ਼ਟੀਕਰਨ ਲਿੰਕ ਤੁਹਾਡੇ ਈਮੇਲ ਪਤੇ ’ਤੇ ਭੇਜਿਆ ਗਿਆ ਹੈ।", "Anniversary": "ਵਰ੍ਹੇਗੰਢ", "Apartment, suite, etc…": "ਅਪਾਰਟਮੈਂਟ, ਸੂਟ, ਆਦਿ...", "API Token": "API ਟੋਕਨ", "API Token Permissions": "API ਟੋਕਨ ਅਨੁਮਤੀਆਂ", "API Tokens": "API ਟੋਕਨ", "API tokens allow third-party services to authenticate with our application on your behalf.": "API ਟੋਕਨ ਤੀਜੀ-ਧਿਰ ਦੀਆਂ ਸੇਵਾਵਾਂ ਨੂੰ ਤੁਹਾਡੀ ਤਰਫ਼ੋਂ ਸਾਡੀ ਅਰਜ਼ੀ ਨਾਲ ਪ੍ਰਮਾਣਿਤ ਕਰਨ ਦੀ ਇਜਾਜ਼ਤ ਦਿੰਦੇ ਹਨ।", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "ਇੱਕ ਪੋਸਟ ਟੈਮਪਲੇਟ ਪਰਿਭਾਸ਼ਿਤ ਕਰਦਾ ਹੈ ਕਿ ਇੱਕ ਪੋਸਟ ਦੀ ਸਮੱਗਰੀ ਨੂੰ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ। ਤੁਸੀਂ ਜਿੰਨੇ ਚਾਹੋ, ਜਿੰਨੇ ਟੈਮਪਲੇਟਸ ਨੂੰ ਪਰਿਭਾਸ਼ਿਤ ਕਰ ਸਕਦੇ ਹੋ, ਅਤੇ ਚੁਣ ਸਕਦੇ ਹੋ ਕਿ ਕਿਹੜਾ ਟੈਮਪਲੇਟ ਕਿਸ ਪੋਸਟ 'ਤੇ ਵਰਤਿਆ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ।", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "ਇੱਕ ਪੋਸਟ ਟੈਮਪਲੇਟ ਪਰਿਭਾਸ਼ਿਤ ਕਰਦਾ ਹੈ ਕਿ ਇੱਕ ਪੋਸਟ ਦੀ ਸਮੱਗਰੀ ਨੂੰ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ। ਤੁਸੀਂ ਜਿੰਨੇ ਚਾਹੋ ਟੈਂਪਲੇਟਸ ਨੂੰ ਪਰਿਭਾਸ਼ਿਤ ਕਰ ਸਕਦੇ ਹੋ, ਅਤੇ ਚੁਣ ਸਕਦੇ ਹੋ ਕਿ ਕਿਸ ਪੋਸਟ ’ਤੇ ਕਿਹੜਾ ਟੈਮਪਲੇਟ ਵਰਤਿਆ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ।", "Archive": "ਪੁਰਾਲੇਖ", "Archive contact": "ਪੁਰਾਲੇਖ ਸੰਪਰਕ", "archived the contact": "ਸੰਪਰਕ ਨੂੰ ਪੁਰਾਲੇਖਬੱਧ ਕੀਤਾ", @@ -180,38 +180,38 @@ "Are you sure? This action cannot be undone.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਸ ਕਾਰਵਾਈ ਨੂੰ ਅਣਕੀਤਾ ਨਹੀਂ ਕੀਤਾ ਜਾ ਸਕਦਾ।", "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਉਹਨਾਂ ਸਾਰੇ ਸੰਪਰਕਾਂ ਲਈ ਇਸ ਕਿਸਮ ਦੇ ਸਾਰੇ ਕਾਲ ਕਾਰਨਾਂ ਨੂੰ ਮਿਟਾ ਦੇਵੇਗਾ ਜੋ ਇਸਨੂੰ ਵਰਤ ਰਹੇ ਸਨ।", "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਉਹਨਾਂ ਸਾਰੇ ਸੰਪਰਕਾਂ ਲਈ ਇਸ ਕਿਸਮ ਦੇ ਸਾਰੇ ਸਬੰਧਾਂ ਨੂੰ ਮਿਟਾ ਦੇਵੇਗਾ ਜੋ ਇਸਨੂੰ ਵਰਤ ਰਹੇ ਸਨ।", - "Are you sure? This will delete the contact information permanently.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਨੂੰ ਸਥਾਈ ਤੌਰ 'ਤੇ ਮਿਟਾ ਦੇਵੇਗਾ।", - "Are you sure? This will delete the document permanently.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਦਸਤਾਵੇਜ਼ ਨੂੰ ਸਥਾਈ ਤੌਰ 'ਤੇ ਮਿਟਾ ਦੇਵੇਗਾ।", - "Are you sure? This will delete the goal and all the streaks permanently.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਟੀਚਾ ਅਤੇ ਸਾਰੀਆਂ ਸਟ੍ਰੀਕਾਂ ਨੂੰ ਸਥਾਈ ਤੌਰ 'ਤੇ ਮਿਟਾ ਦੇਵੇਗਾ।", + "Are you sure? This will delete the contact information permanently.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਨੂੰ ਸਥਾਈ ਤੌਰ ’ਤੇ ਮਿਟਾ ਦੇਵੇਗਾ।", + "Are you sure? This will delete the document permanently.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਦਸਤਾਵੇਜ਼ ਨੂੰ ਪੱਕੇ ਤੌਰ ’ਤੇ ਮਿਟਾ ਦੇਵੇਗਾ।", + "Are you sure? This will delete the goal and all the streaks permanently.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਟੀਚਾ ਅਤੇ ਸਾਰੀਆਂ ਸਟ੍ਰੀਕਾਂ ਨੂੰ ਸਥਾਈ ਤੌਰ ’ਤੇ ਮਿਟਾ ਦੇਵੇਗਾ।", "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਸਾਰੇ ਸੰਪਰਕਾਂ ਤੋਂ ਪਤੇ ਦੀਆਂ ਕਿਸਮਾਂ ਨੂੰ ਹਟਾ ਦੇਵੇਗਾ, ਪਰ ਸੰਪਰਕਾਂ ਨੂੰ ਆਪਣੇ ਆਪ ਨਹੀਂ ਮਿਟਾਏਗਾ।", "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਸਾਰੇ ਸੰਪਰਕਾਂ ਤੋਂ ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਕਿਸਮਾਂ ਨੂੰ ਹਟਾ ਦੇਵੇਗਾ, ਪਰ ਸੰਪਰਕਾਂ ਨੂੰ ਆਪਣੇ ਆਪ ਨਹੀਂ ਮਿਟਾਏਗਾ।", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਸਾਰੇ ਸੰਪਰਕਾਂ ਤੋਂ ਲਿੰਗ ਨੂੰ ਹਟਾ ਦੇਵੇਗਾ, ਪਰ ਸੰਪਰਕਾਂ ਨੂੰ ਆਪਣੇ ਆਪ ਨਹੀਂ ਮਿਟਾਏਗਾ।", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "ਤੁਹਾਨੂੰ ਪੂਰਾ ਵਿਸ਼ਵਾਸ ਹੈ? ਇਹ ਸਾਰੇ ਸੰਪਰਕਾਂ ਤੋਂ ਟੈਮਪਲੇਟ ਨੂੰ ਹਟਾ ਦੇਵੇਗਾ, ਪਰ ਸੰਪਰਕਾਂ ਨੂੰ ਆਪਣੇ ਆਪ ਨਹੀਂ ਮਿਟਾਏਗਾ।", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ 'ਤੇ ਇਸ ਟੀਮ ਨੂੰ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ? ਇੱਕ ਵਾਰ ਟੀਮ ਨੂੰ ਮਿਟਾਉਣ ਤੋਂ ਬਾਅਦ, ਇਸਦੇ ਸਾਰੇ ਸਰੋਤ ਅਤੇ ਡੇਟਾ ਸਥਾਈ ਤੌਰ 'ਤੇ ਮਿਟਾ ਦਿੱਤੇ ਜਾਣਗੇ।", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ 'ਤੇ ਆਪਣਾ ਖਾਤਾ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ? ਇੱਕ ਵਾਰ ਜਦੋਂ ਤੁਹਾਡਾ ਖਾਤਾ ਮਿਟਾਇਆ ਜਾਂਦਾ ਹੈ, ਤਾਂ ਇਸਦੇ ਸਾਰੇ ਸਰੋਤ ਅਤੇ ਡੇਟਾ ਸਥਾਈ ਤੌਰ 'ਤੇ ਮਿਟਾ ਦਿੱਤੇ ਜਾਣਗੇ। ਕਿਰਪਾ ਕਰਕੇ ਇਹ ਪੁਸ਼ਟੀ ਕਰਨ ਲਈ ਆਪਣਾ ਪਾਸਵਰਡ ਦਰਜ ਕਰੋ ਕਿ ਤੁਸੀਂ ਆਪਣੇ ਖਾਤੇ ਨੂੰ ਪੱਕੇ ਤੌਰ 'ਤੇ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ।", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ ’ਤੇ ਇਸ ਟੀਮ ਨੂੰ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ? ਇੱਕ ਵਾਰ ਟੀਮ ਨੂੰ ਮਿਟਾਉਣ ਤੋਂ ਬਾਅਦ, ਇਸਦੇ ਸਾਰੇ ਸਰੋਤ ਅਤੇ ਡੇਟਾ ਸਥਾਈ ਤੌਰ ’ਤੇ ਮਿਟਾ ਦਿੱਤੇ ਜਾਣਗੇ।", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ ’ਤੇ ਆਪਣਾ ਖਾਤਾ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ? ਇੱਕ ਵਾਰ ਜਦੋਂ ਤੁਹਾਡਾ ਖਾਤਾ ਮਿਟਾਇਆ ਜਾਂਦਾ ਹੈ, ਤਾਂ ਇਸਦੇ ਸਾਰੇ ਸਰੋਤ ਅਤੇ ਡੇਟਾ ਸਥਾਈ ਤੌਰ ’ਤੇ ਮਿਟਾ ਦਿੱਤੇ ਜਾਣਗੇ। ਕਿਰਪਾ ਕਰਕੇ ਇਹ ਪੁਸ਼ਟੀ ਕਰਨ ਲਈ ਆਪਣਾ ਪਾਸਵਰਡ ਦਰਜ ਕਰੋ ਕਿ ਤੁਸੀਂ ਆਪਣੇ ਖਾਤੇ ਨੂੰ ਪੱਕੇ ਤੌਰ ’ਤੇ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ।", "Are you sure you would like to archive this contact?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨਨ ਇਸ ਸੰਪਰਕ ਨੂੰ ਆਰਕਾਈਵ ਕਰਨਾ ਚਾਹੁੰਦੇ ਹੋ?", - "Are you sure you would like to delete this API token?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ 'ਤੇ ਇਸ API ਟੋਕਨ ਨੂੰ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ?", + "Are you sure you would like to delete this API token?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ ’ਤੇ ਇਸ API ਟੋਕਨ ਨੂੰ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "ਕੀ ਤੁਸੀਂ ਯਕੀਨਨ ਇਸ ਸੰਪਰਕ ਨੂੰ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ? ਇਸ ਨਾਲ ਸਾਨੂੰ ਇਸ ਸੰਪਰਕ ਬਾਰੇ ਪਤਾ ਲੱਗਣ ਵਾਲੀ ਹਰ ਚੀਜ਼ ਨੂੰ ਹਟਾ ਦਿੱਤਾ ਜਾਵੇਗਾ।", - "Are you sure you would like to delete this key?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ 'ਤੇ ਇਸ ਕੁੰਜੀ ਨੂੰ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ?", - "Are you sure you would like to leave this team?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ 'ਤੇ ਇਸ ਟੀਮ ਨੂੰ ਛੱਡਣਾ ਚਾਹੁੰਦੇ ਹੋ?", - "Are you sure you would like to remove this person from the team?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ 'ਤੇ ਇਸ ਵਿਅਕਤੀ ਨੂੰ ਟੀਮ ਤੋਂ ਹਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ?", + "Are you sure you would like to delete this key?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ ’ਤੇ ਇਸ ਕੁੰਜੀ ਨੂੰ ਮਿਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ?", + "Are you sure you would like to leave this team?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ ’ਤੇ ਇਸ ਟੀਮ ਨੂੰ ਛੱਡਣਾ ਚਾਹੋਗੇ?", + "Are you sure you would like to remove this person from the team?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨੀ ਤੌਰ ’ਤੇ ਇਸ ਵਿਅਕਤੀ ਨੂੰ ਟੀਮ ਤੋਂ ਹਟਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ?", "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "ਜੀਵਨ ਦਾ ਇੱਕ ਟੁਕੜਾ ਤੁਹਾਨੂੰ ਤੁਹਾਡੇ ਲਈ ਅਰਥਪੂਰਨ ਕਿਸੇ ਚੀਜ਼ ਦੁਆਰਾ ਸਮੂਹ ਪੋਸਟਾਂ ਦੀ ਆਗਿਆ ਦਿੰਦਾ ਹੈ। ਇਸਨੂੰ ਇੱਥੇ ਦੇਖਣ ਲਈ ਇੱਕ ਪੋਸਟ ਵਿੱਚ ਜੀਵਨ ਦਾ ਇੱਕ ਟੁਕੜਾ ਸ਼ਾਮਲ ਕਰੋ।", - "a son-father relation shown on the son page.": "ਪੁੱਤਰ ਪੰਨੇ 'ਤੇ ਦਿਖਾਇਆ ਗਿਆ ਪੁੱਤਰ-ਪਿਤਾ ਦਾ ਰਿਸ਼ਤਾ।", + "a son-father relation shown on the son page.": "ਪੁੱਤਰ ਪੰਨੇ ’ਤੇ ਦਿਖਾਇਆ ਗਿਆ ਪੁੱਤਰ-ਪਿਤਾ ਦਾ ਰਿਸ਼ਤਾ।", "assigned a label": "ਇੱਕ ਲੇਬਲ ਨਿਰਧਾਰਤ ਕੀਤਾ", "Association": "ਐਸੋਸੀਏਸ਼ਨ", - "At": "'ਤੇ", - "at ": "'ਤੇ", - "Ate": "ਖਾਧਾ", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "ਇੱਕ ਟੈਮਪਲੇਟ ਪਰਿਭਾਸ਼ਿਤ ਕਰਦਾ ਹੈ ਕਿ ਸੰਪਰਕਾਂ ਨੂੰ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ। ਤੁਹਾਡੇ ਕੋਲ ਜਿੰਨੇ ਚਾਹੋ ਟੈਮਪਲੇਟ ਹੋ ਸਕਦੇ ਹਨ - ਉਹਨਾਂ ਨੂੰ ਤੁਹਾਡੀਆਂ ਖਾਤਾ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਪਰਿਭਾਸ਼ਿਤ ਕੀਤਾ ਗਿਆ ਹੈ। ਹਾਲਾਂਕਿ, ਤੁਸੀਂ ਇੱਕ ਪੂਰਵ-ਨਿਰਧਾਰਤ ਟੈਮਪਲੇਟ ਨੂੰ ਪਰਿਭਾਸ਼ਿਤ ਕਰਨਾ ਚਾਹ ਸਕਦੇ ਹੋ ਤਾਂ ਕਿ ਇਸ ਵਾਲਟ ਵਿੱਚ ਤੁਹਾਡੇ ਸਾਰੇ ਸੰਪਰਕਾਂ ਵਿੱਚ ਇਹ ਟੈਮਪਲੇਟ ਮੂਲ ਰੂਪ ਵਿੱਚ ਹੋਵੇ।", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "ਇੱਕ ਟੈਂਪਲੇਟ ਪੰਨਿਆਂ ਦਾ ਬਣਿਆ ਹੁੰਦਾ ਹੈ, ਅਤੇ ਹਰੇਕ ਪੰਨੇ ਵਿੱਚ, ਮੋਡੀਊਲ ਹੁੰਦੇ ਹਨ। ਡਾਟਾ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਂਦਾ ਹੈ ਇਹ ਪੂਰੀ ਤਰ੍ਹਾਂ ਤੁਹਾਡੇ 'ਤੇ ਨਿਰਭਰ ਕਰਦਾ ਹੈ।", + "At": "ਵਿਖੇ", + "at ": "’ਤੇ", + "Ate": "ਖਾ ਲਿਆ", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "ਇੱਕ ਟੈਮਪਲੇਟ ਪਰਿਭਾਸ਼ਿਤ ਕਰਦਾ ਹੈ ਕਿ ਸੰਪਰਕਾਂ ਨੂੰ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ। ਤੁਹਾਡੇ ਕੋਲ ਜਿੰਨੇ ਚਾਹੋ ਟੈਂਪਲੇਟ ਹੋ ਸਕਦੇ ਹਨ - ਉਹਨਾਂ ਨੂੰ ਤੁਹਾਡੀਆਂ ਖਾਤਾ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਪਰਿਭਾਸ਼ਿਤ ਕੀਤਾ ਗਿਆ ਹੈ। ਹਾਲਾਂਕਿ, ਤੁਸੀਂ ਇੱਕ ਪੂਰਵ-ਨਿਰਧਾਰਤ ਟੈਮਪਲੇਟ ਨੂੰ ਪਰਿਭਾਸ਼ਿਤ ਕਰਨਾ ਚਾਹ ਸਕਦੇ ਹੋ ਤਾਂ ਜੋ ਇਸ ਵਾਲਟ ਵਿੱਚ ਤੁਹਾਡੇ ਸਾਰੇ ਸੰਪਰਕਾਂ ਵਿੱਚ ਇਹ ਟੈਮਪਲੇਟ ਮੂਲ ਰੂਪ ਵਿੱਚ ਹੋਵੇ।", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "ਇੱਕ ਟੈਂਪਲੇਟ ਪੰਨਿਆਂ ਦਾ ਬਣਿਆ ਹੁੰਦਾ ਹੈ, ਅਤੇ ਹਰੇਕ ਪੰਨੇ ਵਿੱਚ, ਮੋਡੀਊਲ ਹੁੰਦੇ ਹਨ। ਡਾਟਾ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਂਦਾ ਹੈ ਇਹ ਪੂਰੀ ਤਰ੍ਹਾਂ ਤੁਹਾਡੇ ’ਤੇ ਨਿਰਭਰ ਕਰਦਾ ਹੈ।", "Atheist": "ਨਾਸਤਿਕ", "At which time should we send the notification, when the reminder occurs?": "ਸਾਨੂੰ ਕਿਸ ਸਮੇਂ ਨੋਟੀਫਿਕੇਸ਼ਨ ਭੇਜਣਾ ਚਾਹੀਦਾ ਹੈ, ਜਦੋਂ ਰੀਮਾਈਂਡਰ ਆਉਂਦਾ ਹੈ?", "Audio-only call": "ਸਿਰਫ਼-ਆਡੀਓ ਕਾਲ", - "Auto saved a few seconds ago": "ਕੁਝ ਸਕਿੰਟ ਪਹਿਲਾਂ ਸਵੈਚਲਿਤ ਤੌਰ 'ਤੇ ਸੁਰੱਖਿਅਤ ਕੀਤਾ ਗਿਆ", + "Auto saved a few seconds ago": "ਕੁਝ ਸਕਿੰਟ ਪਹਿਲਾਂ ਸਵੈਚਲਿਤ ਤੌਰ ’ਤੇ ਸੁਰੱਖਿਅਤ ਕੀਤਾ ਗਿਆ", "Available modules:": "ਉਪਲਬਧ ਮੋਡੀਊਲ:", "Avatar": "ਅਵਤਾਰ", "Avatars": "ਅਵਤਾਰ", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "ਜਾਰੀ ਰੱਖਣ ਤੋਂ ਪਹਿਲਾਂ, ਕੀ ਤੁਸੀਂ ਉਸ ਲਿੰਕ 'ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਆਪਣੇ ਈਮੇਲ ਪਤੇ ਦੀ ਪੁਸ਼ਟੀ ਕਰ ਸਕਦੇ ਹੋ ਜੋ ਅਸੀਂ ਤੁਹਾਨੂੰ ਈਮੇਲ ਕੀਤਾ ਹੈ? ਜੇਕਰ ਤੁਹਾਨੂੰ ਈਮੇਲ ਪ੍ਰਾਪਤ ਨਹੀਂ ਹੋਈ, ਤਾਂ ਅਸੀਂ ਖੁਸ਼ੀ ਨਾਲ ਤੁਹਾਨੂੰ ਇੱਕ ਹੋਰ ਭੇਜਾਂਗੇ।", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "ਜਾਰੀ ਰੱਖਣ ਤੋਂ ਪਹਿਲਾਂ, ਕੀ ਤੁਸੀਂ ਉਸ ਲਿੰਕ ’ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਆਪਣੇ ਈਮੇਲ ਪਤੇ ਦੀ ਪੁਸ਼ਟੀ ਕਰ ਸਕਦੇ ਹੋ ਜੋ ਅਸੀਂ ਤੁਹਾਨੂੰ ਈਮੇਲ ਕੀਤਾ ਹੈ? ਜੇਕਰ ਤੁਹਾਨੂੰ ਈਮੇਲ ਪ੍ਰਾਪਤ ਨਹੀਂ ਹੋਈ, ਤਾਂ ਅਸੀਂ ਖੁਸ਼ੀ ਨਾਲ ਤੁਹਾਨੂੰ ਇੱਕ ਹੋਰ ਭੇਜਾਂਗੇ।", "best friend": "ਪੱਕੇ ਮਿੱਤਰ", "Bird": "ਪੰਛੀ", "Birthdate": "ਜਨਮ ਮਿਤੀ", @@ -219,8 +219,8 @@ "Body": "ਸਰੀਰ", "boss": "ਬੌਸ", "Bought": "ਖਰੀਦਿਆ", - "Breakdown of the current usage": "ਵਰਤਮਾਨ ਵਰਤੋਂ ਨੂੰ ਤੋੜਨਾ", - "brother\/sister": "ਭਰਾ\/ਭੈਣ", + "Breakdown of the current usage": "ਮੌਜੂਦਾ ਵਰਤੋਂ ਨੂੰ ਤੋੜਨਾ", + "brother/sister": "ਭਰਾ/ਭੈਣ", "Browser Sessions": "ਬ੍ਰਾਊਜ਼ਰ ਸੈਸ਼ਨ", "Buddhist": "ਬੋਧੀ", "Business": "ਕਾਰੋਬਾਰ", @@ -259,7 +259,7 @@ "Christmas": "ਕ੍ਰਿਸਮਸ", "City": "ਸ਼ਹਿਰ", "Click here to re-send the verification email.": "ਪੁਸ਼ਟੀਕਰਨ ਈਮੇਲ ਮੁੜ-ਭੇਜਣ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।", - "Click on a day to see the details": "ਵੇਰਵੇ ਦੇਖਣ ਲਈ ਇੱਕ ਦਿਨ 'ਤੇ ਕਲਿੱਕ ਕਰੋ", + "Click on a day to see the details": "ਵੇਰਵੇ ਦੇਖਣ ਲਈ ਇੱਕ ਦਿਨ ’ਤੇ ਕਲਿੱਕ ਕਰੋ", "Close": "ਬੰਦ ਕਰੋ", "close edit mode": "ਸੰਪਾਦਨ ਮੋਡ ਬੰਦ ਕਰੋ", "Club": "ਕਲੱਬ", @@ -267,7 +267,7 @@ "colleague": "ਸਹਿਕਰਮੀ", "Companies": "ਕੰਪਨੀਆਂ", "Company name": "ਕੰਪਨੀ ਦਾ ਨਾਂ", - "Compared to Monica:": "ਮੋਨਿਕਾ ਦੇ ਮੁਕਾਬਲੇ:", + "Compared to Monica:": "ਦੀ ਤੁਲਣਾ Monica:", "Configure how we should notify you": "ਕੌਂਫਿਗਰ ਕਰੋ ਕਿ ਸਾਨੂੰ ਤੁਹਾਨੂੰ ਕਿਵੇਂ ਸੂਚਿਤ ਕਰਨਾ ਚਾਹੀਦਾ ਹੈ", "Confirm": "ਪੁਸ਼ਟੀ ਕਰੋ", "Confirm Password": "ਪਾਸਵਰਡ ਪੱਕਾ ਕਰੋ", @@ -301,13 +301,13 @@ "Create a journal to document your life.": "ਆਪਣੇ ਜੀਵਨ ਨੂੰ ਦਸਤਾਵੇਜ਼ ਬਣਾਉਣ ਲਈ ਇੱਕ ਜਰਨਲ ਬਣਾਓ।", "Create an account": "ਅਕਾਉਂਟ ਬਣਾਓ", "Create a new address": "ਇੱਕ ਨਵਾਂ ਪਤਾ ਬਣਾਓ", - "Create a new team to collaborate with others on projects.": "ਪ੍ਰੋਜੈਕਟਾਂ 'ਤੇ ਦੂਜਿਆਂ ਨਾਲ ਸਹਿਯੋਗ ਕਰਨ ਲਈ ਇੱਕ ਨਵੀਂ ਟੀਮ ਬਣਾਓ।", + "Create a new team to collaborate with others on projects.": "ਪ੍ਰੋਜੈਕਟਾਂ ’ਤੇ ਦੂਜਿਆਂ ਨਾਲ ਸਹਿਯੋਗ ਕਰਨ ਲਈ ਇੱਕ ਨਵੀਂ ਟੀਮ ਬਣਾਓ।", "Create API Token": "API ਟੋਕਨ ਬਣਾਓ", "Create a post": "ਇੱਕ ਪੋਸਟ ਬਣਾਓ", "Create a reminder": "ਇੱਕ ਰੀਮਾਈਂਡਰ ਬਣਾਓ", "Create a slice of life": "ਜੀਵਨ ਦਾ ਇੱਕ ਟੁਕੜਾ ਬਣਾਓ", "Create at least one page to display contact’s data.": "ਸੰਪਰਕ ਦਾ ਡੇਟਾ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨ ਲਈ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਪੰਨਾ ਬਣਾਓ।", - "Create at least one template to use Monica.": "ਮੋਨਿਕਾ ਦੀ ਵਰਤੋਂ ਕਰਨ ਲਈ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਟੈਮਪਲੇਟ ਬਣਾਓ।", + "Create at least one template to use Monica.": "Monica ਦੀ ਵਰਤੋਂ ਕਰਨ ਲਈ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਟੈਮਪਲੇਟ ਬਣਾਓ।", "Create a user": "ਇੱਕ ਉਪਭੋਗਤਾ ਬਣਾਓ", "Create a vault": "ਇੱਕ ਵਾਲਟ ਬਣਾਓ", "Created.": "ਬਣਾਇਆ।", @@ -342,7 +342,7 @@ "Day": "ਦਿਨ", "day": "ਦਿਨ", "Deactivate": "ਅਕਿਰਿਆਸ਼ੀਲ ਕਰੋ", - "Deceased date": "ਮ੍ਰਿਤਕ ਮਿਤੀ", + "Deceased date": "ਮਰਨ ਦੀ ਮਿਤੀ", "Default template": "ਪੂਰਵ-ਨਿਰਧਾਰਤ ਟੈਮਪਲੇਟ", "Default template to display contacts": "ਸੰਪਰਕ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨ ਲਈ ਪੂਰਵ-ਨਿਰਧਾਰਤ ਟੈਮਪਲੇਟ", "Delete": "ਮਿਟਾਓ", @@ -364,7 +364,7 @@ "Delete the photo": "ਫੋਟੋ ਨੂੰ ਮਿਟਾਓ", "Delete the slice": "ਟੁਕੜਾ ਮਿਟਾਓ", "Delete the vault": "ਵਾਲਟ ਨੂੰ ਮਿਟਾਓ", - "Delete your account on https:\/\/customers.monicahq.com.": "https:\/\/customers.monicahq.com 'ਤੇ ਆਪਣਾ ਖਾਤਾ ਮਿਟਾਓ।", + "Delete your account on https://customers.monicahq.com.": "https://customers.monicahq.com ’ਤੇ ਆਪਣਾ ਖਾਤਾ ਮਿਟਾਓ।", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "ਵਾਲਟ ਨੂੰ ਮਿਟਾਉਣ ਦਾ ਮਤਲਬ ਹੈ ਇਸ ਵਾਲਟ ਦੇ ਅੰਦਰਲੇ ਸਾਰੇ ਡੇਟਾ ਨੂੰ ਹਮੇਸ਼ਾ ਲਈ ਮਿਟਾਉਣਾ। ਪਿੱਛੇ ਮੁੜਨ ਵਾਲਾ ਨਹੀਂ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ ਪੱਕਾ ਕਰੋ।", "Description": "ਵਰਣਨ", "Detail of a goal": "ਇੱਕ ਟੀਚੇ ਦਾ ਵੇਰਵਾ", @@ -373,7 +373,7 @@ "Disable all": "ਸਭ ਨੂੰ ਅਯੋਗ ਕਰੋ", "Disconnect": "ਡਿਸਕਨੈਕਟ ਕਰੋ", "Discuss partnership": "ਭਾਈਵਾਲੀ ਬਾਰੇ ਚਰਚਾ ਕਰੋ", - "Discuss recent purchases": "ਹਾਲੀਆ ਖਰੀਦਦਾਰੀ 'ਤੇ ਚਰਚਾ ਕਰੋ", + "Discuss recent purchases": "ਹਾਲੀਆ ਖਰੀਦਦਾਰੀ ’ਤੇ ਚਰਚਾ ਕਰੋ", "Dismiss": "ਖਾਰਜ ਕਰੋ", "Display help links in the interface to help you (English only)": "ਤੁਹਾਡੀ ਮਦਦ ਕਰਨ ਲਈ ਇੰਟਰਫੇਸ ਵਿੱਚ ਮਦਦ ਲਿੰਕ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰੋ (ਸਿਰਫ਼ ਅੰਗਰੇਜ਼ੀ)", "Distance": "ਦੂਰੀ", @@ -384,7 +384,7 @@ "Download as vCard": "vCard ਵਜੋਂ ਡਾਊਨਲੋਡ ਕਰੋ", "Drank": "ਪੀਤਾ", "Drove": "ਚਲਾਇਆ", - "Due and upcoming tasks": "ਬਕਾਇਆ ਅਤੇ ਆਉਣ ਵਾਲੇ ਕਾਰਜ", + "Due and upcoming tasks": "ਬਕਾਇਆ ਅਤੇ ਆਉਣ ਵਾਲੇ ਕੰਮ", "Edit": "ਸੰਪਾਦਿਤ ਕਰੋ", "edit": "ਸੰਪਾਦਿਤ ਕਰੋ", "Edit a contact": "ਇੱਕ ਸੰਪਰਕ ਸੰਪਾਦਿਤ ਕਰੋ", @@ -419,6 +419,7 @@ "Exception:": "ਅਪਵਾਦ:", "Existing company": "ਮੌਜੂਦਾ ਕੰਪਨੀ", "External connections": "ਬਾਹਰੀ ਕਨੈਕਸ਼ਨ", + "Facebook": "ਫੇਸਬੁੱਕ", "Family": "ਪਰਿਵਾਰ", "Family summary": "ਪਰਿਵਾਰਕ ਸੰਖੇਪ", "Favorites": "ਮਨਪਸੰਦ", @@ -426,7 +427,7 @@ "Files": "ਫਾਈਲਾਂ", "Filter": "ਫਿਲਟਰ", "Filter list or create a new label": "ਸੂਚੀ ਫਿਲਟਰ ਕਰੋ ਜਾਂ ਨਵਾਂ ਲੇਬਲ ਬਣਾਓ", - "Filter list or create a new tag": "ਸੂਚੀ ਫਿਲਟਰ ਕਰੋ ਜਾਂ ਨਵਾਂ ਟੈਗ ਬਣਾਓ", + "Filter list or create a new tag": "ਸੂਚੀ ਨੂੰ ਫਿਲਟਰ ਕਰੋ ਜਾਂ ਨਵਾਂ ਟੈਗ ਬਣਾਓ", "Find a contact in this vault": "ਇਸ ਵਾਲਟ ਵਿੱਚ ਇੱਕ ਸੰਪਰਕ ਲੱਭੋ", "Finish enabling two factor authentication.": "ਦੋ ਕਾਰਕ ਪ੍ਰਮਾਣਿਕਤਾ ਨੂੰ ਸਮਰੱਥ ਬਣਾਉਣਾ ਪੂਰਾ ਕਰੋ।", "First name": "ਪਹਿਲਾ ਨਾਂ", @@ -438,7 +439,6 @@ "For:": "ਲਈ:", "For advice": "ਸਲਾਹ ਲਈ", "Forbidden": "ਵਰਜਿਤ", - "Forgot password?": "ਪਾਸਵਰਡ ਭੁੱਲ ਗਏ?", "Forgot your password?": "ਆਪਣਾ ਪਾਸਵਰਡ ਭੁੱਲ ਗਏ?", "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "ਆਪਣਾ ਪਾਸਵਰਡ ਭੁੱਲ ਗਏ? ਕੋਈ ਸਮੱਸਿਆ ਨਹੀ. ਬੱਸ ਸਾਨੂੰ ਆਪਣਾ ਈਮੇਲ ਪਤਾ ਦੱਸੋ ਅਤੇ ਅਸੀਂ ਤੁਹਾਨੂੰ ਇੱਕ ਪਾਸਵਰਡ ਰੀਸੈਟ ਲਿੰਕ ਈਮੇਲ ਕਰਾਂਗੇ ਜੋ ਤੁਹਾਨੂੰ ਇੱਕ ਨਵਾਂ ਚੁਣਨ ਦੀ ਇਜਾਜ਼ਤ ਦੇਵੇਗਾ।", "For your security, please confirm your password to continue.": "ਤੁਹਾਡੀ ਸੁਰੱਖਿਆ ਲਈ, ਕਿਰਪਾ ਕਰਕੇ ਜਾਰੀ ਰੱਖਣ ਲਈ ਆਪਣੇ ਪਾਸਵਰਡ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ।", @@ -447,7 +447,7 @@ "Friend": "ਦੋਸਤ", "friend": "ਦੋਸਤ", "From A to Z": "ਏ ਤੋਂ ਜ਼ੈੱਡ ਤੱਕ", - "From Z to A": "ਜ਼ੈਡ ਤੋਂ ਏ", + "From Z to A": "ਜ਼ੈੱਡ ਤੋਂ ਏ", "Gender": "ਲਿੰਗ", "Gender and pronoun": "ਲਿੰਗ ਅਤੇ ਸਰਵਣ", "Genders": "ਲਿੰਗ", @@ -462,27 +462,27 @@ "godchild": "godchild", "godparent": "godparent", "Google Maps": "ਗੂਗਲ ਦੇ ਨਕਸ਼ੇ", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "ਗੂਗਲ ਮੈਪਸ ਵਧੀਆ ਸ਼ੁੱਧਤਾ ਅਤੇ ਵੇਰਵਿਆਂ ਦੀ ਪੇਸ਼ਕਸ਼ ਕਰਦਾ ਹੈ, ਪਰ ਇਹ ਗੋਪਨੀਯਤਾ ਦੇ ਨਜ਼ਰੀਏ ਤੋਂ ਆਦਰਸ਼ ਨਹੀਂ ਹੈ।", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "ਗੂਗਲ ਮੈਪਸ ਸਭ ਤੋਂ ਵਧੀਆ ਸ਼ੁੱਧਤਾ ਅਤੇ ਵੇਰਵਿਆਂ ਦੀ ਪੇਸ਼ਕਸ਼ ਕਰਦਾ ਹੈ, ਪਰ ਇਹ ਗੋਪਨੀਯਤਾ ਦੇ ਨਜ਼ਰੀਏ ਤੋਂ ਆਦਰਸ਼ ਨਹੀਂ ਹੈ।", "Got fired": "ਕੱਢ ਦਿੱਤਾ ਗਿਆ", - "Go to page :page": "ਪੰਨੇ 'ਤੇ ਜਾਓ: ਪੰਨਾ", + "Go to page :page": "ਪੰਨੇ ’ਤੇ ਜਾਓ :page", "grand child": "ਪੋਤਾ ਬੱਚਾ", "grand parent": "ਦਾਦਾ-ਦਾਦੀ", "Great! You have accepted the invitation to join the :team team.": "ਬਹੁਤ ਵਧੀਆ! ਤੁਸੀਂ :team ਟੀਮ ਵਿੱਚ ਸ਼ਾਮਲ ਹੋਣ ਦਾ ਸੱਦਾ ਸਵੀਕਾਰ ਕਰ ਲਿਆ ਹੈ।", "Group journal entries together with slices of life.": "ਜੀਵਨ ਦੇ ਟੁਕੜਿਆਂ ਦੇ ਨਾਲ ਸਮੂਹ ਜਰਨਲ ਐਂਟਰੀਆਂ।", "Groups": "ਸਮੂਹ", - "Groups let you put your contacts together in a single place.": "ਸਮੂਹ ਤੁਹਾਨੂੰ ਤੁਹਾਡੇ ਸੰਪਰਕਾਂ ਨੂੰ ਇੱਕ ਥਾਂ 'ਤੇ ਇਕੱਠੇ ਰੱਖਣ ਦਿੰਦੇ ਹਨ।", + "Groups let you put your contacts together in a single place.": "ਸਮੂਹ ਤੁਹਾਨੂੰ ਤੁਹਾਡੇ ਸੰਪਰਕਾਂ ਨੂੰ ਇੱਕ ਥਾਂ ’ਤੇ ਇਕੱਠੇ ਰੱਖਣ ਦਿੰਦੇ ਹਨ।", "Group type": "ਸਮੂਹ ਦੀ ਕਿਸਮ", - "Group type: :name": "ਸਮੂਹ ਦੀ ਕਿਸਮ: :ਨਾਮ", + "Group type: :name": "ਸਮੂਹ ਦੀ ਕਿਸਮ: :name", "Group types": "ਸਮੂਹ ਕਿਸਮਾਂ", "Group types let you group people together.": "ਸਮੂਹ ਕਿਸਮਾਂ ਤੁਹਾਨੂੰ ਲੋਕਾਂ ਨੂੰ ਇਕੱਠੇ ਸਮੂਹ ਕਰਨ ਦਿੰਦੀਆਂ ਹਨ।", - "Had a promotion": "ਦੀ ਤਰੱਕੀ ਸੀ", + "Had a promotion": "ਦੀ ਤਰੱਕੀ ਹੋਈ ਸੀ", "Hamster": "ਹੈਮਸਟਰ", "Have a great day,": "ਤੁਹਾਡਾ ਦਿਨ ਅੱਛਾ ਹੋਵੇ,", - "he\/him": "ਉਹ\/ਉਸਨੂੰ", + "he/him": "ਉਹ/ਉਸਨੂੰ", "Hello!": "ਸਤ ਸ੍ਰੀ ਅਕਾਲ!", "Help": "ਮਦਦ ਕਰੋ", - "Hi :name": "ਹੈਲੋ: ਨਾਮ", - "Hinduist": "ਹਿੰਦੂ", + "Hi :name": "ਹੈਲੋ :name", + "Hinduist": "ਹਿੰਦੂਵਾਦੀ", "History of the notification sent": "ਭੇਜੀ ਗਈ ਸੂਚਨਾ ਦਾ ਇਤਿਹਾਸ", "Hobbies": "ਸ਼ੌਕ", "Home": "ਘਰ", @@ -498,21 +498,21 @@ "How should we display dates": "ਸਾਨੂੰ ਤਰੀਕਾਂ ਨੂੰ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨਾ ਚਾਹੀਦਾ ਹੈ", "How should we display distance values": "ਸਾਨੂੰ ਦੂਰੀ ਦੇ ਮੁੱਲਾਂ ਨੂੰ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨਾ ਚਾਹੀਦਾ ਹੈ", "How should we display numerical values": "ਸਾਨੂੰ ਸੰਖਿਆਤਮਕ ਮੁੱਲਾਂ ਨੂੰ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨਾ ਚਾਹੀਦਾ ਹੈ", - "I agree to the :terms and :policy": "ਮੈਂ :ਸ਼ਰਤਾਂ ਅਤੇ :ਨੀਤੀ ਨਾਲ ਸਹਿਮਤ ਹਾਂ", + "I agree to the :terms and :policy": "ਮੈਂ :terms ਅਤੇ :policy ਨਾਲ ਸਹਿਮਤ ਹਾਂ", "I agree to the :terms_of_service and :privacy_policy": "ਮੈਂ :terms_of_service ਅਤੇ :privacy_policy ਨਾਲ ਸਹਿਮਤ ਹਾਂ", "I am grateful for": "ਲਈ ਧੰਨਵਾਦੀ ਹਾਂ", "I called": "ਮੈਂ ਫੋਨ ਕੀਤਾ", - "I called, but :name didn’t answer": "ਮੈਂ ਬੁਲਾਇਆ, ਪਰ :ਨਾਮ ਨੇ ਜਵਾਬ ਨਹੀਂ ਦਿੱਤਾ", + "I called, but :name didn’t answer": "ਮੈਂ ਬੁਲਾਇਆ, ਪਰ :name ਨੇ ਜਵਾਬ ਨਹੀਂ ਦਿੱਤਾ", "Idea": "ਵਿਚਾਰ", "I don’t know the name": "ਮੈਨੂੰ ਨਾਮ ਨਹੀਂ ਪਤਾ", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "ਜੇ ਜਰੂਰੀ ਹੋਵੇ, ਤਾਂ ਤੁਸੀਂ ਆਪਣੀਆਂ ਸਾਰੀਆਂ ਡਿਵਾਈਸਾਂ ਵਿੱਚ ਆਪਣੇ ਸਾਰੇ ਬ੍ਰਾਊਜ਼ਰ ਸੈਸ਼ਨਾਂ ਤੋਂ ਲੌਗ ਆਉਟ ਕਰ ਸਕਦੇ ਹੋ। ਤੁਹਾਡੇ ਹਾਲੀਆ ਸੈਸ਼ਨਾਂ ਵਿੱਚੋਂ ਕੁਝ ਹੇਠਾਂ ਸੂਚੀਬੱਧ ਹਨ; ਹਾਲਾਂਕਿ, ਇਹ ਸੂਚੀ ਪੂਰੀ ਨਹੀਂ ਹੋ ਸਕਦੀ। ਜੇਕਰ ਤੁਹਾਨੂੰ ਲੱਗਦਾ ਹੈ ਕਿ ਤੁਹਾਡੇ ਖਾਤੇ ਨਾਲ ਸਮਝੌਤਾ ਕੀਤਾ ਗਿਆ ਹੈ, ਤਾਂ ਤੁਹਾਨੂੰ ਆਪਣਾ ਪਾਸਵਰਡ ਵੀ ਅੱਪਡੇਟ ਕਰਨਾ ਚਾਹੀਦਾ ਹੈ।", "If the date is in the past, the next occurence of the date will be next year.": "ਜੇਕਰ ਤਰੀਕ ਅਤੀਤ ਵਿੱਚ ਹੈ, ਤਾਂ ਤਾਰੀਖ ਦੀ ਅਗਲੀ ਘਟਨਾ ਅਗਲੇ ਸਾਲ ਹੋਵੇਗੀ।", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "ਜੇਕਰ ਤੁਹਾਨੂੰ \":actionText\" ਬਟਨ 'ਤੇ ਕਲਿੱਕ ਕਰਨ ਵਿੱਚ ਮੁਸ਼ਕਲ ਆ ਰਹੀ ਹੈ, ਤਾਂ ਹੇਠਾਂ ਦਿੱਤੇ URL ਨੂੰ ਕਾਪੀ ਅਤੇ ਪੇਸਟ ਕਰੋ\nਤੁਹਾਡੇ ਵੈੱਬ ਬਰਾਊਜ਼ਰ ਵਿੱਚ:", - "If you already have an account, you may accept this invitation by clicking the button below:": "ਜੇਕਰ ਤੁਹਾਡੇ ਕੋਲ ਪਹਿਲਾਂ ਹੀ ਖਾਤਾ ਹੈ, ਤਾਂ ਤੁਸੀਂ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ 'ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਇਸ ਸੱਦੇ ਨੂੰ ਸਵੀਕਾਰ ਕਰ ਸਕਦੇ ਹੋ:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "ਜੇਕਰ ਤੁਹਾਨੂੰ \":actionText\" ਬਟਨ ’ਤੇ ਕਲਿੱਕ ਕਰਨ ਵਿੱਚ ਮੁਸ਼ਕਲ ਆ ਰਹੀ ਹੈ, ਤਾਂ ਹੇਠਾਂ ਦਿੱਤੇ URL ਨੂੰ ਕਾਪੀ ਅਤੇ ਪੇਸਟ ਕਰੋ\nਤੁਹਾਡੇ ਵੈੱਬ ਬਰਾਊਜ਼ਰ ਵਿੱਚ:", + "If you already have an account, you may accept this invitation by clicking the button below:": "ਜੇਕਰ ਤੁਹਾਡੇ ਕੋਲ ਪਹਿਲਾਂ ਹੀ ਖਾਤਾ ਹੈ, ਤਾਂ ਤੁਸੀਂ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ ’ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਇਸ ਸੱਦੇ ਨੂੰ ਸਵੀਕਾਰ ਕਰ ਸਕਦੇ ਹੋ:", "If you did not create an account, no further action is required.": "ਜੇਕਰ ਤੁਸੀਂ ਕੋਈ ਖਾਤਾ ਨਹੀਂ ਬਣਾਇਆ ਹੈ, ਤਾਂ ਕੋਈ ਹੋਰ ਕਾਰਵਾਈ ਦੀ ਲੋੜ ਨਹੀਂ ਹੈ।", "If you did not expect to receive an invitation to this team, you may discard this email.": "ਜੇਕਰ ਤੁਹਾਨੂੰ ਇਸ ਟੀਮ ਨੂੰ ਸੱਦਾ ਮਿਲਣ ਦੀ ਉਮੀਦ ਨਹੀਂ ਸੀ, ਤਾਂ ਤੁਸੀਂ ਇਸ ਈਮੇਲ ਨੂੰ ਰੱਦ ਕਰ ਸਕਦੇ ਹੋ।", "If you did not request a password reset, no further action is required.": "ਜੇਕਰ ਤੁਸੀਂ ਪਾਸਵਰਡ ਰੀਸੈਟ ਦੀ ਬੇਨਤੀ ਨਹੀਂ ਕੀਤੀ ਹੈ, ਤਾਂ ਕੋਈ ਹੋਰ ਕਾਰਵਾਈ ਦੀ ਲੋੜ ਨਹੀਂ ਹੈ।", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "ਜੇਕਰ ਤੁਹਾਡੇ ਕੋਲ ਕੋਈ ਖਾਤਾ ਨਹੀਂ ਹੈ, ਤਾਂ ਤੁਸੀਂ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ 'ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਇੱਕ ਖਾਤਾ ਬਣਾ ਸਕਦੇ ਹੋ। ਇੱਕ ਖਾਤਾ ਬਣਾਉਣ ਤੋਂ ਬਾਅਦ, ਤੁਸੀਂ ਟੀਮ ਦੇ ਸੱਦੇ ਨੂੰ ਸਵੀਕਾਰ ਕਰਨ ਲਈ ਇਸ ਈਮੇਲ ਵਿੱਚ ਸੱਦਾ ਸਵੀਕ੍ਰਿਤੀ ਬਟਨ ਨੂੰ ਕਲਿੱਕ ਕਰ ਸਕਦੇ ਹੋ:", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "ਜੇਕਰ ਤੁਹਾਡੇ ਕੋਲ ਕੋਈ ਖਾਤਾ ਨਹੀਂ ਹੈ, ਤਾਂ ਤੁਸੀਂ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ ’ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਇੱਕ ਖਾਤਾ ਬਣਾ ਸਕਦੇ ਹੋ। ਇੱਕ ਖਾਤਾ ਬਣਾਉਣ ਤੋਂ ਬਾਅਦ, ਤੁਸੀਂ ਟੀਮ ਦੇ ਸੱਦੇ ਨੂੰ ਸਵੀਕਾਰ ਕਰਨ ਲਈ ਇਸ ਈਮੇਲ ਵਿੱਚ ਸੱਦਾ ਸਵੀਕ੍ਰਿਤੀ ਬਟਨ ਨੂੰ ਕਲਿੱਕ ਕਰ ਸਕਦੇ ਹੋ:", "If you’ve received this invitation by mistake, please discard it.": "ਜੇਕਰ ਤੁਹਾਨੂੰ ਇਹ ਸੱਦਾ ਗਲਤੀ ਨਾਲ ਪ੍ਰਾਪਤ ਹੋਇਆ ਹੈ, ਤਾਂ ਕਿਰਪਾ ਕਰਕੇ ਇਸਨੂੰ ਰੱਦ ਕਰੋ।", "I know the exact date, including the year": "ਮੈਨੂੰ ਸਾਲ ਸਮੇਤ ਸਹੀ ਤਾਰੀਖ ਪਤਾ ਹੈ", "I know the name": "ਮੈਂ ਨਾਮ ਜਾਣਦਾ ਹਾਂ", @@ -548,12 +548,12 @@ "Labels let you classify contacts using a system that matters to you.": "ਲੇਬਲ ਤੁਹਾਨੂੰ ਇੱਕ ਸਿਸਟਮ ਦੀ ਵਰਤੋਂ ਕਰਦੇ ਹੋਏ ਸੰਪਰਕਾਂ ਦਾ ਵਰਗੀਕਰਨ ਕਰਨ ਦਿੰਦੇ ਹਨ ਜੋ ਤੁਹਾਡੇ ਲਈ ਮਹੱਤਵਪੂਰਣ ਹੈ।", "Language of the application": "ਐਪਲੀਕੇਸ਼ਨ ਦੀ ਭਾਸ਼ਾ", "Last active": "ਆਖਰੀ ਕਿਰਿਆਸ਼ੀਲ", - "Last active :date": "ਆਖਰੀ ਕਿਰਿਆਸ਼ੀਲ: ਮਿਤੀ", + "Last active :date": "ਆਖਰੀ ਕਿਰਿਆਸ਼ੀਲ :date", "Last name": "ਆਖਰੀ ਨਾਂਮ", "Last name First name": "ਆਖਰੀ ਨਾਮ ਪਹਿਲਾ ਨਾਮ", - "Last updated": "ਆਖਰੀ ਵਾਰ ਅੱਪਡੇਟ ਕੀਤਾ", + "Last updated": "ਆਖਰੀ ਵਾਰ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ", "Last used": "ਪਿਛਲੀ ਵਾਰ ਵਰਤਿਆ ਗਿਆ", - "Last used :date": "ਪਿਛਲੀ ਵਾਰ ਵਰਤੀ ਗਈ: ਮਿਤੀ", + "Last used :date": "ਪਿਛਲੀ ਵਾਰ ਵਰਤਿਆ ਗਿਆ :date", "Leave": "ਛੱਡੋ", "Leave Team": "ਟੀਮ ਛੱਡੋ", "Life": "ਜੀਵਨ", @@ -564,11 +564,12 @@ "Life event types and categories": "ਜੀਵਨ ਘਟਨਾ ਦੀਆਂ ਕਿਸਮਾਂ ਅਤੇ ਸ਼੍ਰੇਣੀਆਂ", "Life metrics": "ਜੀਵਨ ਮਾਪਦੰਡ", "Life metrics let you track metrics that are important to you.": "ਜੀਵਨ ਮੈਟ੍ਰਿਕਸ ਤੁਹਾਨੂੰ ਉਹਨਾਂ ਮੈਟ੍ਰਿਕਸ ਨੂੰ ਟਰੈਕ ਕਰਨ ਦਿੰਦੇ ਹਨ ਜੋ ਤੁਹਾਡੇ ਲਈ ਮਹੱਤਵਪੂਰਨ ਹਨ।", + "LinkedIn": "ਲਿੰਕਡਇਨ", "Link to documentation": "ਦਸਤਾਵੇਜ਼ ਲਈ ਲਿੰਕ", "List of addresses": "ਪਤਿਆਂ ਦੀ ਸੂਚੀ", "List of addresses of the contacts in the vault": "ਵਾਲਟ ਵਿੱਚ ਸੰਪਰਕਾਂ ਦੇ ਪਤਿਆਂ ਦੀ ਸੂਚੀ", "List of all important dates": "ਸਾਰੀਆਂ ਮਹੱਤਵਪੂਰਨ ਤਾਰੀਖਾਂ ਦੀ ਸੂਚੀ", - "Loading…": "ਲੋਡ ਹੋ ਰਿਹਾ ਹੈ...", + "Loading…": "ਲੋਡ ਕੀਤਾ ਜਾ ਰਿਹਾ ਹੈ...", "Load previous entries": "ਪਿਛਲੀਆਂ ਐਂਟਰੀਆਂ ਲੋਡ ਕਰੋ", "Loans": "ਲੋਨ", "Locale default: :value": "ਲੋਕੇਲ ਡਿਫੌਲਟ: :value", @@ -591,12 +592,12 @@ "Manage Account": "ਖਾਤਾ ਪ੍ਰਬੰਧਿਤ ਕਰੋ", "Manage accounts you have linked to your Customers account.": "ਉਹਨਾਂ ਖਾਤਿਆਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ ਜੋ ਤੁਸੀਂ ਆਪਣੇ ਗਾਹਕ ਖਾਤੇ ਨਾਲ ਲਿੰਕ ਕੀਤੇ ਹਨ।", "Manage address types": "ਪਤੇ ਦੀਆਂ ਕਿਸਮਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", - "Manage and log out your active sessions on other browsers and devices.": "ਦੂਜੇ ਬ੍ਰਾਊਜ਼ਰਾਂ ਅਤੇ ਡਿਵਾਈਸਾਂ 'ਤੇ ਆਪਣੇ ਕਿਰਿਆਸ਼ੀਲ ਸੈਸ਼ਨਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਅਤੇ ਲੌਗ ਆਊਟ ਕਰੋ।", + "Manage and log out your active sessions on other browsers and devices.": "ਦੂਜੇ ਬ੍ਰਾਊਜ਼ਰਾਂ ਅਤੇ ਡਿਵਾਈਸਾਂ ’ਤੇ ਆਪਣੇ ਕਿਰਿਆਸ਼ੀਲ ਸੈਸ਼ਨਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਅਤੇ ਲੌਗ ਆਊਟ ਕਰੋ।", "Manage API Tokens": "API ਟੋਕਨਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", "Manage call reasons": "ਕਾਲ ਕਾਰਨਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", "Manage contact information types": "ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਕਿਸਮਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", "Manage currencies": "ਮੁਦਰਾਵਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", - "Manage genders": "ਲਿੰਗ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", + "Manage genders": "ਲਿੰਗ ਪ੍ਰਬੰਧਿਤ ਕਰੋ", "Manage gift occasions": "ਤੋਹਫ਼ੇ ਦੇ ਮੌਕਿਆਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", "Manage gift states": "ਤੋਹਫ਼ੇ ਦੀਆਂ ਸਥਿਤੀਆਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", "Manage group types": "ਸਮੂਹ ਕਿਸਮਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", @@ -612,6 +613,7 @@ "Manage Team": "ਟੀਮ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", "Manage templates": "ਟੈਂਪਲੇਟਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", "Manage users": "ਉਪਭੋਗਤਾਵਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ", + "Mastodon": "ਮਾਸਟੌਡਨ", "Maybe one of these contacts?": "ਹੋ ਸਕਦਾ ਹੈ ਕਿ ਇਹਨਾਂ ਵਿੱਚੋਂ ਇੱਕ ਸੰਪਰਕ?", "mentor": "ਸਲਾਹਕਾਰ", "Middle name": "ਵਿਚਕਾਰਲਾ ਨਾਂ", @@ -619,9 +621,9 @@ "miles (mi)": "ਮੀਲ (ਮੀਲ)", "Modules in this page": "ਇਸ ਪੰਨੇ ਵਿੱਚ ਮੋਡੀਊਲ", "Monday": "ਸੋਮਵਾਰ", - "Monica. All rights reserved. 2017 — :date.": "ਮੋਨਿਕਾ। ਸਾਰੇ ਹੱਕ ਰਾਖਵੇਂ ਹਨ. 2017 — : ਮਿਤੀ।", - "Monica is open source, made by hundreds of people from all around the world.": "ਮੋਨਿਕਾ ਓਪਨ ਸੋਰਸ ਹੈ, ਜਿਸਨੂੰ ਦੁਨੀਆ ਭਰ ਦੇ ਸੈਂਕੜੇ ਲੋਕਾਂ ਦੁਆਰਾ ਬਣਾਇਆ ਗਿਆ ਹੈ।", - "Monica was made to help you document your life and your social interactions.": "ਮੋਨਿਕਾ ਨੂੰ ਤੁਹਾਡੇ ਜੀਵਨ ਅਤੇ ਤੁਹਾਡੇ ਸਮਾਜਿਕ ਪਰਸਪਰ ਪ੍ਰਭਾਵ ਨੂੰ ਦਸਤਾਵੇਜ਼ੀ ਬਣਾਉਣ ਵਿੱਚ ਤੁਹਾਡੀ ਮਦਦ ਕਰਨ ਲਈ ਬਣਾਇਆ ਗਿਆ ਸੀ।", + "Monica. All rights reserved. 2017 — :date.": "Monica। ਸਾਰੇ ਹੱਕ ਰਾਖਵੇਂ ਹਨ. 2017 — :date।", + "Monica is open source, made by hundreds of people from all around the world.": "Monica ਓਪਨ ਸੋਰਸ ਹੈ, ਜੋ ਦੁਨੀਆ ਭਰ ਦੇ ਸੈਂਕੜੇ ਲੋਕਾਂ ਦੁਆਰਾ ਬਣਾਈ ਗਈ ਹੈ।", + "Monica was made to help you document your life and your social interactions.": "Monica ਨੂੰ ਤੁਹਾਡੇ ਜੀਵਨ ਅਤੇ ਤੁਹਾਡੇ ਸਮਾਜਿਕ ਪਰਸਪਰ ਪ੍ਰਭਾਵ ਨੂੰ ਦਸਤਾਵੇਜ਼ੀ ਬਣਾਉਣ ਵਿੱਚ ਤੁਹਾਡੀ ਮਦਦ ਕਰਨ ਲਈ ਬਣਾਇਆ ਗਿਆ ਸੀ।", "Month": "ਮਹੀਨਾ", "month": "ਮਹੀਨਾ", "Mood in the year": "ਸਾਲ ਵਿੱਚ ਮੂਡ", @@ -636,20 +638,20 @@ "Name of the reminder": "ਰੀਮਾਈਂਡਰ ਦਾ ਨਾਮ", "Name of the reverse relationship": "ਉਲਟ ਰਿਸ਼ਤੇ ਦਾ ਨਾਮ", "Nature of the call": "ਕਾਲ ਦੀ ਪ੍ਰਕਿਰਤੀ", - "nephew\/niece": "ਭਤੀਜਾ\/ਭਤੀਜੀ", + "nephew/niece": "ਭਤੀਜਾ/ਭਤੀਜੀ", "New Password": "ਨਵਾਂ ਪਾਸਵਰਡ", - "New to Monica?": "ਮੋਨਿਕਾ ਲਈ ਨਵੇਂ?", + "New to Monica?": "Monica ਲਈ ਨਵੇਂ?", "Next": "ਅਗਲਾ", "Nickname": "ਉਪਨਾਮ", "nickname": "ਉਪਨਾਮ", - "No cities have been added yet in any contact’s addresses.": "ਕਿਸੇ ਵੀ ਸੰਪਰਕ ਦੇ ਪਤੇ ਵਿੱਚ ਅਜੇ ਤੱਕ ਕੋਈ ਸ਼ਹਿਰ ਸ਼ਾਮਲ ਨਹੀਂ ਕੀਤਾ ਗਿਆ ਹੈ।", + "No cities have been added yet in any contact’s addresses.": "ਕਿਸੇ ਸੰਪਰਕ ਦੇ ਪਤੇ ਵਿੱਚ ਅਜੇ ਤੱਕ ਕੋਈ ਸ਼ਹਿਰ ਸ਼ਾਮਲ ਨਹੀਂ ਕੀਤਾ ਗਿਆ ਹੈ।", "No contacts found.": "ਕੋਈ ਸੰਪਰਕ ਨਹੀਂ ਮਿਲੇ।", "No countries have been added yet in any contact’s addresses.": "ਕਿਸੇ ਵੀ ਸੰਪਰਕ ਦੇ ਪਤੇ ਵਿੱਚ ਅਜੇ ਤੱਕ ਕੋਈ ਦੇਸ਼ ਸ਼ਾਮਲ ਨਹੀਂ ਕੀਤਾ ਗਿਆ ਹੈ।", "No dates in this month.": "ਇਸ ਮਹੀਨੇ ਵਿੱਚ ਕੋਈ ਤਾਰੀਖਾਂ ਨਹੀਂ ਹਨ।", "No description yet.": "ਅਜੇ ਤੱਕ ਕੋਈ ਵੇਰਵਾ ਨਹੀਂ।", - "No groups found.": "ਕੋਈ ਗਰੁੱਪ ਨਹੀਂ ਮਿਲਿਆ।", + "No groups found.": "ਕੋਈ ਗਰੁੱਪ ਨਹੀਂ ਮਿਲੇ।", "No keys registered yet": "ਅਜੇ ਤੱਕ ਕੋਈ ਕੁੰਜੀਆਂ ਰਜਿਸਟਰਡ ਨਹੀਂ ਹਨ", - "No labels yet.": "ਹਾਲੇ ਕੋਈ ਲੇਬਲ ਨਹੀਂ।", + "No labels yet.": "ਅਜੇ ਤੱਕ ਕੋਈ ਲੇਬਲ ਨਹੀਂ।", "No life event types yet.": "ਅਜੇ ਤੱਕ ਕੋਈ ਜੀਵਨ ਘਟਨਾ ਕਿਸਮ ਨਹੀਂ ਹੈ।", "No notes found.": "ਕੋਈ ਨੋਟ ਨਹੀਂ ਮਿਲੇ।", "No results found": "ਕੋਈ ਨਤੀਜੇ ਨਹੀਂ ਮਿਲੇ", @@ -657,7 +659,7 @@ "No roles yet.": "ਅਜੇ ਤੱਕ ਕੋਈ ਭੂਮਿਕਾਵਾਂ ਨਹੀਂ ਹਨ।", "No tasks.": "ਕੋਈ ਕੰਮ ਨਹੀਂ।", "Notes": "ਨੋਟਸ", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "ਨੋਟ ਕਰੋ ਕਿ ਇੱਕ ਪੰਨੇ ਤੋਂ ਇੱਕ ਮੋਡੀਊਲ ਨੂੰ ਹਟਾਉਣ ਨਾਲ ਤੁਹਾਡੇ ਸੰਪਰਕ ਪੰਨਿਆਂ 'ਤੇ ਅਸਲ ਡਾਟਾ ਨਹੀਂ ਮਿਟੇਗਾ। ਇਹ ਬਸ ਇਸ ਨੂੰ ਛੁਪਾ ਦੇਵੇਗਾ.", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "ਨੋਟ ਕਰੋ ਕਿ ਇੱਕ ਪੰਨੇ ਤੋਂ ਇੱਕ ਮੋਡੀਊਲ ਨੂੰ ਹਟਾਉਣ ਨਾਲ ਤੁਹਾਡੇ ਸੰਪਰਕ ਪੰਨਿਆਂ ’ਤੇ ਅਸਲ ਡਾਟਾ ਨਹੀਂ ਮਿਟੇਗਾ। ਇਹ ਬਸ ਇਸ ਨੂੰ ਛੁਪਾ ਦੇਵੇਗਾ.", "Not Found": "ਨਹੀਂ ਲਭਿਆ", "Notification channels": "ਸੂਚਨਾ ਚੈਨਲ", "Notification sent": "ਸੂਚਨਾ ਭੇਜੀ ਗਈ", @@ -667,10 +669,10 @@ "Numerical value": "ਸੰਖਿਆਤਮਕ ਮੁੱਲ", "of": "ਦੇ", "Offered": "ਦੀ ਪੇਸ਼ਕਸ਼ ਕੀਤੀ", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "ਇੱਕ ਵਾਰ ਟੀਮ ਨੂੰ ਮਿਟਾਉਣ ਤੋਂ ਬਾਅਦ, ਇਸਦੇ ਸਾਰੇ ਸਰੋਤ ਅਤੇ ਡੇਟਾ ਸਥਾਈ ਤੌਰ 'ਤੇ ਮਿਟਾ ਦਿੱਤੇ ਜਾਣਗੇ। ਇਸ ਟੀਮ ਨੂੰ ਮਿਟਾਉਣ ਤੋਂ ਪਹਿਲਾਂ, ਕਿਰਪਾ ਕਰਕੇ ਇਸ ਟੀਮ ਬਾਰੇ ਕੋਈ ਵੀ ਡੇਟਾ ਜਾਂ ਜਾਣਕਾਰੀ ਡਾਊਨਲੋਡ ਕਰੋ ਜਿਸ ਨੂੰ ਤੁਸੀਂ ਬਰਕਰਾਰ ਰੱਖਣਾ ਚਾਹੁੰਦੇ ਹੋ।", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "ਇੱਕ ਵਾਰ ਟੀਮ ਨੂੰ ਮਿਟਾਉਣ ਤੋਂ ਬਾਅਦ, ਇਸਦੇ ਸਾਰੇ ਸਰੋਤ ਅਤੇ ਡੇਟਾ ਸਥਾਈ ਤੌਰ ’ਤੇ ਮਿਟਾ ਦਿੱਤੇ ਜਾਣਗੇ। ਇਸ ਟੀਮ ਨੂੰ ਮਿਟਾਉਣ ਤੋਂ ਪਹਿਲਾਂ, ਕਿਰਪਾ ਕਰਕੇ ਇਸ ਟੀਮ ਬਾਰੇ ਕੋਈ ਵੀ ਡੇਟਾ ਜਾਂ ਜਾਣਕਾਰੀ ਡਾਊਨਲੋਡ ਕਰੋ ਜਿਸ ਨੂੰ ਤੁਸੀਂ ਬਰਕਰਾਰ ਰੱਖਣਾ ਚਾਹੁੰਦੇ ਹੋ।", "Once you cancel,": "ਇੱਕ ਵਾਰ ਜਦੋਂ ਤੁਸੀਂ ਰੱਦ ਕਰ ਦਿੰਦੇ ਹੋ,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "ਇੱਕ ਵਾਰ ਜਦੋਂ ਤੁਸੀਂ ਹੇਠਾਂ ਦਿੱਤੇ ਸੈੱਟਅੱਪ ਬਟਨ 'ਤੇ ਕਲਿੱਕ ਕਰਦੇ ਹੋ, ਤਾਂ ਤੁਹਾਨੂੰ ਉਸ ਬਟਨ ਨਾਲ ਟੈਲੀਗ੍ਰਾਮ ਖੋਲ੍ਹਣਾ ਪਵੇਗਾ ਜੋ ਅਸੀਂ ਤੁਹਾਨੂੰ ਮੁਹੱਈਆ ਕਰਾਂਗੇ। ਇਹ ਤੁਹਾਡੇ ਲਈ ਮੋਨਿਕਾ ਟੈਲੀਗ੍ਰਾਮ ਬੋਟ ਨੂੰ ਲੱਭੇਗਾ।", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "ਇੱਕ ਵਾਰ ਜਦੋਂ ਤੁਹਾਡਾ ਖਾਤਾ ਮਿਟਾਇਆ ਜਾਂਦਾ ਹੈ, ਤਾਂ ਇਸਦੇ ਸਾਰੇ ਸਰੋਤ ਅਤੇ ਡੇਟਾ ਸਥਾਈ ਤੌਰ 'ਤੇ ਮਿਟਾ ਦਿੱਤੇ ਜਾਣਗੇ। ਆਪਣੇ ਖਾਤੇ ਨੂੰ ਮਿਟਾਉਣ ਤੋਂ ਪਹਿਲਾਂ, ਕਿਰਪਾ ਕਰਕੇ ਕੋਈ ਵੀ ਡਾਟਾ ਜਾਂ ਜਾਣਕਾਰੀ ਡਾਊਨਲੋਡ ਕਰੋ ਜਿਸ ਨੂੰ ਤੁਸੀਂ ਬਰਕਰਾਰ ਰੱਖਣਾ ਚਾਹੁੰਦੇ ਹੋ।", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "ਇੱਕ ਵਾਰ ਜਦੋਂ ਤੁਸੀਂ ਹੇਠਾਂ ਦਿੱਤੇ ਸੈੱਟਅੱਪ ਬਟਨ ’ਤੇ ਕਲਿੱਕ ਕਰਦੇ ਹੋ, ਤਾਂ ਤੁਹਾਨੂੰ ਉਸ ਬਟਨ ਨਾਲ ਟੈਲੀਗ੍ਰਾਮ ਖੋਲ੍ਹਣਾ ਪਵੇਗਾ ਜੋ ਅਸੀਂ ਤੁਹਾਨੂੰ ਮੁਹੱਈਆ ਕਰਾਂਗੇ। ਇਹ ਤੁਹਾਡੇ ਲਈ Monica ਟੈਲੀਗ੍ਰਾਮ ਬੋਟ ਨੂੰ ਲੱਭੇਗਾ।", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "ਇੱਕ ਵਾਰ ਜਦੋਂ ਤੁਹਾਡਾ ਖਾਤਾ ਮਿਟਾਇਆ ਜਾਂਦਾ ਹੈ, ਤਾਂ ਇਸਦੇ ਸਾਰੇ ਸਰੋਤ ਅਤੇ ਡੇਟਾ ਸਥਾਈ ਤੌਰ ’ਤੇ ਮਿਟਾ ਦਿੱਤੇ ਜਾਣਗੇ। ਆਪਣੇ ਖਾਤੇ ਨੂੰ ਮਿਟਾਉਣ ਤੋਂ ਪਹਿਲਾਂ, ਕਿਰਪਾ ਕਰਕੇ ਕੋਈ ਵੀ ਡਾਟਾ ਜਾਂ ਜਾਣਕਾਰੀ ਡਾਊਨਲੋਡ ਕਰੋ ਜਿਸ ਨੂੰ ਤੁਸੀਂ ਬਰਕਰਾਰ ਰੱਖਣਾ ਚਾਹੁੰਦੇ ਹੋ।", "Only once, when the next occurence of the date occurs.": "ਕੇਵਲ ਇੱਕ ਵਾਰ, ਜਦੋਂ ਤਾਰੀਖ ਦੀ ਅਗਲੀ ਘਟਨਾ ਵਾਪਰਦੀ ਹੈ.", "Oops! Something went wrong.": "ਓਹ! ਕੁਝ ਗਲਤ ਹੋ ਗਿਆ.", "Open Street Maps": "ਸਟ੍ਰੀਟ ਮੈਪਸ ਖੋਲ੍ਹੋ", @@ -693,11 +695,11 @@ "Part of": "ਦਾ ਹਿੱਸਾ", "Password": "ਪਾਸਵਰਡ", "Payment Required": "ਭੁਗਤਾਨ ਦੀ ਲੋੜ ਹੈ", - "Pending Team Invitations": "ਬਕਾਇਆ ਟੀਮ ਦੇ ਸੱਦੇ", - "per\/per": "ਲਈ\/ਲਈ", - "Permanently delete this team.": "ਇਸ ਟੀਮ ਨੂੰ ਪੱਕੇ ਤੌਰ 'ਤੇ ਮਿਟਾਓ।", - "Permanently delete your account.": "ਆਪਣੇ ਖਾਤੇ ਨੂੰ ਪੱਕੇ ਤੌਰ 'ਤੇ ਮਿਟਾਓ।", - "Permission for :name": "ਲਈ ਇਜਾਜ਼ਤ: ਨਾਮ", + "Pending Team Invitations": "ਲੰਬਿਤ ਟੀਮ ਦੇ ਸੱਦੇ", + "per/per": "ਪ੍ਰਤੀ/ਪ੍ਰਤੀ", + "Permanently delete this team.": "ਇਸ ਟੀਮ ਨੂੰ ਪੱਕੇ ਤੌਰ ’ਤੇ ਮਿਟਾਓ।", + "Permanently delete your account.": "ਆਪਣੇ ਖਾਤੇ ਨੂੰ ਪੱਕੇ ਤੌਰ ’ਤੇ ਮਿਟਾਓ।", + "Permission for :name": ":Name ਲਈ ਇਜਾਜ਼ਤ", "Permissions": "ਇਜਾਜ਼ਤਾਂ", "Personal": "ਨਿੱਜੀ", "Personalize your account": "ਆਪਣੇ ਖਾਤੇ ਨੂੰ ਨਿੱਜੀ ਬਣਾਓ", @@ -713,21 +715,21 @@ "Played soccer": "ਫੁਟਬਾਲ ਖੇਡਿਆ", "Played tennis": "ਟੈਨਿਸ ਖੇਡਿਆ", "Please choose a template for this new post": "ਕਿਰਪਾ ਕਰਕੇ ਇਸ ਨਵੀਂ ਪੋਸਟ ਲਈ ਇੱਕ ਟੈਮਪਲੇਟ ਚੁਣੋ", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "ਕਿਰਪਾ ਕਰਕੇ ਮੋਨਿਕਾ ਨੂੰ ਇਹ ਦੱਸਣ ਲਈ ਹੇਠਾਂ ਇੱਕ ਟੈਮਪਲੇਟ ਚੁਣੋ ਕਿ ਇਹ ਸੰਪਰਕ ਕਿਵੇਂ ਦਿਖਾਇਆ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ। ਟੈਂਪਲੇਟ ਤੁਹਾਨੂੰ ਇਹ ਪਰਿਭਾਸ਼ਿਤ ਕਰਨ ਦਿੰਦੇ ਹਨ ਕਿ ਸੰਪਰਕ ਪੰਨੇ 'ਤੇ ਕਿਹੜਾ ਡੇਟਾ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ।", - "Please click the button below to verify your email address.": "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਈਮੇਲ ਪਤੇ ਦੀ ਪੁਸ਼ਟੀ ਕਰਨ ਲਈ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ 'ਤੇ ਕਲਿੱਕ ਕਰੋ।", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "ਕਿਰਪਾ ਕਰਕੇ Monica ਨੂੰ ਇਹ ਦੱਸਣ ਲਈ ਹੇਠਾਂ ਇੱਕ ਟੈਮਪਲੇਟ ਚੁਣੋ ਕਿ ਇਹ ਸੰਪਰਕ ਕਿਵੇਂ ਦਿਖਾਇਆ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ। ਟੈਂਪਲੇਟ ਤੁਹਾਨੂੰ ਇਹ ਪਰਿਭਾਸ਼ਿਤ ਕਰਨ ਦਿੰਦੇ ਹਨ ਕਿ ਸੰਪਰਕ ਪੰਨੇ ’ਤੇ ਕਿਹੜਾ ਡੇਟਾ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ।", + "Please click the button below to verify your email address.": "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਈਮੇਲ ਪਤੇ ਦੀ ਪੁਸ਼ਟੀ ਕਰਨ ਲਈ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ ’ਤੇ ਕਲਿੱਕ ਕਰੋ।", "Please complete this form to finalize your account.": "ਆਪਣੇ ਖਾਤੇ ਨੂੰ ਅੰਤਿਮ ਰੂਪ ਦੇਣ ਲਈ ਕਿਰਪਾ ਕਰਕੇ ਇਸ ਫਾਰਮ ਨੂੰ ਭਰੋ।", "Please confirm access to your account by entering one of your emergency recovery codes.": "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਐਮਰਜੈਂਸੀ ਰਿਕਵਰੀ ਕੋਡਾਂ ਵਿੱਚੋਂ ਇੱਕ ਦਾਖਲ ਕਰਕੇ ਆਪਣੇ ਖਾਤੇ ਤੱਕ ਪਹੁੰਚ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ।", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "ਕਿਰਪਾ ਕਰਕੇ ਤੁਹਾਡੀ ਪ੍ਰਮਾਣਿਕਤਾ ਐਪਲੀਕੇਸ਼ਨ ਦੁਆਰਾ ਪ੍ਰਦਾਨ ਕੀਤੇ ਪ੍ਰਮਾਣੀਕਰਨ ਕੋਡ ਨੂੰ ਦਾਖਲ ਕਰਕੇ ਆਪਣੇ ਖਾਤੇ ਤੱਕ ਪਹੁੰਚ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ।", "Please confirm access to your account by validating your security key.": "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੀ ਸੁਰੱਖਿਆ ਕੁੰਜੀ ਨੂੰ ਪ੍ਰਮਾਣਿਤ ਕਰਕੇ ਆਪਣੇ ਖਾਤੇ ਤੱਕ ਪਹੁੰਚ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ।", - "Please copy your new API token. For your security, it won't be shown again.": "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਨਵੇਂ API ਟੋਕਨ ਨੂੰ ਕਾਪੀ ਕਰੋ। ਤੁਹਾਡੀ ਸੁਰੱਖਿਆ ਲਈ, ਇਸਨੂੰ ਦੁਬਾਰਾ ਨਹੀਂ ਦਿਖਾਇਆ ਜਾਵੇਗਾ।", - "Please copy your new API token. For your security, it won’t be shown again.": "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਨਵੇਂ API ਟੋਕਨ ਨੂੰ ਕਾਪੀ ਕਰੋ। ਤੁਹਾਡੀ ਸੁਰੱਖਿਆ ਲਈ, ਇਸਨੂੰ ਦੁਬਾਰਾ ਨਹੀਂ ਦਿਖਾਇਆ ਜਾਵੇਗਾ।", + "Please copy your new API token. For your security, it won't be shown again.": "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਨਵੇਂ API ਟੋਕਨ ਦੀ ਕਾਪੀ ਕਰੋ। ਤੁਹਾਡੀ ਸੁਰੱਖਿਆ ਲਈ, ਇਸਨੂੰ ਦੁਬਾਰਾ ਨਹੀਂ ਦਿਖਾਇਆ ਜਾਵੇਗਾ।", + "Please copy your new API token. For your security, it won’t be shown again.": "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਨਵੇਂ API ਟੋਕਨ ਦੀ ਕਾਪੀ ਕਰੋ। ਤੁਹਾਡੀ ਸੁਰੱਖਿਆ ਲਈ, ਇਸਨੂੰ ਦੁਬਾਰਾ ਨਹੀਂ ਦਿਖਾਇਆ ਜਾਵੇਗਾ।", "Please enter at least 3 characters to initiate a search.": "ਕਿਰਪਾ ਕਰਕੇ ਖੋਜ ਸ਼ੁਰੂ ਕਰਨ ਲਈ ਘੱਟੋ-ਘੱਟ 3 ਅੱਖਰ ਦਾਖਲ ਕਰੋ।", "Please enter your password to cancel the account": "ਕਿਰਪਾ ਕਰਕੇ ਖਾਤਾ ਰੱਦ ਕਰਨ ਲਈ ਆਪਣਾ ਪਾਸਵਰਡ ਦਾਖਲ ਕਰੋ", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "ਕਿਰਪਾ ਕਰਕੇ ਇਹ ਪੁਸ਼ਟੀ ਕਰਨ ਲਈ ਆਪਣਾ ਪਾਸਵਰਡ ਦਾਖਲ ਕਰੋ ਕਿ ਤੁਸੀਂ ਆਪਣੀਆਂ ਸਾਰੀਆਂ ਡਿਵਾਈਸਾਂ ਵਿੱਚ ਆਪਣੇ ਦੂਜੇ ਬ੍ਰਾਊਜ਼ਰ ਸੈਸ਼ਨਾਂ ਤੋਂ ਲੌਗ ਆਊਟ ਕਰਨਾ ਚਾਹੁੰਦੇ ਹੋ।", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "ਕਿਰਪਾ ਕਰਕੇ ਇਹ ਪੁਸ਼ਟੀ ਕਰਨ ਲਈ ਆਪਣਾ ਪਾਸਵਰਡ ਦਰਜ ਕਰੋ ਕਿ ਤੁਸੀਂ ਆਪਣੀਆਂ ਸਾਰੀਆਂ ਡਿਵਾਈਸਾਂ ਵਿੱਚ ਆਪਣੇ ਦੂਜੇ ਬ੍ਰਾਊਜ਼ਰ ਸੈਸ਼ਨਾਂ ਤੋਂ ਲੌਗ ਆਊਟ ਕਰਨਾ ਚਾਹੁੰਦੇ ਹੋ।", "Please indicate the contacts": "ਕਿਰਪਾ ਕਰਕੇ ਸੰਪਰਕਾਂ ਨੂੰ ਦਰਸਾਓ", - "Please join Monica": "ਕਿਰਪਾ ਕਰਕੇ ਮੋਨਿਕਾ ਨਾਲ ਜੁੜੋ", + "Please join Monica": "ਕਿਰਪਾ ਕਰਕੇ Monica ਨਾਲ ਜੁੜੋ", "Please provide the email address of the person you would like to add to this team.": "ਕਿਰਪਾ ਕਰਕੇ ਉਸ ਵਿਅਕਤੀ ਦਾ ਈਮੇਲ ਪਤਾ ਪ੍ਰਦਾਨ ਕਰੋ ਜਿਸਨੂੰ ਤੁਸੀਂ ਇਸ ਟੀਮ ਵਿੱਚ ਸ਼ਾਮਲ ਕਰਨਾ ਚਾਹੁੰਦੇ ਹੋ।", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "ਇਸ ਵਿਸ਼ੇਸ਼ਤਾ ਬਾਰੇ ਹੋਰ ਜਾਣਨ ਲਈ ਕਿਰਪਾ ਕਰਕੇ ਸਾਡਾ ਦਸਤਾਵੇਜ਼<\/link> ਪੜ੍ਹੋ, ਅਤੇ ਤੁਹਾਨੂੰ ਕਿਹੜੇ ਵੇਰੀਏਬਲ ਤੱਕ ਪਹੁੰਚ ਹੈ।", + "Please read our documentation to know more about this feature, and which variables you have access to.": "ਇਸ ਵਿਸ਼ੇਸ਼ਤਾ ਬਾਰੇ ਹੋਰ ਜਾਣਨ ਲਈ ਕਿਰਪਾ ਕਰਕੇ ਸਾਡੇ ਦਸਤਾਵੇਜ਼ ਨੂੰ ਪੜ੍ਹੋ, ਅਤੇ ਤੁਹਾਡੇ ਕੋਲ ਕਿਹੜੇ ਵੇਰੀਏਬਲ ਤੱਕ ਪਹੁੰਚ ਹੈ।", "Please select a page on the left to load modules.": "ਕਿਰਪਾ ਕਰਕੇ ਮੋਡੀਊਲ ਲੋਡ ਕਰਨ ਲਈ ਖੱਬੇ ਪਾਸੇ ਇੱਕ ਪੰਨਾ ਚੁਣੋ।", "Please type a few characters to create a new label.": "ਇੱਕ ਨਵਾਂ ਲੇਬਲ ਬਣਾਉਣ ਲਈ ਕਿਰਪਾ ਕਰਕੇ ਕੁਝ ਅੱਖਰ ਟਾਈਪ ਕਰੋ।", "Please type a few characters to create a new tag.": "ਇੱਕ ਨਵਾਂ ਟੈਗ ਬਣਾਉਣ ਲਈ ਕਿਰਪਾ ਕਰਕੇ ਕੁਝ ਅੱਖਰ ਟਾਈਪ ਕਰੋ।", @@ -745,14 +747,14 @@ "Profile": "ਪ੍ਰੋਫਾਈਲ", "Profile and security": "ਪ੍ਰੋਫਾਈਲ ਅਤੇ ਸੁਰੱਖਿਆ", "Profile Information": "ਪ੍ਰੋਫਾਈਲ ਜਾਣਕਾਰੀ", - "Profile of :name": "ਦਾ ਪ੍ਰੋਫ਼ਾਈਲ: ਨਾਮ", - "Profile page of :name": "ਦਾ ਪ੍ਰੋਫਾਈਲ ਪੰਨਾ :ਨਾਮ", - "Pronoun": "ਉਹ ਕਰਦੇ ਹਨ", + "Profile of :name": ":Name ਦਾ ਪ੍ਰੋਫਾਈਲ", + "Profile page of :name": ":Name ਦਾ ਪ੍ਰੋਫਾਈਲ ਪੰਨਾ", + "Pronoun": "ਪੜਨਾਂਵ", "Pronouns": "ਪੜਨਾਂਵ", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "ਪੜਨਾਂਵ ਮੂਲ ਰੂਪ ਵਿੱਚ ਇਹ ਹੁੰਦੇ ਹਨ ਕਿ ਅਸੀਂ ਆਪਣੇ ਨਾਮ ਤੋਂ ਇਲਾਵਾ ਆਪਣੇ ਆਪ ਨੂੰ ਕਿਵੇਂ ਪਛਾਣਦੇ ਹਾਂ। ਇਸ ਤਰ੍ਹਾਂ ਕੋਈ ਵਿਅਕਤੀ ਗੱਲਬਾਤ ਵਿੱਚ ਤੁਹਾਡਾ ਹਵਾਲਾ ਦਿੰਦਾ ਹੈ।", - "protege": "ਸਮਰਥਕ", + "protege": "ਪ੍ਰੋਟੇਜ", "Protocol": "ਪ੍ਰੋਟੋਕੋਲ", - "Protocol: :name": "ਪ੍ਰੋਟੋਕੋਲ: : ਨਾਮ", + "Protocol: :name": "ਪ੍ਰੋਟੋਕੋਲ: :name", "Province": "ਸੂਬਾ", "Quick facts": "ਤੇਜ਼ ਤੱਥ", "Quick facts let you document interesting facts about a contact.": "ਤਤਕਾਲ ਤੱਥ ਤੁਹਾਨੂੰ ਕਿਸੇ ਸੰਪਰਕ ਬਾਰੇ ਦਿਲਚਸਪ ਤੱਥਾਂ ਦਾ ਦਸਤਾਵੇਜ਼ ਬਣਾਉਣ ਦਿੰਦੇ ਹਨ।", @@ -761,13 +763,13 @@ "Rabbit": "ਖ਼ਰਗੋਸ਼", "Ran": "ਦੌੜ ਗਿਆ", "Rat": "ਚੂਹਾ", - "Read :count time|Read :count times": "ਪੜ੍ਹੋ: ਸਮਾਂ ਗਿਣੋ | ਪੜ੍ਹੋ: ਵਾਰ ਗਿਣੋ", + "Read :count time|Read :count times": ":count ਵਾਰ ਪੜ੍ਹੋ|:count ਵਾਰ ਪੜ੍ਹੋ", "Record a loan": "ਇੱਕ ਕਰਜ਼ਾ ਰਿਕਾਰਡ ਕਰੋ", "Record your mood": "ਆਪਣੇ ਮੂਡ ਨੂੰ ਰਿਕਾਰਡ ਕਰੋ", "Recovery Code": "ਰਿਕਵਰੀ ਕੋਡ", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "ਭਾਵੇਂ ਤੁਸੀਂ ਦੁਨੀਆਂ ਵਿੱਚ ਕਿੱਥੇ ਵੀ ਹੋ, ਤੁਹਾਡੇ ਆਪਣੇ ਟਾਈਮ ਜ਼ੋਨ ਵਿੱਚ ਤਾਰੀਖਾਂ ਨੂੰ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰੋ।", "Regards": "ਸਤਿਕਾਰ", - "Regenerate Recovery Codes": "ਰਿਕਵਰੀ ਕੋਡ ਰੀਜਨਰੇਟ ਕਰੋ", + "Regenerate Recovery Codes": "ਰਿਕਵਰੀ ਕੋਡ ਦੁਬਾਰਾ ਤਿਆਰ ਕਰੋ", "Register": "ਰਜਿਸਟਰ", "Register a new key": "ਇੱਕ ਨਵੀਂ ਕੁੰਜੀ ਰਜਿਸਟਰ ਕਰੋ", "Register a new key.": "ਇੱਕ ਨਵੀਂ ਕੁੰਜੀ ਰਜਿਸਟਰ ਕਰੋ।", @@ -780,11 +782,11 @@ "Religions": "ਧਰਮ", "Religions is all about faith.": "ਧਰਮ ਸਾਰੇ ਵਿਸ਼ਵਾਸ ਬਾਰੇ ਹਨ.", "Remember me": "ਮੇਰੀ ਯਾਦ ਹੈ", - "Reminder for :name": "ਲਈ ਰੀਮਾਈਂਡਰ: ਨਾਮ", + "Reminder for :name": ":Name ਲਈ ਰੀਮਾਈਂਡਰ", "Reminders": "ਰੀਮਾਈਂਡਰ", "Reminders for the next 30 days": "ਅਗਲੇ 30 ਦਿਨਾਂ ਲਈ ਰੀਮਾਈਂਡਰ", "Remind me about this date every year": "ਮੈਨੂੰ ਹਰ ਸਾਲ ਇਸ ਤਾਰੀਖ ਬਾਰੇ ਯਾਦ ਕਰਾਓ", - "Remind me about this date just once, in one year from now": "ਹੁਣ ਤੋਂ ਇੱਕ ਸਾਲ ਵਿੱਚ, ਮੈਨੂੰ ਸਿਰਫ਼ ਇੱਕ ਵਾਰ ਇਸ ਤਾਰੀਖ ਬਾਰੇ ਯਾਦ ਦਿਵਾਓ", + "Remind me about this date just once, in one year from now": "ਹੁਣ ਤੋਂ ਇੱਕ ਸਾਲ ਵਿੱਚ, ਮੈਨੂੰ ਸਿਰਫ਼ ਇੱਕ ਵਾਰ ਇਸ ਤਾਰੀਖ ਬਾਰੇ ਯਾਦ ਕਰਾਓ", "Remove": "ਹਟਾਓ", "Remove avatar": "ਅਵਤਾਰ ਹਟਾਓ", "Remove cover image": "ਕਵਰ ਚਿੱਤਰ ਨੂੰ ਹਟਾਓ", @@ -806,7 +808,7 @@ "Rode a bike": "ਬਾਈਕ ਦੀ ਸਵਾਰੀ ਕੀਤੀ", "Role": "ਭੂਮਿਕਾ", "Roles:": "ਭੂਮਿਕਾਵਾਂ:", - "Roomates": "ਰੇਂਗਣਾ", + "Roomates": "ਰੂਮਮੇਟ", "Saturday": "ਸ਼ਨੀਵਾਰ", "Save": "ਸੇਵ ਕਰੋ", "Saved.": "ਸੰਭਾਲੀ ਗਈ.", @@ -822,7 +824,7 @@ "Select a relationship type": "ਰਿਸ਼ਤੇ ਦੀ ਕਿਸਮ ਚੁਣੋ", "Send invitation": "ਸੱਦਾ ਭੇਜੋ", "Send test": "ਟੈਸਟ ਭੇਜੋ", - "Sent at :time": "ਇਸ ਸਮੇਂ ਭੇਜਿਆ ਗਿਆ", + "Sent at :time": ":time ’ਤੇ ਭੇਜਿਆ ਗਿਆ", "Server Error": "ਸਰਵਰ ਗੜਬੜ", "Service Unavailable": "ਸੇਵਾ ਉਪਲੱਬਧ ਨਹੀਂ", "Set as default": "ਨੂੰ ਮੂਲ ਰੂਪ ਵਿੱਚ ਸੈੱਟ ਕੀਤਾ", @@ -833,16 +835,16 @@ "Setup Key": "ਸੈੱਟਅੱਪ ਕੁੰਜੀ", "Setup Key:": "ਸੈੱਟਅੱਪ ਕੁੰਜੀ:", "Setup Telegram": "ਟੈਲੀਗ੍ਰਾਮ ਸੈੱਟਅੱਪ ਕਰੋ", - "she\/her": "ਉਹ\/ਉਸਨੂੰ", + "she/her": "ਉਹ/ਉਸ ਨੂੰ", "Shintoist": "ਸ਼ਿੰਟੋਵਾਦੀ", "Show Calendar tab": "ਕੈਲੰਡਰ ਟੈਬ ਦਿਖਾਓ", "Show Companies tab": "ਕੰਪਨੀਆਂ ਟੈਬ ਦਿਖਾਓ", - "Show completed tasks (:count)": "ਪੂਰੇ ਕੀਤੇ ਕੰਮ ਦਿਖਾਓ (:ਗਿਣਤੀ)", + "Show completed tasks (:count)": "ਪੂਰੇ ਕੀਤੇ ਕੰਮ ਦਿਖਾਓ (:count)", "Show Files tab": "ਫਾਈਲਾਂ ਟੈਬ ਦਿਖਾਓ", "Show Groups tab": "ਸਮੂਹ ਟੈਬ ਦਿਖਾਓ", "Showing": "ਦਿਖਾ ਰਿਹਾ ਹੈ", - "Showing :count of :total results": "ਦਿਖਾ ਰਿਹਾ ਹੈ:ਦੀ ਗਿਣਤੀ:ਕੁੱਲ ਨਤੀਜੇ", - "Showing :first to :last of :total results": "ਦਿਖਾ ਰਿਹਾ ਹੈ:ਪਹਿਲਾਂ ਤੋਂ:ਆਖਰੀ:ਕੁੱਲ ਨਤੀਜੇ", + "Showing :count of :total results": ":total ਵਿੱਚੋਂ :count ਨਤੀਜੇ ਦਿਖਾਏ ਜਾ ਰਹੇ ਹਨ", + "Showing :first to :last of :total results": ":total ਵਿੱਚੋਂ :first ਤੋਂ :last ਨਤੀਜੇ ਦਿਖਾਏ ਜਾ ਰਹੇ ਹਨ", "Show Journals tab": "ਜਰਨਲ ਟੈਬ ਦਿਖਾਓ", "Show Recovery Codes": "ਰਿਕਵਰੀ ਕੋਡ ਦਿਖਾਓ", "Show Reports tab": "ਰਿਪੋਰਟਾਂ ਟੈਬ ਦਿਖਾਓ", @@ -851,7 +853,7 @@ "Sign in to your account": "ਆਪਣੇ ਖਾਤੇ ਵਿੱਚ ਸਾਈਨ ਇਨ ਕਰੋ", "Sign up for an account": "ਇੱਕ ਖਾਤੇ ਲਈ ਸਾਈਨ ਅੱਪ ਕਰੋ", "Sikh": "ਸਿੱਖ", - "Slept :count hour|Slept :count hours": "ਸਲੀਪ :ਕਾਊਂਟ ਘੰਟੇ|ਸਲੀਪ:ਕੰਟ ਘੰਟੇ", + "Slept :count hour|Slept :count hours": ":count ਘੰਟਾ ਸੁੱਤਾ|:count ਘੰਟੇ ਸੌਂ ਗਏ", "Slice of life": "ਜਿੰਦਗੀ ਦਾ ਹਿੱਸਾ", "Slices of life": "ਜੀਵਨ ਦੇ ਟੁਕੜੇ", "Small animal": "ਛੋਟਾ ਜਾਨਵਰ", @@ -863,7 +865,7 @@ "spouse": "ਜੀਵਨ ਸਾਥੀ", "Statistics": "ਅੰਕੜੇ", "Storage": "ਸਟੋਰੇਜ", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "ਇਹਨਾਂ ਰਿਕਵਰੀ ਕੋਡਾਂ ਨੂੰ ਇੱਕ ਸੁਰੱਖਿਅਤ ਪਾਸਵਰਡ ਮੈਨੇਜਰ ਵਿੱਚ ਸਟੋਰ ਕਰੋ। ਉਹਨਾਂ ਦੀ ਵਰਤੋਂ ਤੁਹਾਡੇ ਖਾਤੇ ਤੱਕ ਪਹੁੰਚ ਨੂੰ ਮੁੜ ਪ੍ਰਾਪਤ ਕਰਨ ਲਈ ਕੀਤੀ ਜਾ ਸਕਦੀ ਹੈ ਜੇਕਰ ਤੁਹਾਡੀ ਦੋ ਕਾਰਕ ਪ੍ਰਮਾਣਿਕਤਾ ਡਿਵਾਈਸ ਗੁੰਮ ਹੋ ਜਾਂਦੀ ਹੈ।", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "ਇਹਨਾਂ ਰਿਕਵਰੀ ਕੋਡਾਂ ਨੂੰ ਇੱਕ ਸੁਰੱਖਿਅਤ ਪਾਸਵਰਡ ਮੈਨੇਜਰ ਵਿੱਚ ਸਟੋਰ ਕਰੋ। ਉਹਨਾਂ ਦੀ ਵਰਤੋਂ ਤੁਹਾਡੇ ਖਾਤੇ ਤੱਕ ਪਹੁੰਚ ਨੂੰ ਮੁੜ ਪ੍ਰਾਪਤ ਕਰਨ ਲਈ ਕੀਤੀ ਜਾ ਸਕਦੀ ਹੈ ਜੇਕਰ ਤੁਹਾਡੀ ਦੋ ਕਾਰਕ ਪ੍ਰਮਾਣਿਕਤਾ ਡਿਵਾਈਸ ਗੁਆਚ ਜਾਂਦੀ ਹੈ।", "Submit": "ਜਮ੍ਹਾਂ ਕਰੋ", "subordinate": "ਅਧੀਨ", "Suffix": "ਪਿਛੇਤਰ", @@ -873,7 +875,7 @@ "Switch Teams": "ਟੀਮਾਂ ਬਦਲੋ", "Tabs visibility": "ਟੈਬਾਂ ਦੀ ਦਿੱਖ", "Tags": "ਟੈਗਸ", - "Tags let you classify journal posts using a system that matters to you.": "ਟੈਗਸ ਤੁਹਾਨੂੰ ਇੱਕ ਸਿਸਟਮ ਦੀ ਵਰਤੋਂ ਕਰਦੇ ਹੋਏ ਜਰਨਲ ਪੋਸਟਾਂ ਦਾ ਵਰਗੀਕਰਨ ਕਰਨ ਦਿੰਦੇ ਹਨ ਜੋ ਤੁਹਾਡੇ ਲਈ ਮਹੱਤਵਪੂਰਨ ਹੈ।", + "Tags let you classify journal posts using a system that matters to you.": "ਟੈਗਸ ਤੁਹਾਨੂੰ ਇੱਕ ਸਿਸਟਮ ਦੀ ਵਰਤੋਂ ਕਰਦੇ ਹੋਏ ਜਰਨਲ ਪੋਸਟਾਂ ਦਾ ਵਰਗੀਕਰਨ ਕਰਨ ਦਿੰਦੇ ਹਨ ਜੋ ਤੁਹਾਡੇ ਲਈ ਮਹੱਤਵਪੂਰਣ ਹੈ।", "Taoist": "ਤਾਓਵਾਦੀ", "Tasks": "ਕਾਰਜ", "Team Details": "ਟੀਮ ਦੇ ਵੇਰਵੇ", @@ -884,25 +886,24 @@ "Team Settings": "ਟੀਮ ਸੈਟਿੰਗਾਂ", "Telegram": "ਟੈਲੀਗ੍ਰਾਮ", "Templates": "ਟੈਂਪਲੇਟਸ", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "ਟੈਂਪਲੇਟ ਤੁਹਾਨੂੰ ਅਨੁਕੂਲਿਤ ਕਰਨ ਦਿੰਦੇ ਹਨ ਕਿ ਤੁਹਾਡੇ ਸੰਪਰਕਾਂ 'ਤੇ ਕਿਹੜਾ ਡੇਟਾ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ। ਤੁਸੀਂ ਜਿੰਨੇ ਚਾਹੋ ਟੈਮਪਲੇਟ ਪਰਿਭਾਸ਼ਿਤ ਕਰ ਸਕਦੇ ਹੋ, ਅਤੇ ਚੁਣ ਸਕਦੇ ਹੋ ਕਿ ਕਿਹੜਾ ਟੈਂਪਲੇਟ ਕਿਸ ਸੰਪਰਕ 'ਤੇ ਵਰਤਿਆ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ।", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "ਟੈਂਪਲੇਟ ਤੁਹਾਨੂੰ ਅਨੁਕੂਲਿਤ ਕਰਨ ਦਿੰਦੇ ਹਨ ਕਿ ਤੁਹਾਡੇ ਸੰਪਰਕਾਂ ’ਤੇ ਕਿਹੜਾ ਡੇਟਾ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤਾ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ। ਤੁਸੀਂ ਜਿੰਨੇ ਚਾਹੋ ਟੈਮਪਲੇਟ ਪਰਿਭਾਸ਼ਿਤ ਕਰ ਸਕਦੇ ਹੋ, ਅਤੇ ਚੁਣ ਸਕਦੇ ਹੋ ਕਿ ਕਿਹੜਾ ਟੈਂਪਲੇਟ ਕਿਸ ਸੰਪਰਕ ’ਤੇ ਵਰਤਿਆ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ।", "Terms of Service": "ਸੇਵਾ ਦੀਆਂ ਸ਼ਰਤਾਂ", - "Test email for Monica": "ਮੋਨਿਕਾ ਲਈ ਟੈਸਟ ਈਮੇਲ", + "Test email for Monica": "Monica ਲਈ ਟੈਸਟ ਈਮੇਲ", "Test email sent!": "ਟੈਸਟ ਈਮੇਲ ਭੇਜੀ ਗਈ!", "Thanks,": "ਧੰਨਵਾਦ,", - "Thanks for giving Monica a try": "ਮੋਨਿਕਾ ਨੂੰ ਅਜ਼ਮਾਉਣ ਲਈ ਧੰਨਵਾਦ", - "Thanks for giving Monica a try.": "ਮੋਨਿਕਾ ਨੂੰ ਅਜ਼ਮਾਉਣ ਲਈ ਧੰਨਵਾਦ।", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "ਸਾਈਨ ਅੱਪ ਕਰਨ ਲਈ ਧੰਨਵਾਦ! ਸ਼ੁਰੂ ਕਰਨ ਤੋਂ ਪਹਿਲਾਂ, ਕੀ ਤੁਸੀਂ ਉਸ ਲਿੰਕ 'ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਆਪਣੇ ਈਮੇਲ ਪਤੇ ਦੀ ਪੁਸ਼ਟੀ ਕਰ ਸਕਦੇ ਹੋ ਜੋ ਅਸੀਂ ਤੁਹਾਨੂੰ ਈਮੇਲ ਕੀਤਾ ਹੈ? ਜੇਕਰ ਤੁਹਾਨੂੰ ਈਮੇਲ ਪ੍ਰਾਪਤ ਨਹੀਂ ਹੋਈ, ਤਾਂ ਅਸੀਂ ਖੁਸ਼ੀ ਨਾਲ ਤੁਹਾਨੂੰ ਇੱਕ ਹੋਰ ਭੇਜਾਂਗੇ।", - "The :attribute must be at least :length characters.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਘੱਟੋ-ਘੱਟ : ਲੰਬਾਈ ਦੇ ਅੱਖਰ ਹੋਣੇ ਚਾਹੀਦੇ ਹਨ।", - "The :attribute must be at least :length characters and contain at least one number.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਘੱਟੋ-ਘੱਟ :ਲੰਬਾਈ ਅੱਖਰ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਸੰਖਿਆ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ।", - "The :attribute must be at least :length characters and contain at least one special character.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਘੱਟੋ-ਘੱਟ :ਲੰਬਾਈ ਅੱਖਰ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵਿਸ਼ੇਸ਼ ਅੱਖਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਘੱਟੋ-ਘੱਟ :ਲੰਬਾਈ ਅੱਖਰ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ ਅਤੇ ਇਸ ਵਿੱਚ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵਿਸ਼ੇਸ਼ ਅੱਖਰ ਅਤੇ ਇੱਕ ਨੰਬਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਘੱਟੋ-ਘੱਟ :ਲੰਬਾਈ ਅੱਖਰ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ ਅਤੇ ਇਸ ਵਿੱਚ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵੱਡੇ ਅੱਖਰ, ਇੱਕ ਨੰਬਰ ਅਤੇ ਇੱਕ ਵਿਸ਼ੇਸ਼ ਅੱਖਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਘੱਟੋ-ਘੱਟ : ਲੰਬਾਈ ਅੱਖਰ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵੱਡਾ ਅੱਖਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਘੱਟੋ-ਘੱਟ : ਲੰਬਾਈ ਵਾਲੇ ਅੱਖਰਾਂ ਦੀ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ ਅਤੇ ਇਸ ਵਿੱਚ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵੱਡੇ ਅੱਖਰ ਅਤੇ ਇੱਕ ਨੰਬਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਘੱਟੋ-ਘੱਟ :ਲੰਬਾਈ ਅੱਖਰ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ ਅਤੇ ਇਸ ਵਿੱਚ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵੱਡਾ ਅੱਖਰ ਅਤੇ ਇੱਕ ਵਿਸ਼ੇਸ਼ ਅੱਖਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", - "The :attribute must be a valid role.": ": ਵਿਸ਼ੇਸ਼ਤਾ ਇੱਕ ਵੈਧ ਭੂਮਿਕਾ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ।", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "ਖਾਤੇ ਦਾ ਡੇਟਾ 30 ਦਿਨਾਂ ਦੇ ਅੰਦਰ ਸਾਡੇ ਸਰਵਰਾਂ ਤੋਂ ਅਤੇ 60 ਦਿਨਾਂ ਦੇ ਅੰਦਰ ਸਾਰੇ ਬੈਕਅੱਪਾਂ ਤੋਂ ਸਥਾਈ ਤੌਰ 'ਤੇ ਮਿਟਾ ਦਿੱਤਾ ਜਾਵੇਗਾ।", - "The address type has been created": "ਪਤਾ ਦੀ ਕਿਸਮ ਬਣਾਈ ਗਈ ਹੈ", + "Thanks for giving Monica a try.": "Monica ਨੂੰ ਅਜ਼ਮਾਉਣ ਲਈ ਧੰਨਵਾਦ।", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "ਸਾਈਨ ਅੱਪ ਕਰਨ ਲਈ ਧੰਨਵਾਦ! ਸ਼ੁਰੂ ਕਰਨ ਤੋਂ ਪਹਿਲਾਂ, ਕੀ ਤੁਸੀਂ ਉਸ ਲਿੰਕ ’ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਆਪਣੇ ਈਮੇਲ ਪਤੇ ਦੀ ਪੁਸ਼ਟੀ ਕਰ ਸਕਦੇ ਹੋ ਜੋ ਅਸੀਂ ਤੁਹਾਨੂੰ ਈਮੇਲ ਕੀਤਾ ਹੈ? ਜੇਕਰ ਤੁਹਾਨੂੰ ਈਮੇਲ ਪ੍ਰਾਪਤ ਨਹੀਂ ਹੋਈ, ਤਾਂ ਅਸੀਂ ਖੁਸ਼ੀ ਨਾਲ ਤੁਹਾਨੂੰ ਇੱਕ ਹੋਰ ਭੇਜਾਂਗੇ।", + "The :attribute must be at least :length characters.": ":Attribute ਘੱਟੋ-ਘੱਟ :length ਅੱਖਰਾਂ ਦਾ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute ਵਿੱਚ ਘੱਟੋ-ਘੱਟ :length ਅੱਖਰ ਹੋਣੇ ਚਾਹੀਦੇ ਹਨ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਨੰਬਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute ਵਿੱਚ ਘੱਟੋ-ਘੱਟ :length ਅੱਖਰ ਹੋਣੇ ਚਾਹੀਦੇ ਹਨ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵਿਸ਼ੇਸ਼ ਅੱਖਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute ਵਿੱਚ ਘੱਟੋ-ਘੱਟ :length ਅੱਖਰ ਹੋਣੇ ਚਾਹੀਦੇ ਹਨ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵਿਸ਼ੇਸ਼ ਅੱਖਰ ਅਤੇ ਇੱਕ ਨੰਬਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute ਵਿੱਚ ਘੱਟੋ-ਘੱਟ :length ਅੱਖਰ ਹੋਣੇ ਚਾਹੀਦੇ ਹਨ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵੱਡੇ ਅੱਖਰ, ਇੱਕ ਨੰਬਰ, ਅਤੇ ਇੱਕ ਵਿਸ਼ੇਸ਼ ਅੱਖਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute ਵਿੱਚ ਘੱਟੋ-ਘੱਟ :length ਅੱਖਰ ਹੋਣੇ ਚਾਹੀਦੇ ਹਨ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵੱਡਾ ਅੱਖਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute ਵਿੱਚ ਘੱਟੋ-ਘੱਟ :length ਅੱਖਰ ਹੋਣੇ ਚਾਹੀਦੇ ਹਨ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਵੱਡੇ ਅੱਖਰ ਅਤੇ ਇੱਕ ਨੰਬਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute ਵਿੱਚ ਘੱਟੋ-ਘੱਟ :length ਅੱਖਰ ਹੋਣੇ ਚਾਹੀਦੇ ਹਨ ਅਤੇ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਅਪਰਕੇਸ ਅੱਖਰ ਅਤੇ ਇੱਕ ਵਿਸ਼ੇਸ਼ ਅੱਖਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।", + "The :attribute must be a valid role.": ":Attribute ਇੱਕ ਵੈਧ ਭੂਮਿਕਾ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ।", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "ਖਾਤੇ ਦਾ ਡੇਟਾ 30 ਦਿਨਾਂ ਦੇ ਅੰਦਰ ਸਾਡੇ ਸਰਵਰਾਂ ਤੋਂ ਅਤੇ 60 ਦਿਨਾਂ ਦੇ ਅੰਦਰ ਸਾਰੇ ਬੈਕਅੱਪਾਂ ਤੋਂ ਸਥਾਈ ਤੌਰ ’ਤੇ ਮਿਟਾ ਦਿੱਤਾ ਜਾਵੇਗਾ।", + "The address type has been created": "ਐਡਰੈੱਸ ਦੀ ਕਿਸਮ ਬਣਾਈ ਗਈ ਹੈ", "The address type has been deleted": "ਪਤਾ ਕਿਸਮ ਮਿਟਾ ਦਿੱਤੀ ਗਈ ਹੈ", "The address type has been updated": "ਪਤੇ ਦੀ ਕਿਸਮ ਅੱਪਡੇਟ ਕੀਤੀ ਗਈ ਹੈ", "The call has been created": "ਕਾਲ ਬਣਾਈ ਗਈ ਹੈ", @@ -910,7 +911,7 @@ "The call has been edited": "ਕਾਲ ਦਾ ਸੰਪਾਦਨ ਕੀਤਾ ਗਿਆ ਹੈ", "The call reason has been created": "ਕਾਲ ਕਾਰਨ ਬਣਾਇਆ ਗਿਆ ਹੈ", "The call reason has been deleted": "ਕਾਲ ਕਾਰਨ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", - "The call reason has been updated": "ਕਾਲ ਦਾ ਕਾਰਨ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", + "The call reason has been updated": "ਕਾਲ ਕਾਰਨ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", "The call reason type has been created": "ਕਾਲ ਕਾਰਨ ਕਿਸਮ ਬਣਾਈ ਗਈ ਹੈ", "The call reason type has been deleted": "ਕਾਲ ਕਾਰਨ ਦੀ ਕਿਸਮ ਮਿਟਾ ਦਿੱਤੀ ਗਈ ਹੈ", "The call reason type has been updated": "ਕਾਲ ਕਾਰਨ ਕਿਸਮ ਨੂੰ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", @@ -926,7 +927,7 @@ "The contact information has been edited": "ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਸੰਪਾਦਿਤ ਕੀਤੀ ਗਈ ਹੈ", "The contact information type has been created": "ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਦੀ ਕਿਸਮ ਬਣਾਈ ਗਈ ਹੈ", "The contact information type has been deleted": "ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਦੀ ਕਿਸਮ ਮਿਟਾ ਦਿੱਤੀ ਗਈ ਹੈ", - "The contact information type has been updated": "ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਕਿਸਮ ਨੂੰ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", + "The contact information type has been updated": "ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਦੀ ਕਿਸਮ ਅੱਪਡੇਟ ਕੀਤੀ ਗਈ ਹੈ", "The contact is archived": "ਸੰਪਰਕ ਆਰਕਾਈਵ ਕੀਤਾ ਗਿਆ ਹੈ", "The currencies have been updated": "ਮੁਦਰਾਵਾਂ ਨੂੰ ਅਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", "The currency has been updated": "ਮੁਦਰਾ ਨੂੰ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", @@ -947,7 +948,7 @@ "The gift state has been created": "ਦਾਤ ਰਾਜ ਬਣਾਇਆ ਗਿਆ ਹੈ", "The gift state has been deleted": "ਤੋਹਫ਼ੇ ਦੀ ਸਥਿਤੀ ਨੂੰ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", "The gift state has been updated": "ਤੋਹਫ਼ੇ ਦੀ ਸਥਿਤੀ ਨੂੰ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", - "The given data was invalid.": "ਦਿੱਤਾ ਗਿਆ ਡੇਟਾ ਅਵੈਧ ਸੀ।", + "The given data was invalid.": "ਦਿੱਤਾ ਡਾਟਾ ਅਵੈਧ ਸੀ।", "The goal has been created": "ਟੀਚਾ ਬਣਾਇਆ ਗਿਆ ਹੈ", "The goal has been deleted": "ਟੀਚਾ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", "The goal has been edited": "ਟੀਚਾ ਸੰਪਾਦਿਤ ਕੀਤਾ ਗਿਆ ਹੈ", @@ -960,7 +961,7 @@ "The important dates in the next 12 months": "ਅਗਲੇ 12 ਮਹੀਨਿਆਂ ਵਿੱਚ ਮਹੱਤਵਪੂਰਨ ਤਾਰੀਖਾਂ", "The job information has been saved": "ਨੌਕਰੀ ਦੀ ਜਾਣਕਾਰੀ ਸੁਰੱਖਿਅਤ ਕੀਤੀ ਗਈ ਹੈ", "The journal lets you document your life with your own words.": "ਜਰਨਲ ਤੁਹਾਨੂੰ ਤੁਹਾਡੇ ਆਪਣੇ ਸ਼ਬਦਾਂ ਨਾਲ ਤੁਹਾਡੀ ਜ਼ਿੰਦਗੀ ਦਾ ਦਸਤਾਵੇਜ਼ ਬਣਾਉਣ ਦਿੰਦਾ ਹੈ।", - "The keys to manage uploads have not been set in this Monica instance.": "ਇਸ ਮੋਨਿਕਾ ਮੌਕੇ ਵਿੱਚ ਅੱਪਲੋਡਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰਨ ਲਈ ਕੁੰਜੀਆਂ ਸੈੱਟ ਨਹੀਂ ਕੀਤੀਆਂ ਗਈਆਂ ਹਨ।", + "The keys to manage uploads have not been set in this Monica instance.": "ਇਸ Monica ਮੌਕੇ ਵਿੱਚ ਅੱਪਲੋਡਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰਨ ਲਈ ਕੁੰਜੀਆਂ ਸੈੱਟ ਨਹੀਂ ਕੀਤੀਆਂ ਗਈਆਂ ਹਨ।", "The label has been added": "ਲੇਬਲ ਜੋੜਿਆ ਗਿਆ ਹੈ", "The label has been created": "ਲੇਬਲ ਬਣਾਇਆ ਗਿਆ ਹੈ", "The label has been deleted": "ਲੇਬਲ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", @@ -1022,16 +1023,16 @@ "There are no relationships yet.": "ਅਜੇ ਤੱਕ ਕੋਈ ਰਿਸ਼ਤੇ ਨਹੀਂ ਹਨ।", "There are no reminders yet.": "ਅਜੇ ਤੱਕ ਕੋਈ ਰੀਮਾਈਂਡਰ ਨਹੀਂ ਹਨ।", "There are no tasks yet.": "ਅਜੇ ਤੱਕ ਕੋਈ ਕੰਮ ਨਹੀਂ ਹਨ।", - "There are no templates in the account. Go to the account settings to create one.": "ਖਾਤੇ ਵਿੱਚ ਕੋਈ ਟੈਮਪਲੇਟ ਨਹੀਂ ਹਨ। ਇੱਕ ਬਣਾਉਣ ਲਈ ਖਾਤਾ ਸੈਟਿੰਗਾਂ 'ਤੇ ਜਾਓ।", - "There is no activity yet.": "ਅਜੇ ਤੱਕ ਕੋਈ ਸਰਗਰਮੀ ਨਹੀਂ ਹੈ।", + "There are no templates in the account. Go to the account settings to create one.": "ਖਾਤੇ ਵਿੱਚ ਕੋਈ ਟੈਮਪਲੇਟ ਨਹੀਂ ਹਨ। ਇੱਕ ਬਣਾਉਣ ਲਈ ਖਾਤਾ ਸੈਟਿੰਗਾਂ ’ਤੇ ਜਾਓ।", + "There is no activity yet.": "ਅਜੇ ਕੋਈ ਸਰਗਰਮੀ ਨਹੀਂ ਹੈ।", "There is no currencies in this account.": "ਇਸ ਖਾਤੇ ਵਿੱਚ ਕੋਈ ਮੁਦਰਾ ਨਹੀਂ ਹੈ।", "The relationship has been added": "ਰਿਸ਼ਤਾ ਜੋੜਿਆ ਗਿਆ ਹੈ", "The relationship has been deleted": "ਰਿਸ਼ਤਾ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", "The relationship type has been created": "ਰਿਸ਼ਤੇ ਦੀ ਕਿਸਮ ਬਣਾਈ ਗਈ ਹੈ", "The relationship type has been deleted": "ਰਿਸ਼ਤੇ ਦੀ ਕਿਸਮ ਮਿਟਾ ਦਿੱਤੀ ਗਈ ਹੈ", "The relationship type has been updated": "ਰਿਸ਼ਤੇ ਦੀ ਕਿਸਮ ਅੱਪਡੇਟ ਕੀਤੀ ਗਈ ਹੈ", - "The religion has been created": "ਧਰਮ ਰਚਿਆ ਹੈ", - "The religion has been deleted": "ਧਰਮ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", + "The religion has been created": "ਧਰਮ ਬਣਾਇਆ ਹੈ", + "The religion has been deleted": "ਧਰਮ ਨੂੰ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", "The religion has been updated": "ਧਰਮ ਨੂੰ ਅਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", "The reminder has been created": "ਰੀਮਾਈਂਡਰ ਬਣਾਇਆ ਗਿਆ ਹੈ", "The reminder has been deleted": "ਰੀਮਾਈਂਡਰ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", @@ -1052,7 +1053,7 @@ "The task has been edited": "ਕਾਰਜ ਸੰਪਾਦਿਤ ਕੀਤਾ ਗਿਆ ਹੈ", "The team's name and owner information.": "ਟੀਮ ਦਾ ਨਾਮ ਅਤੇ ਮਾਲਕ ਦੀ ਜਾਣਕਾਰੀ।", "The Telegram channel has been deleted": "ਟੈਲੀਗ੍ਰਾਮ ਚੈਨਲ ਨੂੰ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", - "The template has been created": "ਟੈਮਪਲੇਟ ਬਣਾਇਆ ਗਿਆ ਹੈ", + "The template has been created": "ਟੈਪਲੇਟ ਬਣਾਇਆ ਗਿਆ ਹੈ", "The template has been deleted": "ਟੈਮਪਲੇਟ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", "The template has been set": "ਟੈਮਪਲੇਟ ਸੈੱਟ ਕੀਤਾ ਗਿਆ ਹੈ", "The template has been updated": "ਟੈਮਪਲੇਟ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", @@ -1067,25 +1068,25 @@ "The vault has been created": "ਵਾਲਟ ਬਣਾਇਆ ਗਿਆ ਹੈ", "The vault has been deleted": "ਵਾਲਟ ਨੂੰ ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ ਹੈ", "The vault have been updated": "ਵਾਲਟ ਨੂੰ ਅਪਡੇਟ ਕੀਤਾ ਗਿਆ ਹੈ", - "they\/them": "ਉਹ\/ਉਨ੍ਹਾਂ ਨੂੰ", + "they/them": "ਉਹ/ਉਨ੍ਹਾਂ ਨੂੰ", "This address is not active anymore": "ਇਹ ਪਤਾ ਹੁਣ ਕਿਰਿਆਸ਼ੀਲ ਨਹੀਂ ਹੈ", "This device": "ਇਹ ਯੰਤਰ", - "This email is a test email to check if Monica can send an email to this email address.": "ਇਹ ਈਮੇਲ ਇਹ ਜਾਂਚ ਕਰਨ ਲਈ ਇੱਕ ਟੈਸਟ ਈਮੇਲ ਹੈ ਕਿ ਕੀ ਮੋਨਿਕਾ ਇਸ ਈਮੇਲ ਪਤੇ 'ਤੇ ਈਮੇਲ ਭੇਜ ਸਕਦੀ ਹੈ।", - "This is a secure area of the application. Please confirm your password before continuing.": "ਇਹ ਐਪਲੀਕੇਸ਼ਨ ਦਾ ਇੱਕ ਸੁਰੱਖਿਅਤ ਖੇਤਰ ਹੈ। ਜਾਰੀ ਰੱਖਣ ਤੋਂ ਪਹਿਲਾਂ ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਪਾਸਵਰਡ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ।", + "This email is a test email to check if Monica can send an email to this email address.": "ਇਹ ਈਮੇਲ ਇਹ ਜਾਂਚ ਕਰਨ ਲਈ ਇੱਕ ਟੈਸਟ ਈਮੇਲ ਹੈ ਕਿ ਕੀ Monica ਇਸ ਈਮੇਲ ਪਤੇ ’ਤੇ ਈਮੇਲ ਭੇਜ ਸਕਦੀ ਹੈ।", + "This is a secure area of the application. Please confirm your password before continuing.": "ਇਹ ਐਪਲੀਕੇਸ਼ਨ ਦਾ ਇੱਕ ਸੁਰੱਖਿਅਤ ਖੇਤਰ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ ਜਾਰੀ ਰੱਖਣ ਤੋਂ ਪਹਿਲਾਂ ਆਪਣੇ ਪਾਸਵਰਡ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ।", "This is a test email": "ਇਹ ਇੱਕ ਟੈਸਟ ਈਮੇਲ ਹੈ", - "This is a test notification for :name": "ਇਹ :ਨਾਮ ਲਈ ਇੱਕ ਟੈਸਟ ਸੂਚਨਾ ਹੈ", - "This key is already registered. It’s not necessary to register it again.": "ਇਹ ਕੁੰਜੀ ਪਹਿਲਾਂ ਹੀ ਰਜਿਸਟਰਡ ਹੈ। ਇਸ ਨੂੰ ਦੁਬਾਰਾ ਰਜਿਸਟਰ ਕਰਨਾ ਜ਼ਰੂਰੀ ਨਹੀਂ ਹੈ।", + "This is a test notification for :name": "ਇਹ :name ਲਈ ਇੱਕ ਟੈਸਟ ਸੂਚਨਾ ਹੈ", + "This key is already registered. It’s not necessary to register it again.": "ਇਹ ਕੁੰਜੀ ਪਹਿਲਾਂ ਹੀ ਰਜਿਸਟਰ ਹੈ। ਇਸ ਨੂੰ ਦੁਬਾਰਾ ਰਜਿਸਟਰ ਕਰਨਾ ਜ਼ਰੂਰੀ ਨਹੀਂ ਹੈ।", "This link will open in a new tab": "ਇਹ ਲਿੰਕ ਇੱਕ ਨਵੀਂ ਟੈਬ ਵਿੱਚ ਖੁੱਲ੍ਹੇਗਾ", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "ਇਹ ਪੰਨਾ ਉਹ ਸਾਰੀਆਂ ਸੂਚਨਾਵਾਂ ਦਿਖਾਉਂਦਾ ਹੈ ਜੋ ਪਿਛਲੇ ਸਮੇਂ ਵਿੱਚ ਇਸ ਚੈਨਲ ਵਿੱਚ ਭੇਜੀਆਂ ਗਈਆਂ ਹਨ। ਇਹ ਮੁੱਖ ਤੌਰ 'ਤੇ ਡੀਬੱਗ ਕਰਨ ਦੇ ਤਰੀਕੇ ਵਜੋਂ ਕੰਮ ਕਰਦਾ ਹੈ ਜੇਕਰ ਤੁਹਾਨੂੰ ਤੁਹਾਡੇ ਦੁਆਰਾ ਸੈਟ ਅਪ ਕੀਤੀ ਸੂਚਨਾ ਪ੍ਰਾਪਤ ਨਹੀਂ ਹੁੰਦੀ ਹੈ।", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "ਇਹ ਪੰਨਾ ਉਹ ਸਾਰੀਆਂ ਸੂਚਨਾਵਾਂ ਦਿਖਾਉਂਦਾ ਹੈ ਜੋ ਪਿਛਲੇ ਸਮੇਂ ਵਿੱਚ ਇਸ ਚੈਨਲ ਵਿੱਚ ਭੇਜੀਆਂ ਗਈਆਂ ਹਨ। ਇਹ ਮੁੱਖ ਤੌਰ ’ਤੇ ਡੀਬੱਗ ਕਰਨ ਦੇ ਤਰੀਕੇ ਵਜੋਂ ਕੰਮ ਕਰਦਾ ਹੈ ਜੇਕਰ ਤੁਹਾਨੂੰ ਤੁਹਾਡੇ ਦੁਆਰਾ ਸੈਟ ਅਪ ਕੀਤੀ ਸੂਚਨਾ ਪ੍ਰਾਪਤ ਨਹੀਂ ਹੁੰਦੀ ਹੈ।", "This password does not match our records.": "ਇਹ ਪਾਸਵਰਡ ਸਾਡੇ ਰਿਕਾਰਡਾਂ ਨਾਲ ਮੇਲ ਨਹੀਂ ਖਾਂਦਾ।", - "This password reset link will expire in :count minutes.": "ਇਸ ਪਾਸਵਰਡ ਰੀਸੈਟ ਲਿੰਕ ਦੀ ਮਿਆਦ :ਗਣਨਾ ਮਿੰਟਾਂ ਵਿੱਚ ਸਮਾਪਤ ਹੋ ਜਾਵੇਗੀ।", + "This password reset link will expire in :count minutes.": "ਇਸ ਪਾਸਵਰਡ ਰੀਸੈਟ ਲਿੰਕ ਦੀ ਮਿਆਦ :count ਮਿੰਟਾਂ ਵਿੱਚ ਸਮਾਪਤ ਹੋ ਜਾਵੇਗੀ।", "This post has no content yet.": "ਇਸ ਪੋਸਟ ਵਿੱਚ ਹਾਲੇ ਕੋਈ ਸਮੱਗਰੀ ਨਹੀਂ ਹੈ।", "This provider is already associated with another account": "ਇਹ ਪ੍ਰਦਾਤਾ ਪਹਿਲਾਂ ਹੀ ਕਿਸੇ ਹੋਰ ਖਾਤੇ ਨਾਲ ਜੁੜਿਆ ਹੋਇਆ ਹੈ", "This site is open source.": "ਇਹ ਸਾਈਟ ਓਪਨ ਸੋਰਸ ਹੈ।", - "This template will define what information are displayed on a contact page.": "ਇਹ ਟੈਮਪਲੇਟ ਪਰਿਭਾਸ਼ਿਤ ਕਰੇਗਾ ਕਿ ਸੰਪਰਕ ਪੰਨੇ 'ਤੇ ਕਿਹੜੀ ਜਾਣਕਾਰੀ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤੀ ਜਾਂਦੀ ਹੈ।", + "This template will define what information are displayed on a contact page.": "ਇਹ ਟੈਮਪਲੇਟ ਪਰਿਭਾਸ਼ਿਤ ਕਰੇਗਾ ਕਿ ਸੰਪਰਕ ਪੰਨੇ ’ਤੇ ਕਿਹੜੀ ਜਾਣਕਾਰੀ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤੀ ਜਾਂਦੀ ਹੈ।", "This user already belongs to the team.": "ਇਹ ਉਪਭੋਗਤਾ ਪਹਿਲਾਂ ਹੀ ਟੀਮ ਨਾਲ ਸਬੰਧਤ ਹੈ।", "This user has already been invited to the team.": "ਇਸ ਉਪਭੋਗਤਾ ਨੂੰ ਪਹਿਲਾਂ ਹੀ ਟੀਮ ਵਿੱਚ ਸੱਦਾ ਦਿੱਤਾ ਗਿਆ ਹੈ।", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "ਇਹ ਉਪਭੋਗਤਾ ਤੁਹਾਡੇ ਖਾਤੇ ਦਾ ਹਿੱਸਾ ਹੋਵੇਗਾ, ਪਰ ਜਦੋਂ ਤੱਕ ਤੁਸੀਂ ਉਹਨਾਂ ਨੂੰ ਖਾਸ ਪਹੁੰਚ ਨਹੀਂ ਦਿੰਦੇ ਹੋ, ਇਸ ਖਾਤੇ ਦੇ ਸਾਰੇ ਵਾਲਟ ਤੱਕ ਪਹੁੰਚ ਪ੍ਰਾਪਤ ਨਹੀਂ ਕਰੇਗਾ। ਇਹ ਵਿਅਕਤੀ ਵਾਲਟ ਵੀ ਬਣਾਉਣ ਦੇ ਯੋਗ ਹੋਵੇਗਾ।", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "ਇਹ ਉਪਭੋਗਤਾ ਤੁਹਾਡੇ ਖਾਤੇ ਦਾ ਹਿੱਸਾ ਹੋਵੇਗਾ, ਪਰ ਜਦੋਂ ਤੱਕ ਤੁਸੀਂ ਉਹਨਾਂ ਨੂੰ ਖਾਸ ਪਹੁੰਚ ਨਹੀਂ ਦਿੰਦੇ ਹੋ, ਉਦੋਂ ਤੱਕ ਇਸ ਖਾਤੇ ਦੇ ਸਾਰੇ ਵਾਲਟ ਤੱਕ ਪਹੁੰਚ ਪ੍ਰਾਪਤ ਨਹੀਂ ਕਰੇਗਾ। ਇਹ ਵਿਅਕਤੀ ਵਾਲਟ ਵੀ ਬਣਾਉਣ ਦੇ ਯੋਗ ਹੋਵੇਗਾ।", "This will immediately:": "ਇਹ ਤੁਰੰਤ ਕਰੇਗਾ:", "Three things that happened today": "ਤਿੰਨ ਗੱਲਾਂ ਜੋ ਅੱਜ ਹੋਈਆਂ", "Thursday": "ਵੀਰਵਾਰ", @@ -1093,7 +1094,6 @@ "Title": "ਸਿਰਲੇਖ", "to": "ਨੂੰ", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "ਦੋ ਫੈਕਟਰ ਪ੍ਰਮਾਣੀਕਰਨ ਨੂੰ ਸਮਰੱਥ ਕਰਨ ਲਈ, ਆਪਣੇ ਫ਼ੋਨ ਦੀ ਪ੍ਰਮਾਣਿਕਤਾ ਐਪਲੀਕੇਸ਼ਨ ਦੀ ਵਰਤੋਂ ਕਰਕੇ ਹੇਠਾਂ ਦਿੱਤੇ QR ਕੋਡ ਨੂੰ ਸਕੈਨ ਕਰੋ ਜਾਂ ਸੈੱਟਅੱਪ ਕੁੰਜੀ ਦਾਖਲ ਕਰੋ ਅਤੇ ਤਿਆਰ ਕੀਤਾ OTP ਕੋਡ ਪ੍ਰਦਾਨ ਕਰੋ।", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "ਦੋ ਫੈਕਟਰ ਪ੍ਰਮਾਣਿਕਤਾ ਨੂੰ ਸਮਰੱਥ ਕਰਨ ਲਈ, ਆਪਣੇ ਫ਼ੋਨ ਦੀ ਪ੍ਰਮਾਣਿਕਤਾ ਐਪਲੀਕੇਸ਼ਨ ਦੀ ਵਰਤੋਂ ਕਰਕੇ ਹੇਠਾਂ ਦਿੱਤੇ QR ਕੋਡ ਨੂੰ ਸਕੈਨ ਕਰੋ ਜਾਂ ਸੈੱਟਅੱਪ ਕੁੰਜੀ ਦਾਖਲ ਕਰੋ ਅਤੇ ਤਿਆਰ ਕੀਤਾ OTP ਕੋਡ ਪ੍ਰਦਾਨ ਕਰੋ।", "Toggle navigation": "ਨੈਵੀਗੇਸ਼ਨ ਨੂੰ ਟੌਗਲ ਕਰੋ", "To hear their story": "ਉਹਨਾਂ ਦੀ ਕਹਾਣੀ ਸੁਣਨ ਲਈ", "Token Name": "ਟੋਕਨ ਨਾਮ", @@ -1115,15 +1115,15 @@ "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "ਦੋ ਕਾਰਕ ਪ੍ਰਮਾਣਿਕਤਾ ਹੁਣ ਸਮਰੱਥ ਹੈ। ਆਪਣੇ ਫ਼ੋਨ ਦੀ ਪ੍ਰਮਾਣਕ ਐਪਲੀਕੇਸ਼ਨ ਦੀ ਵਰਤੋਂ ਕਰਕੇ ਹੇਠਾਂ ਦਿੱਤੇ QR ਕੋਡ ਨੂੰ ਸਕੈਨ ਕਰੋ ਜਾਂ ਸੈੱਟਅੱਪ ਕੁੰਜੀ ਦਾਖਲ ਕਰੋ।", "Type": "ਟਾਈਪ ਕਰੋ", "Type:": "ਕਿਸਮ:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "ਮੋਨਿਕਾ ਬੋਟ ਨਾਲ ਗੱਲਬਾਤ ਵਿੱਚ ਕੁਝ ਵੀ ਟਾਈਪ ਕਰੋ। ਇਹ ਉਦਾਹਰਨ ਲਈ 'ਸ਼ੁਰੂ' ਹੋ ਸਕਦਾ ਹੈ।", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica ਬੋਟ ਨਾਲ ਗੱਲਬਾਤ ਵਿੱਚ ਕੁਝ ਵੀ ਟਾਈਪ ਕਰੋ। ਇਹ ਉਦਾਹਰਨ ਲਈ ’ਸ਼ੁਰੂ’ ਹੋ ਸਕਦਾ ਹੈ।", "Types": "ਕਿਸਮਾਂ", "Type something": "ਕੁਝ ਟਾਈਪ ਕਰੋ", "Unarchive contact": "ਅਣਆਰਕਾਈਵ ਸੰਪਰਕ", "unarchived the contact": "ਸੰਪਰਕ ਨੂੰ ਅਣ-ਪੁਰਾਲੇਖਬੱਧ ਕੀਤਾ", "Unauthorized": "ਅਣਅਧਿਕਾਰਤ", - "uncle\/aunt": "ਚਾਚਾ\/ਮਾਸੀ", + "uncle/aunt": "ਚਾਚਾ/ਮਾਸੀ", "Undefined": "ਪਰਿਭਾਸ਼ਿਤ", - "Unexpected error on login.": "ਲਾਗਇਨ ਕਰਨ 'ਤੇ ਅਚਾਨਕ ਗਲਤੀ।", + "Unexpected error on login.": "ਲੌਗਇਨ ’ਤੇ ਅਚਾਨਕ ਗਲਤੀ।", "Unknown": "ਅਗਿਆਤ", "unknown action": "ਅਗਿਆਤ ਕਾਰਵਾਈ", "Unknown age": "ਅਗਿਆਤ ਉਮਰ", @@ -1136,14 +1136,13 @@ "updated an address": "ਇੱਕ ਪਤਾ ਅੱਪਡੇਟ ਕੀਤਾ", "updated an important date": "ਇੱਕ ਮਹੱਤਵਪੂਰਨ ਮਿਤੀ ਨੂੰ ਅੱਪਡੇਟ ਕੀਤਾ", "updated a pet": "ਇੱਕ ਪਾਲਤੂ ਜਾਨਵਰ ਨੂੰ ਅਪਡੇਟ ਕੀਤਾ", - "Updated on :date": "ਮਿਤੀ ਨੂੰ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ", + "Updated on :date": ":date ਨੂੰ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ", "updated the avatar of the contact": "ਸੰਪਰਕ ਦੇ ਅਵਤਾਰ ਨੂੰ ਅਪਡੇਟ ਕੀਤਾ", "updated the contact information": "ਸੰਪਰਕ ਜਾਣਕਾਰੀ ਨੂੰ ਅਪਡੇਟ ਕੀਤਾ", "updated the job information": "ਨੌਕਰੀ ਦੀ ਜਾਣਕਾਰੀ ਨੂੰ ਅਪਡੇਟ ਕੀਤਾ", "updated the religion": "ਧਰਮ ਨੂੰ ਅਪਡੇਟ ਕੀਤਾ", "Update Password": "ਪਾਸਵਰਡ ਅੱਪਡੇਟ ਕਰੋ", "Update your account's profile information and email address.": "ਆਪਣੇ ਖਾਤੇ ਦੀ ਪ੍ਰੋਫਾਈਲ ਜਾਣਕਾਰੀ ਅਤੇ ਈਮੇਲ ਪਤਾ ਅੱਪਡੇਟ ਕਰੋ।", - "Update your account’s profile information and email address.": "ਆਪਣੇ ਖਾਤੇ ਦੀ ਪ੍ਰੋਫਾਈਲ ਜਾਣਕਾਰੀ ਅਤੇ ਈਮੇਲ ਪਤਾ ਅੱਪਡੇਟ ਕਰੋ।", "Upload photo as avatar": "ਅਵਤਾਰ ਵਜੋਂ ਫੋਟੋ ਅੱਪਲੋਡ ਕਰੋ", "Use": "ਵਰਤੋ", "Use an authentication code": "ਇੱਕ ਪ੍ਰਮਾਣੀਕਰਨ ਕੋਡ ਦੀ ਵਰਤੋਂ ਕਰੋ", @@ -1152,20 +1151,20 @@ "User preferences": "ਉਪਭੋਗਤਾ ਤਰਜੀਹਾਂ", "Users": "ਉਪਭੋਗਤਾ", "User settings": "ਉਪਭੋਗਤਾ ਸੈਟਿੰਗਾਂ", - "Use the following template for this contact": "ਇਸ ਸੰਪਰਕ ਲਈ ਹੇਠਾਂ ਦਿੱਤੇ ਟੈਪਲੇਟ ਦੀ ਵਰਤੋਂ ਕਰੋ", + "Use the following template for this contact": "ਇਸ ਸੰਪਰਕ ਲਈ ਹੇਠਾਂ ਦਿੱਤੇ ਟੈਂਪਲੇਟ ਦੀ ਵਰਤੋਂ ਕਰੋ", "Use your password": "ਆਪਣਾ ਪਾਸਵਰਡ ਵਰਤੋ", "Use your security key": "ਆਪਣੀ ਸੁਰੱਖਿਆ ਕੁੰਜੀ ਦੀ ਵਰਤੋਂ ਕਰੋ", "Validating key…": "ਕੁੰਜੀ ਪ੍ਰਮਾਣਿਤ ਕੀਤੀ ਜਾ ਰਹੀ ਹੈ...", "Value copied into your clipboard": "ਮੁੱਲ ਤੁਹਾਡੇ ਕਲਿੱਪਬੋਰਡ ਵਿੱਚ ਕਾਪੀ ਕੀਤਾ ਗਿਆ", "Vaults contain all your contacts data.": "Vaults ਵਿੱਚ ਤੁਹਾਡੇ ਸਾਰੇ ਸੰਪਰਕ ਡੇਟਾ ਸ਼ਾਮਲ ਹੁੰਦੇ ਹਨ।", "Vault settings": "ਵਾਲਟ ਸੈਟਿੰਗਾਂ", - "ve\/ver": "ਅਤੇ\/ਦੇਓ", + "ve/ver": "ve/ver", "Verification email sent": "ਪੁਸ਼ਟੀਕਰਨ ਈਮੇਲ ਭੇਜੀ ਗਈ", "Verified": "ਪ੍ਰਮਾਣਿਤ", "Verify Email Address": "ਈਮੇਲ ਪਤੇ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ", "Verify this email address": "ਇਸ ਈਮੇਲ ਪਤੇ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ", "Version :version — commit [:short](:url).": "ਸੰਸਕਰਣ :version — ਕਮਿਟ [:short](:url)।", - "Via Telegram": "ਟੈਲੀਗ੍ਰਾਮ ਰਾਹੀਂ", + "Via Telegram": "ਟੈਲੀਗ੍ਰਾਮ ਦੁਆਰਾ", "Video call": "ਵੀਡੀਓ ਕਾਲ", "View": "ਦੇਖੋ", "View all": "ਸਾਰੇ ਦੇਖੋ", @@ -1173,8 +1172,8 @@ "Viewer": "ਦਰਸ਼ਕ", "View history": "ਇਤਿਹਾਸ ਦੇਖੋ", "View log": "ਲੌਗ ਦੇਖੋ", - "View on map": "ਨਕਸ਼ੇ 'ਤੇ ਦੇਖੋ", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "ਮੋਨਿਕਾ (ਐਪਲੀਕੇਸ਼ਨ) ਵੱਲੋਂ ਤੁਹਾਨੂੰ ਪਛਾਣਨ ਲਈ ਕੁਝ ਸਕਿੰਟ ਉਡੀਕ ਕਰੋ। ਅਸੀਂ ਤੁਹਾਨੂੰ ਇਹ ਦੇਖਣ ਲਈ ਇੱਕ ਜਾਅਲੀ ਸੂਚਨਾ ਭੇਜਾਂਗੇ ਕਿ ਇਹ ਕੰਮ ਕਰਦਾ ਹੈ ਜਾਂ ਨਹੀਂ।", + "View on map": "ਨਕਸ਼ੇ ’ਤੇ ਦੇਖੋ", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica (ਐਪਲੀਕੇਸ਼ਨ) ਵੱਲੋਂ ਤੁਹਾਨੂੰ ਪਛਾਣਨ ਲਈ ਕੁਝ ਸਕਿੰਟ ਉਡੀਕ ਕਰੋ। ਅਸੀਂ ਤੁਹਾਨੂੰ ਇਹ ਦੇਖਣ ਲਈ ਇੱਕ ਜਾਅਲੀ ਸੂਚਨਾ ਭੇਜਾਂਗੇ ਕਿ ਇਹ ਕੰਮ ਕਰਦਾ ਹੈ ਜਾਂ ਨਹੀਂ।", "Waiting for key…": "ਕੁੰਜੀ ਦੀ ਉਡੀਕ ਕੀਤੀ ਜਾ ਰਹੀ ਹੈ...", "Walked": "ਤੁਰਿਆ", "Wallpaper": "ਵਾਲਪੇਪਰ", @@ -1183,30 +1182,31 @@ "Watched a tv show": "ਇੱਕ ਟੀਵੀ ਸ਼ੋਅ ਦੇਖਿਆ", "Watched TV": "ਟੀਵੀ ਦੇਖਿਆ", "Watch Netflix every day": "ਹਰ ਰੋਜ਼ Netflix ਦੇਖੋ", - "Ways to connect": "ਕਨੈਕਟ ਕਰਨ ਦੇ ਤਰੀਕੇ", + "Ways to connect": "ਜੁੜਨ ਦੇ ਤਰੀਕੇ", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn ਸਿਰਫ਼ ਸੁਰੱਖਿਅਤ ਕਨੈਕਸ਼ਨਾਂ ਦਾ ਸਮਰਥਨ ਕਰਦਾ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ https ਸਕੀਮ ਨਾਲ ਇਸ ਪੰਨੇ ਨੂੰ ਲੋਡ ਕਰੋ।", "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "ਅਸੀਂ ਉਹਨਾਂ ਨੂੰ ਇੱਕ ਰਿਲੇਸ਼ਨ ਕਹਿੰਦੇ ਹਾਂ, ਅਤੇ ਇਸਦਾ ਰਿਵਰਸ ਰਿਲੇਸ਼ਨ। ਤੁਹਾਡੇ ਦੁਆਰਾ ਪਰਿਭਾਸ਼ਿਤ ਕੀਤੇ ਗਏ ਹਰੇਕ ਸਬੰਧ ਲਈ, ਤੁਹਾਨੂੰ ਇਸਦੇ ਹਮਰੁਤਬਾ ਨੂੰ ਪਰਿਭਾਸ਼ਿਤ ਕਰਨ ਦੀ ਲੋੜ ਹੈ।", "Wedding": "ਵਿਆਹ", "Wednesday": "ਬੁੱਧਵਾਰ", "We hope you'll like it.": "ਅਸੀਂ ਉਮੀਦ ਕਰਦੇ ਹਾਂ ਕਿ ਤੁਸੀਂ ਇਸਨੂੰ ਪਸੰਦ ਕਰੋਗੇ।", "We hope you will like what we’ve done.": "ਅਸੀਂ ਉਮੀਦ ਕਰਦੇ ਹਾਂ ਕਿ ਤੁਸੀਂ ਜੋ ਕੀਤਾ ਹੈ ਉਸਨੂੰ ਪਸੰਦ ਕਰੋਗੇ।", - "Welcome to Monica.": "ਮੋਨਿਕਾ ਵਿੱਚ ਤੁਹਾਡਾ ਸੁਆਗਤ ਹੈ।", + "Welcome to Monica.": "Monica ਵਿੱਚ ਤੁਹਾਡਾ ਸੁਆਗਤ ਹੈ।", "Went to a bar": "ਇੱਕ ਬਾਰ ਵਿੱਚ ਗਿਆ", "We support Markdown to format the text (bold, lists, headings, etc…).": "ਅਸੀਂ ਟੈਕਸਟ ਨੂੰ ਫਾਰਮੈਟ ਕਰਨ ਲਈ ਮਾਰਕਡਾਊਨ ਦਾ ਸਮਰਥਨ ਕਰਦੇ ਹਾਂ (ਬੋਲਡ, ਸੂਚੀਆਂ, ਸਿਰਲੇਖ, ਆਦਿ...)।", - "We were unable to find a registered user with this email address.": "ਅਸੀਂ ਇਸ ਈਮੇਲ ਪਤੇ ਨਾਲ ਰਜਿਸਟਰਡ ਉਪਭੋਗਤਾ ਨੂੰ ਲੱਭਣ ਵਿੱਚ ਅਸਮਰੱਥ ਸੀ।", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "ਅਸੀਂ ਇਸ ਈਮੇਲ ਪਤੇ 'ਤੇ ਇੱਕ ਈਮੇਲ ਭੇਜਾਂਗੇ ਜਿਸਦੀ ਪੁਸ਼ਟੀ ਕਰਨ ਦੀ ਲੋੜ ਪਵੇਗੀ ਇਸ ਤੋਂ ਪਹਿਲਾਂ ਕਿ ਅਸੀਂ ਇਸ ਪਤੇ 'ਤੇ ਸੂਚਨਾਵਾਂ ਭੇਜ ਸਕੀਏ।", + "We were unable to find a registered user with this email address.": "ਅਸੀਂ ਇਸ ਈਮੇਲ ਪਤੇ ਦੇ ਨਾਲ ਇੱਕ ਰਜਿਸਟਰਡ ਉਪਭੋਗਤਾ ਨੂੰ ਲੱਭਣ ਵਿੱਚ ਅਸਮਰੱਥ ਸੀ।", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "ਅਸੀਂ ਇਸ ਈਮੇਲ ਪਤੇ ’ਤੇ ਇੱਕ ਈਮੇਲ ਭੇਜਾਂਗੇ ਜਿਸਦੀ ਪੁਸ਼ਟੀ ਕਰਨ ਦੀ ਲੋੜ ਪਵੇਗੀ ਇਸ ਤੋਂ ਪਹਿਲਾਂ ਕਿ ਅਸੀਂ ਇਸ ਪਤੇ ’ਤੇ ਸੂਚਨਾਵਾਂ ਭੇਜ ਸਕੀਏ।", "What happens now?": "ਹੁਣ ਕੀ ਹੁੰਦਾ ਹੈ?", "What is the loan?": "ਕਰਜ਼ਾ ਕੀ ਹੈ?", - "What permission should :name have?": "ਕੀ ਇਜਾਜ਼ਤ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ :ਨਾਮ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ?", + "What permission should :name have?": ":Name ਕੋਲ ਕਿਹੜੀ ਇਜਾਜ਼ਤ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ?", "What permission should the user have?": "ਉਪਭੋਗਤਾ ਨੂੰ ਕਿਹੜੀ ਇਜਾਜ਼ਤ ਹੋਣੀ ਚਾਹੀਦੀ ਹੈ?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "ਸਾਨੂੰ ਨਕਸ਼ੇ ਦਿਖਾਉਣ ਲਈ ਕੀ ਵਰਤਣਾ ਚਾਹੀਦਾ ਹੈ?", "What would make today great?": "ਕੀ ਅੱਜ ਨੂੰ ਮਹਾਨ ਬਣਾਵੇਗਾ?", "When did the call happened?": "ਕਾਲ ਕਦੋਂ ਹੋਈ?", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "ਜਦੋਂ ਦੋ ਕਾਰਕ ਪ੍ਰਮਾਣਿਕਤਾ ਸਮਰਥਿਤ ਹੁੰਦੀ ਹੈ, ਤਾਂ ਤੁਹਾਨੂੰ ਪ੍ਰਮਾਣਿਕਤਾ ਦੇ ਦੌਰਾਨ ਇੱਕ ਸੁਰੱਖਿਅਤ, ਬੇਤਰਤੀਬ ਟੋਕਨ ਲਈ ਪੁੱਛਿਆ ਜਾਵੇਗਾ। ਤੁਸੀਂ ਇਸ ਟੋਕਨ ਨੂੰ ਆਪਣੇ ਫ਼ੋਨ ਦੀ Google Authenticator ਐਪਲੀਕੇਸ਼ਨ ਤੋਂ ਪ੍ਰਾਪਤ ਕਰ ਸਕਦੇ ਹੋ।", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "ਜਦੋਂ ਦੋ ਕਾਰਕ ਪ੍ਰਮਾਣਿਕਤਾ ਸਮਰਥਿਤ ਹੁੰਦੀ ਹੈ, ਤਾਂ ਤੁਹਾਨੂੰ ਪ੍ਰਮਾਣਿਕਤਾ ਦੇ ਦੌਰਾਨ ਇੱਕ ਸੁਰੱਖਿਅਤ, ਬੇਤਰਤੀਬ ਟੋਕਨ ਲਈ ਪੁੱਛਿਆ ਜਾਵੇਗਾ। ਤੁਸੀਂ ਇਸ ਟੋਕਨ ਨੂੰ ਆਪਣੇ ਫ਼ੋਨ ਦੀ Authenticator ਐਪਲੀਕੇਸ਼ਨ ਤੋਂ ਪ੍ਰਾਪਤ ਕਰ ਸਕਦੇ ਹੋ।", "When was the loan made?": "ਕਰਜ਼ਾ ਕਦੋਂ ਦਿੱਤਾ ਗਿਆ ਸੀ?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "ਜਦੋਂ ਤੁਸੀਂ ਦੋ ਸੰਪਰਕਾਂ ਵਿਚਕਾਰ ਰਿਸ਼ਤੇ ਨੂੰ ਪਰਿਭਾਸ਼ਿਤ ਕਰਦੇ ਹੋ, ਉਦਾਹਰਨ ਲਈ ਪਿਤਾ-ਪੁੱਤਰ ਦਾ ਰਿਸ਼ਤਾ, ਮੋਨਿਕਾ ਦੋ ਰਿਸ਼ਤੇ ਬਣਾਉਂਦੀ ਹੈ, ਹਰੇਕ ਸੰਪਰਕ ਲਈ ਇੱਕ:", - "Which email address should we send the notification to?": "ਸਾਨੂੰ ਕਿਸ ਈਮੇਲ ਪਤੇ 'ਤੇ ਸੂਚਨਾ ਭੇਜਣੀ ਚਾਹੀਦੀ ਹੈ?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "ਜਦੋਂ ਤੁਸੀਂ ਦੋ ਸੰਪਰਕਾਂ ਵਿਚਕਾਰ ਰਿਸ਼ਤੇ ਨੂੰ ਪਰਿਭਾਸ਼ਿਤ ਕਰਦੇ ਹੋ, ਉਦਾਹਰਨ ਲਈ ਇੱਕ ਪਿਤਾ-ਪੁੱਤਰ ਦਾ ਰਿਸ਼ਤਾ, Monica ਦੋ ਰਿਸ਼ਤੇ ਬਣਾਉਂਦੀ ਹੈ, ਹਰੇਕ ਸੰਪਰਕ ਲਈ ਇੱਕ:", + "Which email address should we send the notification to?": "ਸਾਨੂੰ ਕਿਸ ਈਮੇਲ ਪਤੇ ’ਤੇ ਸੂਚਨਾ ਭੇਜਣੀ ਚਾਹੀਦੀ ਹੈ?", "Who called?": "ਕਿਸਨੇ ਬੁਲਾਇਆ?", "Who makes the loan?": "ਕਰਜ਼ਾ ਕੌਣ ਦਿੰਦਾ ਹੈ?", "Whoops!": "ਓਹੋ!", @@ -1216,23 +1216,23 @@ "Wish good day": "ਚੰਗੇ ਦਿਨ ਦੀ ਕਾਮਨਾ ਕਰੋ", "Work": "ਕੰਮ", "Write the amount with a dot if you need decimals, like 100.50": "ਜੇਕਰ ਤੁਹਾਨੂੰ ਦਸ਼ਮਲਵ ਦੀ ਲੋੜ ਹੋਵੇ ਤਾਂ ਬਿੰਦੀ ਨਾਲ ਰਕਮ ਲਿਖੋ, ਜਿਵੇਂ ਕਿ 100.50", - "Written on": "'ਤੇ ਲਿਖਿਆ ਹੈ", + "Written on": "’ਤੇ ਲਿਖਿਆ ਹੈ", "wrote a note": "ਇੱਕ ਨੋਟ ਲਿਖਿਆ", - "xe\/xem": "ਕਾਰ\/ਦ੍ਰਿਸ਼", + "xe/xem": "xe/xem", "year": "ਸਾਲ", "Years": "ਸਾਲ", "You are here:": "ਤੁਸੀਂ ਇੱਥੇ ਹੋ:", - "You are invited to join Monica": "ਤੁਹਾਨੂੰ ਮੋਨਿਕਾ ਵਿੱਚ ਸ਼ਾਮਲ ਹੋਣ ਲਈ ਸੱਦਾ ਦਿੱਤਾ ਜਾਂਦਾ ਹੈ", + "You are invited to join Monica": "ਤੁਹਾਨੂੰ Monica ਵਿੱਚ ਸ਼ਾਮਲ ਹੋਣ ਲਈ ਸੱਦਾ ਦਿੱਤਾ ਜਾਂਦਾ ਹੈ", "You are receiving this email because we received a password reset request for your account.": "ਤੁਸੀਂ ਇਹ ਈਮੇਲ ਇਸ ਲਈ ਪ੍ਰਾਪਤ ਕਰ ਰਹੇ ਹੋ ਕਿਉਂਕਿ ਸਾਨੂੰ ਤੁਹਾਡੇ ਖਾਤੇ ਲਈ ਪਾਸਵਰਡ ਰੀਸੈਟ ਕਰਨ ਦੀ ਬੇਨਤੀ ਪ੍ਰਾਪਤ ਹੋਈ ਹੈ।", "you can't even use your current username or password to sign in,": "ਤੁਸੀਂ ਸਾਈਨ ਇਨ ਕਰਨ ਲਈ ਆਪਣੇ ਮੌਜੂਦਾ ਉਪਭੋਗਤਾ ਨਾਮ ਜਾਂ ਪਾਸਵਰਡ ਦੀ ਵਰਤੋਂ ਵੀ ਨਹੀਂ ਕਰ ਸਕਦੇ ਹੋ,", - "you can't import any data from your current Monica account(yet),": "ਤੁਸੀਂ ਆਪਣੇ ਮੌਜੂਦਾ ਮੋਨਿਕਾ ਖਾਤੇ (ਅਜੇ ਤੱਕ) ਤੋਂ ਕੋਈ ਡਾਟਾ ਆਯਾਤ ਨਹੀਂ ਕਰ ਸਕਦੇ ਹੋ,", + "you can't import any data from your current Monica account(yet),": "ਤੁਸੀਂ ਆਪਣੇ ਮੌਜੂਦਾ Monica ਖਾਤੇ (ਅਜੇ ਤੱਕ) ਤੋਂ ਕੋਈ ਡਾਟਾ ਆਯਾਤ ਨਹੀਂ ਕਰ ਸਕਦੇ ਹੋ,", "You can add job information to your contacts and manage the companies here in this tab.": "ਤੁਸੀਂ ਇਸ ਟੈਬ ਵਿੱਚ ਆਪਣੇ ਸੰਪਰਕਾਂ ਵਿੱਚ ਨੌਕਰੀ ਦੀ ਜਾਣਕਾਰੀ ਸ਼ਾਮਲ ਕਰ ਸਕਦੇ ਹੋ ਅਤੇ ਕੰਪਨੀਆਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰ ਸਕਦੇ ਹੋ।", - "You can add more account to log in to our service with one click.": "ਤੁਸੀਂ ਇੱਕ ਕਲਿੱਕ ਨਾਲ ਸਾਡੀ ਸੇਵਾ ਵਿੱਚ ਲੌਗ ਇਨ ਕਰਨ ਲਈ ਹੋਰ ਖਾਤਾ ਜੋੜ ਸਕਦੇ ਹੋ।", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "ਤੁਹਾਨੂੰ ਵੱਖ-ਵੱਖ ਚੈਨਲਾਂ ਰਾਹੀਂ ਸੂਚਿਤ ਕੀਤਾ ਜਾ ਸਕਦਾ ਹੈ: ਈਮੇਲ, ਇੱਕ ਟੈਲੀਗ੍ਰਾਮ ਸੁਨੇਹਾ, ਫੇਸਬੁੱਕ 'ਤੇ। ਤੁਸੀਂ ਫੈਸਲਾ ਕਰੋ.", + "You can add more account to log in to our service with one click.": "ਤੁਸੀਂ ਇੱਕ ਕਲਿੱਕ ਨਾਲ ਸਾਡੀ ਸੇਵਾ ਵਿੱਚ ਲੌਗਇਨ ਕਰਨ ਲਈ ਹੋਰ ਖਾਤਾ ਜੋੜ ਸਕਦੇ ਹੋ।", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "ਤੁਹਾਨੂੰ ਵੱਖ-ਵੱਖ ਚੈਨਲਾਂ ਰਾਹੀਂ ਸੂਚਿਤ ਕੀਤਾ ਜਾ ਸਕਦਾ ਹੈ: ਈਮੇਲ, ਇੱਕ ਟੈਲੀਗ੍ਰਾਮ ਸੁਨੇਹਾ, ਫੇਸਬੁੱਕ ’ਤੇ। ਤੁਸੀਂ ਫੈਸਲਾ ਕਰੋ.", "You can change that at any time.": "ਤੁਸੀਂ ਇਸਨੂੰ ਕਿਸੇ ਵੀ ਸਮੇਂ ਬਦਲ ਸਕਦੇ ਹੋ।", - "You can choose how you want Monica to display dates in the application.": "ਤੁਸੀਂ ਇਹ ਚੁਣ ਸਕਦੇ ਹੋ ਕਿ ਤੁਸੀਂ ਮੋਨਿਕਾ ਨੂੰ ਐਪਲੀਕੇਸ਼ਨ ਵਿੱਚ ਤਾਰੀਖਾਂ ਕਿਵੇਂ ਦਿਖਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ।", + "You can choose how you want Monica to display dates in the application.": "ਤੁਸੀਂ ਇਹ ਚੁਣ ਸਕਦੇ ਹੋ ਕਿ ਤੁਸੀਂ Monica ਨੂੰ ਐਪਲੀਕੇਸ਼ਨ ਵਿੱਚ ਤਾਰੀਖਾਂ ਕਿਵੇਂ ਦਿਖਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ।", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "ਤੁਸੀਂ ਚੁਣ ਸਕਦੇ ਹੋ ਕਿ ਤੁਹਾਡੇ ਖਾਤੇ ਵਿੱਚ ਕਿਹੜੀਆਂ ਮੁਦਰਾਵਾਂ ਨੂੰ ਸਮਰੱਥ ਬਣਾਇਆ ਜਾਣਾ ਚਾਹੀਦਾ ਹੈ, ਅਤੇ ਕਿਹੜੀ ਨਹੀਂ ਹੋਣੀ ਚਾਹੀਦੀ।", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "ਤੁਸੀਂ ਅਨੁਕੂਲਿਤ ਕਰ ਸਕਦੇ ਹੋ ਕਿ ਤੁਹਾਡੇ ਆਪਣੇ ਸਵਾਦ\/ਸਭਿਆਚਾਰ ਦੇ ਅਨੁਸਾਰ ਸੰਪਰਕ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤੇ ਜਾਣੇ ਚਾਹੀਦੇ ਹਨ। ਸ਼ਾਇਦ ਤੁਸੀਂ ਬਾਂਡ ਜੇਮਸ ਦੀ ਬਜਾਏ ਜੇਮਸ ਬਾਂਡ ਦੀ ਵਰਤੋਂ ਕਰਨਾ ਚਾਹੋਗੇ। ਇੱਥੇ, ਤੁਸੀਂ ਇਸਨੂੰ ਆਪਣੀ ਮਰਜ਼ੀ ਨਾਲ ਪਰਿਭਾਸ਼ਿਤ ਕਰ ਸਕਦੇ ਹੋ।", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "ਤੁਸੀਂ ਅਨੁਕੂਲਿਤ ਕਰ ਸਕਦੇ ਹੋ ਕਿ ਤੁਹਾਡੇ ਆਪਣੇ ਸਵਾਦ/ਸਭਿਆਚਾਰ ਦੇ ਅਨੁਸਾਰ ਸੰਪਰਕ ਕਿਵੇਂ ਪ੍ਰਦਰਸ਼ਿਤ ਕੀਤੇ ਜਾਣੇ ਚਾਹੀਦੇ ਹਨ। ਸ਼ਾਇਦ ਤੁਸੀਂ ਬਾਂਡ ਜੇਮਸ ਦੀ ਬਜਾਏ ਜੇਮਸ ਬਾਂਡ ਦੀ ਵਰਤੋਂ ਕਰਨਾ ਚਾਹੋਗੇ। ਇੱਥੇ, ਤੁਸੀਂ ਇਸਨੂੰ ਆਪਣੀ ਮਰਜ਼ੀ ਨਾਲ ਪਰਿਭਾਸ਼ਿਤ ਕਰ ਸਕਦੇ ਹੋ।", "You can customize the criteria that let you track your mood.": "ਤੁਸੀਂ ਉਹਨਾਂ ਮਾਪਦੰਡਾਂ ਨੂੰ ਅਨੁਕੂਲਿਤ ਕਰ ਸਕਦੇ ਹੋ ਜੋ ਤੁਹਾਨੂੰ ਤੁਹਾਡੇ ਮੂਡ ਨੂੰ ਟਰੈਕ ਕਰਨ ਦਿੰਦੇ ਹਨ।", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "ਤੁਸੀਂ ਵਾਲਟ ਦੇ ਵਿਚਕਾਰ ਸੰਪਰਕਾਂ ਨੂੰ ਮੂਵ ਕਰ ਸਕਦੇ ਹੋ। ਇਹ ਤਬਦੀਲੀ ਤੁਰੰਤ ਹੈ। ਤੁਸੀਂ ਸੰਪਰਕਾਂ ਨੂੰ ਸਿਰਫ਼ ਉਹਨਾਂ ਵਾਲਟਾਂ ਵਿੱਚ ਲਿਜਾ ਸਕਦੇ ਹੋ ਜਿਸਦਾ ਤੁਸੀਂ ਹਿੱਸਾ ਹੋ। ਸਾਰੇ ਸੰਪਰਕ ਡੇਟਾ ਇਸਦੇ ਨਾਲ ਚਲੇ ਜਾਣਗੇ.", "You cannot remove your own administrator privilege.": "ਤੁਸੀਂ ਆਪਣੇ ਖੁਦ ਦੇ ਪ੍ਰਸ਼ਾਸਕ ਵਿਸ਼ੇਸ਼ ਅਧਿਕਾਰ ਨੂੰ ਨਹੀਂ ਹਟਾ ਸਕਦੇ ਹੋ।", @@ -1244,29 +1244,29 @@ "You have not setup Telegram in your environment variables yet.": "ਤੁਸੀਂ ਅਜੇ ਤੱਕ ਆਪਣੇ ਵਾਤਾਵਰਣ ਵੇਰੀਏਬਲ ਵਿੱਚ ਟੈਲੀਗ੍ਰਾਮ ਸੈੱਟਅੱਪ ਨਹੀਂ ਕੀਤਾ ਹੈ।", "You haven’t received a notification in this channel yet.": "ਤੁਹਾਨੂੰ ਅਜੇ ਤੱਕ ਇਸ ਚੈਨਲ ਵਿੱਚ ਕੋਈ ਸੂਚਨਾ ਪ੍ਰਾਪਤ ਨਹੀਂ ਹੋਈ ਹੈ।", "You haven’t setup Telegram yet.": "ਤੁਸੀਂ ਅਜੇ ਤੱਕ ਟੈਲੀਗ੍ਰਾਮ ਸੈੱਟਅੱਪ ਨਹੀਂ ਕੀਤਾ ਹੈ।", - "You may accept this invitation by clicking the button below:": "ਤੁਸੀਂ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ 'ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਇਸ ਸੱਦੇ ਨੂੰ ਸਵੀਕਾਰ ਕਰ ਸਕਦੇ ਹੋ:", + "You may accept this invitation by clicking the button below:": "ਤੁਸੀਂ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ ’ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਇਸ ਸੱਦੇ ਨੂੰ ਸਵੀਕਾਰ ਕਰ ਸਕਦੇ ਹੋ:", "You may delete any of your existing tokens if they are no longer needed.": "ਤੁਸੀਂ ਆਪਣੇ ਮੌਜੂਦਾ ਟੋਕਨਾਂ ਵਿੱਚੋਂ ਕਿਸੇ ਨੂੰ ਵੀ ਮਿਟਾ ਸਕਦੇ ਹੋ ਜੇਕਰ ਉਹਨਾਂ ਦੀ ਹੁਣ ਲੋੜ ਨਹੀਂ ਹੈ।", "You may not delete your personal team.": "ਤੁਸੀਂ ਆਪਣੀ ਨਿੱਜੀ ਟੀਮ ਨੂੰ ਨਹੀਂ ਹਟਾ ਸਕਦੇ ਹੋ।", "You may not leave a team that you created.": "ਤੁਸੀਂ ਉਸ ਟੀਮ ਨੂੰ ਨਹੀਂ ਛੱਡ ਸਕਦੇ ਜੋ ਤੁਸੀਂ ਬਣਾਈ ਹੈ।", "You might need to reload the page to see the changes.": "ਤਬਦੀਲੀਆਂ ਦੇਖਣ ਲਈ ਤੁਹਾਨੂੰ ਪੰਨੇ ਨੂੰ ਰੀਲੋਡ ਕਰਨ ਦੀ ਲੋੜ ਹੋ ਸਕਦੀ ਹੈ।", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "ਸੰਪਰਕਾਂ ਨੂੰ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨ ਲਈ ਤੁਹਾਨੂੰ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਟੈਮਪਲੇਟ ਦੀ ਲੋੜ ਹੈ। ਟੈਂਪਲੇਟ ਤੋਂ ਬਿਨਾਂ, ਮੋਨਿਕਾ ਨੂੰ ਇਹ ਨਹੀਂ ਪਤਾ ਹੋਵੇਗਾ ਕਿ ਇਸ ਨੂੰ ਕਿਹੜੀ ਜਾਣਕਾਰੀ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨੀ ਚਾਹੀਦੀ ਹੈ।", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "ਸੰਪਰਕਾਂ ਨੂੰ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨ ਲਈ ਤੁਹਾਨੂੰ ਘੱਟੋ-ਘੱਟ ਇੱਕ ਟੈਮਪਲੇਟ ਦੀ ਲੋੜ ਹੈ। ਟੈਂਪਲੇਟ ਤੋਂ ਬਿਨਾਂ, Monica ਨੂੰ ਇਹ ਨਹੀਂ ਪਤਾ ਹੋਵੇਗਾ ਕਿ ਇਸ ਨੂੰ ਕਿਹੜੀ ਜਾਣਕਾਰੀ ਪ੍ਰਦਰਸ਼ਿਤ ਕਰਨੀ ਚਾਹੀਦੀ ਹੈ।", "Your account current usage": "ਤੁਹਾਡੇ ਖਾਤੇ ਦੀ ਵਰਤਮਾਨ ਵਰਤੋਂ", "Your account has been created": "ਤੁਹਾਡਾ ਖਾਤਾ ਬਣਾਇਆ ਗਿਆ ਹੈ", "Your account is linked": "ਤੁਹਾਡਾ ਖਾਤਾ ਲਿੰਕ ਹੈ", - "Your account limits": "ਤੁਹਾਡੇ ਖਾਤੇ ਦੀ ਸੀਮਾ", + "Your account limits": "ਤੁਹਾਡੇ ਖਾਤੇ ਦੀਆਂ ਸੀਮਾਵਾਂ", "Your account will be closed immediately,": "ਤੁਹਾਡਾ ਖਾਤਾ ਤੁਰੰਤ ਬੰਦ ਹੋ ਜਾਵੇਗਾ,", "Your browser doesn’t currently support WebAuthn.": "ਤੁਹਾਡਾ ਬ੍ਰਾਊਜ਼ਰ ਇਸ ਵੇਲੇ WebAuthn ਦਾ ਸਮਰਥਨ ਨਹੀਂ ਕਰਦਾ ਹੈ।", "Your email address is unverified.": "ਤੁਹਾਡਾ ਈਮੇਲ ਪਤਾ ਅਪ੍ਰਮਾਣਿਤ ਹੈ।", "Your life events": "ਤੁਹਾਡੀ ਜ਼ਿੰਦਗੀ ਦੀਆਂ ਘਟਨਾਵਾਂ", "Your mood has been recorded!": "ਤੁਹਾਡਾ ਮੂਡ ਰਿਕਾਰਡ ਕੀਤਾ ਗਿਆ ਹੈ!", "Your mood that day": "ਉਸ ਦਿਨ ਤੁਹਾਡਾ ਮੂਡ", - "Your mood that you logged at this date": "ਤੁਹਾਡਾ ਮੂਡ ਜੋ ਤੁਸੀਂ ਇਸ ਮਿਤੀ 'ਤੇ ਲੌਗ ਕੀਤਾ ਸੀ", + "Your mood that you logged at this date": "ਤੁਹਾਡਾ ਮੂਡ ਜੋ ਤੁਸੀਂ ਇਸ ਮਿਤੀ ’ਤੇ ਲੌਗ ਕੀਤਾ ਸੀ", "Your mood this year": "ਇਸ ਸਾਲ ਤੁਹਾਡਾ ਮੂਡ", "Your name here will be used to add yourself as a contact.": "ਇੱਥੇ ਤੁਹਾਡਾ ਨਾਮ ਆਪਣੇ ਆਪ ਨੂੰ ਇੱਕ ਸੰਪਰਕ ਵਜੋਂ ਸ਼ਾਮਲ ਕਰਨ ਲਈ ਵਰਤਿਆ ਜਾਵੇਗਾ।", "You wanted to be reminded of the following:": "ਤੁਸੀਂ ਹੇਠ ਲਿਖਿਆਂ ਦੀ ਯਾਦ ਦਿਵਾਉਣਾ ਚਾਹੁੰਦੇ ਹੋ:", - "You WILL still have to delete your account on Monica or OfficeLife.": "ਤੁਹਾਨੂੰ ਅਜੇ ਵੀ ਮੋਨਿਕਾ ਜਾਂ OfficeLife 'ਤੇ ਆਪਣਾ ਖਾਤਾ ਮਿਟਾਉਣਾ ਹੋਵੇਗਾ।", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "ਤੁਹਾਨੂੰ ਮੋਨਿਕਾ, ਇੱਕ ਓਪਨ ਸੋਰਸ ਨਿੱਜੀ CRM ਵਿੱਚ ਇਸ ਈਮੇਲ ਪਤੇ ਦੀ ਵਰਤੋਂ ਕਰਨ ਲਈ ਸੱਦਾ ਦਿੱਤਾ ਗਿਆ ਹੈ, ਤਾਂ ਜੋ ਅਸੀਂ ਤੁਹਾਨੂੰ ਸੂਚਨਾਵਾਂ ਭੇਜਣ ਲਈ ਇਸਦੀ ਵਰਤੋਂ ਕਰ ਸਕੀਏ।", - "ze\/hir": "ਉਸਦੇ ਲਈ", + "You WILL still have to delete your account on Monica or OfficeLife.": "ਤੁਹਾਨੂੰ ਅਜੇ ਵੀ Monica ਜਾਂ OfficeLife ’ਤੇ ਆਪਣਾ ਖਾਤਾ ਮਿਟਾਉਣਾ ਹੋਵੇਗਾ।", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "ਤੁਹਾਨੂੰ Monica, ਇੱਕ ਓਪਨ ਸੋਰਸ ਨਿੱਜੀ CRM ਵਿੱਚ ਇਸ ਈਮੇਲ ਪਤੇ ਦੀ ਵਰਤੋਂ ਕਰਨ ਲਈ ਸੱਦਾ ਦਿੱਤਾ ਗਿਆ ਹੈ, ਤਾਂ ਜੋ ਅਸੀਂ ਤੁਹਾਨੂੰ ਸੂਚਨਾਵਾਂ ਭੇਜਣ ਲਈ ਇਸਦੀ ਵਰਤੋਂ ਕਰ ਸਕੀਏ।", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ ਖ਼ਤਰਾ ਜ਼ੋਨ", "🌳 Chalet": "🌳 ਚਾਲੇ", "🏠 Secondary residence": "🏠 ਸੈਕੰਡਰੀ ਨਿਵਾਸ", diff --git a/lang/pa/auth.php b/lang/pa/auth.php index d9279b176ec..a2b691ae60c 100644 --- a/lang/pa/auth.php +++ b/lang/pa/auth.php @@ -3,5 +3,6 @@ return [ 'failed' => 'ਇਹ ਕ੍ਰੇਡੰਸ਼ਿਅਲ ਸਾਡੇ ਰਿਕਾਰਡ ਨਾਲ ਮੇਲ ਨਹੀਂ ਖਾਂਦੇ।', 'lang' => 'ਪੰਜਾਬੀ', + 'password' => 'ਪਾਸਵਰਡ ਗਲਤ ਹੈ।', 'throttle' => 'ਲਾਗਇਨ ਕਰਨ ਲਈ ਬਹੁਤ ਕੋਸ਼ਿਸ਼ਾਂ ਕੀਤੀਆਂ ਹਨ। ਕਿਰਪਾ ਕਰਕੇ :seconds ਸਕਿੰਟ ਬਾਅਦ ਮੁੜ ਕੋਸ਼ਿਸ਼ ਕਰੋ।', ]; diff --git a/lang/pa/http-statuses.php b/lang/pa/http-statuses.php new file mode 100644 index 00000000000..e8aff11eaac --- /dev/null +++ b/lang/pa/http-statuses.php @@ -0,0 +1,82 @@ + 'Unknown Error', + '100' => 'Continue', + '101' => 'Switching Protocols', + '102' => 'Processing', + '200' => 'OK', + '201' => 'Created', + '202' => 'Accepted', + '203' => 'Non-Authoritative Information', + '204' => 'No Content', + '205' => 'Reset Content', + '206' => 'Partial Content', + '207' => 'Multi-Status', + '208' => 'Already Reported', + '226' => 'IM Used', + '300' => 'Multiple Choices', + '301' => 'Moved Permanently', + '302' => 'Found', + '303' => 'See Other', + '304' => 'Not Modified', + '305' => 'Use Proxy', + '307' => 'Temporary Redirect', + '308' => 'Permanent Redirect', + '400' => 'Bad Request', + '401' => 'Unauthorized', + '402' => 'Payment Required', + '403' => 'Forbidden', + '404' => 'Not Found', + '405' => 'Method Not Allowed', + '406' => 'Not Acceptable', + '407' => 'Proxy Authentication Required', + '408' => 'Request Timeout', + '409' => 'Conflict', + '410' => 'Gone', + '411' => 'Length Required', + '412' => 'Precondition Failed', + '413' => 'Payload Too Large', + '414' => 'URI Too Long', + '415' => 'Unsupported Media Type', + '416' => 'Range Not Satisfiable', + '417' => 'Expectation Failed', + '418' => 'I\'m a teapot', + '419' => 'Session Has Expired', + '421' => 'Misdirected Request', + '422' => 'Unprocessable Entity', + '423' => 'Locked', + '424' => 'Failed Dependency', + '425' => 'Too Early', + '426' => 'Upgrade Required', + '428' => 'Precondition Required', + '429' => 'Too Many Requests', + '431' => 'Request Header Fields Too Large', + '444' => 'Connection Closed Without Response', + '449' => 'Retry With', + '451' => 'Unavailable For Legal Reasons', + '499' => 'Client Closed Request', + '500' => 'Internal Server Error', + '501' => 'Not Implemented', + '502' => 'Bad Gateway', + '503' => 'Maintenance Mode', + '504' => 'Gateway Timeout', + '505' => 'HTTP Version Not Supported', + '506' => 'Variant Also Negotiates', + '507' => 'Insufficient Storage', + '508' => 'Loop Detected', + '509' => 'Bandwidth Limit Exceeded', + '510' => 'Not Extended', + '511' => 'Network Authentication Required', + '520' => 'Unknown Error', + '521' => 'Web Server is Down', + '522' => 'Connection Timed Out', + '523' => 'Origin Is Unreachable', + '524' => 'A Timeout Occurred', + '525' => 'SSL Handshake Failed', + '526' => 'Invalid SSL Certificate', + '527' => 'Railgun Error', + '598' => 'Network Read Timeout Error', + '599' => 'Network Connect Timeout Error', + 'unknownError' => 'Unknown Error', +]; diff --git a/lang/pa/pagination.php b/lang/pa/pagination.php new file mode 100644 index 00000000000..8a9bc987df2 --- /dev/null +++ b/lang/pa/pagination.php @@ -0,0 +1,6 @@ + 'ਅਗਲਾ ❯', + 'previous' => '❮ ਪਿਛਲਾ', +]; diff --git a/lang/pa/passwords.php b/lang/pa/passwords.php new file mode 100644 index 00000000000..f0cb5403001 --- /dev/null +++ b/lang/pa/passwords.php @@ -0,0 +1,9 @@ + 'Your password has been reset.', + 'sent' => 'We have emailed your password reset link.', + 'throttled' => 'Please wait before retrying.', + 'token' => 'This password reset token is invalid.', + 'user' => 'We can\'t find a user with that email address.', +]; diff --git a/lang/pa/validation.php b/lang/pa/validation.php new file mode 100644 index 00000000000..145d7f68c4c --- /dev/null +++ b/lang/pa/validation.php @@ -0,0 +1,215 @@ + 'The :attribute must be accepted.', + 'accepted_if' => 'The :attribute must be accepted when :other is :value.', + 'active_url' => 'The :attribute is not a valid URL.', + 'after' => 'The :attribute must be a date after :date.', + 'after_or_equal' => 'The :attribute must be a date after or equal to :date.', + 'alpha' => 'The :attribute may only contain letters.', + 'alpha_dash' => 'The :attribute may only contain letters, numbers, and dashes.', + 'alpha_num' => 'The :attribute may only contain letters and numbers.', + 'array' => 'The :attribute must be an array.', + 'ascii' => 'The :attribute field must only contain single-byte alphanumeric characters and symbols.', + 'attributes' => [ + 'address' => 'address', + 'age' => 'age', + 'amount' => 'amount', + 'area' => 'area', + 'available' => 'available', + 'birthday' => 'birthday', + 'body' => 'body', + 'city' => 'city', + 'content' => 'content', + 'country' => 'country', + 'created_at' => 'created at', + 'creator' => 'creator', + 'current_password' => 'current password', + 'date' => 'date', + 'date_of_birth' => 'date of birth', + 'day' => 'day', + 'deleted_at' => 'deleted at', + 'description' => 'description', + 'district' => 'district', + 'duration' => 'duration', + 'email' => 'email', + 'excerpt' => 'excerpt', + 'filter' => 'filter', + 'first_name' => 'first name', + 'gender' => 'gender', + 'group' => 'group', + 'hour' => 'hour', + 'image' => 'image', + 'last_name' => 'last name', + 'lesson' => 'lesson', + 'line_address_1' => 'line address 1', + 'line_address_2' => 'line address 2', + 'message' => 'message', + 'middle_name' => 'middle name', + 'minute' => 'minute', + 'mobile' => 'mobile', + 'month' => 'month', + 'name' => 'name', + 'national_code' => 'national code', + 'number' => 'number', + 'password' => 'password', + 'password_confirmation' => 'password confirmation', + 'phone' => 'phone', + 'photo' => 'photo', + 'postal_code' => 'postal code', + 'price' => 'price', + 'province' => 'province', + 'recaptcha_response_field' => 'recaptcha response field', + 'remember' => 'remember', + 'restored_at' => 'restored at', + 'result_text_under_image' => 'result text under image', + 'role' => 'role', + 'second' => 'second', + 'sex' => 'sex', + 'short_text' => 'short text', + 'size' => 'size', + 'state' => 'state', + 'street' => 'street', + 'student' => 'student', + 'subject' => 'subject', + 'teacher' => 'teacher', + 'terms' => 'terms', + 'test_description' => 'test description', + 'test_locale' => 'test locale', + 'test_name' => 'test name', + 'text' => 'text', + 'time' => 'time', + 'title' => 'title', + 'updated_at' => 'updated at', + 'username' => 'username', + 'year' => 'year', + ], + 'before' => 'The :attribute must be a date before :date.', + 'before_or_equal' => 'The :attribute must be a date before or equal to :date.', + 'between' => [ + 'array' => 'The :attribute must have between :min and :max items.', + 'file' => 'The :attribute must be between :min and :max kilobytes.', + 'numeric' => 'The :attribute must be between :min and :max.', + 'string' => 'The :attribute must be between :min and :max characters.', + ], + 'boolean' => 'The :attribute field must be true or false.', + 'can' => 'The :attribute field contains an unauthorized value.', + 'confirmed' => 'The :attribute confirmation does not match.', + 'current_password' => 'The password is incorrect.', + 'date' => 'The :attribute is not a valid date.', + 'date_equals' => 'The :attribute must be a date equal to :date.', + 'date_format' => 'The :attribute does not match the format :format.', + 'decimal' => 'The :attribute field must have :decimal decimal places.', + 'declined' => 'The :attribute must be declined.', + 'declined_if' => 'The :attribute must be declined when :other is :value.', + 'different' => 'The :attribute and :other must be different.', + 'digits' => 'The :attribute must be :digits digits.', + 'digits_between' => 'The :attribute must be between :min and :max digits.', + 'dimensions' => 'The :attribute has invalid image dimensions.', + 'distinct' => 'The :attribute field has a duplicate value.', + 'doesnt_end_with' => 'The :attribute field must not end with one of the following: :values.', + 'doesnt_start_with' => 'The :attribute field must not start with one of the following: :values.', + 'email' => 'The :attribute must be a valid email address.', + 'ends_with' => 'The :attribute must end with one of the following: :values.', + 'enum' => 'The selected :attribute is invalid.', + 'exists' => 'The selected :attribute is invalid.', + 'file' => 'The :attribute must be a file.', + 'filled' => 'The :attribute field is required.', + 'gt' => [ + 'array' => 'The :attribute must have more than :value items.', + 'file' => 'The :attribute must be greater than :value kilobytes.', + 'numeric' => 'The :attribute must be greater than :value.', + 'string' => 'The :attribute must be greater than :value characters.', + ], + 'gte' => [ + 'array' => 'The :attribute must have :value items or more.', + 'file' => 'The :attribute must be greater than or equal :value kilobytes.', + 'numeric' => 'The :attribute must be greater than or equal :value.', + 'string' => 'The :attribute must be greater than or equal :value characters.', + ], + 'image' => 'The :attribute must be an image.', + 'in' => 'The selected :attribute is invalid.', + 'integer' => 'The :attribute must be an integer.', + 'in_array' => 'The :attribute field does not exist in :other.', + 'ip' => 'The :attribute must be a valid IP address.', + 'ipv4' => 'The :attribute must be a valid IPv4 address.', + 'ipv6' => 'The :attribute must be a valid IPv6 address.', + 'json' => 'The :attribute must be a valid JSON string.', + 'lowercase' => 'The :attribute field must be lowercase.', + 'lt' => [ + 'array' => 'The :attribute must have less than :value items.', + 'file' => 'The :attribute must be less than :value kilobytes.', + 'numeric' => 'The :attribute must be less than :value.', + 'string' => 'The :attribute must be less than :value characters.', + ], + 'lte' => [ + 'array' => 'The :attribute must not have more than :value items.', + 'file' => 'The :attribute must be less than or equal :value kilobytes.', + 'numeric' => 'The :attribute must be less than or equal :value.', + 'string' => 'The :attribute must be less than or equal :value characters.', + ], + 'mac_address' => 'The :attribute must be a valid MAC address.', + 'max' => [ + 'array' => 'The :attribute may not have more than :max items.', + 'file' => 'The :attribute may not be greater than :max kilobytes.', + 'numeric' => 'The :attribute may not be greater than :max.', + 'string' => 'The :attribute may not be greater than :max characters.', + ], + 'max_digits' => 'The :attribute field must not have more than :max digits.', + 'mimes' => 'The :attribute must be a file of type: :values.', + 'mimetypes' => 'The :attribute must be a file of type: :values.', + 'min' => [ + 'array' => 'The :attribute must have at least :min items.', + 'file' => 'The :attribute must be at least :min kilobytes.', + 'numeric' => 'The :attribute must be at least :min.', + 'string' => 'The :attribute must be at least :min characters.', + ], + 'min_digits' => 'The :attribute field must have at least :min digits.', + 'missing' => 'The :attribute field must be missing.', + 'missing_if' => 'The :attribute field must be missing when :other is :value.', + 'missing_unless' => 'The :attribute field must be missing unless :other is :value.', + 'missing_with' => 'The :attribute field must be missing when :values is present.', + 'missing_with_all' => 'The :attribute field must be missing when :values are present.', + 'multiple_of' => 'The :attribute must be a multiple of :value.', + 'not_in' => 'The selected :attribute is invalid.', + 'not_regex' => 'The :attribute format is invalid.', + 'numeric' => 'The :attribute must be a number.', + 'password' => [ + 'letters' => 'The :attribute field must contain at least one letter.', + 'mixed' => 'The :attribute field must contain at least one uppercase and one lowercase letter.', + 'numbers' => 'The :attribute field must contain at least one number.', + 'symbols' => 'The :attribute field must contain at least one symbol.', + 'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.', + ], + 'present' => 'The :attribute field must be present.', + 'prohibited' => 'The :attribute field is prohibited.', + 'prohibited_if' => 'The :attribute field is prohibited when :other is :value.', + 'prohibited_unless' => 'The :attribute field is prohibited unless :other is in :values.', + 'prohibits' => 'The :attribute field prohibits :other from being present.', + 'regex' => 'The :attribute format is invalid.', + 'required' => 'The :attribute field is required.', + 'required_array_keys' => 'The :attribute field must contain entries for: :values.', + 'required_if' => 'The :attribute field is required when :other is :value.', + 'required_if_accepted' => 'The :attribute field is required when :other is accepted.', + 'required_unless' => 'The :attribute field is required unless :other is in :values.', + 'required_with' => 'The :attribute field is required when :values is present.', + 'required_without' => 'The :attribute field is required when :values is not present.', + 'required_without_all' => 'The :attribute field is required when none of :values are present.', + 'required_with_all' => 'The :attribute field is required when :values is present.', + 'same' => 'The :attribute and :other must match.', + 'size' => [ + 'array' => 'The :attribute must contain :size items.', + 'file' => 'The :attribute must be :size kilobytes.', + 'numeric' => 'The :attribute must be :size.', + 'string' => 'The :attribute must be :size characters.', + ], + 'starts_with' => 'The :attribute must start with one of the following: :values', + 'string' => 'The :attribute must be a string.', + 'timezone' => 'The :attribute must be a valid zone.', + 'ulid' => 'The :attribute field must be a valid ULID.', + 'unique' => 'The :attribute has already been taken.', + 'uploaded' => 'The :attribute failed to upload.', + 'uppercase' => 'The :attribute field must be uppercase.', + 'url' => 'The :attribute format is invalid.', + 'uuid' => 'The :attribute must be a valid UUID.', +]; diff --git a/lang/pl.json b/lang/pl.json index 1d9685583dd..f6618be88da 100644 --- a/lang/pl.json +++ b/lang/pl.json @@ -1,52 +1,52 @@ { - "(and :count more error)": "(i : policz więcej błędów)", - "(and :count more errors)": "(i: policz więcej błędów)", + "(and :count more error)": "(i jeszcze :count błąd)", + "(and :count more errors)": "(i jeszcze :count błędów)", "(Help)": "(Pomoc)", - "+ add a contact": "+ Dodaj kontakt", + "+ add a contact": "+ dodaj kontakt", "+ add another": "+ dodaj kolejny", - "+ add another photo": "+ Dodaj kolejne zdjęcie", + "+ add another photo": "+ dodaj kolejne zdjęcie", "+ add description": "+ dodaj opis", - "+ add distance": "+ dodaj odległość", + "+ add distance": "+ dodaj dystans", "+ add emotion": "+ dodaj emocje", "+ add reason": "+ dodaj powód", "+ add summary": "+ dodaj podsumowanie", "+ add title": "+ dodaj tytuł", - "+ change date": "+ zmienić datę", + "+ change date": "+ zmień datę", "+ change template": "+ zmień szablon", - "+ create a group": "+ Utwórz grupę", + "+ create a group": "+ utwórz grupę", "+ gender": "+ płeć", "+ last name": "+ nazwisko", "+ maiden name": "+ nazwisko panieńskie", "+ middle name": "+ drugie imię", - "+ nickname": "+ nick", + "+ nickname": "+ pseudonim", "+ note": "+ uwaga", - "+ number of hours slept": "+ ilość przespanych godzin", + "+ number of hours slept": "+ liczba przespanych godzin", "+ prefix": "+ przedrostek", - "+ pronoun": "+ tendencję", - "+ suffix": "+ sufiks", - ":count contact|:count contacts": ":policz kontakt|:policz kontakty", - ":count hour slept|:count hours slept": ":licz godziny snu|:licz godziny snu", - ":count min read": ":licz min przeczytaj", - ":count post|:count posts": ":licz posty|:licz posty", - ":count template section|:count template sections": ":licz sekcje szablonu|:licz sekcje szablonu", - ":count word|:count words": ":policz słowa|:policz słowa", - ":distance km": ":dystans km", - ":distance miles": ":mile odległości", - ":file at line :line": ":plik w wierszu :wiersz", - ":file in :class at line :line": ":plik w:klasa w linii :linia", - ":Name called": ":wywołane imię", - ":Name called, but I didn’t answer": ":imię dzwoniło, ale nie odbierałem", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName zaprasza Cię do dołączenia do Moniki, osobistego CRM o otwartym kodzie źródłowym, zaprojektowanego, aby pomóc Ci dokumentować Twoje relacje.", - "Accept Invitation": "Przyjąć zaproszenie", + "+ pronoun": "+ zaimek", + "+ suffix": "+ przyrostek", + ":count contact|:count contacts": ":count kontakt|:count kontakty|:count kontaktów", + ":count hour slept|:count hours slept": ":count godzina snu|:count godziny spania|:count godzin snu", + ":count min read": ":count min czytania", + ":count post|:count posts": ":count post|:count posty|:count postów", + ":count template section|:count template sections": ":count sekcja szablonu|:count sekcje szablonów|:count sekcji szablonów", + ":count word|:count words": ":count słowo|:count słowa|:count słów", + ":distance km": ":distance km", + ":distance miles": ":distance mil", + ":file at line :line": ":file na linii :line", + ":file in :class at line :line": ":file w :class na linii :line", + ":Name called": ":Name zadzwonił", + ":Name called, but I didn’t answer": ":Name dzwonił, ale nie odebrałem", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName zaprasza Cię do Monica, osobistego CRM typu open source, zaprojektowanego, aby pomóc Ci dokumentować Twoje relacje.", + "Accept Invitation": "Przyjmij zaproszenie", "Accept invitation and create your account": "Zaakceptuj zaproszenie i utwórz konto", "Account and security": "Konto i bezpieczeństwo", "Account settings": "Ustawienia konta", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Dane kontaktowe można kliknąć. Na przykład numer telefonu można kliknąć i uruchomić domyślną aplikację na komputerze. Jeśli nie znasz protokołu dla dodawanego typu, możesz po prostu pominąć to pole.", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Informacje kontaktowe można kliknąć. Można na przykład kliknąć numer telefonu i uruchomić domyślną aplikację na komputerze. Jeśli nie znasz protokołu dla dodawanego typu, możesz po prostu pominąć to pole.", "Activate": "Aktywuj", "Activity feed": "Kanał aktywności", "Activity in this vault": "Aktywność w tym skarbcu", - "Add": "Dodać", - "add a call reason type": "dodaj typ przyczyny połączenia", + "Add": "Dodaj", + "add a call reason type": "dodaj typ powodu połączenia", "Add a contact": "Dodaj kontakt", "Add a contact information": "Dodaj informacje kontaktowe", "Add a date": "Dodaj datę", @@ -56,34 +56,34 @@ "Add a due date": "Dodaj termin", "Add a gender": "Dodaj płeć", "Add a gift occasion": "Dodaj okazję na prezent", - "Add a gift state": "Dodaj stan podarunkowy", + "Add a gift state": "Dodaj stan prezentu", "Add a goal": "Dodaj cel", "Add a group type": "Dodaj typ grupy", "Add a header image": "Dodaj obraz nagłówka", "Add a label": "Dodaj etykietę", "Add a life event": "Dodaj wydarzenie z życia", - "Add a life event category": "Dodaj kategorię wydarzeń życiowych", - "add a life event type": "dodaj typ wydarzenia z życia", + "Add a life event category": "Dodaj kategorię wydarzenia z życia", + "add a life event type": "dodaj typ wydarzenia życiowego", "Add a module": "Dodaj moduł", "Add an address": "Dodaj adres", "Add an address type": "Dodaj typ adresu", "Add an email address": "Dodaj adres e-mail", - "Add an email to be notified when a reminder occurs.": "Dodaj wiadomość e-mail, aby otrzymać powiadomienie, gdy pojawi się przypomnienie.", + "Add an email to be notified when a reminder occurs.": "Dodaj adres e-mail, na który chcesz otrzymać powiadomienie, gdy pojawi się przypomnienie.", "Add an entry": "Dodaj wpis", "add a new metric": "dodać nową metrykę", "Add a new team member to your team, allowing them to collaborate with you.": "Dodaj nowego członka zespołu do swojego zespołu, umożliwiając mu współpracę z Tobą.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Dodaj ważną datę, aby pamiętać, co jest dla Ciebie ważne w tej osobie, na przykład datę urodzenia lub datę śmierci.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Dodaj ważną datę, aby zapamiętać, co jest dla Ciebie ważne w związku z tą osobą, na przykład datę urodzin lub zmarłego.", "Add a note": "Dodaj notatkę", - "Add another life event": "Dodaj kolejne wydarzenie z życia", + "Add another life event": "Dodaj kolejne wydarzenie życiowe", "Add a page": "Dodaj stronę", "Add a parameter": "Dodaj parametr", "Add a pet": "Dodaj zwierzaka", "Add a photo": "Dodaj zdjęcie", "Add a photo to a journal entry to see it here.": "Dodaj zdjęcie do wpisu w dzienniku, aby zobaczyć je tutaj.", - "Add a post template": "Dodaj szablon posta", + "Add a post template": "Dodaj szablon postu", "Add a pronoun": "Dodaj zaimek", "add a reason": "dodaj powód", - "Add a relationship": "Dodaj związek", + "Add a relationship": "Dodaj relację", "Add a relationship group type": "Dodaj typ grupy relacji", "Add a relationship type": "Dodaj typ relacji", "Add a religion": "Dodaj religię", @@ -99,14 +99,14 @@ "Add a vault": "Dodaj skarbiec", "Add date": "Dodaj datę", "Added.": "Dodany.", - "added a contact information": "dodał informacje kontaktowe", + "added a contact information": "dodał dane kontaktowe", "added an address": "dodał adres", "added an important date": "dodał ważną datę", "added a pet": "dodał zwierzaka", "added the contact to a group": "dodał kontakt do grupy", "added the contact to a post": "dodał kontakt do posta", "added the contact to the favorites": "dodał kontakt do ulubionych", - "Add genders to associate them to contacts.": "Dodaj płcie, aby powiązać je z kontaktami.", + "Add genders to associate them to contacts.": "Dodaj płeć, aby powiązać ją z kontaktami.", "Add loan": "Dodaj pożyczkę", "Add one now": "Dodaj teraz", "Add photos": "Dodaj zdjęcia", @@ -114,24 +114,24 @@ "Addresses": "Adresy", "Address type": "Typ adresu", "Address types": "Typy adresów", - "Address types let you classify contact addresses.": "Typy adresów umożliwiają klasyfikowanie adresów kontaktowych.", + "Address types let you classify contact addresses.": "Typy adresów pozwalają klasyfikować adresy kontaktowe.", "Add Team Member": "Dodaj członka zespołu", "Add to group": "Dodaj do grupy", "Administrator": "Administrator", - "Administrator users can perform any action.": "Użytkownicy z uprawnieniami administratora mogą wykonywać dowolne czynności.", - "a father-son relation shown on the father page,": "relacja ojciec-syn pokazana na stronie ojca,", - "after the next occurence of the date.": "po następnym wystąpieniu daty.", + "Administrator users can perform any action.": "Użytkownicy będący Administratorami mogą wykonywać dowolne czynności.", + "a father-son relation shown on the father page,": "relacja ojciec-syn pokazana na stronie ojciec,", + "after the next occurence of the date.": "po kolejnym wystąpieniu danej daty.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Grupa to dwie lub więcej osób razem. Może to być rodzina, gospodarstwo domowe, klub sportowy. Cokolwiek jest dla Ciebie ważne.", "All contacts in the vault": "Wszystkie kontakty w skarbcu", "All files": "Wszystkie pliki", "All groups in the vault": "Wszystkie grupy w skarbcu", - "All journal metrics in :name": "Wszystkie metryki dziennika w :name", - "All of the people that are part of this team.": "Wszyscy ludzie, którzy są częścią tego zespołu.", + "All journal metrics in :name": "Wszystkie dane dziennika w :name", + "All of the people that are part of this team.": "Wszystkie osoby, które są częścią tego zespołu.", "All rights reserved.": "Wszelkie prawa zastrzeżone.", "All tags": "Wszystkie tagi", "All the address types": "Wszystkie typy adresów", "All the best,": "Wszystkiego najlepszego,", - "All the call reasons": "Wszystkie powody połączenia", + "All the call reasons": "Wszystkie powody rozmowy", "All the cities": "Wszystkie miasta", "All the companies": "Wszystkie firmy", "All the contact information types": "Wszystkie typy informacji kontaktowych", @@ -140,7 +140,7 @@ "All the files": "Wszystkie pliki", "All the genders": "Wszystkie płcie", "All the gift occasions": "Wszystkie okazje na prezenty", - "All the gift states": "Wszystkie stany podarunkowe", + "All the gift states": "Wszystkie stany prezentów", "All the group types": "Wszystkie typy grup", "All the important dates": "Wszystkie ważne daty", "All the important date types used in the vault": "Wszystkie ważne typy dat używane w skarbcu", @@ -151,42 +151,42 @@ "All the photos": "Wszystkie zdjęcia", "All the planned reminders": "Wszystkie zaplanowane przypomnienia", "All the pronouns": "Wszystkie zaimki", - "All the relationship types": "Wszystkie rodzaje relacji", + "All the relationship types": "Wszystkie typy relacji", "All the religions": "Wszystkie religie", "All the reports": "Wszystkie raporty", "All the slices of life in :name": "Wszystkie kawałki życia w :name", - "All the tags used in the vault": "Wszystkie tagi używane w repozytorium", + "All the tags used in the vault": "Wszystkie znaczniki używane w skarbcu", "All the templates": "Wszystkie szablony", "All the vaults": "Wszystkie skarbce", "All the vaults in the account": "Wszystkie skarbce na koncie", "All users and vaults will be deleted immediately,": "Wszyscy użytkownicy i skarbce zostaną natychmiast usunięte,", "All users in this account": "Wszyscy użytkownicy na tym koncie", "Already registered?": "Już zarejestrowany?", - "Already used on this page": "Już używany na tej stronie", - "A new verification link has been sent to the email address you provided during registration.": "Nowy link weryfikacyjny został wysłany na adres e-mail podany podczas rejestracji.", + "Already used on this page": "Już użyte na tej stronie", + "A new verification link has been sent to the email address you provided during registration.": "Na adres e-mail podany podczas rejestracji został wysłany nowy link weryfikacyjny.", "A new verification link has been sent to the email address you provided in your profile settings.": "Nowy link weryfikacyjny został wysłany na adres e-mail podany w ustawieniach profilu.", "A new verification link has been sent to your email address.": "Nowy link weryfikacyjny został wysłany na Twój adres e-mail.", "Anniversary": "Rocznica", - "Apartment, suite, etc…": "Mieszkanie, apartament, itp…", + "Apartment, suite, etc…": "Mieszkanie, apartament itp…", "API Token": "Token API", - "API Token Permissions": "Uprawnienia tokena API", + "API Token Permissions": "Uprawnienia do tokenów API", "API Tokens": "Tokeny API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Tokeny API umożliwiają usługom stron trzecich uwierzytelnianie w naszej aplikacji w Twoim imieniu.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Szablon posta określa, w jaki sposób ma być wyświetlana treść wpisu. Możesz zdefiniować dowolną liczbę szablonów i wybrać, który szablon ma być używany w którym poście.", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Tokeny API umożliwiają usługom zewnętrznym uwierzytelnianie w naszej aplikacji w Twoim imieniu.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Szablon postu określa sposób wyświetlania treści posta. Możesz zdefiniować dowolną liczbę szablonów i wybrać, który szablon ma zostać użyty w którym poście.", "Archive": "Archiwum", "Archive contact": "Archiwum kontaktu", "archived the contact": "zarchiwizował kontakt", "Are you sure? The address will be deleted immediately.": "Jesteś pewny? Adres zostanie natychmiast usunięty.", - "Are you sure? This action cannot be undone.": "Jesteś pewny? Tej czynności nie można cofnąć.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Jesteś pewny? Spowoduje to usunięcie wszystkich powodów połączeń tego typu dla wszystkich kontaktów, które z niego korzystały.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Jesteś pewny? Spowoduje to usunięcie wszystkich relacji tego typu dla wszystkich kontaktów, które z niego korzystały.", + "Are you sure? This action cannot be undone.": "Jesteś pewny? Tej akcji nie można cofnąć.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Jesteś pewny? Spowoduje to usunięcie wszystkich powodów połączeń tego typu dla wszystkich kontaktów, które go używały.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Jesteś pewny? Spowoduje to usunięcie wszystkich relacji tego typu dla wszystkich kontaktów, które go używały.", "Are you sure? This will delete the contact information permanently.": "Jesteś pewny? Spowoduje to trwałe usunięcie informacji kontaktowych.", "Are you sure? This will delete the document permanently.": "Jesteś pewny? Spowoduje to trwałe usunięcie dokumentu.", "Are you sure? This will delete the goal and all the streaks permanently.": "Jesteś pewny? Spowoduje to trwałe usunięcie gola i wszystkich serii.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Jesteś pewny? Spowoduje to usunięcie typów adresów ze wszystkich kontaktów, ale nie usunie samych kontaktów.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Jesteś pewny? Spowoduje to usunięcie typów informacji kontaktowych ze wszystkich kontaktów, ale nie usunie samych kontaktów.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Jesteś pewny? Spowoduje to usunięcie płci ze wszystkich kontaktów, ale nie usunie samych kontaktów.", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Jesteś pewny? Spowoduje to usunięcie szablonu ze wszystkich kontaktów, ale nie usunie samych kontaktów.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Jesteś pewny? Spowoduje to usunięcie typów adresów ze wszystkich kontaktów, ale nie spowoduje usunięcia samych kontaktów.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Jesteś pewny? Spowoduje to usunięcie typów informacji kontaktowych ze wszystkich kontaktów, ale nie spowoduje usunięcia samych kontaktów.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Jesteś pewny? Spowoduje to usunięcie płci ze wszystkich kontaktów, ale nie spowoduje usunięcia samych kontaktów.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Jesteś pewny? Spowoduje to usunięcie szablonu ze wszystkich kontaktów, ale nie spowoduje usunięcia samych kontaktów.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Czy na pewno chcesz usunąć ten zespół? Po usunięciu zespołu wszystkie jego zasoby i dane zostaną trwale usunięte.", "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Czy na pewno chcesz usunąć swoje konto? Po usunięciu konta wszystkie jego zasoby i dane zostaną trwale usunięte. Wprowadź hasło, aby potwierdzić, że chcesz trwale usunąć swoje konto.", "Are you sure you would like to archive this contact?": "Czy na pewno chcesz zarchiwizować ten kontakt?", @@ -195,23 +195,23 @@ "Are you sure you would like to delete this key?": "Czy na pewno chcesz usunąć ten klucz?", "Are you sure you would like to leave this team?": "Czy na pewno chcesz opuścić ten zespół?", "Are you sure you would like to remove this person from the team?": "Czy na pewno chcesz usunąć tę osobę z zespołu?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Wycinek życia pozwala grupować posty według czegoś, co ma dla Ciebie znaczenie. Dodaj fragment życia w poście, aby zobaczyć go tutaj.", - "a son-father relation shown on the son page.": "relacja syn-ojciec pokazana na stronie syna.", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Kawałek życia pozwala grupować posty według czegoś, co ma dla Ciebie znaczenie. Dodaj kawałek życia do postu, aby zobaczyć go tutaj.", + "a son-father relation shown on the son page.": "relacja syn-ojciec pokazana na stronie syn.", "assigned a label": "przypisano etykietę", "Association": "Stowarzyszenie", "At": "Na ", "at ": "Na", "Ate": "Zjadł", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Szablon określa sposób wyświetlania kontaktów. Możesz mieć dowolną liczbę szablonów - są one zdefiniowane w ustawieniach Twojego Konta. Możesz jednak chcieć zdefiniować szablon domyślny, aby wszystkie kontakty w tym repozytorium miały domyślnie ten szablon.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Szablon określa sposób wyświetlania kontaktów. Możesz mieć dowolną liczbę szablonów - są one zdefiniowane w ustawieniach Twojego Konta. Możesz jednak chcieć zdefiniować szablon domyślny, aby wszystkie Twoje kontakty w tym skarbcu miały domyślnie ten szablon.", "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Szablon składa się ze stron, a na każdej stronie znajdują się moduły. Sposób wyświetlania danych zależy wyłącznie od Ciebie.", "Atheist": "Ateista", - "At which time should we send the notification, when the reminder occurs?": "O której godzinie mamy wysłać powiadomienie, kiedy pojawi się przypomnienie?", - "Audio-only call": "Rozmowa tylko głosowa", + "At which time should we send the notification, when the reminder occurs?": "O której godzinie wysłać powiadomienie, kiedy nastąpi przypomnienie?", + "Audio-only call": "Rozmowa wyłącznie audio", "Auto saved a few seconds ago": "Automatycznie zapisano kilka sekund temu", "Available modules:": "Dostępne moduły:", "Avatar": "Awatara", "Avatars": "Awatary", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Zanim przejdziesz dalej, czy możesz zweryfikować swój adres e-mail, klikając link, który właśnie do Ciebie wysłaliśmy? Jeśli nie otrzymałeś wiadomości e-mail, chętnie wyślemy Ci kolejną.", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Czy przed kontynuowaniem możesz zweryfikować swój adres e-mail klikając link, który właśnie do Ciebie wysłaliśmy? Jeśli nie otrzymałeś e-maila, chętnie wyślemy Ci kolejny.", "best friend": "najlepszy przyjaciel", "Bird": "Ptak", "Birthdate": "Data urodzenia", @@ -219,22 +219,22 @@ "Body": "Ciało", "boss": "szef", "Bought": "Kupił", - "Breakdown of the current usage": "Podział bieżącego użytkowania", - "brother\/sister": "brat siostra", - "Browser Sessions": "Sesje przeglądarki", + "Breakdown of the current usage": "Podział bieżącego wykorzystania", + "brother/sister": "brat/siostra", + "Browser Sessions": "Sesje Przeglądarki", "Buddhist": "buddyjski", "Business": "Biznes", "By last updated": "Według ostatniej aktualizacji", "Calendar": "Kalendarz", - "Call reasons": "Powody połączenia", + "Call reasons": "Zadzwoń do powodów", "Call reasons let you indicate the reason of calls you make to your contacts.": "Powody połączeń pozwalają wskazać powód połączeń wykonywanych z kontaktami.", "Calls": "Połączenia", - "Cancel": "Anulować", + "Cancel": "Anuluj", "Cancel account": "Usuń konto", "Cancel all your active subscriptions": "Anuluj wszystkie aktywne subskrypcje", "Cancel your account": "Anuluj swoje konto", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "Może zrobić wszystko, w tym dodawać lub usuwać innych użytkowników, zarządzać rozliczeniami i zamykać konto.", - "Can do everything, including adding or removing other users.": "Może zrobić wszystko, w tym dodawać lub usuwać innych użytkowników.", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Może zrobić wszystko, łącznie z dodawaniem i usuwaniem innych użytkowników, zarządzaniem rozliczeniami i zamykaniem konta.", + "Can do everything, including adding or removing other users.": "Może zrobić wszystko, łącznie z dodawaniem i usuwaniem innych użytkowników.", "Can edit data, but can’t manage the vault.": "Może edytować dane, ale nie może zarządzać skarbcem.", "Can view data, but can’t edit it.": "Może wyświetlać dane, ale nie może ich edytować.", "Can’t be moved or deleted": "Nie można przenieść ani usunąć", @@ -258,77 +258,77 @@ "Christian": "chrześcijanin", "Christmas": "Boże Narodzenie", "City": "Miasto", - "Click here to re-send the verification email.": "Kliknij tutaj, aby ponownie wysłać wiadomość weryfikacyjną.", + "Click here to re-send the verification email.": "Kliknij tutaj, aby ponownie wysłać e-mail weryfikacyjny.", "Click on a day to see the details": "Kliknij dzień, aby zobaczyć szczegóły", - "Close": "Zamknąć", + "Close": "Zamknij", "close edit mode": "zamknij tryb edycji", "Club": "Klub", "Code": "Kod", "colleague": "kolega z pracy", "Companies": "Firmy", "Company name": "Nazwa firmy", - "Compared to Monica:": "W porównaniu do Moniki:", + "Compared to Monica:": "W porównaniu do Monica:", "Configure how we should notify you": "Skonfiguruj sposób, w jaki mamy Cię powiadamiać", - "Confirm": "Potwierdzać", - "Confirm Password": "Potwierdź hasło", + "Confirm": "Potwierdź", + "Confirm Password": "Potwierdź Hasło", "Connect": "Łączyć", "Connected": "Połączony", "Connect with your security key": "Połącz się za pomocą klucza bezpieczeństwa", - "Contact feed": "Kanał kontaktowy", + "Contact feed": "Kanał kontaktów", "Contact information": "Informacje kontaktowe", "Contact informations": "Informacje kontaktowe", "Contact information types": "Typy informacji kontaktowych", "Contact name": "Nazwa Kontaktu", "Contacts": "Łączność", "Contacts in this post": "Kontakty w tym poście", - "Contacts in this slice": "Kontakty w tym plasterku", + "Contacts in this slice": "Kontakty w tym kawałku", "Contacts will be shown as follow:": "Kontakty zostaną pokazane w następujący sposób:", "Content": "Treść", - "Copied.": "Skopiowane.", + "Copied.": "Skopiowano.", "Copy": "Kopiuj", "Copy value into the clipboard": "Skopiuj wartość do schowka", "Could not get address book data.": "Nie można pobrać danych książki adresowej.", "Country": "Kraj", "Couple": "Para", "cousin": "kuzyn", - "Create": "Tworzyć", + "Create": "Utwórz", "Create account": "Utwórz konto", - "Create Account": "Utwórz konto", + "Create Account": "Utwórz Konto", "Create a contact": "Utwórz kontakt", "Create a contact entry for this person": "Utwórz wpis kontaktu dla tej osoby", "Create a journal": "Utwórz dziennik", "Create a journal metric": "Utwórz metrykę dziennika", - "Create a journal to document your life.": "Stwórz dziennik, aby udokumentować swoje życie.", + "Create a journal to document your life.": "Stwórz dziennik, w którym dokumentujesz swoje życie.", "Create an account": "Utwórz konto", "Create a new address": "Utwórz nowy adres", - "Create a new team to collaborate with others on projects.": "Utwórz nowy zespół, aby współpracować z innymi osobami nad projektami.", - "Create API Token": "Utwórz token API", - "Create a post": "Utwórz wpis", + "Create a new team to collaborate with others on projects.": "Utwórz nowy zespół do współpracy z innymi projektami.", + "Create API Token": "Utwórz Token API", + "Create a post": "Utwórz post", "Create a reminder": "Utwórz przypomnienie", "Create a slice of life": "Stwórz kawałek życia", - "Create at least one page to display contact’s data.": "Utwórz co najmniej jedną stronę, aby wyświetlić dane kontaktu.", - "Create at least one template to use Monica.": "Utwórz co najmniej jeden szablon, aby użyć Moniki.", + "Create at least one page to display contact’s data.": "Utwórz przynajmniej jedną stronę, na której będą wyświetlane dane kontaktu.", + "Create at least one template to use Monica.": "Utwórz co najmniej jeden szablon, aby móc korzystać z Monica.", "Create a user": "Utwórz użytkownika", "Create a vault": "Utwórz skarbiec", - "Created.": "Utworzony.", + "Created.": "Utworzone.", "created a goal": "stworzył cel", "created the contact": "utworzył kontakt", "Create label": "Utwórz etykietę", "Create new label": "Utwórz nową etykietę", "Create new tag": "Utwórz nowy tag", - "Create New Team": "Utwórz nowy zespół", - "Create Team": "Utwórz zespół", + "Create New Team": "Utwórz Nowy Zespół", + "Create Team": "Utwórz Zespół", "Currencies": "Waluty", "Currency": "Waluta", - "Current default": "Bieżąca wartość domyślna", - "Current language:": "Bieżący język:", - "Current Password": "Aktualne hasło", - "Current site used to display maps:": "Bieżąca witryna używana do wyświetlania map:", + "Current default": "Aktualna wartość domyślna", + "Current language:": "Aktualny język:", + "Current Password": "Aktualne Hasło", + "Current site used to display maps:": "Obecna witryna używana do wyświetlania map:", "Current streak": "Obecna passa", - "Current timezone:": "Obecna strefa czasowa:", - "Current way of displaying contact names:": "Aktualny sposób wyświetlania nazw kontaktów:", + "Current timezone:": "Aktualna strefa czasowa:", + "Current way of displaying contact names:": "Obecny sposób wyświetlania nazw kontaktów:", "Current way of displaying dates:": "Obecny sposób wyświetlania dat:", - "Current way of displaying distances:": "Aktualny sposób wyświetlania odległości:", + "Current way of displaying distances:": "Obecny sposób wyświetlania odległości:", "Current way of displaying numbers:": "Obecny sposób wyświetlania liczb:", "Customize how contacts should be displayed": "Dostosuj sposób wyświetlania kontaktów", "Custom name order": "Niestandardowa kolejność nazw", @@ -338,44 +338,44 @@ "Date of the event": "Data wydarzenia", "Date of the event:": "Data wydarzenia:", "Date type": "Typ daty", - "Date types are essential as they let you categorize dates that you add to a contact.": "Typy dat są niezbędne, ponieważ umożliwiają kategoryzowanie dat dodawanych do kontaktu.", + "Date types are essential as they let you categorize dates that you add to a contact.": "Typy dat są niezbędne, ponieważ pozwalają kategoryzować daty dodawane do kontaktu.", "Day": "Dzień", "day": "dzień", "Deactivate": "Dezaktywować", "Deceased date": "Zmarła data", "Default template": "Domyślny szablon", "Default template to display contacts": "Domyślny szablon do wyświetlania kontaktów", - "Delete": "Usuwać", - "Delete Account": "Usuń konto", + "Delete": "Usuń", + "Delete Account": "Usuń Konto", "Delete a new key": "Usuń nowy klucz", - "Delete API Token": "Usuń token API", + "Delete API Token": "Usuń Token API", "Delete contact": "Usuń kontakt", - "deleted a contact information": "usunięto informacje kontaktowe", - "deleted a goal": "usunięto bramkę", + "deleted a contact information": "usunięto dane kontaktowe", + "deleted a goal": "usunął cel", "deleted an address": "usunięto adres", - "deleted an important date": "usunięto ważną datę", - "deleted a note": "usunięto notatkę", + "deleted an important date": "usunąłem ważną datę", + "deleted a note": "usunąłem notatkę", "deleted a pet": "usunął zwierzaka", "Deleted author": "Usunięty autor", "Delete group": "Usuń grupę", "Delete journal": "Usuń dziennik", - "Delete Team": "Usuń zespół", + "Delete Team": "Usuń Zespół", "Delete the address": "Usuń adres", "Delete the photo": "Usuń zdjęcie", "Delete the slice": "Usuń plasterek", - "Delete the vault": "Usuń magazyn", - "Delete your account on https:\/\/customers.monicahq.com.": "Usuń swoje konto na https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Usunięcie skarbca oznacza usunięcie wszystkich danych w tym skarbcu na zawsze. Nie ma powrotu. Proszę być pewnym.", + "Delete the vault": "Usuń skarbiec", + "Delete your account on https://customers.monicahq.com.": "Usuń swoje konto na https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Usunięcie skarbca oznacza usunięcie wszystkich danych znajdujących się w tym skarbcu na zawsze. Nie ma powrotu. Proszę mieć pewność.", "Description": "Opis", "Detail of a goal": "Szczegół celu", "Details in the last year": "Szczegóły w zeszłym roku", - "Disable": "Wyłączyć", + "Disable": "Wyłącz", "Disable all": "Wyłącz wszystkie", "Disconnect": "Rozłączyć się", "Discuss partnership": "Omów partnerstwo", "Discuss recent purchases": "Omów ostatnie zakupy", "Dismiss": "Odrzucać", - "Display help links in the interface to help you (English only)": "Wyświetlaj łącza pomocy w interfejsie, aby Ci pomóc (tylko w języku angielskim)", + "Display help links in the interface to help you (English only)": "Wyświetl linki pomocy w interfejsie, aby Ci pomóc (tylko w języku angielskim)", "Distance": "Dystans", "Documents": "Dokumenty", "Dog": "Pies", @@ -384,7 +384,7 @@ "Download as vCard": "Pobierz jako vCard", "Drank": "Pił", "Drove": "Stado", - "Due and upcoming tasks": "Terminowe i nadchodzące zadania", + "Due and upcoming tasks": "Zadania oczekujące i nadchodzące", "Edit": "Edytować", "edit": "edytować", "Edit a contact": "Edytuj kontakt", @@ -393,21 +393,21 @@ "edited a note": "edytował notatkę", "Edit group": "Edytuj grupę", "Edit journal": "Edytuj dziennik", - "Edit journal information": "Edytuj informacje o dzienniku", - "Edit journal metrics": "Edytuj metryki dziennika", + "Edit journal information": "Edytuj informacje w dzienniku", + "Edit journal metrics": "Edytuj dane dziennika", "Edit names": "Edytuj nazwy", - "Editor": "Redaktor", - "Editor users have the ability to read, create, and update.": "Użytkownicy edytora mają możliwość czytania, tworzenia i aktualizowania.", + "Editor": "Edytor", + "Editor users have the ability to read, create, and update.": "Użytkownicy z rolą Edytora mają możliwość czytania, tworzenia i aktualizowania.", "Edit post": "Edytuj post", - "Edit Profile": "Edytuj profil", + "Edit Profile": "Edytuj Profil", "Edit slice of life": "Edytuj kawałek życia", "Edit the group": "Edytuj grupę", "Edit the slice of life": "Edytuj kawałek życia", "Email": "E-mail", "Email address": "Adres e-mail", - "Email address to send the invitation to": "Adres e-mail, na który ma zostać wysłane zaproszenie", - "Email Password Reset Link": "Link resetowania hasła e-mail", - "Enable": "Włączać", + "Email address to send the invitation to": "Adres e-mail, na który należy wysłać zaproszenie", + "Email Password Reset Link": "Wyślij Link Resetowania Hasła", + "Enable": "Włącz", "Enable all": "Włącz wszystkie", "Ensure your account is using a long, random password to stay secure.": "Upewnij się, że Twoje konto używa długiego, losowego hasła, aby zachować bezpieczeństwo.", "Enter a number from 0 to 100000. No decimals.": "Wprowadź liczbę od 0 do 100000. Bez miejsc dziesiętnych.", @@ -419,8 +419,9 @@ "Exception:": "Wyjątek:", "Existing company": "Istniejąca firma", "External connections": "Połączenia zewnętrzne", + "Facebook": "Facebook", "Family": "Rodzina", - "Family summary": "Podsumowanie rodziny", + "Family summary": "Podsumowanie rodzinne", "Favorites": "Ulubione", "Female": "Kobieta", "Files": "Akta", @@ -428,7 +429,7 @@ "Filter list or create a new label": "Filtruj listę lub utwórz nową etykietę", "Filter list or create a new tag": "Filtruj listę lub utwórz nowy tag", "Find a contact in this vault": "Znajdź kontakt w tym skarbcu", - "Finish enabling two factor authentication.": "Zakończ włączanie uwierzytelniania dwuskładnikowego.", + "Finish enabling two factor authentication.": "Dokończ włączanie uwierzytelniania dwuskładnikowego.", "First name": "Imię", "First name Last name": "Imię Nazwisko", "First name Last name (nickname)": "Imię Nazwisko (pseudonim)", @@ -437,10 +438,9 @@ "for": "Do", "For:": "Dla:", "For advice": "Jako poradę", - "Forbidden": "Zabroniony", - "Forgot password?": "Zapomniałeś hasła?", - "Forgot your password?": "Zapomniałeś hasła?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Zapomniałeś hasła? Bez problemu. Po prostu podaj nam swój adres e-mail, a wyślemy Ci link do resetowania hasła, który pozwoli Ci wybrać nowe.", + "Forbidden": "Zabronione", + "Forgot your password?": "Nie pamiętasz hasła?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Nie pamiętasz hasła? Nie ma problemu. Podaj nam swój adres e-mail, a wyślemy Ci link do zresetowania hasła, który pozwoli Ci wprowadzić nowe.", "For your security, please confirm your password to continue.": "Ze względów bezpieczeństwa potwierdź hasło, aby kontynuować.", "Found": "Znaleziony", "Friday": "Piątek", @@ -451,12 +451,11 @@ "Gender": "Płeć", "Gender and pronoun": "Rodzaj i zaimek", "Genders": "Płeć", - "Gift center": "Centrum upominków", "Gift occasions": "Okazje na prezenty", "Gift occasions let you categorize all your gifts.": "Okazje na prezenty pozwalają kategoryzować wszystkie prezenty.", - "Gift states": "Stany podarunkowe", - "Gift states let you define the various states for your gifts.": "Stany prezentów pozwalają zdefiniować różne stany prezentów.", - "Give this email address a name": "Nadaj nazwę temu adresowi e-mail", + "Gift states": "Stany prezentów", + "Gift states let you define the various states for your gifts.": "Stany prezentów umożliwiają zdefiniowanie różnych stanów prezentów.", + "Give this email address a name": "Nadaj temu adresowi e-mail nazwę", "Goals": "Cele", "Go back": "Wróć", "godchild": "chrześniak", @@ -464,58 +463,58 @@ "Google Maps": "mapy Google", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Mapy Google oferują najlepszą dokładność i szczegółowość, ale nie są idealne z punktu widzenia prywatności.", "Got fired": "Został zwolniony", - "Go to page :page": "Przejdź do strony: strona", - "grand child": "wnuczka", + "Go to page :page": "Przejdź do strony :page", + "grand child": "wielkie dziecko", "grand parent": "dziadek", - "Great! You have accepted the invitation to join the :team team.": "Świetnie! Przyjąłeś zaproszenie do dołączenia do zespołu :team.", - "Group journal entries together with slices of life.": "Grupuj wpisy do dziennika razem z fragmentami życia.", + "Great! You have accepted the invitation to join the :team team.": "Świetnie! Zaakceptowałeś zaproszenie do zespołu :team.", + "Group journal entries together with slices of life.": "Grupuj wpisy w dzienniku razem z wycinkami życia.", "Groups": "Grupy", - "Groups let you put your contacts together in a single place.": "Grupy umożliwiają łączenie kontaktów w jednym miejscu.", - "Group type": "Rodzaj grupy", - "Group type: :name": "Typ grupy: :nazwa", - "Group types": "Rodzaje grup", + "Groups let you put your contacts together in a single place.": "Grupy umożliwiają zebranie kontaktów w jednym miejscu.", + "Group type": "Typ grupy", + "Group type: :name": "Typ grupy: :name", + "Group types": "Typy grup", "Group types let you group people together.": "Typy grup umożliwiają grupowanie osób.", "Had a promotion": "Miał awans", "Hamster": "Chomik", "Have a great day,": "Miłego dnia,", - "he\/him": "on \/ on", + "he/him": "on/on", "Hello!": "Cześć!", "Help": "Pomoc", - "Hi :name": "Cześć: imię", - "Hinduist": "Hindus", + "Hi :name": "Cześć :name", + "Hinduist": "Hinduista", "History of the notification sent": "Historia wysłanego powiadomienia", "Hobbies": "Zainteresowania", "Home": "Dom", "Horse": "Koń", "How are you?": "Jak się masz?", - "How could I have done this day better?": "Jak mogłem lepiej spędzić ten dzień?", + "How could I have done this day better?": "Jak mogłem lepiej przeżyć ten dzień?", "How did you feel?": "Jak się czułeś?", "How do you feel right now?": "Jak się teraz czujesz?", - "however, there are many, many new features that didn't exist before.": "jednak istnieje wiele, wiele nowych funkcji, które wcześniej nie istniały.", - "How much money was lent?": "Ile pożyczono pieniędzy?", + "however, there are many, many new features that didn't exist before.": "jednakże istnieje wiele, wiele nowych funkcji, które nie istniały wcześniej.", + "How much money was lent?": "Ile pieniędzy pożyczono?", "How much was lent?": "Ile pożyczono?", "How often should we remind you about this date?": "Jak często mamy przypominać o tej dacie?", "How should we display dates": "Jak powinniśmy wyświetlać daty", "How should we display distance values": "Jak powinniśmy wyświetlać wartości odległości", "How should we display numerical values": "Jak powinniśmy wyświetlać wartości liczbowe", - "I agree to the :terms and :policy": "Zgadzam się na :warunki i :politykę", - "I agree to the :terms_of_service and :privacy_policy": "Zgadzam się na :warunki_usługi i :politykę_prywatności", + "I agree to the :terms and :policy": "Zgadzam się z :terms i :policy", + "I agree to the :terms_of_service and :privacy_policy": "Wyrażam zgodę na :terms_of_service i :privacy_policy", "I am grateful for": "Jestem wdzięczny za", "I called": "dzwoniłem", - "I called, but :name didn’t answer": "Dzwoniłem, ale :imię nie odpowiada", + "I called, but :name didn’t answer": "Dzwoniłem, ale :name nie odebrał", "Idea": "Pomysł", - "I don’t know the name": "nie znam imienia", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "W razie potrzeby możesz wylogować się ze wszystkich innych sesji przeglądarki na wszystkich swoich urządzeniach. Poniżej wymieniono niektóre z Twoich ostatnich sesji; jednak ta lista może nie być wyczerpująca. Jeśli uważasz, że Twoje konto zostało przejęte, powinieneś również zaktualizować swoje hasło.", - "If the date is in the past, the next occurence of the date will be next year.": "Jeśli data jest w przeszłości, następne wystąpienie daty będzie w przyszłym roku.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Jeśli masz problemy z kliknięciem przycisku „:actionText”, skopiuj i wklej poniższy adres URL\nw przeglądarce internetowej:", - "If you already have an account, you may accept this invitation by clicking the button below:": "Jeśli masz już konto, możesz zaakceptować to zaproszenie, klikając poniższy przycisk:", - "If you did not create an account, no further action is required.": "Jeśli nie utworzyłeś konta, nie są wymagane żadne dalsze działania.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Jeśli nie spodziewałeś się otrzymać zaproszenia do tego zespołu, możesz odrzucić tę wiadomość e-mail.", - "If you did not request a password reset, no further action is required.": "Jeśli nie prosiłeś o zresetowanie hasła, nie są wymagane żadne dalsze działania.", + "I don’t know the name": "Nie znam imienia", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "W razie potrzeby możesz wylogować się ze wszystkich innych sesji przeglądarki na wszystkich swoich urządzeniach. Niektóre z ostatnich sesji są wymienione poniżej; jednak lista ta może nie być wyczerpująca. Jeśli uważasz, że Twoje konto zostało naruszone, powinieneś również zaktualizować hasło.", + "If the date is in the past, the next occurence of the date will be next year.": "Jeśli data przypada w przeszłości, następne wystąpienie tej daty będzie miało miejsce w przyszłym roku.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Jeżeli masz problemy z kliknięciem przycisku \":actionText\", skopiuj i wklej poniższy adres do pasku przeglądarki:", + "If you already have an account, you may accept this invitation by clicking the button below:": "Jeśli masz już konto, możesz przyjąć zaproszenie, klikając poniższy przycisk:", + "If you did not create an account, no further action is required.": "Jeśli nie stworzyłeś konta, zignoruj tę wiadomość.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Jeśli nie spodziewałeś się zaproszenia do tego zespołu, możesz wyrzucić tę wiadomość.", + "If you did not request a password reset, no further action is required.": "Jeśli nie chcesz resetować hasła, zignoruj tę wiadomość.", "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Jeśli nie masz konta, możesz je utworzyć, klikając przycisk poniżej. Po utworzeniu konta możesz kliknąć przycisk akceptacji zaproszenia w tej wiadomości e-mail, aby zaakceptować zaproszenie do zespołu:", "If you’ve received this invitation by mistake, please discard it.": "Jeśli otrzymałeś to zaproszenie przez pomyłkę, odrzuć je.", "I know the exact date, including the year": "Znam dokładną datę, łącznie z rokiem", - "I know the name": "znam nazwisko", + "I know the name": "Znam to imię", "Important dates": "Ważne daty", "Important date summary": "Ważne podsumowanie daty", "in": "W", @@ -523,13 +522,14 @@ "Information from Wikipedia": "Informacje z Wikipedii", "in love with": "zakochany w", "Inspirational post": "Inspirujący wpis", + "Invalid JSON was returned from the route.": "Routing zwrócił nieprawidłowy kod JSON.", "Invitation sent": "Zaproszenie wysłane", "Invite a new user": "Zaproś nowego użytkownika", "Invite someone": "Zaproś kogoś", - "I only know a number of years (an age, for example)": "Znam tylko kilka lat (na przykład wiek)", + "I only know a number of years (an age, for example)": "Znam tylko liczbę lat (na przykład wiek)", "I only know the day and month, not the year": "Znam tylko dzień i miesiąc, nie rok", - "it misses some of the features, the most important ones being the API and gift management,": "brakuje niektórych funkcji, z których najważniejsze to API i zarządzanie prezentami,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Wygląda na to, że na koncie nie ma jeszcze żadnych szablonów. Najpierw dodaj co najmniej szablon do swojego konta, a następnie powiąż ten szablon z tym kontaktem.", + "it misses some of the features, the most important ones being the API and gift management,": "brakuje mu niektórych funkcji, z których najważniejsze to API i zarządzanie prezentami,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Wygląda na to, że na koncie nie ma jeszcze żadnych szablonów. Najpierw dodaj przynajmniej szablon do swojego konta, a następnie powiąż ten szablon z tym kontaktem.", "Jew": "Żyd", "Job information": "Informacje o pracy", "Job position": "Posada", @@ -539,66 +539,66 @@ "Journal metrics let you track data accross all your journal entries.": "Metryki dziennika umożliwiają śledzenie danych we wszystkich wpisach dziennika.", "Journals": "Czasopisma", "Just because": "Właśnie dlatego", - "Just to say hello": "Po prostu się przywitać", + "Just to say hello": "Tylko żeby się przywitać", "Key name": "Nazwa klucza", "kilometers (km)": "kilometry (km)", "km": "km", "Label:": "Etykieta:", "Labels": "Etykiety", - "Labels let you classify contacts using a system that matters to you.": "Etykiety pozwalają klasyfikować kontakty za pomocą systemu, który jest dla Ciebie ważny.", + "Labels let you classify contacts using a system that matters to you.": "Etykiety pozwalają klasyfikować kontakty przy użyciu systemu, który jest dla Ciebie ważny.", "Language of the application": "Język aplikacji", "Last active": "Ostatnio aktywny", - "Last active :date": "Ostatnio aktywny :data", + "Last active :date": "Ostatni aktywny :date", "Last name": "Nazwisko", "Last name First name": "Nazwisko Imię", "Last updated": "Ostatnio zaktualizowany", - "Last used": "Ostatnio używane", - "Last used :date": "Ostatnio używane:data", - "Leave": "Wyjechać", + "Last used": "Ostatnio używany", + "Last used :date": "Ostatnio używane :date", + "Leave": "Opuść", "Leave Team": "Opuść zespół", "Life": "Życie", "Life & goals": "Życiowe cele", "Life events": "Wydarzenia życiowe", "Life events let you document what happened in your life.": "Wydarzenia życiowe pozwalają udokumentować to, co wydarzyło się w Twoim życiu.", - "Life event types:": "Typy zdarzeń życiowych:", + "Life event types:": "Typy wydarzeń życiowych:", "Life event types and categories": "Typy i kategorie zdarzeń życiowych", "Life metrics": "Metryki życia", - "Life metrics let you track metrics that are important to you.": "Metryki życia pozwalają śledzić metryki, które są dla Ciebie ważne.", - "Link to documentation": "Link do dokumentacji", + "Life metrics let you track metrics that are important to you.": "Metryki życiowe umożliwiają śledzenie metryk, które są dla Ciebie ważne.", + "LinkedIn": "LinkedIn", "List of addresses": "Lista adresów", "List of addresses of the contacts in the vault": "Lista adresów kontaktów w skarbcu", "List of all important dates": "Lista wszystkich ważnych dat", "Loading…": "Ładowanie…", "Load previous entries": "Załaduj poprzednie wpisy", "Loans": "Pożyczki", - "Locale default: :value": "Domyślne ustawienie regionalne: :value", + "Locale default: :value": "Domyślne ustawienia regionalne: :value", "Log a call": "Zarejestruj połączenie", "Log details": "Szczegóły dziennika", - "logged the mood": "zapisał nastrój", - "Log in": "Zaloguj sie", - "Login": "Zaloguj sie", + "logged the mood": "zarejestrował nastrój", + "Log in": "Zaloguj się", + "Login": "Logowanie", "Login with:": "Zaloguj się z:", - "Log Out": "Wyloguj", + "Log Out": "Wyloguj się", "Logout": "Wyloguj", "Log Out Other Browser Sessions": "Wyloguj inne sesje przeglądarki", "Longest streak": "Najdłuższa passa", "Love": "Miłość", "loved by": "kochany przez", "lover": "kochanek", - "Made from all over the world. We ❤️ you.": "Wykonane z całego świata. My ❤️ Wy.", + "Made from all over the world. We ❤️ you.": "Wykonane z całego świata. My ❤️ Was.", "Maiden name": "Nazwisko panieńskie", "Male": "Mężczyzna", - "Manage Account": "Zarządzać kontem", - "Manage accounts you have linked to your Customers account.": "Zarządzaj kontami, które zostały połączone z Twoim kontem Klientów.", + "Manage Account": "Zarządzaj Kontem", + "Manage accounts you have linked to your Customers account.": "Zarządzaj kontami, które połączyłeś z kontem Klienta.", "Manage address types": "Zarządzaj typami adresów", - "Manage and log out your active sessions on other browsers and devices.": "Zarządzaj i wyloguj swoje aktywne sesje w innych przeglądarkach i urządzeniach.", - "Manage API Tokens": "Zarządzaj tokenami API", + "Manage and log out your active sessions on other browsers and devices.": "Zarządzaj aktywnymi sesjami i wyloguj się z nich na innych przeglądarkach i urządzeniach.", + "Manage API Tokens": "Zarządzaj Tokenami API", "Manage call reasons": "Zarządzaj powodami połączeń", "Manage contact information types": "Zarządzaj typami informacji kontaktowych", "Manage currencies": "Zarządzaj walutami", "Manage genders": "Zarządzaj płciami", - "Manage gift occasions": "Zarządzaj okazjami prezentowymi", - "Manage gift states": "Zarządzaj stanami podarunkowymi", + "Manage gift occasions": "Zarządzaj okazjami na prezenty", + "Manage gift states": "Zarządzaj stanami prezentów", "Manage group types": "Zarządzaj typami grup", "Manage modules": "Zarządzaj modułami", "Manage pet categories": "Zarządzaj kategoriami zwierząt domowych", @@ -607,11 +607,12 @@ "Manager": "Menedżer", "Manage relationship types": "Zarządzaj typami relacji", "Manage religions": "Zarządzaj religiami", - "Manage Role": "Zarządzaj rolą", + "Manage Role": "Zarządzaj Rolami", "Manage storage": "Zarządzaj pamięcią", - "Manage Team": "Zarządzaj zespołem", + "Manage Team": "Zarządzaj Zespołem", "Manage templates": "Zarządzaj szablonami", "Manage users": "Zarządzaj użytkownikami", + "Mastodon": "Mastodont", "Maybe one of these contacts?": "Może któryś z tych kontaktów?", "mentor": "mentor", "Middle name": "Drugie imię", @@ -619,46 +620,46 @@ "miles (mi)": "mile (mi)", "Modules in this page": "Moduły na tej stronie", "Monday": "Poniedziałek", - "Monica. All rights reserved. 2017 — :date.": "Monika. Wszelkie prawa zastrzeżone. 2017 — :data.", - "Monica is open source, made by hundreds of people from all around the world.": "Monica jest oprogramowaniem typu open source, stworzonym przez setki ludzi z całego świata.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Wszelkie prawa zastrzeżone. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica jest oprogramowaniem typu open source, tworzonym przez setki ludzi z całego świata.", "Monica was made to help you document your life and your social interactions.": "Monica została stworzona, aby pomóc Ci dokumentować Twoje życie i interakcje społeczne.", "Month": "Miesiąc", "month": "miesiąc", "Mood in the year": "Nastrój w roku", - "Mood tracking events": "Zdarzenia śledzenia nastroju", + "Mood tracking events": "Zdarzenia związane ze śledzeniem nastroju", "Mood tracking parameters": "Parametry śledzenia nastroju", "More details": "Więcej szczegółów", "More errors": "Więcej błędów", "Move contact": "Przenieś kontakt", "Muslim": "muzułmański", - "Name": "Nazwa", + "Name": "Imię i nazwisko", "Name of the pet": "Imię zwierzaka", "Name of the reminder": "Nazwa przypomnienia", - "Name of the reverse relationship": "Nazwa relacji odwrotnej", - "Nature of the call": "Charakter wezwania", - "nephew\/niece": "siostrzeniec siostrzenica", - "New Password": "nowe hasło", - "New to Monica?": "Nowy dla Moniki?", + "Name of the reverse relationship": "Nazwa odwrotnej zależności", + "Nature of the call": "Charakter połączenia", + "nephew/niece": "siostrzeniec/siostrzenica", + "New Password": "Nowe Hasło", + "New to Monica?": "Jesteś nowy w Monica?", "Next": "Następny", "Nickname": "Przezwisko", "nickname": "przezwisko", - "No cities have been added yet in any contact’s addresses.": "Żadne miasto nie zostało jeszcze dodane w adresach żadnego kontaktu.", - "No contacts found.": "Nie znaleziono kontaktów.", - "No countries have been added yet in any contact’s addresses.": "Żadne kraje nie zostały jeszcze dodane w adresach żadnego kontaktu.", - "No dates in this month.": "Brak dat w tym miesiącu.", - "No description yet.": "Brak opisu.", - "No groups found.": "Nie znaleziono grup.", - "No keys registered yet": "Brak zarejestrowanych kluczy", - "No labels yet.": "Brak etykiet.", - "No life event types yet.": "Brak typów zdarzeń życiowych.", - "No notes found.": "Nie znaleziono notatek.", + "No cities have been added yet in any contact’s addresses.": "Do adresów żadnego kontaktu nie dodano jeszcze żadnych miast.", + "No contacts found.": "Nie znaleziono żadnych kontaktów.", + "No countries have been added yet in any contact’s addresses.": "Do adresów żadnego kontaktu nie dodano jeszcze żadnych krajów.", + "No dates in this month.": "Brak terminów w tym miesiącu.", + "No description yet.": "Nie ma jeszcze opisu.", + "No groups found.": "Nie znaleziono żadnych grup.", + "No keys registered yet": "Nie zarejestrowano jeszcze żadnych kluczy", + "No labels yet.": "Nie ma jeszcze etykiet.", + "No life event types yet.": "Nie ma jeszcze typów wydarzeń życiowych.", + "No notes found.": "Nie znaleziono żadnych notatek.", "No results found": "Nie znaleziono wyników", "No role": "Żadnej roli", - "No roles yet.": "Nie ma jeszcze ról.", + "No roles yet.": "Nie ma jeszcze żadnych ról.", "No tasks.": "Brak zadań.", "Notes": "Notatki", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Pamiętaj, że usunięcie modułu ze strony nie spowoduje usunięcia rzeczywistych danych na Twoich stronach kontaktowych. Po prostu to ukryje.", - "Not Found": "Nie znaleziono", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Pamiętaj, że usunięcie modułu ze strony nie spowoduje usunięcia rzeczywistych danych na stronach kontaktów. Po prostu to ukryje.", + "Not Found": "Nie Znaleziono", "Notification channels": "Kanały powiadomień", "Notification sent": "Powiadomienie wysłane", "Not set": "Nie ustawiony", @@ -668,14 +669,14 @@ "of": "z", "Offered": "Oferowany", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Po usunięciu zespołu wszystkie jego zasoby i dane zostaną trwale usunięte. Przed usunięciem tego zespołu pobierz wszelkie dane lub informacje dotyczące tego zespołu, które chcesz zachować.", - "Once you cancel,": "Po anulowaniu", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Po kliknięciu przycisku Konfiguracja poniżej będziesz musiał otworzyć Telegram za pomocą przycisku, który ci udostępnimy. To zlokalizuje dla ciebie bota Monica Telegram.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Po usunięciu konta wszystkie jego zasoby i dane zostaną trwale usunięte. Przed usunięciem konta pobierz wszelkie dane lub informacje, które chcesz zachować.", - "Only once, when the next occurence of the date occurs.": "Tylko raz, gdy wystąpi następne wystąpienie daty.", + "Once you cancel,": "Gdy anulujesz,", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Po kliknięciu przycisku Konfiguracja poniżej będziesz musiał otworzyć Telegram za pomocą przycisku, który Ci udostępnimy. Spowoduje to zlokalizowanie bota Monica Telegram.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Po usunięciu konta wszystkie jego zasoby i dane zostaną trwale usunięte. Przed usunięciem konta pobierz wszelkie dane albo informacje, które chcesz zachować.", + "Only once, when the next occurence of the date occurs.": "Tylko raz, gdy nastąpi kolejne wystąpienie danej daty.", "Oops! Something went wrong.": "Ups! Coś poszło nie tak.", "Open Street Maps": "Otwórz mapy ulic", - "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps to świetna alternatywa dla prywatności, ale oferuje mniej szczegółów.", - "Open Telegram to validate your identity": "Otwórz Telegram, aby zweryfikować swoją tożsamość", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps to świetna alternatywa zapewniająca prywatność, ale oferująca mniej szczegółów.", + "Open Telegram to validate your identity": "Otwórz Telegram, aby potwierdzić swoją tożsamość", "optional": "opcjonalny", "Or create a new one": "Lub utwórz nowy", "Or filter by type": "Lub filtruj według typu", @@ -683,58 +684,58 @@ "Or reset the fields": "Lub zresetuj pola", "Other": "Inny", "Out of respect and appreciation": "Z szacunku i uznania", - "Page Expired": "Strona wygasła", + "Page Expired": "Strona Wygasła", "Pages": "Strony", - "Pagination Navigation": "Nawigacja po paginacji", + "Pagination Navigation": "Nawigacja Stron", "Parent": "Rodzic", "parent": "rodzic", "Participants": "Uczestnicy", "Partner": "Partner", "Part of": "Część", "Password": "Hasło", - "Payment Required": "Płatność wymagana", - "Pending Team Invitations": "Oczekujące zaproszenia do zespołu", - "per\/per": "za \/ za", + "Payment Required": "Płatność Wymagana", + "Pending Team Invitations": "Oczekujące Zaproszenia do Zespołu", + "per/per": "za/za", "Permanently delete this team.": "Trwale usuń ten zespół.", "Permanently delete your account.": "Trwale usuń swoje konto.", - "Permission for :name": "Pozwolenie dla :imię", + "Permission for :name": "Pozwolenie na :name", "Permissions": "Uprawnienia", "Personal": "Osobisty", "Personalize your account": "Spersonalizuj swoje konto", - "Pet categories": "Kategorie zwierząt domowych", - "Pet categories let you add types of pets that contacts can add to their profile.": "Kategorie zwierząt domowych umożliwiają dodawanie typów zwierząt domowych, które kontakty mogą dodawać do swoich profili.", + "Pet categories": "Kategorie zwierząt", + "Pet categories let you add types of pets that contacts can add to their profile.": "Kategorie zwierząt domowych umożliwiają dodawanie rodzajów zwierząt, które kontakty mogą dodawać do swoich profili.", "Pet category": "Kategoria zwierzaka", "Pets": "Zwierzęta", "Phone": "Telefon", "Photo": "Zdjęcie", "Photos": "Zdjęcia", "Played basketball": "Grał w koszykówkę", - "Played golf": "Grał w golfa", + "Played golf": "Grałem w golfa", "Played soccer": "Grał w piłkę nożną", "Played tennis": "Grałem w tenisa", "Please choose a template for this new post": "Wybierz szablon dla tego nowego wpisu", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Wybierz jeden szablon poniżej, aby powiedzieć Monice, jak ten kontakt powinien być wyświetlany. Szablony pozwalają określić, jakie dane mają być wyświetlane na stronie kontaktowej.", - "Please click the button below to verify your email address.": "Kliknij przycisk poniżej, aby zweryfikować swój adres e-mail.", - "Please complete this form to finalize your account.": "Wypełnij ten formularz, aby sfinalizować swoje konto.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Potwierdź dostęp do swojego konta, wprowadzając jeden z awaryjnych kodów odzyskiwania.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Potwierdź dostęp do swojego konta, wprowadzając kod uwierzytelniający dostarczony przez aplikację uwierzytelniającą.", - "Please confirm access to your account by validating your security key.": "Potwierdź dostęp do swojego konta, sprawdzając klucz bezpieczeństwa.", - "Please copy your new API token. For your security, it won't be shown again.": "Skopiuj swój nowy token interfejsu API. Ze względów bezpieczeństwa nie będzie już pokazywany.", - "Please copy your new API token. For your security, it won’t be shown again.": "Skopiuj swój nowy token interfejsu API. Ze względów bezpieczeństwa nie będzie już pokazywany.", - "Please enter at least 3 characters to initiate a search.": "Wprowadź co najmniej 3 znaki, aby rozpocząć wyszukiwanie.", - "Please enter your password to cancel the account": "Wprowadź hasło, aby anulować konto", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Wybierz jeden szablon poniżej, aby poinformować Monica, jak ten kontakt powinien być wyświetlany. Szablony pozwalają zdefiniować, jakie dane mają być wyświetlane na stronie kontaktowej.", + "Please click the button below to verify your email address.": "Kliknij poniższy przycisk aby zweryfikować swój adres e-mail.", + "Please complete this form to finalize your account.": "Wypełnij ten formularz, aby sfinalizować utworzenie konta.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Potwierdź dostęp do swojego konta, wprowadzając jeden ze swoich awaryjnych kodów odzyskiwania.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Proszę potwierdzić dostęp do konta przez wprowadzenie kodu uwierzytelniającego dostarczone przez aplikację Authenticator.", + "Please confirm access to your account by validating your security key.": "Potwierdź dostęp do swojego konta, zatwierdzając klucz bezpieczeństwa.", + "Please copy your new API token. For your security, it won't be shown again.": "Skopiuj nowy token API. Ze względów bezpieczeństwa nie zostanie ponownie wyświetlony.", + "Please copy your new API token. For your security, it won’t be shown again.": "Skopiuj swój nowy token API. Ze względów bezpieczeństwa nie będzie on wyświetlany ponownie.", + "Please enter at least 3 characters to initiate a search.": "Aby rozpocząć wyszukiwanie, wprowadź co najmniej 3 znaki.", + "Please enter your password to cancel the account": "Proszę podać hasło aby anulować konto", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Wprowadź hasło, aby potwierdzić, że chcesz wylogować się z innych sesji przeglądarki na wszystkich swoich urządzeniach.", - "Please indicate the contacts": "Proszę wskazać kontakty", - "Please join Monica": "Dołącz do Moniki", + "Please indicate the contacts": "Proszę podać kontakty", + "Please join Monica": "Proszę o dołączenie do Monica", "Please provide the email address of the person you would like to add to this team.": "Podaj adres e-mail osoby, którą chcesz dodać do tego zespołu.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Przeczytaj naszą dokumentację<\/link>, aby dowiedzieć się więcej o tej funkcji i do jakich zmiennych masz dostęp.", - "Please select a page on the left to load modules.": "Wybierz stronę po lewej stronie, aby załadować moduły.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Przeczytaj naszą dokumentację, aby dowiedzieć się więcej o tej funkcji i zmiennych, do których masz dostęp.", + "Please select a page on the left to load modules.": "Aby załadować moduły, wybierz stronę po lewej stronie.", "Please type a few characters to create a new label.": "Wpisz kilka znaków, aby utworzyć nową etykietę.", "Please type a few characters to create a new tag.": "Wpisz kilka znaków, aby utworzyć nowy tag.", - "Please validate your email address": "Potwierdź swój adres e-mail", + "Please validate your email address": "Proszę potwierdzić swój adres e-mail", "Please verify your email address": "Proszę zweryfikować swój adres e-mail", "Postal code": "Kod pocztowy", - "Post metrics": "Metryki postów", + "Post metrics": "Publikuj metryki", "Posts": "Posty", "Posts in your journals": "Posty w Twoich dziennikach", "Post templates": "Szablony postów", @@ -745,72 +746,72 @@ "Profile": "Profil", "Profile and security": "Profil i bezpieczeństwo", "Profile Information": "Informacje o Profilu", - "Profile of :name": "Profil: imię", - "Profile page of :name": "Strona profilu :name", - "Pronoun": "Mają tendencję", - "Pronouns": "zaimki", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Zaimki to w zasadzie sposób, w jaki identyfikujemy się poza naszym imieniem. To sposób, w jaki ktoś odnosi się do ciebie w rozmowie.", + "Profile of :name": "Profil :name", + "Profile page of :name": "Strona profilowa :name", + "Pronoun": "Zaimek", + "Pronouns": "Zaimki", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Zaimki to w zasadzie sposób, w jaki się identyfikujemy, niezależnie od naszego imienia. To sposób, w jaki ktoś zwraca się do Ciebie w rozmowie.", "protege": "protegowany", "Protocol": "Protokół", - "Protocol: :name": "Protokół: :nazwa", + "Protocol: :name": "Protokół: :name", "Province": "Województwo", "Quick facts": "Szybkie fakty", - "Quick facts let you document interesting facts about a contact.": "Szybkie fakty pozwalają udokumentować interesujące fakty dotyczące kontaktu.", - "Quick facts template": "Szybki szablon faktów", - "Quit job": "Rzuć pracę", + "Quick facts let you document interesting facts about a contact.": "Szybkie fakty umożliwiają udokumentowanie interesujących faktów na temat kontaktu.", + "Quick facts template": "Szablon szybkich faktów", + "Quit job": "Rzucić pracę", "Rabbit": "Królik", "Ran": "Biegł", "Rat": "Szczur", - "Read :count time|Read :count times": "Czytaj :licz czas|Czytaj : licz razy", - "Record a loan": "Zarejestruj pożyczkę", + "Read :count time|Read :count times": "Przeczytaj :count raz|Przeczytaj :count razy|Przeczytaj :count razy", + "Record a loan": "Nagraj pożyczkę", "Record your mood": "Zapisz swój nastrój", - "Recovery Code": "Kod odzyskiwania", + "Recovery Code": "Kod Odzyskiwania", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Niezależnie od tego, gdzie się znajdujesz na świecie, wyświetlaj daty we własnej strefie czasowej.", - "Regards": "Pozdrowienia", - "Regenerate Recovery Codes": "Regeneruj kody odzyskiwania", - "Register": "Rejestr", + "Regards": "Z poważaniem", + "Regenerate Recovery Codes": "Zregeneruj Kody Odzyskiwania", + "Register": "Zarejestruj się", "Register a new key": "Zarejestruj nowy klucz", "Register a new key.": "Zarejestruj nowy klucz.", "Regular post": "Etat", "Regular user": "Zwykły użytkownik", "Relationships": "Relacje", "Relationship types": "Typy relacji", - "Relationship types let you link contacts and document how they are connected.": "Typy relacji umożliwiają łączenie kontaktów i dokumentowanie sposobu ich łączenia.", + "Relationship types let you link contacts and document how they are connected.": "Typy relacji umożliwiają łączenie kontaktów i dokumentowanie sposobu ich powiązania.", "Religion": "Religia", "Religions": "Religie", - "Religions is all about faith.": "Religie to przede wszystkim wiara.", + "Religions is all about faith.": "Religie opierają się na wierze.", "Remember me": "Zapamiętaj mnie", - "Reminder for :name": "Przypomnienie dla :imię", + "Reminder for :name": "Przypomnienie dla :name", "Reminders": "Przypomnienia", "Reminders for the next 30 days": "Przypomnienia na następne 30 dni", - "Remind me about this date every year": "Przypominaj mi o tej dacie co roku", - "Remind me about this date just once, in one year from now": "Przypomnij mi o tej dacie tylko raz, za rok", - "Remove": "Usunąć", - "Remove avatar": "Usuń awatara", - "Remove cover image": "Usuń obraz okładki", - "removed a label": "usunięto etykietę", + "Remind me about this date every year": "Przypomnij mi o tej dacie co roku", + "Remind me about this date just once, in one year from now": "Przypomnij mi o tej dacie chociaż raz, za rok", + "Remove": "Usuń", + "Remove avatar": "Usuń awatar", + "Remove cover image": "Usuń zdjęcie na okładce", + "removed a label": "usunąłem etykietę", "removed the contact from a group": "usunął kontakt z grupy", "removed the contact from a post": "usunął kontakt z posta", "removed the contact from the favorites": "usunął kontakt z ulubionych", - "Remove Photo": "Usuń zdjęcie", - "Remove Team Member": "Usuń członka zespołu", + "Remove Photo": "Usuń Zdjęcie", + "Remove Team Member": "Usuń Członka Zespołu", "Rename": "Przemianować", "Reports": "Raporty", "Reptile": "Gad", - "Resend Verification Email": "Ponownie wysłać e-mail weryfikacyjny", - "Reset Password": "Zresetuj hasło", - "Reset Password Notification": "Zresetuj powiadomienie o haśle", - "results": "wyniki", + "Resend Verification Email": "Wyślij Ponownie E-mail Weryfikacyjny", + "Reset Password": "Zresetuj Hasło", + "Reset Password Notification": "Powiadomienie o Zresetowaniu Hasła", + "results": "wyników", "Retry": "Spróbować ponownie", "Revert": "Odwracać", "Rode a bike": "Jechał na rowerze", "Role": "Rola", "Roles:": "Role:", - "Roomates": "Czołganie się", + "Roomates": "Współlokatorzy", "Saturday": "Sobota", - "Save": "Ratować", + "Save": "Zapisz", "Saved.": "Zapisane.", - "Saving in progress": "Zapisywanie w toku", + "Saving in progress": "Trwa zapisywanie", "Searched": "Przeszukano", "Searching…": "Badawczy…", "Search something": "Wyszukaj coś", @@ -818,47 +819,46 @@ "Sections:": "Sekcje:", "Security keys": "Klucze bezpieczeństwa", "Select a group or create a new one": "Wybierz grupę lub utwórz nową", - "Select A New Photo": "Wybierz nowe zdjęcie", + "Select A New Photo": "Wybierz Nowe Zdjęcie", "Select a relationship type": "Wybierz typ relacji", "Send invitation": "Wyślij zaproszenie", "Send test": "Wyślij test", - "Sent at :time": "Wysłane o :czas", - "Server Error": "błąd serwera", - "Service Unavailable": "serwis niedostępny", + "Sent at :time": "Wysłano o :time", + "Server Error": "Błąd Serwera", + "Service Unavailable": "Serwis Niedostępny", "Set as default": "Ustaw jako domyślne", "Set as favorite": "Ustaw jako ulubione", "Settings": "Ustawienia", "Settle": "Rozstrzygnąć", "Setup": "Organizować coś", - "Setup Key": "Klucz konfiguracji", - "Setup Key:": "Klucz konfiguracji:", - "Setup Telegram": "Ustaw telegram", - "she\/her": "ona jej", - "Shintoist": "szintoista", + "Setup Key": "Klucz Ustawień", + "Setup Key:": "Klucz konfiguracyjny:", + "Setup Telegram": "Skonfiguruj telegram", + "she/her": "ona/jej", + "Shintoist": "Szintoista", "Show Calendar tab": "Pokaż kartę Kalendarz", "Show Companies tab": "Pokaż zakładkę Firmy", - "Show completed tasks (:count)": "Pokaż ukończone zadania (:liczba)", + "Show completed tasks (:count)": "Pokaż ukończone zadania (:count)", "Show Files tab": "Pokaż kartę Pliki", "Show Groups tab": "Pokaż kartę Grupy", - "Showing": "Seans", - "Showing :count of :total results": "Wyświetlanie :count of :całkowitych wyników", - "Showing :first to :last of :total results": "Wyświetlanie wyników od :first do :last z :całkowitej", - "Show Journals tab": "Pokaż zakładkę Dzienniki", - "Show Recovery Codes": "Pokaż kody odzyskiwania", + "Showing": "Wyświetlanie", + "Showing :count of :total results": "Wyświetlam :count z :total wyników", + "Showing :first to :last of :total results": "Wyświetlanie wyników od :first do :last z :total", + "Show Journals tab": "Pokaż kartę Czasopisma", + "Show Recovery Codes": "Pokaż Kody Odzyskiwania", "Show Reports tab": "Pokaż kartę Raporty", "Show Tasks tab": "Pokaż kartę Zadania", "significant other": "znaczący inny", "Sign in to your account": "Zaloguj się", "Sign up for an account": "Zaloguj się na konto", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Spałem :licz godziny|Spałem : licz godziny", + "Slept :count hour|Slept :count hours": "Spałem :count godzinę|Spałem :count godziny|Spałem :count godzin", "Slice of life": "Okruchy życia", "Slices of life": "Kawałki życia", "Small animal": "Małe zwierzę", "Social": "Społeczny", - "Some dates have a special type that we will use in the software to calculate an age.": "Niektóre daty mają specjalny typ, którego użyjemy w oprogramowaniu do obliczenia wieku.", - "Sort contacts": "Sortuj kontakty", - "So… it works 😼": "Więc… to działa 😼", + "Some dates have a special type that we will use in the software to calculate an age.": "Niektóre daty mają specjalny typ, którego będziemy używać w oprogramowaniu do obliczania wieku.", + "So… it works 😼": "Zatem… to działa 😼", "Sport": "Sport", "spouse": "współmałżonek", "Statistics": "Statystyka", @@ -870,61 +870,60 @@ "Summary": "Streszczenie", "Sunday": "Niedziela", "Switch role": "Zmień rolę", - "Switch Teams": "Zmień drużyny", + "Switch Teams": "Przełącz Zespół", "Tabs visibility": "Widoczność zakładek", "Tags": "Tagi", - "Tags let you classify journal posts using a system that matters to you.": "Tagi umożliwiają klasyfikowanie wpisów do dziennika przy użyciu systemu, który jest dla Ciebie ważny.", + "Tags let you classify journal posts using a system that matters to you.": "Tagi pozwalają klasyfikować wpisy w dzienniku za pomocą systemu, który jest dla Ciebie ważny.", "Taoist": "taoistyczny", "Tasks": "Zadania", - "Team Details": "Szczegóły zespołu", - "Team Invitation": "Zaproszenie zespołu", - "Team Members": "Członkowie drużyny", - "Team Name": "Nazwa drużyny", - "Team Owner": "Właściciel zespołu", - "Team Settings": "Ustawienia zespołu", + "Team Details": "Szczegóły Zespołu", + "Team Invitation": "Zaproszenie Do Zespołu", + "Team Members": "Członkowie Zespołu", + "Team Name": "Nazwa Zespołu", + "Team Owner": "Właściciel Zespołu", + "Team Settings": "Ustawienia Zespołu", "Telegram": "Telegram", "Templates": "Szablony", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Szablony pozwalają dostosować, jakie dane mają być wyświetlane w kontaktach. Możesz zdefiniować dowolną liczbę szablonów i wybrać, który szablon ma być używany do którego kontaktu.", - "Terms of Service": "Warunki usługi", - "Test email for Monica": "Testowy e-mail dla Moniki", - "Test email sent!": "E-mail testowy wysłany!", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Szablony pozwalają dostosować, jakie dane mają być wyświetlane w kontaktach. Możesz zdefiniować dowolną liczbę szablonów i wybrać, który szablon ma być użyty w którym kontakcie.", + "Terms of Service": "Warunki Korzystania z Usługi", + "Test email for Monica": "Testowy e-mail dla Monica", + "Test email sent!": "Testowy e-mail wysłany!", "Thanks,": "Dzięki,", - "Thanks for giving Monica a try": "Dzięki, że dałeś Monice szansę", - "Thanks for giving Monica a try.": "Dzięki, że dałeś Monice szansę.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Dziękujemy za zarejestrowanie się! Zanim zaczniesz, czy możesz zweryfikować swój adres e-mail, klikając link, który właśnie do Ciebie wysłaliśmy? Jeśli nie otrzymałeś wiadomości e-mail, chętnie wyślemy Ci kolejną.", - "The :attribute must be at least :length characters.": ":atrybut musi składać się z co najmniej :length znaków.", - "The :attribute must be at least :length characters and contain at least one number.": "Pole :attribute musi składać się z co najmniej :length znaków i zawierać co najmniej jedną cyfrę.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute musi mieć co najmniej :length znaków i zawierać co najmniej jeden znak specjalny.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":atrybut musi składać się z co najmniej :length znaków i zawierać co najmniej jeden znak specjalny i jedną cyfrę.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute musi składać się z co najmniej :length znaków i zawierać co najmniej jedną wielką literę, jedną cyfrę i jeden znak specjalny.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute musi składać się z co najmniej :length znaków i zawierać co najmniej jedną wielką literę.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":atrybut musi składać się z co najmniej :length znaków i zawierać co najmniej jedną wielką literę i jedną cyfrę.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute musi składać się z co najmniej :length znaków i zawierać co najmniej jedną wielką literę i jeden znak specjalny.", - "The :attribute must be a valid role.": "Opcja :atrybut musi być prawidłową rolą.", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Dane konta zostaną trwale usunięte z naszych serwerów w ciągu 30 dni i ze wszystkich kopii zapasowych w ciągu 60 dni.", + "Thanks for giving Monica a try.": "Dziękuję za umożliwienie Monica wypróbowania.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Dziękujemy za zarejestrowanie się! Czy zanim zaczniesz, możesz zweryfikować swój adres e-mail, klikając link, który właśnie wysłaliśmy do Ciebie e-mailem? Jeśli nie otrzymałeś wiadomości e-mail, z przyjemnością wyślemy Ci kolejną.", + "The :attribute must be at least :length characters.": "Pole :attribute musi mieć co najmniej :length znaków.", + "The :attribute must be at least :length characters and contain at least one number.": "Pole :attribute musi mieć przynajmniej :length znaków i przynajmniej jedną cyfrę.", + "The :attribute must be at least :length characters and contain at least one special character.": "Pole :attribute musi mieć co najmniej :length znaków i zawierać co najmniej jeden znak specjalny.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute musi mieć co najmniej :length znaki i zawierać co najmniej jeden znak specjalny i jeden numer.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Pole :attribute musi mieć co najmniej :length znaków i zawierać co najmniej jedną wielką literę, jedną cyfrę i jeden znak specjalny.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Pole :attribute musi mieć co najmniej :length znaków i co najmniej jedną wielką literę.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Pole :attribute musi mieć co najmniej :length znaków i zawierać co najmniej jedną wielką literę i jedną cyfrę.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Pole :attribute musi mieć co najmniej :length znaków i zawierać co najmniej jedną wielką literę i jeden znak specjalny.", + "The :attribute must be a valid role.": "Pole :attribute musi być prawidłową rolą.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Dane konta zostaną trwale usunięte z naszych serwerów w ciągu 30 dni, a ze wszystkich kopii zapasowych w ciągu 60 dni.", "The address type has been created": "Typ adresu został utworzony", "The address type has been deleted": "Typ adresu został usunięty", "The address type has been updated": "Typ adresu został zaktualizowany", "The call has been created": "Połączenie zostało utworzone", "The call has been deleted": "Połączenie zostało usunięte", - "The call has been edited": "Wezwanie zostało edytowane", - "The call reason has been created": "Przyczyna połączenia została utworzona", - "The call reason has been deleted": "Przyczyna połączenia została usunięta", + "The call has been edited": "Rozmowa została edytowana", + "The call reason has been created": "Powód połączenia został utworzony", + "The call reason has been deleted": "Powód połączenia został usunięty", "The call reason has been updated": "Powód połączenia został zaktualizowany", - "The call reason type has been created": "Typ przyczyny połączenia został utworzony", - "The call reason type has been deleted": "Typ przyczyny połączenia został usunięty", - "The call reason type has been updated": "Typ przyczyny połączenia został zaktualizowany", + "The call reason type has been created": "Utworzono typ przyczyny połączenia", + "The call reason type has been deleted": "Typ powodu połączenia został usunięty", + "The call reason type has been updated": "Typ powodu połączenia został zaktualizowany", "The channel has been added": "Kanał został dodany", "The channel has been updated": "Kanał został zaktualizowany", "The contact does not belong to any group yet.": "Kontakt nie należy jeszcze do żadnej grupy.", "The contact has been added": "Kontakt został dodany", "The contact has been deleted": "Kontakt został usunięty", - "The contact has been edited": "Kontakt został zmieniony", + "The contact has been edited": "Kontakt został edytowany", "The contact has been removed from the group": "Kontakt został usunięty z grupy", - "The contact information has been created": "Informacje kontaktowe zostały utworzone", + "The contact information has been created": "Dane kontaktowe zostały utworzone", "The contact information has been deleted": "Dane kontaktowe zostały usunięte", "The contact information has been edited": "Dane kontaktowe zostały zmienione", - "The contact information type has been created": "Typ informacji kontaktowych został utworzony", + "The contact information type has been created": "Utworzono typ informacji kontaktowych", "The contact information type has been deleted": "Typ informacji kontaktowych został usunięty", "The contact information type has been updated": "Typ informacji kontaktowych został zaktualizowany", "The contact is archived": "Kontakt jest archiwizowany", @@ -936,21 +935,21 @@ "The document has been added": "Dokument został dodany", "The document has been deleted": "Dokument został usunięty", "The email address has been deleted": "Adres e-mail został usunięty", - "The email has been added": "E-mail został dodany", - "The email is already taken. Please choose another one.": "E-mail jest już zajęty. Proszę wybrać inny.", + "The email has been added": "Adres e-mail został dodany", + "The email is already taken. Please choose another one.": "Adres e-mail jest już zajęty. Proszę wybrać inny.", "The gender has been created": "Płeć została stworzona", "The gender has been deleted": "Płeć została usunięta", "The gender has been updated": "Płeć została zaktualizowana", "The gift occasion has been created": "Okazja na prezent została stworzona", - "The gift occasion has been deleted": "Okazja na prezent została usunięta", + "The gift occasion has been deleted": "Okazja podarunkowa została usunięta", "The gift occasion has been updated": "Okazja na prezent została zaktualizowana", - "The gift state has been created": "Stan podarunkowy został utworzony", - "The gift state has been deleted": "Stan podarunkowy został usunięty", + "The gift state has been created": "Stan prezentu został stworzony", + "The gift state has been deleted": "Stan prezentu został usunięty", "The gift state has been updated": "Stan prezentu został zaktualizowany", "The given data was invalid.": "Podane dane były nieprawidłowe.", - "The goal has been created": "Cel został utworzony", + "The goal has been created": "Cel został stworzony", "The goal has been deleted": "Cel został usunięty", - "The goal has been edited": "Cel został zmieniony", + "The goal has been edited": "Cel został edytowany", "The group has been added": "Grupa została dodana", "The group has been deleted": "Grupa została usunięta", "The group has been updated": "Grupa została zaktualizowana", @@ -959,73 +958,73 @@ "The group type has been updated": "Typ grupy został zaktualizowany", "The important dates in the next 12 months": "Ważne daty w ciągu najbliższych 12 miesięcy", "The job information has been saved": "Informacje o zadaniu zostały zapisane", - "The journal lets you document your life with your own words.": "Dziennik pozwala udokumentować swoje życie własnymi słowami.", - "The keys to manage uploads have not been set in this Monica instance.": "Klucze do zarządzania przesyłaniem nie zostały ustawione w tej instancji Moniki.", + "The journal lets you document your life with your own words.": "Dziennik pozwala dokumentować swoje życie własnymi słowami.", + "The keys to manage uploads have not been set in this Monica instance.": "W tej instancji Monica nie ustawiono kluczy do zarządzania przesyłaniem.", "The label has been added": "Etykieta została dodana", "The label has been created": "Etykieta została utworzona", "The label has been deleted": "Etykieta została usunięta", "The label has been updated": "Etykieta została zaktualizowana", - "The life metric has been created": "Metryka życia została stworzona", + "The life metric has been created": "Utworzono miernik życia", "The life metric has been deleted": "Metryka życia została usunięta", "The life metric has been updated": "Wskaźnik życia został zaktualizowany", "The loan has been created": "Pożyczka została utworzona", "The loan has been deleted": "Pożyczka została usunięta", - "The loan has been edited": "Pożyczka została zmodyfikowana", - "The loan has been settled": "Kredyt został uregulowany", + "The loan has been edited": "Pożyczka została poprawiona", + "The loan has been settled": "Pożyczka została uregulowana", "The loan is an object": "Pożyczka jest przedmiotem", - "The loan is monetary": "Pożyczka jest pieniężna", + "The loan is monetary": "Pożyczka ma charakter pieniężny", "The module has been added": "Moduł został dodany", "The module has been removed": "Moduł został usunięty", "The note has been created": "Notatka została utworzona", "The note has been deleted": "Notatka została usunięta", - "The note has been edited": "Notatka została zredagowana", + "The note has been edited": "Notatka została poprawiona", "The notification has been sent": "Powiadomienie zostało wysłane", "The operation either timed out or was not allowed.": "Operacja przekroczyła limit czasu lub nie została dozwolona.", "The page has been added": "Strona została dodana", "The page has been deleted": "Strona została usunięta", "The page has been updated": "Strona została zaktualizowana", - "The password is incorrect.": "Hasło jest błędne.", - "The pet category has been created": "Kategoria zwierząt została utworzona", - "The pet category has been deleted": "Kategoria zwierząt została usunięta", - "The pet category has been updated": "Kategoria zwierząt została zaktualizowana", - "The pet has been added": "Zwierzak został dodany", + "The password is incorrect.": "Hasło jest nieprawidłowe.", + "The pet category has been created": "Kategoria zwierząt domowych została utworzona", + "The pet category has been deleted": "Kategoria zwierzaka została usunięta", + "The pet category has been updated": "Kategoria zwierzaka została zaktualizowana", + "The pet has been added": "Zwierzę zostało dodane", "The pet has been deleted": "Zwierzę zostało usunięte", "The pet has been edited": "Zwierzę zostało edytowane", "The photo has been added": "Zdjęcie zostało dodane", "The photo has been deleted": "Zdjęcie zostało usunięte", "The position has been saved": "Pozycja została zapisana", "The post template has been created": "Szablon postu został utworzony", - "The post template has been deleted": "Szablon posta został usunięty", - "The post template has been updated": "Szablon posta został zaktualizowany", + "The post template has been deleted": "Szablon postu został usunięty", + "The post template has been updated": "Szablon postu został zaktualizowany", "The pronoun has been created": "Zaimek został utworzony", "The pronoun has been deleted": "Zaimek został usunięty", "The pronoun has been updated": "Zaimek został zaktualizowany", - "The provided password does not match your current password.": "Podane hasło nie jest zgodne z bieżącym hasłem.", - "The provided password was incorrect.": "Podane hasło było nieprawidłowe.", - "The provided two factor authentication code was invalid.": "Podany kod uwierzytelniania dwuskładnikowego był nieprawidłowy.", + "The provided password does not match your current password.": "Podane hasło nie jest zgodne z aktualnym hasłem.", + "The provided password was incorrect.": "Podane hasło jest nieprawidłowe.", + "The provided two factor authentication code was invalid.": "Podany kod uwierzytelniania dwuskładnikowego jest nieprawidłowy.", "The provided two factor recovery code was invalid.": "Podany dwuskładnikowy kod odzyskiwania był nieprawidłowy.", "There are no active addresses yet.": "Nie ma jeszcze aktywnych adresów.", - "There are no calls logged yet.": "Nie ma jeszcze zarejestrowanych połączeń.", + "There are no calls logged yet.": "Nie zarejestrowano jeszcze żadnych połączeń.", "There are no contact information yet.": "Nie ma jeszcze informacji kontaktowych.", "There are no documents yet.": "Nie ma jeszcze żadnych dokumentów.", - "There are no events on that day, future or past.": "W tym dniu nie ma żadnych wydarzeń, przyszłych ani przeszłych.", + "There are no events on that day, future or past.": "W tym dniu nie ma żadnych wydarzeń, ani przyszłych, ani przeszłych.", "There are no files yet.": "Nie ma jeszcze żadnych plików.", "There are no goals yet.": "Nie ma jeszcze żadnych celów.", - "There are no journal metrics.": "Nie ma metryk dziennika.", - "There are no loans yet.": "Nie ma jeszcze kredytów.", + "There are no journal metrics.": "Nie ma żadnych wskaźników dziennika.", + "There are no loans yet.": "Nie ma jeszcze żadnych pożyczek.", "There are no notes yet.": "Nie ma jeszcze żadnych notatek.", - "There are no other users in this account.": "Nie ma innych użytkowników na tym koncie.", - "There are no pets yet.": "Nie ma jeszcze zwierząt.", + "There are no other users in this account.": "Na tym koncie nie ma innych użytkowników.", + "There are no pets yet.": "Nie ma jeszcze żadnych zwierząt.", "There are no photos yet.": "Nie ma jeszcze żadnych zdjęć.", "There are no posts yet.": "Nie ma jeszcze żadnych postów.", - "There are no quick facts here yet.": "Nie ma tu jeszcze szybkich faktów.", - "There are no relationships yet.": "Nie ma jeszcze żadnych związków.", + "There are no quick facts here yet.": "Nie ma tu jeszcze żadnych szybkich faktów.", + "There are no relationships yet.": "Nie ma jeszcze żadnych relacji.", "There are no reminders yet.": "Nie ma jeszcze żadnych przypomnień.", "There are no tasks yet.": "Nie ma jeszcze żadnych zadań.", "There are no templates in the account. Go to the account settings to create one.": "Na koncie nie ma żadnych szablonów. Przejdź do ustawień konta, aby je utworzyć.", "There is no activity yet.": "Nie ma jeszcze żadnej aktywności.", "There is no currencies in this account.": "Na tym koncie nie ma walut.", - "The relationship has been added": "Relacja została dodana", + "The relationship has been added": "Dodano relację", "The relationship has been deleted": "Relacja została usunięta", "The relationship type has been created": "Typ relacji został utworzony", "The relationship type has been deleted": "Typ relacji został usunięty", @@ -1036,27 +1035,29 @@ "The reminder has been created": "Przypomnienie zostało utworzone", "The reminder has been deleted": "Przypomnienie zostało usunięte", "The reminder has been edited": "Przypomnienie zostało edytowane", + "The response is not a streamed response.": "Odpowiedź nie jest odpowiedzią przesyłaną strumieniowo.", + "The response is not a view.": "Odpowiedź nie jest widokiem.", "The role has been created": "Rola została utworzona", "The role has been deleted": "Rola została usunięta", "The role has been updated": "Rola została zaktualizowana", "The section has been created": "Sekcja została utworzona", "The section has been deleted": "Sekcja została usunięta", "The section has been updated": "Sekcja została zaktualizowana", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Te osoby zostały zaproszone do Twojego zespołu i otrzymały wiadomość e-mail z zaproszeniem. Mogą dołączyć do zespołu, akceptując zaproszenie e-mail.", - "The tag has been added": "Tag został dodany", - "The tag has been created": "Tag został utworzony", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Osoby te zostały zaproszone do Twojego zespołu i został wysłany e-mail z zaproszeniem. Mogą dołączyć do zespołu, akceptując zaproszenie e-mail.", + "The tag has been added": "Znacznik został dodany", + "The tag has been created": "Znacznik został utworzony", "The tag has been deleted": "Znacznik został usunięty", "The tag has been updated": "Tag został zaktualizowany", "The task has been created": "Zadanie zostało utworzone", "The task has been deleted": "Zadanie zostało usunięte", "The task has been edited": "Zadanie zostało edytowane", "The team's name and owner information.": "Nazwa zespołu i informacje o właścicielu.", - "The Telegram channel has been deleted": "Kanał telegramu został usunięty", + "The Telegram channel has been deleted": "Kanał Telegramu został usunięty", "The template has been created": "Szablon został utworzony", "The template has been deleted": "Szablon został usunięty", "The template has been set": "Szablon został ustawiony", "The template has been updated": "Szablon został zaktualizowany", - "The test email has been sent": "E-mail testowy został wysłany", + "The test email has been sent": "Testowy e-mail został wysłany", "The type has been created": "Typ został utworzony", "The type has been deleted": "Typ został usunięty", "The type has been updated": "Typ został zaktualizowany", @@ -1067,112 +1068,109 @@ "The vault has been created": "Skarbiec został utworzony", "The vault has been deleted": "Skarbiec został usunięty", "The vault have been updated": "Skarbiec został zaktualizowany", - "they\/them": "oni\/oni", - "This address is not active anymore": "Ten adres nie jest już aktywny", + "they/them": "oni/oni", + "This address is not active anymore": "Adres ten nie jest już aktywny", "This device": "To urządzenie", - "This email is a test email to check if Monica can send an email to this email address.": "Ta wiadomość e-mail jest wiadomością testową, aby sprawdzić, czy Monika może wysłać wiadomość e-mail na ten adres e-mail.", - "This is a secure area of the application. Please confirm your password before continuing.": "Jest to bezpieczny obszar aplikacji. Przed kontynuowaniem potwierdź hasło.", + "This email is a test email to check if Monica can send an email to this email address.": "Ten e-mail jest wiadomością testową mającą na celu sprawdzenie, czy Monica może wysłać wiadomość na ten adres e-mail.", + "This is a secure area of the application. Please confirm your password before continuing.": "To jest bezpieczny obszar aplikacji. Proszę potwierdzić hasło, aby kontynuować.", "This is a test email": "To jest e-mail testowy", - "This is a test notification for :name": "To jest powiadomienie testowe dla :name", - "This key is already registered. It’s not necessary to register it again.": "Ten klucz jest już zarejestrowany. Nie ma potrzeby ponownej rejestracji.", + "This is a test notification for :name": "To jest powiadomienie testowe dla: :name", + "This key is already registered. It’s not necessary to register it again.": "Ten klucz jest już zarejestrowany. Nie jest konieczna ponowna rejestracja.", "This link will open in a new tab": "Ten link otworzy się w nowej karcie", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Ta strona pokazuje wszystkie powiadomienia, które zostały wysłane w tym kanale w przeszłości. Służy przede wszystkim do debugowania w przypadku, gdy nie otrzymasz skonfigurowanego powiadomienia.", - "This password does not match our records.": "To hasło nie pasuje do naszych danych.", - "This password reset link will expire in :count minutes.": "To łącze do resetowania hasła wygaśnie za :count minut.", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Na tej stronie wyświetlane są wszystkie powiadomienia wysłane w przeszłości na ten kanał. Służy przede wszystkim jako sposób na debugowanie w przypadku, gdy nie otrzymasz skonfigurowanego powiadomienia.", + "This password does not match our records.": "To hasło nie pasuje do naszych kronik.", + "This password reset link will expire in :count minutes.": "Link do resetowania hasła wygaśnie za :count minut.", "This post has no content yet.": "Ten post nie ma jeszcze treści.", "This provider is already associated with another account": "Ten dostawca jest już powiązany z innym kontem", - "This site is open source.": "Ta strona jest open source.", - "This template will define what information are displayed on a contact page.": "Ten szablon określi, jakie informacje są wyświetlane na stronie kontaktowej.", - "This user already belongs to the team.": "Ten użytkownik należy już do zespołu.", + "This site is open source.": "Ta witryna jest oprogramowaniem typu open source.", + "This template will define what information are displayed on a contact page.": "Ten szablon określa, jakie informacje będą wyświetlane na stronie kontaktowej.", + "This user already belongs to the team.": "Ten użytkownik jest już w zespole.", "This user has already been invited to the team.": "Ten użytkownik został już zaproszony do zespołu.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Ten użytkownik będzie częścią Twojego konta, ale nie uzyska dostępu do wszystkich skarbców na tym koncie, chyba że przyznasz im określony dostęp. Ta osoba będzie mogła również tworzyć skarbce.", - "This will immediately:": "To natychmiast:", - "Three things that happened today": "Trzy rzeczy, które się dzisiaj wydarzyły", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Ten użytkownik będzie częścią Twojego konta, ale nie uzyska dostępu do wszystkich skarbców na tym koncie, chyba że zapewnisz im określony dostęp. Osoba ta będzie mogła również tworzyć skarbce.", + "This will immediately:": "Spowoduje to natychmiastowe:", + "Three things that happened today": "Trzy rzeczy, które wydarzyły się dzisiaj", "Thursday": "Czwartek", "Timezone": "Strefa czasowa", "Title": "Tytuł", - "to": "Do", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Aby zakończyć włączanie uwierzytelniania dwuskładnikowego, zeskanuj następujący kod QR za pomocą aplikacji uwierzytelniającej w telefonie lub wprowadź klucz konfiguracji i podaj wygenerowany kod OTP.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Aby zakończyć włączanie uwierzytelniania dwuskładnikowego, zeskanuj następujący kod QR za pomocą aplikacji uwierzytelniającej w telefonie lub wprowadź klucz konfiguracji i podaj wygenerowany kod OTP.", + "to": "do", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Aby zakończyć włączenie uwierzytelniania dwuskładnikowego, zeskanuj poniższy kod QR za pomocą aplikacji uwierzytelniającej w telefonie lub wprowadź klucz ustawień i podaj wygenerowany kod OTP.", "Toggle navigation": "Przełącz nawigację", "To hear their story": "Aby usłyszeć ich historię", - "Token Name": "Nazwa tokena", + "Token Name": "Nazwa Tokena", "Token name (for your reference only)": "Nazwa tokena (tylko w celach informacyjnych)", "Took a new job": "Podjąłem nową pracę", "Took the bus": "Pojechałem autobusem", "Took the metro": "Pojechałem metrem", - "Too Many Requests": "Zbyt dużo próśb", + "Too Many Requests": "Zbyt Dużo Zapytań", "To see if they need anything": "Żeby zobaczyć, czy czegoś nie potrzebują", "To start, you need to create a vault.": "Aby rozpocząć, musisz utworzyć skarbiec.", "Total:": "Całkowity:", "Total streaks": "Totalne smugi", - "Track a new metric": "Śledź nowe dane", + "Track a new metric": "Śledź nowy wskaźnik", "Transportation": "Transport", "Tuesday": "Wtorek", - "Two-factor Confirmation": "Potwierdzenie dwuetapowe", - "Two Factor Authentication": "Uwierzytelnianie dwuetapowe", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Uwierzytelnianie dwuskładnikowe jest teraz włączone. Zeskanuj poniższy kod QR za pomocą aplikacji uwierzytelniającej w telefonie lub wprowadź klucz konfiguracji.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Uwierzytelnianie dwuskładnikowe jest teraz włączone. Zeskanuj poniższy kod QR za pomocą aplikacji uwierzytelniającej w telefonie lub wprowadź klucz konfiguracji.", + "Two-factor Confirmation": "Potwierdzenie dwuczynnikowe", + "Two Factor Authentication": "Uwierzytelnianie Dwuskładnikowe", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Uwierzytelnianie dwuskładnikowe jest teraz aktywne. Zeskanuj poniższy kod QR za pomocą aplikacji uwierzytelniającej w telefonie lub wprowadź klucz ustawień.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Uwierzytelnianie dwuskładnikowe jest teraz włączone. Zeskanuj poniższy kod QR za pomocą aplikacji uwierzytelniającej w telefonie lub wprowadź klucz konfiguracyjny.", "Type": "Typ", "Type:": "Typ:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Wpisz cokolwiek w konwersacji z botem Monica. Może to być na przykład „start”.", - "Types": "typy", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Wpisz cokolwiek w rozmowie z botem Monica. Może to być na przykład „start”.", + "Types": "Typy", "Type something": "Napisz coś", - "Unarchive contact": "Cofnij archiwizację kontaktu", - "unarchived the contact": "cofnięto archiwizację kontaktu", - "Unauthorized": "Nieautoryzowany", - "uncle\/aunt": "Wujek ciocia", + "Unarchive contact": "Zarchiwizuj kontakt", + "unarchived the contact": "rozarchiwizowano kontakt", + "Unauthorized": "Nieautoryzowany Dostęp", + "uncle/aunt": "Wujek/ciocia", "Undefined": "Nieokreślony", "Unexpected error on login.": "Nieoczekiwany błąd podczas logowania.", - "Unknown": "Nieznany", - "unknown action": "nieznana akcja", + "Unknown": "Nieznane", + "unknown action": "nieznane działanie", "Unknown age": "Nieznany wiek", - "Unknown contact name": "Nieznana nazwa kontaktu", "Unknown name": "Nieznane imię", "Update": "Aktualizacja", "Update a key.": "Zaktualizuj klucz.", - "updated a contact information": "zaktualizował dane kontaktowe", - "updated a goal": "zaktualizowano cel", - "updated an address": "zaktualizował adres", - "updated an important date": "zaktualizował ważną datę", - "updated a pet": "zaktualizował zwierzaka", - "Updated on :date": "Zaktualizowano: data", - "updated the avatar of the contact": "zaktualizował awatar kontaktu", - "updated the contact information": "zaktualizował dane kontaktowe", - "updated the job information": "zaktualizował informacje o pracy", + "updated a contact information": "zaktualizował(a) dane kontaktowe", + "updated a goal": "zaktualizował cel", + "updated an address": "zaktualizowałem adres", + "updated an important date": "zaktualizowałem ważną datę", + "updated a pet": "zaktualizowałem zwierzaka", + "Updated on :date": "Zaktualizowano :date", + "updated the avatar of the contact": "zaktualizowałem awatar kontaktu", + "updated the contact information": "zaktualizowałem dane kontaktowe", + "updated the job information": "zaktualizowałem informacje o ofertach pracy", "updated the religion": "zaktualizował religię", - "Update Password": "Aktualizować hasło", + "Update Password": "Zaktualizuj Hasło", "Update your account's profile information and email address.": "Zaktualizuj informacje profilowe i adres e-mail swojego konta.", - "Update your account’s profile information and email address.": "Zaktualizuj informacje profilowe i adres e-mail swojego konta.", "Upload photo as avatar": "Prześlij zdjęcie jako awatar", "Use": "Używać", "Use an authentication code": "Użyj kodu uwierzytelniającego", "Use a recovery code": "Użyj kodu odzyskiwania", - "Use a security key (Webauthn, or FIDO) to increase your account security.": "Użyj klucza bezpieczeństwa (Webauthn lub FIDO), aby zwiększyć bezpieczeństwo konta.", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "Użyj klucza bezpieczeństwa (Webauthn lub FIDO), aby zwiększyć bezpieczeństwo swojego konta.", "User preferences": "Preferencje użytkownika", "Users": "Użytkownicy", "User settings": "Ustawienia użytkownika", "Use the following template for this contact": "Użyj poniższego szablonu dla tego kontaktu", "Use your password": "Użyj swojego hasła", "Use your security key": "Użyj klucza bezpieczeństwa", - "Validating key…": "Walidacja klucza…", + "Validating key…": "Sprawdzam klucz…", "Value copied into your clipboard": "Wartość skopiowana do schowka", "Vaults contain all your contacts data.": "Skarbce zawierają wszystkie dane Twoich kontaktów.", "Vault settings": "Ustawienia skarbca", - "ve\/ver": "i dać", + "ve/ver": "ve/ver", "Verification email sent": "E-mail weryfikacyjny został wysłany", "Verified": "Zweryfikowano", - "Verify Email Address": "Zweryfikuj adres e-mail", + "Verify Email Address": "Zweryfikuj Adres E-mail", "Verify this email address": "Zweryfikuj ten adres e-mail", "Version :version — commit [:short](:url).": "Wersja :version — zatwierdzenie [:short](:url).", - "Via Telegram": "Przez Telegram", + "Via Telegram": "Za pośrednictwem telegramu", "Video call": "Wideo rozmowa", "View": "Pogląd", "View all": "Pokaż wszystkie", "View details": "Pokaż szczegóły", "Viewer": "Widz", "View history": "Zobacz historię", - "View log": "Wyświetl dziennik", + "View log": "Zobacz dziennik", "View on map": "Zobacz na mapie", "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Poczekaj kilka sekund, aż Monica (aplikacja) Cię rozpozna. Wyślemy Ci fałszywe powiadomienie, aby sprawdzić, czy to działa.", "Waiting for key…": "Czekam na klucz…", @@ -1182,103 +1180,104 @@ "Watched a movie": "Obejrzałem film", "Watched a tv show": "Oglądałem program telewizyjny", "Watched TV": "Oglądać telewizję", - "Watch Netflix every day": "Oglądaj codziennie Netflixa", + "Watch Netflix every day": "Oglądaj Netflix codziennie", "Ways to connect": "Sposoby łączenia", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn obsługuje tylko bezpieczne połączenia. Proszę załadować tę stronę ze schematem https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Nazywamy je relacją i jej relacją odwrotną. Dla każdej definiowanej relacji należy zdefiniować jej odpowiednik.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Nazywamy je relacją i jej odwrotną relacją. Dla każdej zdefiniowanej relacji należy zdefiniować jej odpowiednik.", "Wedding": "Ślub", "Wednesday": "Środa", "We hope you'll like it.": "Mamy nadzieję, że Ci się spodoba.", "We hope you will like what we’ve done.": "Mamy nadzieję, że spodoba Ci się to, co zrobiliśmy.", - "Welcome to Monica.": "Zapraszam do Moniki.", + "Welcome to Monica.": "Witamy w mieście Monica.", "Went to a bar": "Poszedłem do baru", - "We support Markdown to format the text (bold, lists, headings, etc…).": "Obsługujemy Markdown w celu sformatowania tekstu (pogrubienie, listy, nagłówki itp.).", - "We were unable to find a registered user with this email address.": "Nie mogliśmy znaleźć zarejestrowanego użytkownika o tym adresie e-mail.", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Na ten adres wyślemy wiadomość e-mail, którą musisz potwierdzić, zanim będziemy mogli wysyłać powiadomienia na ten adres.", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Obsługujemy Markdown w celu formatowania tekstu (pogrubienie, listy, nagłówki itp.).", + "We were unable to find a registered user with this email address.": "Nie udało nam się znaleźć zarejestrowanego użytkownika z tym adresem e-mail.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Na ten adres e-mail wyślemy wiadomość e-mail, którą należy potwierdzić, zanim będziemy mogli wysyłać powiadomienia na ten adres.", "What happens now?": "Co się teraz stanie?", "What is the loan?": "Jaka jest pożyczka?", - "What permission should :name have?": "Jakie uprawnienia powinien mieć :imię?", - "What permission should the user have?": "Jakie uprawnienia powinien mieć użytkownik?", + "What permission should :name have?": "Jakie uprawnienia powinien mieć :name?", + "What permission should the user have?": "Jakie uprawnienia powinien posiadać użytkownik?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "Czego powinniśmy używać do wyświetlania map?", - "What would make today great?": "Co uczyniłoby dzisiejszy dzień wspaniałym?", - "When did the call happened?": "Kiedy doszło do wezwania?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Gdy włączone jest uwierzytelnianie dwuskładnikowe, podczas uwierzytelniania zostaniesz poproszony o podanie bezpiecznego, losowego tokena. Możesz pobrać ten token z aplikacji Google Authenticator w telefonie.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Gdy włączone jest uwierzytelnianie dwuskładnikowe, podczas uwierzytelniania zostaniesz poproszony o podanie bezpiecznego, losowego tokena. Możesz pobrać ten token z aplikacji Authenticator w telefonie.", - "When was the loan made?": "Kiedy została udzielona pożyczka?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Kiedy zdefiniujesz relację między dwoma kontaktami, na przykład relację ojciec-syn, Monica tworzy dwie relacje, po jednej dla każdego kontaktu:", + "What would make today great?": "Co sprawi, że dzisiejszy dzień będzie wspaniały?", + "When did the call happened?": "Kiedy doszło do połączenia?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Gdy włączone jest uwierzytelnianie dwuskładnikowe, podczas uwierzytelniania zostanie wyświetlony monit o podanie bezpiecznego, losowego tokena. Możesz pobrać ten token z aplikacji Google Authenticator w telefonie.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Gdy włączone jest uwierzytelnianie dwuskładnikowe, podczas uwierzytelniania zostaniesz poproszony o podanie bezpiecznego, losowego tokena. Możesz pobrać ten token z aplikacji Authenticator na swoim telefonie.", + "When was the loan made?": "Kiedy pożyczka została zaciągnięta?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Kiedy definiujesz relację pomiędzy dwoma kontaktami, na przykład relację ojciec-syn, Monica tworzy dwie relacje, po jednej dla każdego kontaktu:", "Which email address should we send the notification to?": "Na jaki adres e-mail mamy wysłać powiadomienie?", "Who called?": "Kto dzwonił?", "Who makes the loan?": "Kto udziela pożyczki?", "Whoops!": "Ups!", "Whoops! Something went wrong.": "Ups! Coś poszło nie tak.", - "Who should we invite in this vault?": "Kogo powinniśmy zaprosić do tego skarbca?", + "Who should we invite in this vault?": "Kogo mamy zaprosić do tego skarbca?", "Who the loan is for?": "Dla kogo przeznaczona jest pożyczka?", "Wish good day": "Życzę miłego dnia", "Work": "Praca", - "Write the amount with a dot if you need decimals, like 100.50": "Wpisz kwotę kropką, jeśli potrzebujesz ułamków dziesiętnych, na przykład 100,50", + "Write the amount with a dot if you need decimals, like 100.50": "Jeśli potrzebujesz miejsc po przecinku, na przykład 100,50, wpisz kwotę z kropką", "Written on": "Napisane na", "wrote a note": "napisał notatkę", - "xe\/xem": "samochód\/widok", + "xe/xem": "xe/xem", "year": "rok", "Years": "Lata", "You are here:": "Jesteś tutaj:", - "You are invited to join Monica": "Zapraszam do Moniki", - "You are receiving this email because we received a password reset request for your account.": "Otrzymujesz tę wiadomość e-mail, ponieważ otrzymaliśmy prośbę o zresetowanie hasła do Twojego konta.", - "you can't even use your current username or password to sign in,": "nie możesz nawet użyć swojej aktualnej nazwy użytkownika lub hasła do zalogowania się,", - "you can't import any data from your current Monica account(yet),": "nie możesz zaimportować żadnych danych z obecnego konta Moniki (jeszcze),", + "You are invited to join Monica": "Zapraszam Cię do Monica", + "You are receiving this email because we received a password reset request for your account.": "Otrzymujesz ten e-mail, ponieważ otrzymaliśmy prośbę o zresetowanie hasła dla Twojego konta.", + "you can't even use your current username or password to sign in,": "nie możesz nawet użyć swojej obecnej nazwy użytkownika ani hasła, aby się zalogować,", + "you can't import any data from your current Monica account(yet),": "nie możesz (jeszcze) zaimportować żadnych danych z obecnego konta Monica,", "You can add job information to your contacts and manage the companies here in this tab.": "W tej zakładce możesz dodawać informacje o ofertach pracy do swoich kontaktów i zarządzać firmami.", - "You can add more account to log in to our service with one click.": "Możesz dodać więcej kont, aby logować się do naszego serwisu jednym kliknięciem.", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Możesz otrzymywać powiadomienia za pośrednictwem różnych kanałów: e-maili, wiadomości na Telegramie, na Facebooku. Ty decydujesz.", + "You can add more account to log in to our service with one click.": "Możesz dodać kolejne konta, aby jednym kliknięciem zalogować się do naszego serwisu.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Możesz otrzymywać powiadomienia różnymi kanałami: e-mailem, wiadomością Telegram, na Facebooku. Ty decydujesz.", "You can change that at any time.": "Możesz to zmienić w dowolnym momencie.", - "You can choose how you want Monica to display dates in the application.": "Możesz wybrać, w jaki sposób chcesz, aby Monika wyświetlała daty w aplikacji.", + "You can choose how you want Monica to display dates in the application.": "Możesz wybrać, w jaki sposób Monica ma wyświetlać daty w aplikacji.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Możesz wybrać, które waluty mają być włączone na Twoim koncie, a które nie.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Możesz dostosować sposób wyświetlania kontaktów zgodnie z własnym gustem\/kulturą. Być może chciałbyś użyć Jamesa Bonda zamiast Bonda Jamesa. Tutaj możesz go dowolnie zdefiniować.", - "You can customize the criteria that let you track your mood.": "Możesz dostosować kryteria, które pozwolą Ci śledzić Twój nastrój.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Możesz przenosić kontakty między skarbcami. Ta zmiana jest natychmiastowa. Możesz przenosić kontakty tylko do skarbców, których jesteś częścią. Wszystkie dane kontaktów zostaną przeniesione wraz z nim.", - "You cannot remove your own administrator privilege.": "Nie możesz usunąć własnych uprawnień administratora.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Możesz dostosować sposób wyświetlania kontaktów zgodnie z własnym gustem/kulturą. Być może zamiast Bonda Jamesa chciałbyś użyć Jamesa Bonda. Tutaj możesz to dowolnie zdefiniować.", + "You can customize the criteria that let you track your mood.": "Możesz dostosować kryteria, które pozwolą Ci śledzić swój nastrój.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Możesz przenosić kontakty pomiędzy skarbcami. Ta zmiana jest natychmiastowa. Kontakty możesz przenosić tylko do skarbców, których jesteś częścią. Wszystkie dane kontaktów zostaną przeniesione wraz z nim.", + "You cannot remove your own administrator privilege.": "Nie można usunąć własnych uprawnień administratora.", "You don’t have enough space left in your account.": "Nie masz wystarczającej ilości miejsca na koncie.", - "You don’t have enough space left in your account. Please upgrade.": "Nie masz wystarczającej ilości miejsca na koncie. Uaktualnij.", - "You have been invited to join the :team team!": "Zostałeś zaproszony do dołączenia do zespołu :team!", - "You have enabled two factor authentication.": "Włączyłeś uwierzytelnianie dwuskładnikowe.", - "You have not enabled two factor authentication.": "Nie włączyłeś uwierzytelniania dwuskładnikowego.", + "You don’t have enough space left in your account. Please upgrade.": "Nie masz wystarczającej ilości miejsca na koncie. Proszę uaktualnić.", + "You have been invited to join the :team team!": "Zostałeś zaproszony do zespołu :team!", + "You have enabled two factor authentication.": "Włączono uwierzytelnienie dwuskładnikowe.", + "You have not enabled two factor authentication.": "Nie włączono uwierzytelniania dwuskładnikowego.", "You have not setup Telegram in your environment variables yet.": "Nie skonfigurowałeś jeszcze Telegramu w zmiennych środowiskowych.", - "You haven’t received a notification in this channel yet.": "Nie otrzymałeś jeszcze powiadomienia z tego kanału.", - "You haven’t setup Telegram yet.": "Telegram nie został jeszcze skonfigurowany.", + "You haven’t received a notification in this channel yet.": "Nie otrzymałeś jeszcze powiadomienia na tym kanale.", + "You haven’t setup Telegram yet.": "Nie skonfigurowałeś jeszcze Telegramu.", "You may accept this invitation by clicking the button below:": "Możesz zaakceptować to zaproszenie, klikając poniższy przycisk:", - "You may delete any of your existing tokens if they are no longer needed.": "Możesz usunąć dowolne istniejące tokeny, jeśli nie są już potrzebne.", + "You may delete any of your existing tokens if they are no longer needed.": "Możesz usunąć niektóre z istniejących tokenów, jeżeli nie są już potrzebne.", "You may not delete your personal team.": "Nie możesz usunąć swojego osobistego zespołu.", - "You may not leave a team that you created.": "Nie możesz opuścić utworzonego przez siebie zespołu.", - "You might need to reload the page to see the changes.": "Może być konieczne ponowne załadowanie strony, aby zobaczyć zmiany.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Aby wyświetlić kontakty, potrzebujesz co najmniej jednego szablonu. Bez szablonu Monika nie będzie wiedziała, jakie informacje powinien wyświetlać.", + "You may not leave a team that you created.": "Nie możesz opuścić zespołu, który stworzyłeś", + "You might need to reload the page to see the changes.": "Aby zobaczyć zmiany, może być konieczne ponowne załadowanie strony.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Aby wyświetlić kontakty, potrzebujesz co najmniej jednego szablonu. Bez szablonu Monica nie będzie wiedziała, jakie informacje ma wyświetlić.", "Your account current usage": "Bieżące wykorzystanie Twojego konta", "Your account has been created": "Twoje konto zostało utworzone", "Your account is linked": "Twoje konto jest połączone", - "Your account limits": "Twoje limity konta", + "Your account limits": "Limity Twojego konta", "Your account will be closed immediately,": "Twoje konto zostanie natychmiast zamknięte,", "Your browser doesn’t currently support WebAuthn.": "Twoja przeglądarka obecnie nie obsługuje WebAuthn.", "Your email address is unverified.": "Twój adres e-mail jest niezweryfikowany.", - "Your life events": "Twoje wydarzenia z życia", + "Your life events": "Twoje wydarzenia życiowe", "Your mood has been recorded!": "Twój nastrój został zarejestrowany!", "Your mood that day": "Twój nastrój tego dnia", - "Your mood that you logged at this date": "Twój nastrój, który zarejestrowałeś w tym dniu", + "Your mood that you logged at this date": "Twój nastrój zarejestrowany w tym dniu", "Your mood this year": "Twój nastrój w tym roku", - "Your name here will be used to add yourself as a contact.": "Twoje imię i nazwisko zostanie użyte do dodania siebie jako kontaktu.", - "You wanted to be reminded of the following:": "Chciałeś otrzymać przypomnienie o następujących kwestiach:", - "You WILL still have to delete your account on Monica or OfficeLife.": "Nadal BĘDZIESZ musiał usunąć swoje konto w Monica lub OfficeLife.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Zaproszono Cię do korzystania z tego adresu e-mail w Monice, osobistym systemie CRM typu open source, abyśmy mogli używać go do wysyłania Ci powiadomień.", - "ze\/hir": "do niej", + "Your name here will be used to add yourself as a contact.": "Twoje imię i nazwisko zostanie użyte, aby dodać Cię jako kontakt.", + "You wanted to be reminded of the following:": "Chciałeś przypomnieć sobie następujące kwestie:", + "You WILL still have to delete your account on Monica or OfficeLife.": "Nadal będziesz musiał usunąć swoje konto w Monica lub OfficeLife.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Zostałeś zaproszony do korzystania z tego adresu e-mail w Monica, osobistym systemie CRM typu open source, abyśmy mogli go używać do wysyłania Ci powiadomień.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Strefa zagrożenia", "🌳 Chalet": "🌳 Chata", "🏠 Secondary residence": "🏠 Drugie miejsce zamieszkania", "🏡 Home": "🏡 Dom", - "🏢 Work": "🏢 Praca", + "🏢 Work": "🏢 Pracuj", "🔔 Reminder: :label for :contactName": "🔔 Przypomnienie: :label dla :contactName", "😀 Good": "😀 Dobrze", - "😁 Positive": "😁 Pozytywnie", + "😁 Positive": "😁 Pozytywne", "😐 Meh": "😐 Meh", - "😔 Bad": "😔 Źle", + "😔 Bad": "😔 Złe", "😡 Negative": "😡 Negatywny", - "😩 Awful": "😩 Okropne", + "😩 Awful": "😩 Straszne", "😶‍🌫️ Neutral": "😶‍🌫️ Neutralny", - "🥳 Awesome": "🥳 Niesamowite" + "🥳 Awesome": "🥳 Świetne" } \ No newline at end of file diff --git a/lang/pl/pagination.php b/lang/pl/pagination.php index 80eaae15fd6..d2c0c409de5 100644 --- a/lang/pl/pagination.php +++ b/lang/pl/pagination.php @@ -1,6 +1,6 @@ 'Następna »', - 'previous' => '« Poprzednia', + 'next' => 'Następna ❯', + 'previous' => '❮ Poprzednia', ]; diff --git a/lang/pl/validation.php b/lang/pl/validation.php index 4e16f4aeeb2..8d30ebe7019 100644 --- a/lang/pl/validation.php +++ b/lang/pl/validation.php @@ -93,6 +93,7 @@ 'string' => 'Pole :attribute musi zawierać się w granicach :min - :max znaków.', ], 'boolean' => 'Pole :attribute musi mieć wartość logiczną prawda albo fałsz.', + 'can' => 'Pole :attribute zawiera nieautoryzowaną wartość.', 'confirmed' => 'Potwierdzenie pola :attribute nie zgadza się.', 'current_password' => 'Hasło jest nieprawidłowe.', 'date' => 'Pole :attribute nie jest prawidłową datą.', diff --git a/lang/pt.json b/lang/pt.json index 891c7ff9da1..fc7a4dc6c55 100644 --- a/lang/pt.json +++ b/lang/pt.json @@ -11,90 +11,90 @@ "+ add reason": "+ adicionar motivo", "+ add summary": "+ adicionar resumo", "+ add title": "+ adicionar título", - "+ change date": "+ mudar data", - "+ change template": "+ mudar modelo", + "+ change date": "+ alterar data", + "+ change template": "+ alterar modelo", "+ create a group": "+ criar um grupo", "+ gender": "+ gênero", "+ last name": "+ sobrenome", - "+ maiden name": "+ sobrenome de solteira", - "+ middle name": "+ segundo nome", + "+ maiden name": "+ nome de solteira", + "+ middle name": "+ nome do meio", "+ nickname": "+ apelido", "+ note": "+ nota", "+ number of hours slept": "+ número de horas dormidas", "+ prefix": "+ prefixo", "+ pronoun": "+ pronome", "+ suffix": "+ sufixo", - ":count contact|:count contacts": ":contagem contato|:contagem contatos", - ":count hour slept|:count hours slept": ":contagem hora dormida|:contagem horas dormidas", - ":count min read": ":contagem min de leitura", - ":count post|:count posts": ":contagem post|:contagem posts", - ":count template section|:count template sections": ":contagem seção do modelo|:contagem seções do modelo", - ":count word|:count words": ":contagem palavra|:contagem palavras", + ":count contact|:count contacts": ":count contato|:count contatos", + ":count hour slept|:count hours slept": ":count hora dormi|:count horas dormidas", + ":count min read": ":count minutos de leitura", + ":count post|:count posts": ":count postagem|:count postagens", + ":count template section|:count template sections": ":count seção de modelo|:count seções de modelo", + ":count word|:count words": ":count palavra|:count palavras", ":distance km": ":distance km", ":distance miles": ":distance milhas", - ":file at line :line": ":arquivo na linha :linha", - ":file in :class at line :line": ":arquivo em :classe na linha :linha", - ":Name called": ":Name ligou", - ":Name called, but I didn’t answer": "Chamada de :name, mas não atendi", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName ti invita a unirti a Monica, un CRM personale open source, progettato per aiutarti a documentare le tue relazioni.", + ":file at line :line": ":file na linha :line", + ":file in :class at line :line": ":file em :class na linha :line", + ":Name called": ":Name chamado", + ":Name called, but I didn’t answer": ":Name ligou, mas eu não atendi", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName convida você para se juntar ao Monica, um CRM pessoal de código aberto, projetado para ajudá-lo a documentar seus relacionamentos.", "Accept Invitation": "Aceitar o Convite", - "Accept invitation and create your account": "Accetta l'invito e crea il tuo account", - "Account and security": "Account e sicurezza", - "Account settings": "Configurações da conta", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Uma informação de contato pode ser clicável. Por exemplo, um número de telefone pode ser clicável e abrir o aplicativo padrão no seu computador. Se você não souber o protocolo para o tipo que está adicionando, pode simplesmente omitir este campo.", + "Accept invitation and create your account": "Aceite o convite e crie sua conta", + "Account and security": "Conta e segurança", + "Account settings": "Configurações de Conta", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "As informações de contato podem ser clicáveis. Por exemplo, um número de telefone pode ser clicável e iniciar o aplicativo padrão em seu computador. Se você não conhece o protocolo do tipo que está adicionando, basta omitir este campo.", "Activate": "Ativar", - "Activity feed": "Feed de atividades", + "Activity feed": "Feed de atividade", "Activity in this vault": "Atividade neste cofre", "Add": "Adicionar", - "add a call reason type": "Adicionar um tipo de motivo da chamada", + "add a call reason type": "adicione um tipo de motivo de chamada", "Add a contact": "Adicionar um contato", - "Add a contact information": "Adicionar informações de contato", - "Add a date": "Adicionar uma data", + "Add a contact information": "Adicione uma informação de contato", + "Add a date": "Adicione uma data", "Add additional security to your account using a security key.": "Adicione segurança adicional à sua conta usando uma chave de segurança.", "Add additional security to your account using two factor authentication.": "Adicione mais segurança à sua conta utilizando autenticação de dois factores.", "Add a document": "Adicionar um documento", - "Add a due date": "Adicionar data de vencimento", + "Add a due date": "Adicione uma data de vencimento", "Add a gender": "Adicionar um gênero", - "Add a gift occasion": "Adicionar uma ocasião de presente", - "Add a gift state": "Adicionar um estado do presente", - "Add a goal": "Adicionar uma meta", - "Add a group type": "Adicionar um tipo de grupo", - "Add a header image": "Adicionar uma imagem de cabeçalho", + "Add a gift occasion": "Adicione uma ocasião para presente", + "Add a gift state": "Adicione um estado de presente", + "Add a goal": "Adicione uma meta", + "Add a group type": "Adicione um tipo de grupo", + "Add a header image": "Adicione uma imagem de cabeçalho", "Add a label": "Adicionar um rótulo", - "Add a life event": "Adicionar um evento da vida", - "Add a life event category": "Adicionar uma categoria de evento de vida", - "add a life event type": "adicionar um tipo de evento de vida", + "Add a life event": "Adicionar um Evento da Vida", + "Add a life event category": "Adicione uma categoria de evento de vida", + "add a life event type": "adicione um tipo de evento de vida", "Add a module": "Adicionar um módulo", "Add an address": "Adicionar um endereço", - "Add an address type": "Adicionar um tipo de endereço", - "Add an email address": "Adicionar um endereço de e-mail", - "Add an email to be notified when a reminder occurs.": "Adicione um e-mail para ser notificado quando um lembrete ocorrer.", + "Add an address type": "Adicione um tipo de endereço", + "Add an email address": "Adicione um endereço de e-mail", + "Add an email to be notified when a reminder occurs.": "Adicione um e-mail para ser notificado quando ocorrer um lembrete.", "Add an entry": "Adicionar uma entrada", "add a new metric": "adicionar uma nova métrica", "Add a new team member to your team, allowing them to collaborate with you.": "Adicione um novo membro à equipa, por forma a que possa colaborar consigo.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Adicione uma data importante para lembrar o que é importante para você sobre essa pessoa, como uma data de nascimento ou falecimento.", - "Add a note": "Adicionar uma nota", - "Add another life event": "Adicionar outro evento da vida", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Adicione uma data importante para lembrar o que é importante para você nessa pessoa, como uma data de nascimento ou de falecimento.", + "Add a note": "Adicione uma anotação", + "Add another life event": "Adicione outro evento de vida", "Add a page": "Adicionar uma página", - "Add a parameter": "Adicionar um parâmetro", - "Add a pet": "Adicionar um animal de estimação", + "Add a parameter": "Adicione um parâmetro", + "Add a pet": "Adicione um animal de estimação", "Add a photo": "Adicionar uma foto", - "Add a photo to a journal entry to see it here.": "Adicione uma foto a uma entrada de jornal para vê-la aqui.", - "Add a post template": "Adicionar um modelo de postagem", - "Add a pronoun": "Adicionar um pronome", - "add a reason": "Adicionar um motivo", + "Add a photo to a journal entry to see it here.": "Adicione uma foto a uma entrada de diário para vê-la aqui.", + "Add a post template": "Adicione um modelo de postagem", + "Add a pronoun": "Adicione um pronome", + "add a reason": "adicione um motivo", "Add a relationship": "Adicionar um relacionamento", - "Add a relationship group type": "Adicionar um tipo de grupo de relacionamento", - "Add a relationship type": "Adicionar um tipo de relacionamento", - "Add a religion": "Adicionar uma religião", + "Add a relationship group type": "Adicione um tipo de grupo de relacionamento", + "Add a relationship type": "Adicione um tipo de relacionamento", + "Add a religion": "Adicione uma religião", "Add a reminder": "Adicionar um lembrete", "add a role": "adicionar uma função", - "add a section": "Adicionar uma seção", - "Add a tag": "Adicionar uma tag", - "Add a task": "Adicionar tarefa", - "Add a template": "Adicionar um modelo", + "add a section": "adicionar uma seção", + "Add a tag": "Adicionar uma etiqueta", + "Add a task": "Adicionar uma tarefa", + "Add a template": "Adicione um modelo", "Add at least one module.": "Adicione pelo menos um módulo.", - "Add a type": "Adicionar um tipo", + "Add a type": "Adicione um tipo", "Add a user": "Adicionar um usuário", "Add a vault": "Adicionar um cofre", "Add date": "Adicionar data", @@ -106,7 +106,7 @@ "added the contact to a group": "adicionou o contato a um grupo", "added the contact to a post": "adicionou o contato a uma postagem", "added the contact to the favorites": "adicionou o contato aos favoritos", - "Add genders to associate them to contacts.": "Adicione gêneros para associá-los a contatos", + "Add genders to associate them to contacts.": "Adicione gêneros para associá-los aos contatos.", "Add loan": "Adicionar empréstimo", "Add one now": "Adicione um agora", "Add photos": "Adicionar fotos", @@ -114,38 +114,38 @@ "Addresses": "Endereços", "Address type": "Tipo de endereço", "Address types": "Tipos de endereço", - "Address types let you classify contact addresses.": "Os tipos de endereço permitem classificar os endereços de contato.", + "Address types let you classify contact addresses.": "Os tipos de endereço permitem classificar endereços de contato.", "Add Team Member": "Adicionar Membro de Equipa", "Add to group": "Adicionar ao grupo", "Administrator": "Administrador", "Administrator users can perform any action.": "Utilizadores com privilégios de Administrador podem executar qualquer acção.", - "a father-son relation shown on the father page,": "uma relação pai-filho mostrada na página do pai,", + "a father-son relation shown on the father page,": "uma relação pai-filho mostrada na página pai,", "after the next occurence of the date.": "após a próxima ocorrência da data.", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Um grupo é duas ou mais pessoas juntas. Pode ser uma família, um agregado familiar, um clube esportivo. O que for importante para você.", - "All contacts in the vault": "Todos os contatos na pasta", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Um grupo é composto por duas ou mais pessoas juntas. Pode ser uma família, uma casa, um clube desportivo. O que for importante para você.", + "All contacts in the vault": "Todos os contatos no cofre", "All files": "Todos os arquivos", - "All groups in the vault": "Todos os grupos no cofre", - "All journal metrics in :name": "Todas as métricas de jornal em :name", + "All groups in the vault": "Todos os grupos no vault", + "All journal metrics in :name": "Todas as métricas do diário em :name", "All of the people that are part of this team.": "Todas as pessoas que fazem parte desta equipa.", "All rights reserved.": "Todos os direitos reservados.", "All tags": "Todas as tags", "All the address types": "Todos os tipos de endereço", - "All the best,": "Tudo de melhor,", + "All the best,": "Tudo de bom,", "All the call reasons": "Todos os motivos da chamada", "All the cities": "Todas as cidades", "All the companies": "Todas as empresas", - "All the contact information types": "Todos os tipos de informação de contato", + "All the contact information types": "Todos os tipos de informações de contato", "All the countries": "Todos os países", "All the currencies": "Todas as moedas", "All the files": "Todos os arquivos", "All the genders": "Todos os gêneros", - "All the gift occasions": "Todas as ocasiões de presentes", - "All the gift states": "Todos os estados do presente", + "All the gift occasions": "Todas as ocasiões de presente", + "All the gift states": "Todos os estados de presente", "All the group types": "Todos os tipos de grupo", "All the important dates": "Todas as datas importantes", - "All the important date types used in the vault": "Todos os tipos de datas importantes usados na caixa forte", + "All the important date types used in the vault": "Todos os tipos de datas importantes usados no vault", "All the journals": "Todos os diários", - "All the labels used in the vault": "Todos os rótulos usados no cofre", + "All the labels used in the vault": "Todos os rótulos usados no vault", "All the notes": "Todas as notas", "All the pet categories": "Todas as categorias de animais de estimação", "All the photos": "Todas as fotos", @@ -154,11 +154,11 @@ "All the relationship types": "Todos os tipos de relacionamento", "All the religions": "Todas as religiões", "All the reports": "Todos os relatórios", - "All the slices of life in :name": "Todos os pedacinhos da vida em :nome", - "All the tags used in the vault": "Todos as tags usadas no cofre", + "All the slices of life in :name": "Todas as fatias da vida em :name", + "All the tags used in the vault": "Todas as tags usadas no vault", "All the templates": "Todos os modelos", "All the vaults": "Todos os cofres", - "All the vaults in the account": "Todos os cofres na conta", + "All the vaults in the account": "Todos os cofres da conta", "All users and vaults will be deleted immediately,": "Todos os usuários e cofres serão excluídos imediatamente,", "All users in this account": "Todos os usuários nesta conta", "Already registered?": "Já está registado?", @@ -167,52 +167,52 @@ "A new verification link has been sent to the email address you provided in your profile settings.": "Um novo link de verificação foi enviado para o seu endereço de e-mail fornecido no seu perfil.", "A new verification link has been sent to your email address.": "Foi enviado um novo link de verificação para o seu endereço de e-mail.", "Anniversary": "Aniversário", - "Apartment, suite, etc…": "Apartamento, suite, etc...", + "Apartment, suite, etc…": "Apartamento, suíte, etc…", "API Token": "API Token", "API Token Permissions": "Permissões para API Token", "API Tokens": "API Tokens", "API tokens allow third-party services to authenticate with our application on your behalf.": "Os API Tokens permitem que serviços terceiros se possam autenticar na nossa aplicação em seu nome.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Um modelo de postagem define como o conteúdo de uma postagem deve ser exibido. Você pode definir quantos modelos quiser e escolher qual modelo deve ser usado em cada postagem.", - "Archive": "Arquivar", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Um modelo de postagem define como o conteúdo de uma postagem deve ser exibido. Você pode definir quantos modelos desejar e escolher qual modelo deve ser usado em qual postagem.", + "Archive": "Arquivo", "Archive contact": "Arquivar contato", "archived the contact": "arquivou o contato", "Are you sure? The address will be deleted immediately.": "Tem certeza? O endereço será excluído imediatamente.", "Are you sure? This action cannot be undone.": "Tem certeza? Essa ação não pode ser desfeita.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Tem certeza? Isso irá excluir todos os motivos de chamada deste tipo para todos os contatos que estavam usando.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Tem certeza? Isso irá excluir todos os relacionamentos deste tipo para todos os contatos que estavam usando.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Tem certeza? Isso excluirá todos os motivos de chamada deste tipo para todos os contatos que o utilizavam.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Tem certeza? Isso excluirá todos os relacionamentos deste tipo para todos os contatos que o utilizavam.", "Are you sure? This will delete the contact information permanently.": "Tem certeza? Isso excluirá as informações de contato permanentemente.", - "Are you sure? This will delete the document permanently.": "Tem certeza? Isso irá excluir o documento permanentemente.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Você tem certeza? Isso excluirá o objetivo e todas as sequências permanentemente.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá os tipos de endereço de todos os contatos, mas não excluirá os próprios contatos.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso irá remover os tipos de informação de contato de todos os contatos, mas não irá excluí-los.", + "Are you sure? This will delete the document permanently.": "Tem certeza? Isso excluirá o documento permanentemente.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Tem certeza? Isso excluirá o gol e todas as sequências permanentemente.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá os tipos de endereço de todos os contatos, mas não excluirá os contatos em si.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá os tipos de informações de contato de todos os contatos, mas não excluirá os contatos em si.", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá os gêneros de todos os contatos, mas não excluirá os contatos em si.", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá o modelo de todos os contatos, mas não excluirá os contatos em si.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Tem a certeza que pretende eliminar esta equipa? Uma vez eliminada, todos os seus recursos e dados serão permanentemente eliminados.", "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Tem a certeza que deseja eliminar a conta? Uma vez eliminada a conta, todos os recursos e dados serão eliminados permanentemente. Por favor introduza a sua palavra-passe para confirmar que deseja eliminar permanentemente a sua conta.", "Are you sure you would like to archive this contact?": "Tem certeza de que deseja arquivar este contato?", "Are you sure you would like to delete this API token?": "Tem a certeza que pretende eliminar este API Token?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Tem certeza de que deseja excluir este contato? Isso removerá tudo o que sabemos sobre este contato.", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Tem certeza de que deseja excluir este contato? Isso removerá tudo o que sabemos sobre esse contato.", "Are you sure you would like to delete this key?": "Tem certeza de que deseja excluir esta chave?", "Are you sure you would like to leave this team?": "Tem a certeza que pretende abandonar esta equipa?", "Are you sure you would like to remove this person from the team?": "Tem a certeza que pretende remover esta pessoa da equipa?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Um pedacinho da vida permite que você agrupe posts por algo significativo para você. Adicione um pedacinho em um post para vê-lo aqui.", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Uma fatia da vida permite agrupar postagens por algo significativo para você. Adicione um pedaço da vida em uma postagem para vê-lo aqui.", "a son-father relation shown on the son page.": "uma relação filho-pai mostrada na página do filho.", - "assigned a label": "atribuiu um rótulo", + "assigned a label": "atribuído um rótulo", "Association": "Associação", - "At": "Às", - "at ": "em ", + "At": "No", + "at ": "no", "Ate": "Comeu", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Um modelo define como os contatos devem ser exibidos. Você pode ter quantos modelos quiser - eles são definidos nas configurações da sua conta. No entanto, talvez você queira definir um modelo padrão para que todos os seus contatos nesta caixa forte tenham este modelo por padrão.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Um modelo é composto por páginas e, em cada página, existem módulos. Como os dados são exibidos depende inteiramente de você.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Um modelo define como os contatos devem ser exibidos. Você pode ter quantos modelos quiser - eles são definidos nas configurações da sua conta. No entanto, você pode querer definir um modelo padrão para que todos os seus contatos neste vault tenham esse modelo por padrão.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Um modelo é feito de páginas e em cada página existem módulos. A forma como os dados são exibidos depende inteiramente de você.", "Atheist": "Ateu", - "At which time should we send the notification, when the reminder occurs?": "A que horas devemos enviar a notificação quando o lembrete ocorrer?", - "Audio-only call": "Ligação apenas de áudio", - "Auto saved a few seconds ago": "Salvo automaticamente há alguns segundos", + "At which time should we send the notification, when the reminder occurs?": "A que horas devemos enviar a notificação, quando ocorre o lembrete?", + "Audio-only call": "Chamada apenas de áudio", + "Auto saved a few seconds ago": "Salva automaticamente há alguns segundos", "Available modules:": "Módulos disponíveis:", - "Avatar": "Avatar", + "Avatar": "avatar", "Avatars": "Avatares", "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Antes de continuar, poderia confirmar o seu e-mail clicando no link que lhe acabámos de enviar por e-mail? Se não recebeu o e-mail, enviar-lhe-emos de bom grado outro.", - "best friend": "melhor amigo", + "best friend": "Melhor amigo", "Bird": "Pássaro", "Birthdate": "Data de nascimento", "Birthday": "Aniversário", @@ -220,42 +220,42 @@ "boss": "chefe", "Bought": "Comprado", "Breakdown of the current usage": "Detalhamento do uso atual", - "brother\/sister": "irmão\/irmã", + "brother/sister": "irmão/irmã", "Browser Sessions": "Sessões em Browser", - "Buddhist": "Budista", + "Buddhist": "budista", "Business": "Negócios", - "By last updated": "Por último atualizado", + "By last updated": "Pela última atualização", "Calendar": "Calendário", "Call reasons": "Motivos da chamada", - "Call reasons let you indicate the reason of calls you make to your contacts.": "Os motivos da chamada permitem indicar o motivo das chamadas que você faz para seus contatos.", - "Calls": "Ligações", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Os motivos das chamadas permitem indicar o motivo das chamadas feitas aos seus contatos.", + "Calls": "Chamadas", "Cancel": "Cancelar", "Cancel account": "Cancelar conta", - "Cancel all your active subscriptions": "Cancelar todas as suas assinaturas ativas", - "Cancel your account": "Cancelar sua conta", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "Pode fazer tudo, incluindo adicionar ou remover outros usuários, gerenciar faturamento e fechar a conta.", - "Can do everything, including adding or removing other users.": "Pode fazer tudo, incluindo adicionar ou remover outros usuários.", - "Can edit data, but can’t manage the vault.": "Pode editar os dados, mas não pode gerenciar o cofre.", - "Can view data, but can’t edit it.": "Pode visualizar os dados, mas não pode editá-los.", + "Cancel all your active subscriptions": "Cancele todas as suas assinaturas ativas", + "Cancel your account": "Cancele sua conta", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Pode fazer tudo, incluindo adicionar ou remover outros usuários, gerenciar o faturamento e encerrar a conta.", + "Can do everything, including adding or removing other users.": "Pode fazer tudo, inclusive adicionar ou remover outros usuários.", + "Can edit data, but can’t manage the vault.": "Pode editar dados, mas não pode gerenciar o vault.", + "Can view data, but can’t edit it.": "Pode visualizar dados, mas não pode editá-los.", "Can’t be moved or deleted": "Não pode ser movido ou excluído", "Cat": "Gato", "Categories": "Categorias", "Chandler is in beta.": "Chandler está em beta.", - "Change": "Alterar", + "Change": "Mudar", "Change date": "Alterar data", "Change permission": "Alterar permissão", "Changes saved": "Alterações salvas", - "Change template": "Mudar modelo", - "Child": "Filho", - "child": "filho", + "Change template": "Alterar modelo", + "Child": "Criança", + "child": "criança", "Choose": "Escolher", "Choose a color": "Escolha uma cor", - "Choose an existing address": "Escolher um endereço existente", + "Choose an existing address": "Escolha um endereço existente", "Choose an existing contact": "Escolha um contato existente", "Choose a template": "Escolha um modelo", "Choose a value": "Escolha um valor", "Chosen type:": "Tipo escolhido:", - "Christian": "Cristão", + "Christian": "cristão", "Christmas": "Natal", "City": "Cidade", "Click here to re-send the verification email.": "Clique aqui para reenviar o e-mail de verificação.", @@ -277,45 +277,45 @@ "Contact feed": "Feed de contato", "Contact information": "Informações de contato", "Contact informations": "Informações de contato", - "Contact information types": "Tipos de informação de contato", - "Contact name": "Nome do contato", + "Contact information types": "Tipos de informações de contato", + "Contact name": "Nome de contato", "Contacts": "Contatos", - "Contacts in this post": "Contatos neste post", - "Contacts in this slice": "Contatos neste pedacinho", - "Contacts will be shown as follow:": "Os contatos serão exibidos da seguinte forma:", - "Content": "Conteúdo", + "Contacts in this post": "Contatos nesta postagem", + "Contacts in this slice": "Contatos nesta fatia", + "Contacts will be shown as follow:": "Os contatos serão mostrados da seguinte forma:", + "Content": "Contente", "Copied.": "Copiado.", - "Copy": "Cópia de", - "Copy value into the clipboard": "Copiar valor para a área de transferência", + "Copy": "cópia de", + "Copy value into the clipboard": "Copie o valor para a área de transferência", "Could not get address book data.": "Não foi possível obter os dados do catálogo de endereços.", "Country": "País", "Couple": "Casal", - "cousin": "primo\/prima", + "cousin": "primo", "Create": "Criar", - "Create account": "Criar conta", + "Create account": "Criar uma conta", "Create Account": "Criar Uma Conta", - "Create a contact": "Criar um contato", - "Create a contact entry for this person": "Criar um registro de contato para esta pessoa", - "Create a journal": "Criar um diário", - "Create a journal metric": "Criar uma métrica de jornal", + "Create a contact": "Crie um contato", + "Create a contact entry for this person": "Crie uma entrada de contato para esta pessoa", + "Create a journal": "Crie um diário", + "Create a journal metric": "Crie uma métrica de diário", "Create a journal to document your life.": "Crie um diário para documentar sua vida.", - "Create an account": "Criar uma conta", - "Create a new address": "Criar um novo endereço", + "Create an account": "Crie a sua conta aqui", + "Create a new address": "Crie um novo endereço", "Create a new team to collaborate with others on projects.": "Crie uma nova equipa para colaborar com outras pessoas em projectos.", "Create API Token": "Criar um API Token", - "Create a post": "Criar um post", - "Create a reminder": "Criar um lembrete", - "Create a slice of life": "Criar um pedacinho da vida", - "Create at least one page to display contact’s data.": "Crie pelo menos uma página para exibir os dados de contato.", - "Create at least one template to use Monica.": "Crie pelo menos um modelo para usar o Monica.", - "Create a user": "Criar um usuário", - "Create a vault": "Criar um cofre", + "Create a post": "Crie uma postagem", + "Create a reminder": "Crie um lembrete", + "Create a slice of life": "Crie uma fatia da vida", + "Create at least one page to display contact’s data.": "Crie pelo menos uma página para exibir os dados do contato.", + "Create at least one template to use Monica.": "Crie pelo menos um modelo para usar Monica.", + "Create a user": "Crie um usuário", + "Create a vault": "Crie um cofre", "Created.": "Criado.", - "created a goal": "criou um objetivo", - "created the contact": "criou o contato", - "Create label": "Criar um rótulo", - "Create new label": "Criar nova etiqueta", - "Create new tag": "Criar nova tag", + "created a goal": "criou uma meta", + "created the contact": "criei o contato", + "Create label": "Criar etiqueta", + "Create new label": "Criar novo rótulo", + "Create new tag": "Criar nova etiqueta", "Create New Team": "Criar uma Nova Equipa", "Create Team": "Criar Equipa", "Currencies": "Moedas", @@ -324,34 +324,34 @@ "Current language:": "Idioma atual:", "Current Password": "Palavra-Passe atual", "Current site used to display maps:": "Site atual usado para exibir mapas:", - "Current streak": "Série atual", + "Current streak": "Sequência atual", "Current timezone:": "Fuso horário atual:", - "Current way of displaying contact names:": "Forma atual de exibição dos nomes dos contatos:", - "Current way of displaying dates:": "Método atual de exibição de datas:", - "Current way of displaying distances:": "Forma atual de exibição das distâncias:", - "Current way of displaying numbers:": "Forma atual de exibição de números:", + "Current way of displaying contact names:": "Maneira atual de exibir nomes de contatos:", + "Current way of displaying dates:": "Maneira atual de exibir datas:", + "Current way of displaying distances:": "Maneira atual de exibir distâncias:", + "Current way of displaying numbers:": "Maneira atual de exibir números:", "Customize how contacts should be displayed": "Personalize como os contatos devem ser exibidos", - "Custom name order": "Ordem de nome personalizada", + "Custom name order": "Ordem de nome personalizado", "Daily affirmation": "Afirmação diária", "Dashboard": "Painel de Controlo", - "date": "encontro", + "date": "data", "Date of the event": "Data do evento", "Date of the event:": "Data do evento:", "Date type": "Tipo de data", - "Date types are essential as they let you categorize dates that you add to a contact.": "Os tipos de datas são essenciais, pois permitem que você categorize as datas que adiciona a um contato.", + "Date types are essential as they let you categorize dates that you add to a contact.": "Os tipos de data são essenciais porque permitem categorizar as datas adicionadas a um contato.", "Day": "Dia", "day": "dia", "Deactivate": "Desativar", - "Deceased date": "Data de falecimento", + "Deceased date": "Data do falecimento", "Default template": "Modelo padrão", "Default template to display contacts": "Modelo padrão para exibir contatos", "Delete": "Eliminar", "Delete Account": "Eliminar Conta", "Delete a new key": "Excluir uma nova chave", "Delete API Token": "Eliminar API Token", - "Delete contact": "Apagar contato", + "Delete contact": "Excluir contato", "deleted a contact information": "excluiu uma informação de contato", - "deleted a goal": "excluiu um objetivo", + "deleted a goal": "excluiu um gol", "deleted an address": "excluiu um endereço", "deleted an important date": "excluiu uma data importante", "deleted a note": "excluiu uma nota", @@ -360,36 +360,36 @@ "Delete group": "Excluir grupo", "Delete journal": "Excluir diário", "Delete Team": "Eliminar Equipa", - "Delete the address": "Excluir o endereço", - "Delete the photo": "Excluir a foto", - "Delete the slice": "Excluir o pedacinho", - "Delete the vault": "Excluir a caixa forte", - "Delete your account on https:\/\/customers.monicahq.com.": "Exclua sua conta em https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Excluir a caixa forte significa excluir todos os dados dentro dela, para sempre. Não há como voltar atrás. Por favor, tenha certeza.", + "Delete the address": "Exclua o endereço", + "Delete the photo": "Exclua a foto", + "Delete the slice": "Exclua a fatia", + "Delete the vault": "Excluir o cofre", + "Delete your account on https://customers.monicahq.com.": "Exclua sua conta em https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Excluir o cofre significa excluir todos os dados dentro dele para sempre. Não há como voltar atrás. Por favor, tenha certeza.", "Description": "Descrição", - "Detail of a goal": "Detalhes de um objetivo", - "Details in the last year": "Detalhes do último ano", + "Detail of a goal": "Detalhe de um gol", + "Details in the last year": "Detalhes no último ano", "Disable": "Inativar", - "Disable all": "Desativar todos", - "Disconnect": "Desconectar", + "Disable all": "Desativar tudo", + "Disconnect": "desconectar", "Discuss partnership": "Discutir parceria", - "Discuss recent purchases": "Discutir compras recentes", - "Dismiss": "Dispensar", + "Discuss recent purchases": "Discuta compras recentes", + "Dismiss": "Liberar", "Display help links in the interface to help you (English only)": "Exibir links de ajuda na interface para ajudá-lo (somente em inglês)", "Distance": "Distância", "Documents": "Documentos", "Dog": "Cachorro", "Done.": "Realizado.", - "Download": "Baixar", + "Download": "Download", "Download as vCard": "Baixar como vCard", - "Drank": "Bebi", + "Drank": "Bebido", "Drove": "Dirigiu", - "Due and upcoming tasks": "Tarefas a vencer e futuras", + "Due and upcoming tasks": "Tarefas vencidas e futuras", "Edit": "Editar", "edit": "editar", "Edit a contact": "Editar um contato", "Edit a journal": "Editar um diário", - "Edit a post": "Editar um post", + "Edit a post": "Editar uma postagem", "edited a note": "editou uma nota", "Edit group": "Editar grupo", "Edit journal": "Editar diário", @@ -400,37 +400,38 @@ "Editor users have the ability to read, create, and update.": "Utilizadores com privilégios de Editor podem ler, criar e atualizar.", "Edit post": "Editar post", "Edit Profile": "Editar Perfil", - "Edit slice of life": "Editar pedacinho da vida", - "Edit the group": "Editar o grupo", - "Edit the slice of life": "Editar o pedacinho da vida", + "Edit slice of life": "Editar fatia da vida", + "Edit the group": "Edite o grupo", + "Edit the slice of life": "Edite a fatia da vida", "Email": "E-mail", "Email address": "Endereço de email", "Email address to send the invitation to": "Endereço de e-mail para enviar o convite", "Email Password Reset Link": "E-mail para redefinir a palavra-passe", "Enable": "Ativar", - "Enable all": "Ativar todos", + "Enable all": "Habilitar todos", "Ensure your account is using a long, random password to stay secure.": "Confirme que a sua conta está a utilizar uma palavra-passe longa e aleatória para manter a sua conta segura.", - "Enter a number from 0 to 100000. No decimals.": "Digite um número de 0 a 100000. Sem decimais.", - "Events this month": "Eventos este ano", + "Enter a number from 0 to 100000. No decimals.": "Insira um número de 0 a 100.000. Sem decimais.", + "Events this month": "Eventos deste mês", "Events this week": "Eventos esta semana", - "Events this year": "Eventos este ano", - "Every": "Cada", + "Events this year": "Eventos deste ano", + "Every": "Todo", "ex-boyfriend": "ex-namorado", "Exception:": "Exceção:", "Existing company": "Empresa existente", "External connections": "Conexões externas", + "Facebook": "Facebook", "Family": "Família", "Family summary": "Resumo da família", "Favorites": "Favoritos", - "Female": "Feminino", - "Files": "Arquivos", + "Female": "Fêmea", + "Files": "arquivos", "Filter": "Filtro", - "Filter list or create a new label": "Filtrar lista ou criar uma nova etiqueta", - "Filter list or create a new tag": "Filtrar lista ou criar uma nova tag", - "Find a contact in this vault": "Encontrar um contato nesta caixa forte", + "Filter list or create a new label": "Filtre a lista ou crie um novo rótulo", + "Filter list or create a new tag": "Filtre a lista ou crie uma nova tag", + "Find a contact in this vault": "Encontre um contato neste cofre", "Finish enabling two factor authentication.": "Termine de habilitar a autenticação de dois fatores.", - "First name": "Nome", - "First name Last name": "Nome Sobrenome", + "First name": "Primeiro nome", + "First name Last name": "Primeiro nome, ultimo nome", "First name Last name (nickname)": "Nome Sobrenome (apelido)", "Fish": "Peixe", "Food preferences": "Preferências alimentares", @@ -438,7 +439,6 @@ "For:": "Para:", "For advice": "Para conselhos", "Forbidden": "Proibido", - "Forgot password?": "Esqueceu a senha?", "Forgot your password?": "Esqueceu a Palavra-passe?", "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Esqueceu a palavra-passe? Não há problema. Indique-nos o seu e-mail e vamos enviar-lhe um link para redefinir a palavra-passe que lhe vai permitir escolher uma nova.", "For your security, please confirm your password to continue.": "Por razões de segurança, por favor confirme a sua palavra-passe antes de continuar .", @@ -446,67 +446,66 @@ "Friday": "Sexta-feira", "Friend": "Amigo", "friend": "amigo", - "From A to Z": "De A a Z", + "From A to Z": "De a até o z", "From Z to A": "De Z a A", "Gender": "Gênero", "Gender and pronoun": "Gênero e pronome", "Genders": "Gêneros", - "Gift center": "Centro de presentes", - "Gift occasions": "Ocasiões de presentes", - "Gift occasions let you categorize all your gifts.": "As ocasiões de presentes permitem que você categorize todos os seus presentes.", - "Gift states": "Estados do presente", - "Gift states let you define the various states for your gifts.": "Os estados do presente permitem que você defina os vários estados para seus presentes.", - "Give this email address a name": "Dê um nome para este endereço de e-mail", + "Gift occasions": "Ocasiões para presentes", + "Gift occasions let you categorize all your gifts.": "As ocasiões para presentes permitem categorizar todos os seus presentes.", + "Gift states": "Estados de presente", + "Gift states let you define the various states for your gifts.": "Os estados de presentes permitem definir os vários estados de seus presentes.", + "Give this email address a name": "Dê um nome a este endereço de e-mail", "Goals": "Metas", - "Go back": "Voltar", - "godchild": "afilhado\/afilhada", - "godparent": "padrinho\/madrinha", - "Google Maps": "Google Maps", + "Go back": "Volte", + "godchild": "afilhado", + "godparent": "padrinho", + "Google Maps": "Google Mapas", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "O Google Maps oferece a melhor precisão e detalhes, mas não é ideal do ponto de vista da privacidade.", - "Got fired": "Fui demitido", + "Got fired": "Foi demitido", "Go to page :page": "Ir para a página :page", - "grand child": "neto\/neto", - "grand parent": "avô\/avó", + "grand child": "neto", + "grand parent": "avô", "Great! You have accepted the invitation to join the :team team.": "Muito bom! Aceitou o convite para se juntar à equipa :team.", - "Group journal entries together with slices of life.": "Agrupe entradas de diário com pedacinhos da vida.", + "Group journal entries together with slices of life.": "Agrupe entradas de diário com fatias de vida.", "Groups": "Grupos", - "Groups let you put your contacts together in a single place.": "Os grupos permitem que você coloque seus contatos em um único lugar.", + "Groups let you put your contacts together in a single place.": "Os grupos permitem que você reúna seus contatos em um único lugar.", "Group type": "Tipo de grupo", "Group type: :name": "Tipo de grupo: :name", "Group types": "Tipos de grupo", - "Group types let you group people together.": "Os tipos de grupo permitem que você agrupe pessoas juntas.", - "Had a promotion": "Recebi uma promoção", + "Group types let you group people together.": "Os tipos de grupo permitem agrupar pessoas.", + "Had a promotion": "Teve uma promoção", "Hamster": "Hamster", "Have a great day,": "Tenha um ótimo dia,", - "he\/him": "ele\/ele", + "he/him": "ele/ele", "Hello!": "Olá!", "Help": "Ajuda", - "Hi :name": "Oi :name", - "Hinduist": "Hinduista", - "History of the notification sent": "Histórico das notificações enviadas", + "Hi :name": "Olá :name", + "Hinduist": "Hinduísta", + "History of the notification sent": "Histórico da notificação enviada", "Hobbies": "Hobbies", - "Home": "Casa", + "Home": "Lar", "Horse": "Cavalo", - "How are you?": "Como você está?", - "How could I have done this day better?": "Como eu poderia ter feito este dia melhor?", + "How are you?": "Como vai você?", + "How could I have done this day better?": "Como eu poderia ter feito melhor este dia?", "How did you feel?": "Como você se sentiu?", - "How do you feel right now?": "Como você está se sentindo agora?", - "however, there are many, many new features that didn't exist before.": "no entanto, existem muitos, muitos novos recursos que não existiam antes.", + "How do you feel right now?": "Como você se sente agora?", + "however, there are many, many new features that didn't exist before.": "no entanto, existem muitos novos recursos que não existiam antes.", "How much money was lent?": "Quanto dinheiro foi emprestado?", "How much was lent?": "Quanto foi emprestado?", - "How often should we remind you about this date?": "Com que frequência devemos lembrá-lo dessa data?", - "How should we display dates": "Como devemos exibir datas?", - "How should we display distance values": "Como devemos exibir valores de distância?", + "How often should we remind you about this date?": "Com que frequência devemos lembrá-lo desta data?", + "How should we display dates": "Como devemos exibir datas", + "How should we display distance values": "Como devemos exibir valores de distância", "How should we display numerical values": "Como devemos exibir valores numéricos", - "I agree to the :terms and :policy": "Eu concordo com os :terms e :policy", + "I agree to the :terms and :policy": "Eu concordo com :terms e :policy", "I agree to the :terms_of_service and :privacy_policy": "Concordo com os :terms_of_service e com a :privacy_policy", - "I am grateful for": "Sou grato por", - "I called": "Eu liguei", - "I called, but :name didn’t answer": "Eu liguei, mas :name não atendeu", - "Idea": "Idea", - "I don’t know the name": "Eu não sei o nome", + "I am grateful for": "Eu sou grato por", + "I called": "Liguei", + "I called, but :name didn’t answer": "Liguei, mas :name não atendeu", + "Idea": "Ideia", + "I don’t know the name": "eu não sei o nome", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Se necessário, pode sair de todas as outras sessões do seu navegador em todos os seus dispositivos. Algumas das suas sessões recentes estão listadas abaixo; no entanto, esta lista pode não ser exaustiva. Se sentir que a sua conta foi comprometida, deverá atualizar a sua palavra-passe.", - "If the date is in the past, the next occurence of the date will be next year.": "Se a data estiver no passado, a próxima ocorrência será no próximo ano.", + "If the date is in the past, the next occurence of the date will be next year.": "Se a data estiver no passado, a próxima ocorrência da data será no próximo ano.", "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Se não conseguir clicar no botão \":actionText\", copie e cole a URL abaixo\nno seu browser:", "If you already have an account, you may accept this invitation by clicking the button below:": "Se já tem uma conta, pode aceitar este convite ao clicar no botão abaixo:", "If you did not create an account, no further action is required.": "Se não criou uma conta, ignore este e-mail.", @@ -515,81 +514,82 @@ "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Se não tiver uma conta, pode criar uma ao clicar no botão abaixo. Após criar uma conta, pode clicar no botão de aceitação de convite neste e-mail para aceitar o convite da equipa:", "If you’ve received this invitation by mistake, please discard it.": "Se você recebeu este convite por engano, descarte-o.", "I know the exact date, including the year": "Eu sei a data exata, incluindo o ano", - "I know the name": "Eu sei o nome", + "I know the name": "eu sei o nome", "Important dates": "Datas importantes", - "Important date summary": "Resumo das datas importantes", + "Important date summary": "Resumo de data importante", "in": "em", - "Information": "Informações", - "Information from Wikipedia": "Informação da Wikipédia", + "Information": "Informação", + "Information from Wikipedia": "Informações da Wikipédia", "in love with": "apaixonado por", "Inspirational post": "Postagem inspiradora", + "Invalid JSON was returned from the route.": "JSON inválido foi retornado da rota.", "Invitation sent": "Convite enviado", - "Invite a new user": "Convidar um novo usuário", + "Invite a new user": "Convide um novo usuário", "Invite someone": "Convidar alguém", - "I only know a number of years (an age, for example)": "Eu só sei um número de anos (uma idade, por exemplo)", - "I only know the day and month, not the year": "Eu só sei o dia e mês, não o ano", - "it misses some of the features, the most important ones being the API and gift management,": "falta alguns dos recursos, sendo os mais importantes a API e o gerenciamento de presentes,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Parece que ainda não há modelos na conta. Por favor, adicione pelo menos um modelo à sua conta primeiro e, em seguida, associe este modelo a este contato.", - "Jew": "Judeu", - "Job information": "Informações de trabalho", + "I only know a number of years (an age, for example)": "Conheço apenas alguns anos (uma idade, por exemplo)", + "I only know the day and month, not the year": "Eu só sei o dia e o mês, não o ano", + "it misses some of the features, the most important ones being the API and gift management,": "faltam alguns dos recursos, sendo os mais importantes a API e o gerenciamento de presentes,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Parece que ainda não existem modelos na conta. Adicione pelo menos um modelo à sua conta primeiro e depois associe esse modelo a este contato.", + "Jew": "judeu", + "Job information": "Informação de trabalho", "Job position": "Cargo", "Journal": "Diário", - "Journal entries": "Entradas de jornal", - "Journal metrics": "Métricas de jornal", - "Journal metrics let you track data accross all your journal entries.": "As métricas de jornal permitem que você acompanhe os dados em todas as suas entradas de jornal.", - "Journals": "Jornais", + "Journal entries": "Lançamentos de diário", + "Journal metrics": "Métricas do diário", + "Journal metrics let you track data accross all your journal entries.": "As métricas do diário permitem rastrear dados em todos os seus lançamentos contábeis manuais.", + "Journals": "Diários", "Just because": "Só porque", - "Just to say hello": "Só para dizer olá", + "Just to say hello": "Apenas para dizer olá", "Key name": "Nome da chave", "kilometers (km)": "quilômetros (km)", - "km": "km", + "km": "quilômetros", "Label:": "Rótulo:", "Labels": "Etiquetas", - "Labels let you classify contacts using a system that matters to you.": "Os rótulos permitem que você classifique os contatos usando um sistema que importa para você.", - "Language of the application": "Idioma da aplicação", + "Labels let you classify contacts using a system that matters to you.": "Os marcadores permitem classificar os contatos usando um sistema que é importante para você.", + "Language of the application": "Idioma do aplicativo", "Last active": "Ativo pela última vez", - "Last active :date": "Última atividade :date", + "Last active :date": "Último ativo :date", "Last name": "Sobrenome", - "Last name First name": "Sobrenome Nome", - "Last updated": "Última atualização", + "Last name First name": "Sobrenome primeiro nome", + "Last updated": "Ultima atualização", "Last used": "Usado pela última vez", - "Last used :date": "Último uso :date", + "Last used :date": "Última utilização :date", "Leave": "Sair", "Leave Team": "Sair da Equipa", "Life": "Vida", - "Life & goals": "Vida e objetivos", + "Life & goals": "Objetivos de vida", "Life events": "Eventos da vida", - "Life events let you document what happened in your life.": "Os eventos da vida permitem que você documente o que aconteceu em sua vida.", + "Life events let you document what happened in your life.": "Os eventos de vida permitem que você documente o que aconteceu em sua vida.", "Life event types:": "Tipos de eventos de vida:", "Life event types and categories": "Tipos e categorias de eventos de vida", "Life metrics": "Métricas de vida", - "Life metrics let you track metrics that are important to you.": "As métricas de vida permitem que você acompanhe as métricas que são importantes para você.", - "Link to documentation": "Link para a documentação", + "Life metrics let you track metrics that are important to you.": "As métricas de vida permitem rastrear métricas que são importantes para você.", + "LinkedIn": "LinkedIn", "List of addresses": "Lista de endereços", - "List of addresses of the contacts in the vault": "Lista de endereços dos contatos na caixa forte", + "List of addresses of the contacts in the vault": "Lista de endereços dos contatos no cofre", "List of all important dates": "Lista de todas as datas importantes", - "Loading…": "Carregando...", + "Loading…": "Carregando…", "Load previous entries": "Carregar entradas anteriores", "Loans": "Empréstimos", - "Locale default: :value": "Local padrão: :value", - "Log a call": "Registrar uma ligação", - "Log details": "Detalhes do log", - "logged the mood": "registrou o humor", + "Locale default: :value": "Padrão de localidade: :value", + "Log a call": "Registrar uma chamada", + "Log details": "Detalhes do registro", + "logged the mood": "registrou o clima", "Log in": "Iniciar sessão", "Login": "Iniciar Sessão", - "Login with:": "Entrar com:", + "Login with:": "Faça login com:", "Log Out": "Terminar Sessão", "Logout": "Terminar Sessão", "Log Out Other Browser Sessions": "Terminar Outras Sessões de Navegador", - "Longest streak": "Maior série", + "Longest streak": "Sequência mais longa", "Love": "Amor", "loved by": "amado por", "lover": "amante", - "Made from all over the world. We ❤️ you.": "Feito de todo o mundo. Nós te ❤️.", - "Maiden name": "Sobrenome de solteira", - "Male": "Masculino", + "Made from all over the world. We ❤️ you.": "Feito de todo o mundo. Nós ❤️ você.", + "Maiden name": "Nome de solteira", + "Male": "Macho", "Manage Account": "Gerir Conta", - "Manage accounts you have linked to your Customers account.": "Gerencie as contas que você vinculou à sua conta de clientes.", + "Manage accounts you have linked to your Customers account.": "Gerencie as contas vinculadas à sua conta de Clientes.", "Manage address types": "Gerenciar tipos de endereço", "Manage and log out your active sessions on other browsers and devices.": "Gerir e registar as suas sessões activas em outros navegadores e dispositivos.", "Manage API Tokens": "Gerir API Tokens", @@ -599,7 +599,7 @@ "Manage genders": "Gerenciar gêneros", "Manage gift occasions": "Gerenciar ocasiões de presentes", "Manage gift states": "Gerenciar estados de presentes", - "Manage group types": "Gerenciar tipos de grupo", + "Manage group types": "Gerenciar tipos de grupos", "Manage modules": "Gerenciar módulos", "Manage pet categories": "Gerenciar categorias de animais de estimação", "Manage post templates": "Gerenciar modelos de postagem", @@ -612,73 +612,74 @@ "Manage Team": "Gerir Equipa", "Manage templates": "Gerenciar modelos", "Manage users": "Gerenciar usuários", + "Mastodon": "Mastodonte", "Maybe one of these contacts?": "Talvez um desses contatos?", "mentor": "mentor", - "Middle name": "Segundo nome", + "Middle name": "Nome do meio", "miles": "milhas", "miles (mi)": "milhas (mi)", "Modules in this page": "Módulos nesta página", "Monday": "Segunda-feira", - "Monica. All rights reserved. 2017 — :date.": "Monica. Todos os direitos reservados. 2017 - :date.", - "Monica is open source, made by hundreds of people from all around the world.": "Monica é de código aberto, criada por centenas de pessoas de todo o mundo.", - "Monica was made to help you document your life and your social interactions.": "A Monica foi criada para ajudá-lo a documentar sua vida e suas interações sociais.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Todos os direitos reservados. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica é open source, feita por centenas de pessoas de todo o mundo.", + "Monica was made to help you document your life and your social interactions.": "Monica foi feita para ajudar você a documentar sua vida e suas interações sociais.", "Month": "Mês", "month": "mês", "Mood in the year": "Humor no ano", - "Mood tracking events": "Eventos de rastreamento de humor", - "Mood tracking parameters": "Parâmetros de acompanhamento de humor", + "Mood tracking events": "Eventos de monitoramento de humor", + "Mood tracking parameters": "Parâmetros de rastreamento de humor", "More details": "Mais detalhes", "More errors": "Mais erros", "Move contact": "Mover contato", - "Muslim": "Muçulmano", + "Muslim": "muçulmano", "Name": "Nome", "Name of the pet": "Nome do animal de estimação", "Name of the reminder": "Nome do lembrete", - "Name of the reverse relationship": "Nome da relação reversa", - "Nature of the call": "Natureza da ligação", - "nephew\/niece": "sobrinho\/sobrinha", + "Name of the reverse relationship": "Nome do relacionamento reverso", + "Nature of the call": "Natureza da chamada", + "nephew/niece": "sobrinho/sobrinha", "New Password": "Nova Palavra-passe", "New to Monica?": "Novo na Monica?", "Next": "Próximo", "Nickname": "Apelido", "nickname": "apelido", - "No cities have been added yet in any contact’s addresses.": "Nenhuma cidade foi adicionada ainda nos endereços dos contatos.", + "No cities have been added yet in any contact’s addresses.": "Nenhuma cidade foi adicionada ainda nos endereços de nenhum contato.", "No contacts found.": "Nenhum contato encontrado.", - "No countries have been added yet in any contact’s addresses.": "Nenhum país foi adicionado ainda nos endereços dos contatos.", + "No countries have been added yet in any contact’s addresses.": "Nenhum país foi adicionado ainda nos endereços de nenhum contato.", "No dates in this month.": "Não há datas neste mês.", "No description yet.": "Nenhuma descrição ainda.", "No groups found.": "Nenhum grupo encontrado.", - "No keys registered yet": "Nenhuma chave registrada ainda", + "No keys registered yet": "Nenhuma chave cadastrada ainda", "No labels yet.": "Ainda não há rótulos.", "No life event types yet.": "Ainda não há tipos de eventos de vida.", "No notes found.": "Nenhuma nota encontrada.", "No results found": "Nenhum resultado encontrado", "No role": "Sem função", - "No roles yet.": "Nenhum papel ainda.", - "No tasks.": "Nenhuma tarefa.", + "No roles yet.": "Ainda não há papéis.", + "No tasks.": "Sem tarefas.", "Notes": "Notas", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Observe que remover um módulo de uma página não excluirá os dados reais nas páginas de contato. Ele simplesmente os oculta.", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Observe que remover um módulo de uma página não excluirá os dados reais de suas páginas de contato. Isso simplesmente irá escondê-lo.", "Not Found": "Não encontrado", "Notification channels": "Canais de notificação", "Notification sent": "Notificação enviada", - "Not set": "Não definido", - "No upcoming reminders.": "Nenhum lembrete futuro.", + "Not set": "Não configurado", + "No upcoming reminders.": "Não há lembretes futuros.", "Number of hours slept": "Número de horas dormidas", "Numerical value": "Valor numérico", "of": "de", "Offered": "Oferecido", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Uma vez eliminada a equipa, todos os seus recursos e dados serão eliminados de forma permanente. Antes de eliminar esta equipa, por favor descarregue todos os dados ou informações relativos a esta equipa que deseje manter.", - "Once you cancel,": "Depois que você cancelar,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Depois de clicar no botão Configurar abaixo, você terá que abrir o Telegram com o botão que forneceremos. Isso localizará o bot do Monica Telegram para você.", + "Once you cancel,": "Depois de cancelar,", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Depois de clicar no botão Configurar abaixo, você terá que abrir o Telegram com o botão que forneceremos. Isso localizará o bot Monica Telegram para você.", "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Uma vez eliminada a conta, todos os recursos e dados serão eliminados permanentemente. Antes de eliminar a conta, por favor descarregue quaisquer dados ou informações que deseje manter.", - "Only once, when the next occurence of the date occurs.": "Apenas uma vez, quando a próxima ocorrência da data ocorrer.", + "Only once, when the next occurence of the date occurs.": "Apenas uma vez, quando ocorrer a próxima ocorrência da data.", "Oops! Something went wrong.": "Ops! Algo deu errado.", - "Open Street Maps": "Open Street Maps", + "Open Street Maps": "Abrir mapas de ruas", "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps é uma ótima alternativa de privacidade, mas oferece menos detalhes.", "Open Telegram to validate your identity": "Abra o Telegram para validar sua identidade", "optional": "opcional", - "Or create a new one": "Ou crie uma nova", - "Or filter by type": "Ou filtrar por tipo", + "Or create a new one": "Ou crie um novo", + "Or filter by type": "Ou filtre por tipo", "Or remove the slice": "Ou remova a fatia", "Or reset the fields": "Ou redefina os campos", "Other": "Outro", @@ -694,7 +695,7 @@ "Password": "Palavra-passe", "Payment Required": "Pagamento Requerido", "Pending Team Invitations": "Convites De Equipa Pendentes", - "per\/per": "per\/per", + "per/per": "por/por", "Permanently delete this team.": "Eliminar esta equipa permanentemente.", "Permanently delete your account.": "Eliminar a sua conta permanentemente.", "Permission for :name": "Permissão para :name", @@ -702,8 +703,8 @@ "Personal": "Pessoal", "Personalize your account": "Personalize sua conta", "Pet categories": "Categorias de animais de estimação", - "Pet categories let you add types of pets that contacts can add to their profile.": "As categorias de animais de estimação permitem que você adicione tipos de animais de estimação que os contatos podem adicionar ao seu perfil.", - "Pet category": "Categoria do animal de estimação", + "Pet categories let you add types of pets that contacts can add to their profile.": "As categorias de animais de estimação permitem adicionar tipos de animais de estimação que os contatos podem adicionar aos seus perfis.", + "Pet category": "Categoria de animal de estimação", "Pets": "Animais de estimação", "Phone": "Telefone", "Photo": "Foto", @@ -711,32 +712,32 @@ "Played basketball": "Joguei basquete", "Played golf": "Joguei golfe", "Played soccer": "Joguei futebol", - "Played tennis": "Joguei tênis", - "Please choose a template for this new post": "Por favor, escolha um modelo para este novo post", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Por favor, escolha um modelo abaixo para informar à Monica como este contato deve ser exibido. Modelos permitem que você defina quais dados devem ser exibidos na página do contato.", + "Played tennis": "Jogou tênis", + "Please choose a template for this new post": "Escolha um modelo para esta nova postagem", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Escolha um modelo abaixo para informar a Monica como esse contato deve ser exibido. Os modelos permitem definir quais dados devem ser exibidos na página de contato.", "Please click the button below to verify your email address.": "Por favor, clique no botão em baixo para verificar seu endereço de e-mail.", - "Please complete this form to finalize your account.": "Por favor, preencha este formulário para finalizar sua conta.", + "Please complete this form to finalize your account.": "Preencha este formulário para finalizar sua conta.", "Please confirm access to your account by entering one of your emergency recovery codes.": "Por favor confirme o acesso à sua conta inserindo um dos seus códigos de recuperação de emergência.", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Por favor confirme o acesso à sua conta inserindo o código fornecido pela a sua aplicação de autenticação.", - "Please confirm access to your account by validating your security key.": "Confirme o acesso à sua conta validando sua chave de segurança.", + "Please confirm access to your account by validating your security key.": "Por favor, confirme o acesso à sua conta validando sua chave de segurança.", "Please copy your new API token. For your security, it won't be shown again.": "Por favor copie o seu novo API Token. Por razões de segurança, não será mostrado novamente.", - "Please copy your new API token. For your security, it won’t be shown again.": "Por favor, copie seu novo token de API. Por motivos de segurança, ele não será mostrado novamente.", - "Please enter at least 3 characters to initiate a search.": "Por favor, digite pelo menos 3 caracteres para iniciar uma busca.", - "Please enter your password to cancel the account": "Por favor, digite sua senha para cancelar a conta", + "Please copy your new API token. For your security, it won’t be shown again.": "Copie seu novo token de API. Para sua segurança, não será mostrado novamente.", + "Please enter at least 3 characters to initiate a search.": "Por favor insira pelo menos 3 caracteres para iniciar uma pesquisa.", + "Please enter your password to cancel the account": "Por favor digite sua senha para cancelar a conta", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Introduza a sua senha para confirmar que deseja sair das suas outras sessões de navegação em todos os seus dispositivos.", - "Please indicate the contacts": "Por favor, indique os contatos", - "Please join Monica": "Por favor, junte-se à Monica", + "Please indicate the contacts": "Por favor indique os contactos", + "Please join Monica": "Junte-se à Monica", "Please provide the email address of the person you would like to add to this team.": "Por favor indique o e-mail da pessoa que gostaria de acrescentar a esta equipa", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Leia nossa documentação<\/link> para saber mais sobre esse recurso e a quais variáveis ​​você tem acesso.", - "Please select a page on the left to load modules.": "Por favor, selecione uma página à esquerda para carregar os módulos.", - "Please type a few characters to create a new label.": "Digite alguns caracteres para criar uma nova etiqueta.", - "Please type a few characters to create a new tag.": "Por favor, digite alguns caracteres para criar uma nova tag.", - "Please validate your email address": "Por favor, valide seu endereço de e-mail", - "Please verify your email address": "Por favor, verifique seu endereço de e-mail", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Leia nossa documentação para saber mais sobre esse recurso e a quais variáveis você tem acesso.", + "Please select a page on the left to load modules.": "Selecione uma página à esquerda para carregar os módulos.", + "Please type a few characters to create a new label.": "Digite alguns caracteres para criar um novo rótulo.", + "Please type a few characters to create a new tag.": "Digite alguns caracteres para criar uma nova tag.", + "Please validate your email address": "Por favor valide o seu endereço de e-mail", + "Please verify your email address": "por favor verifique seu endereço de email", "Postal code": "Código postal", - "Post metrics": "Métricas de postagem", - "Posts": "Publicações", - "Posts in your journals": "Publicações nos seus jornais", + "Post metrics": "Postar métricas", + "Posts": "Postagens", + "Posts in your journals": "Postagens em seus diários", "Post templates": "Modelos de postagem", "Prefix": "Prefixo", "Previous": "Anterior", @@ -753,41 +754,41 @@ "protege": "protegido", "Protocol": "Protocolo", "Protocol: :name": "Protocolo: :name", - "Province": "Estado", + "Province": "Província", "Quick facts": "Fatos rápidos", "Quick facts let you document interesting facts about a contact.": "Fatos rápidos permitem documentar fatos interessantes sobre um contato.", "Quick facts template": "Modelo de fatos rápidos", - "Quit job": "Sai do emprego", + "Quit job": "Sair do trabalho", "Rabbit": "Coelho", - "Ran": "Corri", + "Ran": "Corrido", "Rat": "Rato", - "Read :count time|Read :count times": "Lido :count vez|Lido :count vezes", + "Read :count time|Read :count times": "Leia :count vez|Leia :count vezes", "Record a loan": "Registrar um empréstimo", - "Record your mood": "Registrar seu humor", + "Record your mood": "Grave seu humor", "Recovery Code": "Código de Recuperação", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Independentemente de onde você esteja localizado no mundo, tenha as datas exibidas em seu próprio fuso horário.", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Independentemente de onde você esteja no mundo, exiba as datas em seu próprio fuso horário.", "Regards": "Atenciosamente", "Regenerate Recovery Codes": "Regenerar Códigos de Recuperação", "Register": "Registar", - "Register a new key": "Registrar uma nova chave", - "Register a new key.": "Registrar uma nova chave.", + "Register a new key": "Registre uma nova chave", + "Register a new key.": "Registre uma nova chave.", "Regular post": "Postagem regular", - "Regular user": "Usuário regular", + "Regular user": "Usuário normal", "Relationships": "Relacionamentos", "Relationship types": "Tipos de relacionamento", - "Relationship types let you link contacts and document how they are connected.": "Tipos de relacionamentos permitem que você conecte contatos e documente como eles estão conectados.", + "Relationship types let you link contacts and document how they are connected.": "Os tipos de relacionamento permitem vincular contatos e documentar como eles estão conectados.", "Religion": "Religião", "Religions": "Religiões", - "Religions is all about faith.": "Religiões são todas sobre a fé.", + "Religions is all about faith.": "Religiões têm tudo a ver com fé.", "Remember me": "Lembrar-me", - "Reminder for :name": "Lembrete para: nome", + "Reminder for :name": "Lembrete para :name", "Reminders": "Lembretes", "Reminders for the next 30 days": "Lembretes para os próximos 30 dias", - "Remind me about this date every year": "Lembre-me sobre esta data todos os anos", - "Remind me about this date just once, in one year from now": "Lembre-me sobre esta data apenas uma vez, em um ano a partir de agora", + "Remind me about this date every year": "Lembre-me desta data todos os anos", + "Remind me about this date just once, in one year from now": "Lembre-me desta data apenas uma vez, daqui a um ano", "Remove": "Remover", "Remove avatar": "Remover avatar", - "Remove cover image": "Remover imagem de capa", + "Remove cover image": "Remover imagem da capa", "removed a label": "removeu um rótulo", "removed the contact from a group": "removeu o contato de um grupo", "removed the contact from a post": "removeu o contato de uma postagem", @@ -803,18 +804,18 @@ "results": "resultados", "Retry": "Tentar novamente", "Revert": "Reverter", - "Rode a bike": "Pedalou uma bicicleta", + "Rode a bike": "Andei de bicicleta", "Role": "Função", "Roles:": "Funções:", - "Roomates": "Colegas de quarto", + "Roomates": "Companheiros de quarto", "Saturday": "Sábado", "Save": "Guardar", "Saved.": "Guardado.", "Saving in progress": "Salvando em andamento", "Searched": "Pesquisado", - "Searching…": "Buscando...", - "Search something": "Pesquisar algo", - "Search something in the vault": "Pesquisar algo na caixa forte", + "Searching…": "Procurando…", + "Search something": "Pesquise algo", + "Search something in the vault": "Procure algo no cofre", "Sections:": "Seções:", "Security keys": "Chaves de segurança", "Select a group or create a new one": "Selecione um grupo ou crie um novo", @@ -828,12 +829,12 @@ "Set as default": "Definir como padrão", "Set as favorite": "Definir como favorito", "Settings": "Configurações", - "Settle": "Quitar", + "Settle": "Resolver", "Setup": "Configurar", "Setup Key": "Chave de configuração", "Setup Key:": "Chave de configuração:", - "Setup Telegram": "Configurar Telegram", - "she\/her": "ela\/ela", + "Setup Telegram": "Configurar telegrama", + "she/her": "ela/ela", "Shintoist": "Xintoísta", "Show Calendar tab": "Mostrar guia Calendário", "Show Companies tab": "Mostrar guia Empresas", @@ -843,38 +844,37 @@ "Showing": "A mostrar", "Showing :count of :total results": "Mostrando :count de :total resultados", "Showing :first to :last of :total results": "Mostrando :first a :last de :total resultados", - "Show Journals tab": "Mostrar guia Journals", + "Show Journals tab": "Mostrar guia Diários", "Show Recovery Codes": "Mostrar Códigos de Recuperação", "Show Reports tab": "Mostrar guia Relatórios", "Show Tasks tab": "Mostrar guia Tarefas", "significant other": "outro significativo", - "Sign in to your account": "Entre na sua conta", + "Sign in to your account": "Faça login em sua conta", "Sign up for an account": "Inscreva-se pra uma conta", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Dormiu :count hora|Dormiu :count horas", - "Slice of life": "Pedacinho da vida", + "Slept :count hour|Slept :count hours": "Dormi :count hora|Dormi :count horas", + "Slice of life": "Fatia de vida", "Slices of life": "Fatias de vida", "Small animal": "Animal pequeno", "Social": "Social", - "Some dates have a special type that we will use in the software to calculate an age.": "Algumas datas têm um tipo especial que usaremos no software para calcular a idade.", - "Sort contacts": "Ordenar contatos", + "Some dates have a special type that we will use in the software to calculate an age.": "Algumas datas possuem um tipo especial que usaremos no software para calcular a idade.", "So… it works 😼": "Então… funciona 😼", - "Sport": "Esportes", + "Sport": "Esporte", "spouse": "cônjuge", - "Statistics": "Estatísticas", - "Storage": "Armazenamento", + "Statistics": "Estatisticas", + "Storage": "Armazenar", "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Guarde estes códigos de recuperação num gestor de palavras-passe seguro. Podem ser usados para recuperar o acesso à sua conta caso o dispositivo usado para autenticação de dois fatores seja perdido.", "Submit": "Enviar", - "subordinate": "subordinado", + "subordinate": "subordinar", "Suffix": "Sufixo", "Summary": "Resumo", "Sunday": "Domingo", - "Switch role": "Alternar papel", + "Switch role": "Mudar de função", "Switch Teams": "Trocar de Equipa", - "Tabs visibility": "Visibilidade das abas", - "Tags": "Tags", - "Tags let you classify journal posts using a system that matters to you.": "As tags permitem que você classifique as postagens do diário usando um sistema que importa para você.", - "Taoist": "Taoísta", + "Tabs visibility": "Visibilidade das guias", + "Tags": "Tag", + "Tags let you classify journal posts using a system that matters to you.": "As tags permitem classificar postagens de diário usando um sistema que é importante para você.", + "Taoist": "taoísta", "Tasks": "Tarefas", "Team Details": "Detalhes da Equipa", "Team Invitation": "Convite De Equipa", @@ -882,16 +882,15 @@ "Team Name": "Nome da Equipa", "Team Owner": "Proprietário da Equipa", "Team Settings": "Definições da Equipa", - "Telegram": "Telegram", + "Telegram": "Telegrama", "Templates": "Modelos", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Os modelos permitem que você personalize quais dados devem ser exibidos em seus contatos. Você pode definir quantos modelos desejar e escolher qual modelo deve ser usado em qual contato.", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Os modelos permitem personalizar quais dados devem ser exibidos em seus contatos. Você pode definir quantos modelos desejar e escolher qual modelo deve ser usado em qual contato.", "Terms of Service": "Termos de Serviço", - "Test email for Monica": "E-mail de teste para Mônica", + "Test email for Monica": "E-mail de teste para Monica", "Test email sent!": "E-mail de teste enviado!", "Thanks,": "Obrigado,", - "Thanks for giving Monica a try": "Obrigado por experimentar o Monica", - "Thanks for giving Monica a try.": "Obrigado por experimentar o Monica.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Obrigado por se inscrever! Antes de começar, você poderia verificar seu endereço de e-mail clicando no link que acabamos de enviar para você? Se você não recebeu o e-mail, teremos prazer em enviar outro.", + "Thanks for giving Monica a try.": "Obrigado por dar uma chance à Monica.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Obrigado por inscrever-se! Antes de começar, você poderia verificar seu endereço de e-mail clicando no link que acabamos de enviar para você? Se você não recebeu o e-mail, teremos prazer em lhe enviar outro.", "The :attribute must be at least :length characters.": "O campo :attribute deve ter pelo menos :length caracteres.", "The :attribute must be at least :length characters and contain at least one number.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos um número.", "The :attribute must be at least :length characters and contain at least one special character.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos um caractere especial.", @@ -901,19 +900,19 @@ "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos uma maiúscula e um número.", "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "O campo :attribute deve ter pelo menos :length caracteres e conter pelo menos uma maiúscula e um caractere especial.", "The :attribute must be a valid role.": "A :attribute deve ser uma função válida.", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Os dados da sua conta serão permanentemente deletados dos nossos servidores em até 30 dias e de todos os backups em até 60 dias.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Os dados da conta serão excluídos permanentemente de nossos servidores dentro de 30 dias e de todos os backups dentro de 60 dias.", "The address type has been created": "O tipo de endereço foi criado", "The address type has been deleted": "O tipo de endereço foi excluído", "The address type has been updated": "O tipo de endereço foi atualizado", - "The call has been created": "A chamada foi criada.", - "The call has been deleted": "A chamada foi excluída.", - "The call has been edited": "A chamada foi editada.", - "The call reason has been created": "O motivo de chamada foi criado", - "The call reason has been deleted": "O motivo de chamada foi excluído", - "The call reason has been updated": "O motivo de chamada foi atualizado", - "The call reason type has been created": "O tipo de motivo de chamada foi criado", - "The call reason type has been deleted": "O tipo de motivo de chamada foi excluído", - "The call reason type has been updated": "O tipo de motivo de chamada foi atualizado", + "The call has been created": "A chamada foi criada", + "The call has been deleted": "A chamada foi excluída", + "The call has been edited": "A chamada foi editada", + "The call reason has been created": "O motivo da chamada foi criado", + "The call reason has been deleted": "O motivo da chamada foi excluído", + "The call reason has been updated": "O motivo da chamada foi atualizado", + "The call reason type has been created": "O tipo de motivo da chamada foi criado", + "The call reason type has been deleted": "O tipo de motivo da chamada foi excluído", + "The call reason type has been updated": "O tipo de motivo da chamada foi atualizado", "The channel has been added": "O canal foi adicionado", "The channel has been updated": "O canal foi atualizado", "The contact does not belong to any group yet.": "O contato ainda não pertence a nenhum grupo.", @@ -921,12 +920,12 @@ "The contact has been deleted": "O contato foi excluído", "The contact has been edited": "O contato foi editado", "The contact has been removed from the group": "O contato foi removido do grupo", - "The contact information has been created": "As informações de contato foram criadas.", - "The contact information has been deleted": "As informações de contato foram excluídas.", - "The contact information has been edited": "As informações de contato foram editadas.", - "The contact information type has been created": "O tipo de informação de contato foi criado", + "The contact information has been created": "As informações de contato foram criadas", + "The contact information has been deleted": "As informações de contato foram excluídas", + "The contact information has been edited": "As informações de contato foram editadas", + "The contact information type has been created": "O tipo de informações de contato foi criado", "The contact information type has been deleted": "O tipo de informação de contato foi excluído", - "The contact information type has been updated": "O tipo de informação de contato foi atualizado", + "The contact information type has been updated": "O tipo de informações de contato foi atualizado", "The contact is archived": "O contato está arquivado", "The currencies have been updated": "As moedas foram atualizadas", "The currency has been updated": "A moeda foi atualizada", @@ -944,7 +943,7 @@ "The gift occasion has been created": "A ocasião do presente foi criada", "The gift occasion has been deleted": "A ocasião do presente foi excluída", "The gift occasion has been updated": "A ocasião do presente foi atualizada", - "The gift state has been created": "O estado do presente foi criado", + "The gift state has been created": "O estado de presente foi criado", "The gift state has been deleted": "O estado do presente foi excluído", "The gift state has been updated": "O estado do presente foi atualizado", "The given data was invalid.": "Os dados fornecidos são inválidos.", @@ -958,11 +957,11 @@ "The group type has been deleted": "O tipo de grupo foi excluído", "The group type has been updated": "O tipo de grupo foi atualizado", "The important dates in the next 12 months": "As datas importantes nos próximos 12 meses", - "The job information has been saved": "As informações de trabalho foram salvas", + "The job information has been saved": "As informações do trabalho foram salvas", "The journal lets you document your life with your own words.": "O diário permite que você documente sua vida com suas próprias palavras.", - "The keys to manage uploads have not been set in this Monica instance.": "As chaves para gerenciar uploads não foram definidas nesta instância do Monica.", - "The label has been added": "A etiqueta foi adicionada", - "The label has been created": "O rótulo foi criado", + "The keys to manage uploads have not been set in this Monica instance.": "As chaves para gerenciar uploads não foram definidas nesta instância de Monica.", + "The label has been added": "O rótulo foi adicionado", + "The label has been created": "A etiqueta foi criada", "The label has been deleted": "O rótulo foi excluído", "The label has been updated": "O rótulo foi atualizado", "The life metric has been created": "A métrica de vida foi criada", @@ -971,7 +970,7 @@ "The loan has been created": "O empréstimo foi criado", "The loan has been deleted": "O empréstimo foi excluído", "The loan has been edited": "O empréstimo foi editado", - "The loan has been settled": "O empréstimo foi quitado", + "The loan has been settled": "O empréstimo foi liquidado", "The loan is an object": "O empréstimo é um objeto", "The loan is monetary": "O empréstimo é monetário", "The module has been added": "O módulo foi adicionado", @@ -985,48 +984,48 @@ "The page has been deleted": "A página foi excluída", "The page has been updated": "A página foi atualizada", "The password is incorrect.": "A senha está incorreta.", - "The pet category has been created": "A categoria de animais de estimação foi criada", - "The pet category has been deleted": "A categoria de animais de estimação foi deletada", + "The pet category has been created": "A categoria animal de estimação foi criada", + "The pet category has been deleted": "A categoria de animal de estimação foi excluída", "The pet category has been updated": "A categoria de animais de estimação foi atualizada", - "The pet has been added": "O animal de estimação foi adicionado.", - "The pet has been deleted": "O animal de estimação foi excluído.", - "The pet has been edited": "O animal de estimação foi editado.", - "The photo has been added": "A foto foi adicionada.", - "The photo has been deleted": "A foto foi excluída.", + "The pet has been added": "O animal de estimação foi adicionado", + "The pet has been deleted": "O animal de estimação foi excluído", + "The pet has been edited": "O animal de estimação foi editado", + "The photo has been added": "A foto foi adicionada", + "The photo has been deleted": "A foto foi excluída", "The position has been saved": "A posição foi salva", "The post template has been created": "O modelo de postagem foi criado", - "The post template has been deleted": "O modelo de postagem foi deletado", + "The post template has been deleted": "O modelo de postagem foi excluído", "The post template has been updated": "O modelo de postagem foi atualizado", "The pronoun has been created": "O pronome foi criado", - "The pronoun has been deleted": "O pronome foi deletado", + "The pronoun has been deleted": "O pronome foi excluído", "The pronoun has been updated": "O pronome foi atualizado", "The provided password does not match your current password.": "A palavra-passe fornecida não corresponde à sua palavra-passe actual.", "The provided password was incorrect.": "A palavra-passe fornecida era incorreta.", "The provided two factor authentication code was invalid.": "O código fornecido para a autenticação de dois fatores é inválido.", "The provided two factor recovery code was invalid.": "O código de recuperação de dois factores fornecido foi inválido.", - "There are no active addresses yet.": "Não há endereços ativos ainda.", - "There are no calls logged yet.": "Não há chamadas registradas ainda.", + "There are no active addresses yet.": "Ainda não há endereços ativos.", + "There are no calls logged yet.": "Ainda não há chamadas registradas.", "There are no contact information yet.": "Ainda não há informações de contato.", "There are no documents yet.": "Ainda não há documentos.", - "There are no events on that day, future or past.": "Não há eventos nesse dia, futuro ou passado.", + "There are no events on that day, future or past.": "Não há eventos naquele dia, futuros ou passados.", "There are no files yet.": "Ainda não há arquivos.", "There are no goals yet.": "Ainda não há metas.", - "There are no journal metrics.": "Não há métricas de jornal.", - "There are no loans yet.": "Não há empréstimos ainda.", + "There are no journal metrics.": "Não há métricas de diário.", + "There are no loans yet.": "Ainda não há empréstimos.", "There are no notes yet.": "Ainda não há notas.", "There are no other users in this account.": "Não há outros usuários nesta conta.", - "There are no pets yet.": "Não há animais de estimação ainda.", + "There are no pets yet.": "Ainda não há animais de estimação.", "There are no photos yet.": "Não há fotos ainda.", - "There are no posts yet.": "Não há publicações ainda.", + "There are no posts yet.": "Ainda não há postagens.", "There are no quick facts here yet.": "Não há fatos rápidos aqui ainda.", - "There are no relationships yet.": "Não há relacionamentos ainda.", - "There are no reminders yet.": "Não há lembretes ainda.", - "There are no tasks yet.": "Não há tarefas ainda.", - "There are no templates in the account. Go to the account settings to create one.": "Não há modelos na conta. Vá para as configurações da conta para criar um.", - "There is no activity yet.": "Não há atividade ainda.", + "There are no relationships yet.": "Ainda não há relacionamentos.", + "There are no reminders yet.": "Ainda não há lembretes.", + "There are no tasks yet.": "Ainda não há tarefas.", + "There are no templates in the account. Go to the account settings to create one.": "Não há modelos na conta. Vá para as configurações da conta para criar uma.", + "There is no activity yet.": "Ainda não há atividade.", "There is no currencies in this account.": "Não há moedas nesta conta.", "The relationship has been added": "O relacionamento foi adicionado", - "The relationship has been deleted": "O relacionamento foi excluído.", + "The relationship has been deleted": "O relacionamento foi excluído", "The relationship type has been created": "O tipo de relacionamento foi criado", "The relationship type has been deleted": "O tipo de relacionamento foi excluído", "The relationship type has been updated": "O tipo de relacionamento foi atualizado", @@ -1034,24 +1033,26 @@ "The religion has been deleted": "A religião foi excluída", "The religion has been updated": "A religião foi atualizada", "The reminder has been created": "O lembrete foi criado", - "The reminder has been deleted": "O lembrete foi deletado", + "The reminder has been deleted": "O lembrete foi excluído", "The reminder has been edited": "O lembrete foi editado", + "The response is not a streamed response.": "A resposta não é uma resposta transmitida.", + "The response is not a view.": "A resposta não é uma visão.", "The role has been created": "A função foi criada", - "The role has been deleted": "O papel foi deletado", - "The role has been updated": "O papel foi atualizado", + "The role has been deleted": "A função foi excluída", + "The role has been updated": "A função foi atualizada", "The section has been created": "A seção foi criada", - "The section has been deleted": "A seção foi deletada", + "The section has been deleted": "A seção foi excluída", "The section has been updated": "A seção foi atualizada", "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Estas pessoas foram convidadas para a sua equipa e receberam um convite por e-mail. Eles podem se juntar à equipe aceitando o convite por e-mail.", - "The tag has been added": "A tag foi adicionada.", - "The tag has been created": "A tag foi criada", + "The tag has been added": "A etiqueta foi adicionada", + "The tag has been created": "A etiqueta foi criada", "The tag has been deleted": "A tag foi excluída", "The tag has been updated": "A tag foi atualizada", "The task has been created": "A tarefa foi criada", - "The task has been deleted": "A tarefa foi deletada", + "The task has been deleted": "A tarefa foi excluída", "The task has been edited": "A tarefa foi editada", "The team's name and owner information.": "Nome da equipa e do proprietário.", - "The Telegram channel has been deleted": "O canal do Telegram foi excluído", + "The Telegram channel has been deleted": "O canal Telegram foi excluído", "The template has been created": "O modelo foi criado", "The template has been deleted": "O modelo foi excluído", "The template has been set": "O modelo foi definido", @@ -1065,9 +1066,9 @@ "The user has been removed": "O usuário foi removido", "The user has been updated": "O usuário foi atualizado", "The vault has been created": "O cofre foi criado", - "The vault has been deleted": "A caixa forte foi excluída", - "The vault have been updated": "A caixa forte foi atualizada", - "they\/them": "eles\/eles", + "The vault has been deleted": "O cofre foi excluído", + "The vault have been updated": "O cofre foi atualizado", + "they/them": "eles/eles", "This address is not active anymore": "Este endereço não está mais ativo", "This device": "Este dispositivo", "This email is a test email to check if Monica can send an email to this email address.": "Este e-mail é um e-mail de teste para verificar se Monica pode enviar um e-mail para este endereço de e-mail.", @@ -1075,166 +1076,164 @@ "This is a test email": "Este é um e-mail de teste", "This is a test notification for :name": "Esta é uma notificação de teste para :name", "This key is already registered. It’s not necessary to register it again.": "Esta chave já está registrada. Não é necessário registrá-lo novamente.", - "This link will open in a new tab": "Este link abrirá em uma nova aba", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Esta página mostra todas as notificações que foram enviadas neste canal no passado. Ele serve principalmente como uma forma de depurar no caso de você não receber a notificação que configurou.", + "This link will open in a new tab": "Este link será aberto em uma nova aba", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Esta página mostra todas as notificações que foram enviadas neste canal no passado. Serve principalmente como uma forma de depurar caso você não receba a notificação que configurou.", "This password does not match our records.": "Esta palavra-passe não tem correspondência nos nossos registos.", "This password reset link will expire in :count minutes.": "O Link para redefinir a palavra-passe vai expirar em :count minutos.", - "This post has no content yet.": "Este post ainda não tem conteúdo.", + "This post has no content yet.": "Esta postagem ainda não tem conteúdo.", "This provider is already associated with another account": "Este provedor já está associado a outra conta", "This site is open source.": "Este site é de código aberto.", - "This template will define what information are displayed on a contact page.": "Este modelo definirá quais informações são exibidas em uma página de contato.", + "This template will define what information are displayed on a contact page.": "Este modelo definirá quais informações serão exibidas em uma página de contato.", "This user already belongs to the team.": "Este utilizador já pertence à equipa.", "This user has already been invited to the team.": "Este usuário já foi convidado para a equipe.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Este usuário fará parte da sua conta, mas não terá acesso a todos os cofres a menos que você conceda acesso específico a eles. Essa pessoa também poderá criar cofres.", - "This will immediately:": "Isso imediatamente:", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Este usuário fará parte da sua conta, mas não terá acesso a todos os cofres desta conta, a menos que você conceda acesso específico a eles. Essa pessoa também poderá criar cofres.", + "This will immediately:": "Isso irá imediatamente:", "Three things that happened today": "Três coisas que aconteceram hoje", "Thursday": "Quinta-feira", "Timezone": "Fuso horário", "Title": "Título", "to": "até", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Para concluir a autenticação de dois factores, digitalize o seguinte código QR usando a aplicação autenticadora do seu telefone ou introduza a chave de configuração e forneça o código OTP gerado.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Para concluir a ativação da autenticação de dois fatores, digitalize o seguinte código QR usando o aplicativo autenticador do seu telefone ou digite a chave de configuração e forneça o código OTP gerado.", "Toggle navigation": "Alternar navegação", - "To hear their story": "Para ouvir sua história", + "To hear their story": "Para ouvir a história deles", "Token Name": "Nome do Token", "Token name (for your reference only)": "Nome do token (apenas para sua referência)", - "Took a new job": "Consegui um novo emprego", - "Took the bus": "Pegou o ônibus", - "Took the metro": "Pegou o metrô", + "Took a new job": "Arrumou um novo emprego", + "Took the bus": "Peguei o ônibus", + "Took the metro": "Peguei o metrô", "Too Many Requests": "Demasiados pedidos", "To see if they need anything": "Para ver se eles precisam de alguma coisa", "To start, you need to create a vault.": "Para começar, você precisa criar um cofre.", "Total:": "Total:", "Total streaks": "Total de sequências", - "Track a new metric": "Acompanhar uma nova métrica", + "Track a new metric": "Acompanhe uma nova métrica", "Transportation": "Transporte", "Tuesday": "Terça-feira", "Two-factor Confirmation": "Confirmação de dois fatores", "Two Factor Authentication": "Autenticação de dois fatores", "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "A autenticação de dois factores está agora ativa. Digitalize o seguinte código QR utilizando a aplicação autenticadora do seu telemóvel ou introduza a chave de configuração.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "A autenticação de dois fatores agora está habilitada. Digitalize o seguinte código QR usando o aplicativo autenticador do seu telefone ou digite a chave de configuração.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "A autenticação de dois fatores agora está habilitada. Leia o seguinte código QR usando o aplicativo autenticador do seu telefone ou insira a chave de configuração.", "Type": "Tipo", "Type:": "Tipo:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Digite qualquer coisa na conversa com o bot do Monica. Pode ser start, por exemplo.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Digite qualquer coisa na conversa com o bot Monica. Pode ser `start` por exemplo.", "Types": "Tipos", "Type something": "Digite algo", "Unarchive contact": "Desarquivar contato", "unarchived the contact": "desarquivou o contato", "Unauthorized": "Não autorizado", - "uncle\/aunt": "tio\/tia", + "uncle/aunt": "tio/tia", "Undefined": "Indefinido", "Unexpected error on login.": "Erro inesperado no login.", "Unknown": "Desconhecido", "unknown action": "ação desconhecida", "Unknown age": "Idade desconhecida", - "Unknown contact name": "Nome de contato desconhecido", "Unknown name": "Nome desconhecido", "Update": "Atualizar", - "Update a key.": "Atualizar uma chave.", + "Update a key.": "Atualize uma chave.", "updated a contact information": "atualizou uma informação de contato", - "updated a goal": "atualizou um objetivo", + "updated a goal": "atualizou uma meta", "updated an address": "atualizou um endereço", "updated an important date": "atualizou uma data importante", "updated a pet": "atualizou um animal de estimação", - "Updated on :date": "Atualizado em :data", + "Updated on :date": "Atualizado em :date", "updated the avatar of the contact": "atualizou o avatar do contato", - "updated the contact information": "atualizou as informações de contato", + "updated the contact information": "atualizei as informações de contato", "updated the job information": "atualizou as informações do trabalho", "updated the religion": "atualizou a religião", "Update Password": "Atualizar palavra-passe", "Update your account's profile information and email address.": "Atualize a informação de perfil e mail da sua conta.", - "Update your account’s profile information and email address.": "Atualize as informações do perfil da sua conta e o endereço de e-mail.", "Upload photo as avatar": "Carregar foto como avatar", "Use": "Usar", "Use an authentication code": "Utilize um código de autenticação", "Use a recovery code": "Utilize um código de recuperação", "Use a security key (Webauthn, or FIDO) to increase your account security.": "Use uma chave de segurança (Webauthn ou FIDO) para aumentar a segurança da sua conta.", - "User preferences": "Preferências do usuário", + "User preferences": "Preferências de usuário", "Users": "Usuários", - "User settings": "Configurações do usuário", - "Use the following template for this contact": "Usar o seguinte modelo para este contato", + "User settings": "Configurações do Usuário", + "Use the following template for this contact": "Use o seguinte modelo para este contato", "Use your password": "Use sua senha", "Use your security key": "Use sua chave de segurança", "Validating key…": "Validando chave…", - "Value copied into your clipboard": "Valor copiado para a área de transferência", + "Value copied into your clipboard": "Valor copiado para sua área de transferência", "Vaults contain all your contacts data.": "Os cofres contêm todos os dados dos seus contatos.", - "Vault settings": "Configurações da caixa forte", - "ve\/ver": "ve\/ver", + "Vault settings": "Configurações do cofre", + "ve/ver": "já/ver", "Verification email sent": "E-mail de verificação enviado", "Verified": "Verificado", "Verify Email Address": "Verifique o endereço de e-mail", - "Verify this email address": "Verifique este endereço de e-mail", - "Version :version — commit [:short](:url).": "Versão :version — commit [:short](:url).", - "Via Telegram": "Via Telegram", - "Video call": "Ligação de vídeo", + "Verify this email address": "verifique este endereço de email", + "Version :version — commit [:short](:url).": "Versão :version — confirmação [:short](:url).", + "Via Telegram": "Via telegrama", + "Video call": "Video chamada", "View": "Visualizar", "View all": "Ver tudo", "View details": "Ver detalhes", "Viewer": "Visualizador", - "View history": "Visualizar histórico", + "View history": "Ver histórico", "View log": "Ver registro", "View on map": "Ver no mapa", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Aguarde alguns segundos para que o Monica (o aplicativo) reconheça você. Enviaremos uma notificação falsa para ver se funciona.", - "Waiting for key…": "Aguardando chave…", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Aguarde alguns segundos para que Monica (o aplicativo) reconheça você. Enviaremos a você uma notificação falsa para ver se funciona.", + "Waiting for key…": "Aguardando a chave…", "Walked": "Caminhou", "Wallpaper": "Papel de parede", - "Was there a reason for the call?": "Havia um motivo para a chamada?", + "Was there a reason for the call?": "Houve um motivo para a ligação?", "Watched a movie": "Assisti um filme", "Watched a tv show": "Assisti a um programa de TV", "Watched TV": "Assisti TV", "Watch Netflix every day": "Assistir Netflix todos os dias", - "Ways to connect": "Formas de conexão", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "O WebAuthn só suporta conexões seguras. Carregue esta página com o esquema https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Nós os chamamos de relação e sua relação inversa. Para cada relação que você define, é necessário definir sua contraparte.", + "Ways to connect": "Maneiras de se conectar", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn oferece suporte apenas a conexões seguras. Carregue esta página com esquema https.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Nós os chamamos de relação e sua relação inversa. Para cada relação definida, você precisa definir sua contraparte.", "Wedding": "Casamento", "Wednesday": "Quarta-feira", "We hope you'll like it.": "Esperamos que você goste.", "We hope you will like what we’ve done.": "Esperamos que você goste do que fizemos.", - "Welcome to Monica.": "Bem-vindo ao Monica.", + "Welcome to Monica.": "Bem vindo a Monica.", "Went to a bar": "Fui a um bar", - "We support Markdown to format the text (bold, lists, headings, etc…).": "Nós suportamos Markdown para formatar o texto (negrito, listas, cabeçalhos, etc...).", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Apoiamos Markdown para formatar o texto (negrito, listas, títulos, etc…).", "We were unable to find a registered user with this email address.": "Não conseguimos encontrar um utilizador registado com este endereço de e-mail.", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Enviaremos um e-mail para este endereço de e-mail que você precisará confirmar antes que possamos enviar notificações para este endereço.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Enviaremos um e-mail para este endereço de e-mail que você precisará confirmar antes de podermos enviar notificações para este endereço.", "What happens now?": "O que acontece agora?", - "What is the loan?": "O que é o empréstimo?", - "What permission should :name have?": "Que permissão :name deve ter?", + "What is the loan?": "Qual é o empréstimo?", + "What permission should :name have?": "Que permissão :name deveria ter?", "What permission should the user have?": "Que permissão o usuário deve ter?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "O que devemos usar para exibir mapas?", - "What would make today great?": "O que tornaria hoje ótimo?", + "What would make today great?": "O que tornaria o dia de hoje ótimo?", "When did the call happened?": "Quando a ligação aconteceu?", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Quando a autenticação de dois factores é ativa, ser-lhe-á pedido um token seguro e aleatório durante a autenticação. Poderá obter este token a partir da aplicação Google Authenticator no seu telemóvel.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Quando a autenticação de dois fatores estiver habilitada, você será solicitado a um token seguro e aleatório durante a autenticação. Você pode recuperar esse token do aplicativo Authenticator do seu telefone.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Quando a autenticação de dois fatores estiver ativada, será solicitado um token aleatório e seguro durante a autenticação. Você pode recuperar esse token no aplicativo Authenticator do seu telefone.", "When was the loan made?": "Quando foi feito o empréstimo?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Quando você define um relacionamento entre dois contatos, por exemplo, um relacionamento pai-filho, o Monica cria duas relações, uma para cada contato:", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Quando você define um relacionamento entre dois contatos, por exemplo, um relacionamento pai-filho, Monica cria duas relações, uma para cada contato:", "Which email address should we send the notification to?": "Para qual endereço de e-mail devemos enviar a notificação?", - "Who called?": "Quem ligou?", + "Who called?": "Quem chamou?", "Who makes the loan?": "Quem faz o empréstimo?", "Whoops!": "Ops!", "Whoops! Something went wrong.": "Ops! Alguma coisa correu mal.", "Who should we invite in this vault?": "Quem devemos convidar para este cofre?", "Who the loan is for?": "Para quem é o empréstimo?", - "Wish good day": "Desejar bom dia", - "Work": "Trabalho", - "Write the amount with a dot if you need decimals, like 100.50": "Escreva o valor com um ponto se precisar de decimais, como 100,50", + "Wish good day": "Desejo bom dia", + "Work": "Trabalhar", + "Write the amount with a dot if you need decimals, like 100.50": "Escreva o valor com um ponto se precisar de números decimais, como 100,50", "Written on": "Escrito em", "wrote a note": "escreveu uma nota", - "xe\/xem": "xe\/xem", + "xe/xem": "xe/xem", "year": "ano", "Years": "Anos", "You are here:": "Você está aqui:", - "You are invited to join Monica": "Você está convidado a se juntar ao Monica", + "You are invited to join Monica": "Você está convidado a se juntar à Monica", "You are receiving this email because we received a password reset request for your account.": "Recebeu esse e-mail porque foi solicitada a redefinição da palavra-passe da sua conta.", - "you can't even use your current username or password to sign in,": "você não pode nem usar seu nome de usuário ou senha atual para entrar,", - "you can't import any data from your current Monica account(yet),": "você não pode importar nenhum dado de sua conta atual da Monica (ainda),", - "You can add job information to your contacts and manage the companies here in this tab.": "Você pode adicionar informações de emprego aos seus contatos e gerenciar as empresas aqui nesta guia.", + "you can't even use your current username or password to sign in,": "você não pode nem usar seu nome de usuário ou senha atual para fazer login,", + "you can't import any data from your current Monica account(yet),": "você não pode importar nenhum dado da sua conta atual da Monica (ainda),", + "You can add job information to your contacts and manage the companies here in this tab.": "Você pode adicionar informações de vagas aos seus contatos e gerenciar as empresas aqui nesta aba.", "You can add more account to log in to our service with one click.": "Você pode adicionar mais contas para fazer login em nosso serviço com um clique.", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Você pode ser notificado por diferentes canais: e-mails, uma mensagem do Telegram, no Facebook. Você decide.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Você pode ser notificado por diversos canais: e-mails, mensagem do Telegram, no Facebook. Você decide.", "You can change that at any time.": "Você pode mudar isso a qualquer momento.", - "You can choose how you want Monica to display dates in the application.": "Você pode escolher como deseja que o Monica exiba datas no aplicativo.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Você pode escolher quais moedas devem ser ativadas em sua conta e quais não devem ser.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Você pode personalizar como os contatos devem ser exibidos de acordo com seu próprio gosto\/cultura. Talvez você queira usar James Bond em vez de Bond James. Aqui, você pode definir isso à vontade.", - "You can customize the criteria that let you track your mood.": "Você pode personalizar os critérios que permitem acompanhar seu humor.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Você pode mover contatos entre pastas. Essa mudança é imediata. Você só pode mover contatos para pastas das quais você faz parte. Todos os dados de contato serão movidos com ele.", + "You can choose how you want Monica to display dates in the application.": "Você pode escolher como deseja que Monica exiba as datas no aplicativo.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Você pode escolher quais moedas devem ser habilitadas em sua conta e quais não devem.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Você pode personalizar como os contatos devem ser exibidos de acordo com seu gosto/cultura. Talvez você queira usar James Bond em vez de Bond James. Aqui você pode defini-lo à vontade.", + "You can customize the criteria that let you track your mood.": "Você pode personalizar os critérios que permitem monitorar seu humor.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Você pode mover contatos entre cofres. Esta mudança é imediata. Você só pode mover contatos para cofres dos quais faz parte. Todos os dados dos contatos serão movidos com ele.", "You cannot remove your own administrator privilege.": "Você não pode remover seu próprio privilégio de administrador.", "You don’t have enough space left in your account.": "Você não tem espaço suficiente em sua conta.", "You don’t have enough space left in your account. Please upgrade.": "Você não tem espaço suficiente em sua conta. Por favor, atualize.", @@ -1248,25 +1247,25 @@ "You may delete any of your existing tokens if they are no longer needed.": "Pode eliminar qualquer um dos tokens existentes caso já não sejam necessários.", "You may not delete your personal team.": "Não pode eliminar a sua equipa pessoal.", "You may not leave a team that you created.": "Não pode abandonar a equipa que criou.", - "You might need to reload the page to see the changes.": "Você pode precisar recarregar a página para ver as mudanças.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Você precisa de pelo menos um modelo para exibir contatos. Sem um modelo, o Monica não saberá qual informação deve exibir.", + "You might need to reload the page to see the changes.": "Pode ser necessário recarregar a página para ver as alterações.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Você precisa de pelo menos um modelo para que os contatos sejam exibidos. Sem um modelo, Monica não saberá quais informações ele deverá exibir.", "Your account current usage": "Uso atual da sua conta", "Your account has been created": "Sua conta foi criada", "Your account is linked": "Sua conta está vinculada", - "Your account limits": "Os limites da sua conta", - "Your account will be closed immediately,": "Sua conta será fechada imediatamente,", - "Your browser doesn’t currently support WebAuthn.": "Seu navegador atualmente não suporta WebAuthn.", + "Your account limits": "Limites da sua conta", + "Your account will be closed immediately,": "Sua conta será encerrada imediatamente,", + "Your browser doesn’t currently support WebAuthn.": "Atualmente, seu navegador não oferece suporte a WebAuthn.", "Your email address is unverified.": "Seu endereço de e-mail não foi verificado.", - "Your life events": "Seus eventos de vida", + "Your life events": "Eventos de sua vida", "Your mood has been recorded!": "Seu humor foi registrado!", "Your mood that day": "Seu humor naquele dia", "Your mood that you logged at this date": "Seu humor que você registrou nesta data", "Your mood this year": "Seu humor este ano", - "Your name here will be used to add yourself as a contact.": "Seu nome aqui será usado para adicionar você mesmo como contato.", + "Your name here will be used to add yourself as a contact.": "Seu nome aqui será usado para adicionar você como contato.", "You wanted to be reminded of the following:": "Você queria ser lembrado do seguinte:", - "You WILL still have to delete your account on Monica or OfficeLife.": "Você ainda terá que excluir sua conta no Monica ou OfficeLife.", + "You WILL still have to delete your account on Monica or OfficeLife.": "Você ainda TERÁ que excluir sua conta no Monica ou OfficeLife.", "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Você foi convidado a usar este endereço de e-mail no Monica, um CRM pessoal de código aberto, para que possamos usá-lo para enviar notificações.", - "ze\/hir": "ze\/hir", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Zona de perigo", "🌳 Chalet": "🌳 Chalé", "🏠 Secondary residence": "🏠 Residência secundária", @@ -1275,10 +1274,10 @@ "🔔 Reminder: :label for :contactName": "🔔 Lembrete: :label para :contactName", "😀 Good": "😀 Bom", "😁 Positive": "😁 Positivo", - "😐 Meh": "😐 Mais ou menos", + "😐 Meh": "😐 Meh", "😔 Bad": "😔 Ruim", "😡 Negative": "😡 Negativo", - "😩 Awful": "😩 Terrível", + "😩 Awful": "😩 Horrível", "😶‍🌫️ Neutral": "😶‍🌫️ Neutro", - "🥳 Awesome": "🥳 Impressionante" + "🥳 Awesome": "🥳 Incrível" } \ No newline at end of file diff --git a/lang/pt/http-statuses.php b/lang/pt/http-statuses.php index 17c2dd1aa05..28a2d6f6940 100644 --- a/lang/pt/http-statuses.php +++ b/lang/pt/http-statuses.php @@ -12,7 +12,7 @@ '204' => 'Sem conteúdo', '205' => 'Redefinir conteúdo', '206' => 'Conteúdo Parcial', - '207' => 'Multi-status', + '207' => 'Vários status', '208' => 'Já Reportado', '226' => 'Estou acostumado', '300' => 'Escolhas múltiplas', diff --git a/lang/pt/validation.php b/lang/pt/validation.php index 9b3ef348334..3dc5aa9aa48 100644 --- a/lang/pt/validation.php +++ b/lang/pt/validation.php @@ -93,6 +93,7 @@ 'string' => 'O campo :attribute deverá conter entre :min - :max caracteres.', ], 'boolean' => 'O campo :attribute deverá conter o valor verdadeiro ou falso.', + 'can' => 'O campo :attribute contém um valor não autorizado.', 'confirmed' => 'A confirmação para o campo :attribute não coincide.', 'current_password' => 'A palavra-passe está incorreta.', 'date' => 'O campo :attribute não contém uma data válida.', diff --git a/lang/pt_BR.json b/lang/pt_BR.json new file mode 100644 index 00000000000..a2317014bba --- /dev/null +++ b/lang/pt_BR.json @@ -0,0 +1,1283 @@ +{ + "(and :count more error)": "(e mais :count erro)", + "(and :count more errors)": "(e mais :count erros)", + "(Help)": "(Ajuda)", + "+ add a contact": "+ adicionar um contato", + "+ add another": "+ adicionar outro", + "+ add another photo": "+ adicionar outra foto", + "+ add description": "+ adicionar descrição", + "+ add distance": "+ adicionar distância", + "+ add emotion": "+ adicionar emoção", + "+ add reason": "+ adicionar motivo", + "+ add summary": "+ adicionar resumo", + "+ add title": "+ adicionar título", + "+ change date": "+ alterar data", + "+ change template": "+ alterar modelo", + "+ create a group": "+ criar um grupo", + "+ gender": "+ gênero", + "+ last name": "+ sobrenome", + "+ maiden name": "+ nome de solteira", + "+ middle name": "+ nome do meio", + "+ nickname": "+ apelido", + "+ note": "+ nota", + "+ number of hours slept": "+ número de horas dormidas", + "+ prefix": "+ prefixo", + "+ pronoun": "+ pronome", + "+ suffix": "+ sufixo", + ":count contact|:count contacts": ":count contato|:count contatos", + ":count hour slept|:count hours slept": ":count hora dormi|:count horas dormidas", + ":count min read": ":count minutos de leitura", + ":count post|:count posts": ":count postagem|:count postagens", + ":count template section|:count template sections": ":count seção de modelo|:count seções de modelo", + ":count word|:count words": ":count palavra|:count palavras", + ":distance km": ":distance km", + ":distance miles": ":distance milhas", + ":file at line :line": ":file na linha :line", + ":file in :class at line :line": ":file em :class na linha :line", + ":Name called": ":Name chamado", + ":Name called, but I didn’t answer": ":Name ligou, mas eu não atendi", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName convida você para se juntar ao Monica, um CRM pessoal de código aberto, projetado para ajudá-lo a documentar seus relacionamentos.", + "Accept Invitation": "Aceitar convite", + "Accept invitation and create your account": "Aceite o convite e crie sua conta", + "Account and security": "Conta e segurança", + "Account settings": "Configurações de Conta", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "As informações de contato podem ser clicáveis. Por exemplo, um número de telefone pode ser clicável e iniciar o aplicativo padrão em seu computador. Se você não conhece o protocolo do tipo que está adicionando, basta omitir este campo.", + "Activate": "Ativar", + "Activity feed": "Feed de atividade", + "Activity in this vault": "Atividade neste cofre", + "Add": "Adicionar", + "add a call reason type": "adicione um tipo de motivo de chamada", + "Add a contact": "Adicionar um contato", + "Add a contact information": "Adicione uma informação de contato", + "Add a date": "Adicione uma data", + "Add additional security to your account using a security key.": "Adicione segurança adicional à sua conta usando uma chave de segurança.", + "Add additional security to your account using two factor authentication.": "Adicione mais segurança à sua conta usando autenticação em dois fatores.", + "Add a document": "Adicionar um documento", + "Add a due date": "Adicione uma data de vencimento", + "Add a gender": "Adicionar um gênero", + "Add a gift occasion": "Adicione uma ocasião para presente", + "Add a gift state": "Adicione um estado de presente", + "Add a goal": "Adicione uma meta", + "Add a group type": "Adicione um tipo de grupo", + "Add a header image": "Adicione uma imagem de cabeçalho", + "Add a label": "Adicionar um rótulo", + "Add a life event": "Adicionar um Evento da Vida", + "Add a life event category": "Adicione uma categoria de evento de vida", + "add a life event type": "adicione um tipo de evento de vida", + "Add a module": "Adicionar um módulo", + "Add an address": "Adicionar um endereço", + "Add an address type": "Adicione um tipo de endereço", + "Add an email address": "Adicione um endereço de e-mail", + "Add an email to be notified when a reminder occurs.": "Adicione um e-mail para ser notificado quando ocorrer um lembrete.", + "Add an entry": "Adicionar uma entrada", + "add a new metric": "adicionar uma nova métrica", + "Add a new team member to your team, allowing them to collaborate with you.": "Adicionar um novo membro no seu time, permitindo que ele colabore com você.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Adicione uma data importante para lembrar o que é importante para você nessa pessoa, como uma data de nascimento ou de falecimento.", + "Add a note": "Adicione uma anotação", + "Add another life event": "Adicione outro evento de vida", + "Add a page": "Adicionar uma página", + "Add a parameter": "Adicione um parâmetro", + "Add a pet": "Adicione um animal de estimação", + "Add a photo": "Adicionar uma foto", + "Add a photo to a journal entry to see it here.": "Adicione uma foto a uma entrada de diário para vê-la aqui.", + "Add a post template": "Adicione um modelo de postagem", + "Add a pronoun": "Adicione um pronome", + "add a reason": "adicione um motivo", + "Add a relationship": "Adicionar um relacionamento", + "Add a relationship group type": "Adicione um tipo de grupo de relacionamento", + "Add a relationship type": "Adicione um tipo de relacionamento", + "Add a religion": "Adicione uma religião", + "Add a reminder": "Adicionar um lembrete", + "add a role": "adicionar uma função", + "add a section": "adicionar uma seção", + "Add a tag": "Adicionar uma etiqueta", + "Add a task": "Adicionar uma tarefa", + "Add a template": "Adicione um modelo", + "Add at least one module.": "Adicione pelo menos um módulo.", + "Add a type": "Adicione um tipo", + "Add a user": "Adicionar um usuário", + "Add a vault": "Adicionar um cofre", + "Add date": "Adicionar data", + "Added.": "Adicionado.", + "added a contact information": "adicionou uma informação de contato", + "added an address": "adicionou um endereço", + "added an important date": "adicionou uma data importante", + "added a pet": "adicionou um animal de estimação", + "added the contact to a group": "adicionou o contato a um grupo", + "added the contact to a post": "adicionou o contato a uma postagem", + "added the contact to the favorites": "adicionou o contato aos favoritos", + "Add genders to associate them to contacts.": "Adicione gêneros para associá-los aos contatos.", + "Add loan": "Adicionar empréstimo", + "Add one now": "Adicione um agora", + "Add photos": "Adicionar fotos", + "Address": "Endereço", + "Addresses": "Endereços", + "Address type": "Tipo de endereço", + "Address types": "Tipos de endereço", + "Address types let you classify contact addresses.": "Os tipos de endereço permitem classificar endereços de contato.", + "Add Team Member": "Adicionar membro ao time", + "Add to group": "Adicionar ao grupo", + "Administrator": "Administrador", + "Administrator users can perform any action.": "Usuários com privilégios de Administrador podem executar qualquer ação.", + "a father-son relation shown on the father page,": "uma relação pai-filho mostrada na página pai,", + "after the next occurence of the date.": "após a próxima ocorrência da data.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Um grupo é composto por duas ou mais pessoas juntas. Pode ser uma família, uma casa, um clube desportivo. O que for importante para você.", + "All contacts in the vault": "Todos os contatos no cofre", + "All files": "Todos os arquivos", + "All groups in the vault": "Todos os grupos no vault", + "All journal metrics in :name": "Todas as métricas do diário em :name", + "All of the people that are part of this team.": "Todas as pessoas que fazem parte deste time.", + "All rights reserved.": "Todos os direitos reservados.", + "All tags": "Todas as tags", + "All the address types": "Todos os tipos de endereço", + "All the best,": "Tudo de bom,", + "All the call reasons": "Todos os motivos da chamada", + "All the cities": "Todas as cidades", + "All the companies": "Todas as empresas", + "All the contact information types": "Todos os tipos de informações de contato", + "All the countries": "Todos os países", + "All the currencies": "Todas as moedas", + "All the files": "Todos os arquivos", + "All the genders": "Todos os gêneros", + "All the gift occasions": "Todas as ocasiões de presente", + "All the gift states": "Todos os estados de presente", + "All the group types": "Todos os tipos de grupo", + "All the important dates": "Todas as datas importantes", + "All the important date types used in the vault": "Todos os tipos de datas importantes usados no vault", + "All the journals": "Todos os diários", + "All the labels used in the vault": "Todos os rótulos usados no vault", + "All the notes": "Todas as notas", + "All the pet categories": "Todas as categorias de animais de estimação", + "All the photos": "Todas as fotos", + "All the planned reminders": "Todos os lembretes planejados", + "All the pronouns": "Todos os pronomes", + "All the relationship types": "Todos os tipos de relacionamento", + "All the religions": "Todas as religiões", + "All the reports": "Todos os relatórios", + "All the slices of life in :name": "Todas as fatias da vida em :name", + "All the tags used in the vault": "Todas as tags usadas no vault", + "All the templates": "Todos os modelos", + "All the vaults": "Todos os cofres", + "All the vaults in the account": "Todos os cofres da conta", + "All users and vaults will be deleted immediately,": "Todos os usuários e cofres serão excluídos imediatamente,", + "All users in this account": "Todos os usuários nesta conta", + "Already registered?": "Já registrado?", + "Already used on this page": "Já usado nesta página", + "A new verification link has been sent to the email address you provided during registration.": "Um novo link de verificação foi enviado para o endereço de e-mail que você forneceu durante o registro.", + "A new verification link has been sent to the email address you provided in your profile settings.": "Um novo link de verificação foi enviado para o endereço de e-mail fornecido nas configurações do seu perfil.", + "A new verification link has been sent to your email address.": "Um novo link de verificação foi enviado para seu endereço de e-mail.", + "Anniversary": "Aniversário", + "Apartment, suite, etc…": "Apartamento, suíte, etc…", + "API Token": "Token da API", + "API Token Permissions": "Permissões do Token da API", + "API Tokens": "Tokens da API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Tokens da API permitem que serviços de terceiros se autentiquem em nossa aplicação em seu nome.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Um modelo de postagem define como o conteúdo de uma postagem deve ser exibido. Você pode definir quantos modelos desejar e escolher qual modelo deve ser usado em qual postagem.", + "Archive": "Arquivo", + "Archive contact": "Arquivar contato", + "archived the contact": "arquivou o contato", + "Are you sure? The address will be deleted immediately.": "Tem certeza? O endereço será excluído imediatamente.", + "Are you sure? This action cannot be undone.": "Tem certeza? Essa ação não pode ser desfeita.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Tem certeza? Isso excluirá todos os motivos de chamada deste tipo para todos os contatos que o utilizavam.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Tem certeza? Isso excluirá todos os relacionamentos deste tipo para todos os contatos que o utilizavam.", + "Are you sure? This will delete the contact information permanently.": "Tem certeza? Isso excluirá as informações de contato permanentemente.", + "Are you sure? This will delete the document permanently.": "Tem certeza? Isso excluirá o documento permanentemente.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Tem certeza? Isso excluirá o gol e todas as sequências permanentemente.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá os tipos de endereço de todos os contatos, mas não excluirá os contatos em si.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá os tipos de informações de contato de todos os contatos, mas não excluirá os contatos em si.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá os gêneros de todos os contatos, mas não excluirá os contatos em si.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Tem certeza? Isso removerá o modelo de todos os contatos, mas não excluirá os contatos em si.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Tem certeza que quer excluir este time? Uma vez excluído, todos os dados e recursos relativos a ela serão excluídos permanentemente.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Tem certeza que quer excluir a sua conta? Uma vez excluída, todos os dados e recursos relativos a ela serão permanentemente excluídos. Por favor informe a sua senha para confirmar que você deseja excluir permanentemente a sua conta.", + "Are you sure you would like to archive this contact?": "Tem certeza de que deseja arquivar este contato?", + "Are you sure you would like to delete this API token?": "Tem certeza de que deseja excluir este token da API?", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Tem certeza de que deseja excluir este contato? Isso removerá tudo o que sabemos sobre esse contato.", + "Are you sure you would like to delete this key?": "Tem certeza de que deseja excluir esta chave?", + "Are you sure you would like to leave this team?": "Tem certeza de que deseja sair deste time?", + "Are you sure you would like to remove this person from the team?": "Tem certeza de que deseja remover esta pessoa do time?", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Uma fatia da vida permite agrupar postagens por algo significativo para você. Adicione um pedaço da vida em uma postagem para vê-lo aqui.", + "a son-father relation shown on the son page.": "uma relação filho-pai mostrada na página do filho.", + "assigned a label": "atribuído um rótulo", + "Association": "Associação", + "At": "No", + "at ": "no", + "Ate": "Comeu", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Um modelo define como os contatos devem ser exibidos. Você pode ter quantos modelos quiser - eles são definidos nas configurações da sua conta. No entanto, você pode querer definir um modelo padrão para que todos os seus contatos neste vault tenham esse modelo por padrão.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Um modelo é feito de páginas e em cada página existem módulos. A forma como os dados são exibidos depende inteiramente de você.", + "Atheist": "Ateu", + "At which time should we send the notification, when the reminder occurs?": "A que horas devemos enviar a notificação, quando ocorre o lembrete?", + "Audio-only call": "Chamada apenas de áudio", + "Auto saved a few seconds ago": "Salva automaticamente há alguns segundos", + "Available modules:": "Módulos disponíveis:", + "Avatar": "avatar", + "Avatars": "Avatares", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Antes de continuar, você pode verificar seu endereço de e-mail clicando no link que acabamos de enviar para você? Se você não recebeu o e-mail, teremos o prazer de lhe enviar outro.", + "best friend": "Melhor amigo", + "Bird": "Pássaro", + "Birthdate": "Data de nascimento", + "Birthday": "Aniversário", + "Body": "Corpo", + "boss": "chefe", + "Bought": "Comprado", + "Breakdown of the current usage": "Detalhamento do uso atual", + "brother/sister": "irmão/irmã", + "Browser Sessions": "Sessões do navegador", + "Buddhist": "budista", + "Business": "Negócios", + "By last updated": "Pela última atualização", + "Calendar": "Calendário", + "Call reasons": "Motivos da chamada", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Os motivos das chamadas permitem indicar o motivo das chamadas feitas aos seus contatos.", + "Calls": "Chamadas", + "Cancel": "Cancelar", + "Cancel account": "Cancelar conta", + "Cancel all your active subscriptions": "Cancele todas as suas assinaturas ativas", + "Cancel your account": "Cancele sua conta", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Pode fazer tudo, incluindo adicionar ou remover outros usuários, gerenciar o faturamento e encerrar a conta.", + "Can do everything, including adding or removing other users.": "Pode fazer tudo, inclusive adicionar ou remover outros usuários.", + "Can edit data, but can’t manage the vault.": "Pode editar dados, mas não pode gerenciar o vault.", + "Can view data, but can’t edit it.": "Pode visualizar dados, mas não pode editá-los.", + "Can’t be moved or deleted": "Não pode ser movido ou excluído", + "Cat": "Gato", + "Categories": "Categorias", + "Chandler is in beta.": "Chandler está em beta.", + "Change": "Mudar", + "Change date": "Alterar data", + "Change permission": "Alterar permissão", + "Changes saved": "Alterações salvas", + "Change template": "Alterar modelo", + "Child": "Criança", + "child": "criança", + "Choose": "Escolher", + "Choose a color": "Escolha uma cor", + "Choose an existing address": "Escolha um endereço existente", + "Choose an existing contact": "Escolha um contato existente", + "Choose a template": "Escolha um modelo", + "Choose a value": "Escolha um valor", + "Chosen type:": "Tipo escolhido:", + "Christian": "cristão", + "Christmas": "Natal", + "City": "Cidade", + "Click here to re-send the verification email.": "Clique aqui para reenviar o e-mail de verificação.", + "Click on a day to see the details": "Clique em um dia para ver os detalhes", + "Close": "Fechar", + "close edit mode": "fechar modo de edição", + "Club": "Clube", + "Code": "Código", + "colleague": "colega", + "Companies": "Empresas", + "Company name": "Nome da empresa", + "Compared to Monica:": "Comparado com Monica:", + "Configure how we should notify you": "Configure como devemos notificá-lo", + "Confirm": "Confirmar", + "Confirm Password": "Confirmar senha", + "Connect": "Conectar", + "Connected": "Conectado", + "Connect with your security key": "Conecte-se com sua chave de segurança", + "Contact feed": "Feed de contato", + "Contact information": "Informações de contato", + "Contact informations": "Informações de contato", + "Contact information types": "Tipos de informações de contato", + "Contact name": "Nome de contato", + "Contacts": "Contatos", + "Contacts in this post": "Contatos nesta postagem", + "Contacts in this slice": "Contatos nesta fatia", + "Contacts will be shown as follow:": "Os contatos serão mostrados da seguinte forma:", + "Content": "Contente", + "Copied.": "Copiado.", + "Copy": "cópia de", + "Copy value into the clipboard": "Copie o valor para a área de transferência", + "Could not get address book data.": "Não foi possível obter os dados do catálogo de endereços.", + "Country": "País", + "Couple": "Casal", + "cousin": "primo", + "Create": "Criar", + "Create account": "Criar uma conta", + "Create Account": "Criar Conta", + "Create a contact": "Crie um contato", + "Create a contact entry for this person": "Crie uma entrada de contato para esta pessoa", + "Create a journal": "Crie um diário", + "Create a journal metric": "Crie uma métrica de diário", + "Create a journal to document your life.": "Crie um diário para documentar sua vida.", + "Create an account": "Crie a sua conta aqui", + "Create a new address": "Crie um novo endereço", + "Create a new team to collaborate with others on projects.": "Crie um time para colaborar com outros em projetos.", + "Create API Token": "Criar Token da API", + "Create a post": "Crie uma postagem", + "Create a reminder": "Crie um lembrete", + "Create a slice of life": "Crie uma fatia da vida", + "Create at least one page to display contact’s data.": "Crie pelo menos uma página para exibir os dados do contato.", + "Create at least one template to use Monica.": "Crie pelo menos um modelo para usar Monica.", + "Create a user": "Crie um usuário", + "Create a vault": "Crie um cofre", + "Created.": "Criado.", + "created a goal": "criou uma meta", + "created the contact": "criei o contato", + "Create label": "Criar etiqueta", + "Create new label": "Criar novo rótulo", + "Create new tag": "Criar nova etiqueta", + "Create New Team": "Criar Novo Time", + "Create Team": "Criar Time", + "Currencies": "Moedas", + "Currency": "Moeda", + "Current default": "Padrão atual", + "Current language:": "Idioma atual:", + "Current Password": "Senha Atual", + "Current site used to display maps:": "Site atual usado para exibir mapas:", + "Current streak": "Sequência atual", + "Current timezone:": "Fuso horário atual:", + "Current way of displaying contact names:": "Maneira atual de exibir nomes de contatos:", + "Current way of displaying dates:": "Maneira atual de exibir datas:", + "Current way of displaying distances:": "Maneira atual de exibir distâncias:", + "Current way of displaying numbers:": "Maneira atual de exibir números:", + "Customize how contacts should be displayed": "Personalize como os contatos devem ser exibidos", + "Custom name order": "Ordem de nome personalizado", + "Daily affirmation": "Afirmação diária", + "Dashboard": "Painel", + "date": "data", + "Date of the event": "Data do evento", + "Date of the event:": "Data do evento:", + "Date type": "Tipo de data", + "Date types are essential as they let you categorize dates that you add to a contact.": "Os tipos de data são essenciais porque permitem categorizar as datas adicionadas a um contato.", + "Day": "Dia", + "day": "dia", + "Deactivate": "Desativar", + "Deceased date": "Data do falecimento", + "Default template": "Modelo padrão", + "Default template to display contacts": "Modelo padrão para exibir contatos", + "Delete": "Excluir", + "Delete Account": "Excluir Conta", + "Delete a new key": "Excluir uma nova chave", + "Delete API Token": "Excluir Token da API", + "Delete contact": "Excluir contato", + "deleted a contact information": "excluiu uma informação de contato", + "deleted a goal": "excluiu um gol", + "deleted an address": "excluiu um endereço", + "deleted an important date": "excluiu uma data importante", + "deleted a note": "excluiu uma nota", + "deleted a pet": "excluiu um animal de estimação", + "Deleted author": "Autor excluído", + "Delete group": "Excluir grupo", + "Delete journal": "Excluir diário", + "Delete Team": "Excluir Time", + "Delete the address": "Exclua o endereço", + "Delete the photo": "Exclua a foto", + "Delete the slice": "Exclua a fatia", + "Delete the vault": "Excluir o cofre", + "Delete your account on https://customers.monicahq.com.": "Exclua sua conta em https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Excluir o cofre significa excluir todos os dados dentro dele para sempre. Não há como voltar atrás. Por favor, tenha certeza.", + "Description": "Descrição", + "Detail of a goal": "Detalhe de um gol", + "Details in the last year": "Detalhes no último ano", + "Disable": "Desativar", + "Disable all": "Desativar tudo", + "Disconnect": "desconectar", + "Discuss partnership": "Discutir parceria", + "Discuss recent purchases": "Discuta compras recentes", + "Dismiss": "Liberar", + "Display help links in the interface to help you (English only)": "Exibir links de ajuda na interface para ajudá-lo (somente em inglês)", + "Distance": "Distância", + "Documents": "Documentos", + "Dog": "Cachorro", + "Done.": "Feito.", + "Download": "Download", + "Download as vCard": "Baixar como vCard", + "Drank": "Bebido", + "Drove": "Dirigiu", + "Due and upcoming tasks": "Tarefas vencidas e futuras", + "Edit": "Editar", + "edit": "editar", + "Edit a contact": "Editar um contato", + "Edit a journal": "Editar um diário", + "Edit a post": "Editar uma postagem", + "edited a note": "editou uma nota", + "Edit group": "Editar grupo", + "Edit journal": "Editar diário", + "Edit journal information": "Editar informações do diário", + "Edit journal metrics": "Editar métricas do diário", + "Edit names": "Editar nomes", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Usuários com privilégios de Editor podem ler, criar e atualizar.", + "Edit post": "Editar post", + "Edit Profile": "Editar Perfil", + "Edit slice of life": "Editar fatia da vida", + "Edit the group": "Edite o grupo", + "Edit the slice of life": "Edite a fatia da vida", + "Email": "E-mail", + "Email address": "Endereço de email", + "Email address to send the invitation to": "Endereço de e-mail para enviar o convite", + "Email Password Reset Link": "Link de redefinição de senha", + "Enable": "Ativar", + "Enable all": "Habilitar todos", + "Ensure your account is using a long, random password to stay secure.": "Garanta que sua conta esteja usando uma senha longa e aleatória para se manter seguro.", + "Enter a number from 0 to 100000. No decimals.": "Insira um número de 0 a 100.000. Sem decimais.", + "Events this month": "Eventos deste mês", + "Events this week": "Eventos esta semana", + "Events this year": "Eventos deste ano", + "Every": "Todo", + "ex-boyfriend": "ex-namorado", + "Exception:": "Exceção:", + "Existing company": "Empresa existente", + "External connections": "Conexões externas", + "Facebook": "Facebook", + "Family": "Família", + "Family summary": "Resumo da família", + "Favorites": "Favoritos", + "Female": "Fêmea", + "Files": "arquivos", + "Filter": "Filtro", + "Filter list or create a new label": "Filtre a lista ou crie um novo rótulo", + "Filter list or create a new tag": "Filtre a lista ou crie uma nova tag", + "Find a contact in this vault": "Encontre um contato neste cofre", + "Finish enabling two factor authentication.": "Termine de habilitar a autenticação de dois fatores.", + "First name": "Primeiro nome", + "First name Last name": "Primeiro nome, ultimo nome", + "First name Last name (nickname)": "Nome Sobrenome (apelido)", + "Fish": "Peixe", + "Food preferences": "Preferências alimentares", + "for": "para", + "For:": "Para:", + "For advice": "Para conselhos", + "Forbidden": "Proibido", + "Forgot your password?": "Esqueceu a senha?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Esqueceu sua senha? Sem problemas. É só nos informar o seu e-mail que nós enviaremos para você um link para redefinição de senha que irá permitir que você escolha uma nova senha.", + "For your security, please confirm your password to continue.": "Para sua segurança, por favor confirme a sua senha antes de prosseguir.", + "Found": "Encontrado", + "Friday": "Sexta-feira", + "Friend": "Amigo", + "friend": "amigo", + "From A to Z": "De a até o z", + "From Z to A": "De Z a A", + "Gender": "Gênero", + "Gender and pronoun": "Gênero e pronome", + "Genders": "Gêneros", + "Gift occasions": "Ocasiões para presentes", + "Gift occasions let you categorize all your gifts.": "As ocasiões para presentes permitem categorizar todos os seus presentes.", + "Gift states": "Estados de presente", + "Gift states let you define the various states for your gifts.": "Os estados de presentes permitem definir os vários estados de seus presentes.", + "Give this email address a name": "Dê um nome a este endereço de e-mail", + "Goals": "Metas", + "Go back": "Volte", + "godchild": "afilhado", + "godparent": "padrinho", + "Google Maps": "Google Mapas", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "O Google Maps oferece a melhor precisão e detalhes, mas não é ideal do ponto de vista da privacidade.", + "Got fired": "Foi demitido", + "Go to page :page": "Ir para página :page", + "grand child": "neto", + "grand parent": "avô", + "Great! You have accepted the invitation to join the :team team.": "Muito bom! Você aceitou o convite para se juntar à equipa :team.", + "Group journal entries together with slices of life.": "Agrupe entradas de diário com fatias de vida.", + "Groups": "Grupos", + "Groups let you put your contacts together in a single place.": "Os grupos permitem que você reúna seus contatos em um único lugar.", + "Group type": "Tipo de grupo", + "Group type: :name": "Tipo de grupo: :name", + "Group types": "Tipos de grupo", + "Group types let you group people together.": "Os tipos de grupo permitem agrupar pessoas.", + "Had a promotion": "Teve uma promoção", + "Hamster": "Hamster", + "Have a great day,": "Tenha um ótimo dia,", + "he/him": "ele/ele", + "Hello!": "Olá!", + "Help": "Ajuda", + "Hi :name": "Olá :name", + "Hinduist": "Hinduísta", + "History of the notification sent": "Histórico da notificação enviada", + "Hobbies": "Hobbies", + "Home": "Lar", + "Horse": "Cavalo", + "How are you?": "Como vai você?", + "How could I have done this day better?": "Como eu poderia ter feito melhor este dia?", + "How did you feel?": "Como você se sentiu?", + "How do you feel right now?": "Como você se sente agora?", + "however, there are many, many new features that didn't exist before.": "no entanto, existem muitos novos recursos que não existiam antes.", + "How much money was lent?": "Quanto dinheiro foi emprestado?", + "How much was lent?": "Quanto foi emprestado?", + "How often should we remind you about this date?": "Com que frequência devemos lembrá-lo desta data?", + "How should we display dates": "Como devemos exibir datas", + "How should we display distance values": "Como devemos exibir valores de distância", + "How should we display numerical values": "Como devemos exibir valores numéricos", + "I agree to the :terms and :policy": "Eu concordo com :terms e :policy", + "I agree to the :terms_of_service and :privacy_policy": "Concordo com os :terms_of_service e com as :privacy_policy", + "I am grateful for": "Eu sou grato por", + "I called": "Liguei", + "I called, but :name didn’t answer": "Liguei, mas :name não atendeu", + "Idea": "Ideia", + "I don’t know the name": "eu não sei o nome", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Se necessário, você pode sair de todas as suas outras sessões de navegador em todos os seus dispositivos. Algumas de suas sessões recentes estão listadas abaixo; no entanto, esta lista pode não ser exaustiva. Se você sentir que sua conta foi comprometida, Você também deve atualizar sua senha.", + "If the date is in the past, the next occurence of the date will be next year.": "Se a data estiver no passado, a próxima ocorrência da data será no próximo ano.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Se você estiver tendo problemas para clicar no botão \":actionText\", copie e cole a URL abaixo\nem seu navegador:", + "If you already have an account, you may accept this invitation by clicking the button below:": "Se já tiver uma conta, poderá aceitar este convite carregando no botão abaixo:", + "If you did not create an account, no further action is required.": "Se você não criou uma conta, ignore este e-mail.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Se você não esperava receber um convite para este time, você pode descartar este e-mail.", + "If you did not request a password reset, no further action is required.": "Se você não solicitou essa redefinição de senha, ignore este e-mail.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Se você não tem uma conta, você pode criar uma clicando no botão abaixo. Depois de criar uma conta, você pode clicar no botão aceitar o convite neste e-mail para aceitar o convite do time:", + "If you’ve received this invitation by mistake, please discard it.": "Se você recebeu este convite por engano, descarte-o.", + "I know the exact date, including the year": "Eu sei a data exata, incluindo o ano", + "I know the name": "eu sei o nome", + "Important dates": "Datas importantes", + "Important date summary": "Resumo de data importante", + "in": "em", + "Information": "Informação", + "Information from Wikipedia": "Informações da Wikipédia", + "in love with": "apaixonado por", + "Inspirational post": "Postagem inspiradora", + "Invalid JSON was returned from the route.": "JSON inválido foi retornado da rota.", + "Invitation sent": "Convite enviado", + "Invite a new user": "Convide um novo usuário", + "Invite someone": "Convidar alguém", + "I only know a number of years (an age, for example)": "Conheço apenas alguns anos (uma idade, por exemplo)", + "I only know the day and month, not the year": "Eu só sei o dia e o mês, não o ano", + "it misses some of the features, the most important ones being the API and gift management,": "faltam alguns dos recursos, sendo os mais importantes a API e o gerenciamento de presentes,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Parece que ainda não existem modelos na conta. Adicione pelo menos um modelo à sua conta primeiro e depois associe esse modelo a este contato.", + "Jew": "judeu", + "Job information": "Informação de trabalho", + "Job position": "Cargo", + "Journal": "Diário", + "Journal entries": "Lançamentos de diário", + "Journal metrics": "Métricas do diário", + "Journal metrics let you track data accross all your journal entries.": "As métricas do diário permitem rastrear dados em todos os seus lançamentos contábeis manuais.", + "Journals": "Diários", + "Just because": "Só porque", + "Just to say hello": "Apenas para dizer olá", + "Key name": "Nome da chave", + "kilometers (km)": "quilômetros (km)", + "km": "quilômetros", + "Label:": "Rótulo:", + "Labels": "Etiquetas", + "Labels let you classify contacts using a system that matters to you.": "Os marcadores permitem classificar os contatos usando um sistema que é importante para você.", + "Language of the application": "Idioma do aplicativo", + "Last active": "Última atividade", + "Last active :date": "Último ativo :date", + "Last name": "Sobrenome", + "Last name First name": "Sobrenome primeiro nome", + "Last updated": "Ultima atualização", + "Last used": "Usado por último", + "Last used :date": "Última utilização :date", + "Leave": "Sair", + "Leave Team": "Sair do Time", + "Life": "Vida", + "Life & goals": "Objetivos de vida", + "Life events": "Eventos da vida", + "Life events let you document what happened in your life.": "Os eventos de vida permitem que você documente o que aconteceu em sua vida.", + "Life event types:": "Tipos de eventos de vida:", + "Life event types and categories": "Tipos e categorias de eventos de vida", + "Life metrics": "Métricas de vida", + "Life metrics let you track metrics that are important to you.": "As métricas de vida permitem rastrear métricas que são importantes para você.", + "LinkedIn": "LinkedIn", + "List of addresses": "Lista de endereços", + "List of addresses of the contacts in the vault": "Lista de endereços dos contatos no cofre", + "List of all important dates": "Lista de todas as datas importantes", + "Loading…": "Carregando…", + "Load previous entries": "Carregar entradas anteriores", + "Loans": "Empréstimos", + "Locale default: :value": "Padrão de localidade: :value", + "Log a call": "Registrar uma chamada", + "Log details": "Detalhes do registro", + "logged the mood": "registrou o clima", + "Log in": "Entrar", + "Login": "Entrar", + "Login with:": "Faça login com:", + "Log Out": "Sair", + "Logout": "Sair", + "Log Out Other Browser Sessions": "Desligar Outras Sessões do Navegador", + "Longest streak": "Sequência mais longa", + "Love": "Amor", + "loved by": "amado por", + "lover": "amante", + "Made from all over the world. We ❤️ you.": "Feito de todo o mundo. Nós ❤️ você.", + "Maiden name": "Nome de solteira", + "Male": "Macho", + "Manage Account": "Gerenciar Conta", + "Manage accounts you have linked to your Customers account.": "Gerencie as contas vinculadas à sua conta de Clientes.", + "Manage address types": "Gerenciar tipos de endereço", + "Manage and log out your active sessions on other browsers and devices.": "Gerenciar e registrar suas sessões ativas em outros navegadores e dispositivos.", + "Manage API Tokens": "Gerenciar Tokens de API", + "Manage call reasons": "Gerenciar motivos de chamada", + "Manage contact information types": "Gerenciar tipos de informações de contato", + "Manage currencies": "Gerenciar moedas", + "Manage genders": "Gerenciar gêneros", + "Manage gift occasions": "Gerenciar ocasiões de presentes", + "Manage gift states": "Gerenciar estados de presentes", + "Manage group types": "Gerenciar tipos de grupos", + "Manage modules": "Gerenciar módulos", + "Manage pet categories": "Gerenciar categorias de animais de estimação", + "Manage post templates": "Gerenciar modelos de postagem", + "Manage pronouns": "Gerenciar pronomes", + "Manager": "Gerente", + "Manage relationship types": "Gerenciar tipos de relacionamento", + "Manage religions": "Gerenciar religiões", + "Manage Role": "Gerenciar Papel", + "Manage storage": "Gerenciar armazenamento", + "Manage Team": "Gerenciar Time", + "Manage templates": "Gerenciar modelos", + "Manage users": "Gerenciar usuários", + "Mastodon": "Mastodonte", + "Maybe one of these contacts?": "Talvez um desses contatos?", + "mentor": "mentor", + "Middle name": "Nome do meio", + "miles": "milhas", + "miles (mi)": "milhas (mi)", + "Modules in this page": "Módulos nesta página", + "Monday": "Segunda-feira", + "Monica. All rights reserved. 2017 — :date.": "Monica. Todos os direitos reservados. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica é open source, feita por centenas de pessoas de todo o mundo.", + "Monica was made to help you document your life and your social interactions.": "Monica foi feita para ajudar você a documentar sua vida e suas interações sociais.", + "Month": "Mês", + "month": "mês", + "Mood in the year": "Humor no ano", + "Mood tracking events": "Eventos de monitoramento de humor", + "Mood tracking parameters": "Parâmetros de rastreamento de humor", + "More details": "Mais detalhes", + "More errors": "Mais erros", + "Move contact": "Mover contato", + "Muslim": "muçulmano", + "Name": "Nome", + "Name of the pet": "Nome do animal de estimação", + "Name of the reminder": "Nome do lembrete", + "Name of the reverse relationship": "Nome do relacionamento reverso", + "Nature of the call": "Natureza da chamada", + "nephew/niece": "sobrinho/sobrinha", + "New Password": "Nova Senha", + "New to Monica?": "Novo na Monica?", + "Next": "Próximo", + "Nickname": "Apelido", + "nickname": "apelido", + "No cities have been added yet in any contact’s addresses.": "Nenhuma cidade foi adicionada ainda nos endereços de nenhum contato.", + "No contacts found.": "Nenhum contato encontrado.", + "No countries have been added yet in any contact’s addresses.": "Nenhum país foi adicionado ainda nos endereços de nenhum contato.", + "No dates in this month.": "Não há datas neste mês.", + "No description yet.": "Nenhuma descrição ainda.", + "No groups found.": "Nenhum grupo encontrado.", + "No keys registered yet": "Nenhuma chave cadastrada ainda", + "No labels yet.": "Ainda não há rótulos.", + "No life event types yet.": "Ainda não há tipos de eventos de vida.", + "No notes found.": "Nenhuma nota encontrada.", + "No results found": "Nenhum resultado encontrado", + "No role": "Sem função", + "No roles yet.": "Ainda não há papéis.", + "No tasks.": "Sem tarefas.", + "Notes": "Notas", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Observe que remover um módulo de uma página não excluirá os dados reais de suas páginas de contato. Isso simplesmente irá escondê-lo.", + "Not Found": "Não Encontrado", + "Notification channels": "Canais de notificação", + "Notification sent": "Notificação enviada", + "Not set": "Não configurado", + "No upcoming reminders.": "Não há lembretes futuros.", + "Number of hours slept": "Número de horas dormidas", + "Numerical value": "Valor numérico", + "of": "de", + "Offered": "Oferecido", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Uma vez excluído, o time e todos os seus dados e recursos serão excluídos permanentemente. Antes de excluir este time, faça download de todos os dados e informações sobre este time que você deseje manter.", + "Once you cancel,": "Depois de cancelar,", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Depois de clicar no botão Configurar abaixo, você terá que abrir o Telegram com o botão que forneceremos. Isso localizará o bot Monica Telegram para você.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Uma vez que sua conta é excluída, todos os dados e recursos desta conta serão excluídos permanentemente. Antes de excluir a sua conta, faça download de todos os dados e informações que você deseje manter.", + "Only once, when the next occurence of the date occurs.": "Apenas uma vez, quando ocorrer a próxima ocorrência da data.", + "Oops! Something went wrong.": "Ops! Algo deu errado.", + "Open Street Maps": "Abrir mapas de ruas", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps é uma ótima alternativa de privacidade, mas oferece menos detalhes.", + "Open Telegram to validate your identity": "Abra o Telegram para validar sua identidade", + "optional": "opcional", + "Or create a new one": "Ou crie um novo", + "Or filter by type": "Ou filtre por tipo", + "Or remove the slice": "Ou remova a fatia", + "Or reset the fields": "Ou redefina os campos", + "Other": "Outro", + "Out of respect and appreciation": "Por respeito e apreço", + "Page Expired": "Página expirou", + "Pages": "Páginas", + "Pagination Navigation": "Navegação da Paginação", + "Parent": "Pai", + "parent": "pai", + "Participants": "Participantes", + "Partner": "Parceiro", + "Part of": "Parte de", + "Password": "Senha", + "Payment Required": "Pagamento Requerido", + "Pending Team Invitations": "Convites de Time Pendentes", + "per/per": "por/por", + "Permanently delete this team.": "Excluir este time permanentemente.", + "Permanently delete your account.": "Excluir esta conta permanentemente.", + "Permission for :name": "Permissão para :name", + "Permissions": "Permissões", + "Personal": "Pessoal", + "Personalize your account": "Personalize sua conta", + "Pet categories": "Categorias de animais de estimação", + "Pet categories let you add types of pets that contacts can add to their profile.": "As categorias de animais de estimação permitem adicionar tipos de animais de estimação que os contatos podem adicionar aos seus perfis.", + "Pet category": "Categoria de animal de estimação", + "Pets": "Animais de estimação", + "Phone": "Telefone", + "Photo": "Foto", + "Photos": "Fotos", + "Played basketball": "Joguei basquete", + "Played golf": "Joguei golfe", + "Played soccer": "Joguei futebol", + "Played tennis": "Jogou tênis", + "Please choose a template for this new post": "Escolha um modelo para esta nova postagem", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Escolha um modelo abaixo para informar a Monica como esse contato deve ser exibido. Os modelos permitem definir quais dados devem ser exibidos na página de contato.", + "Please click the button below to verify your email address.": "Por favor, clique no botão abaixo para verificar seu endereço de e-mail.", + "Please complete this form to finalize your account.": "Preencha este formulário para finalizar sua conta.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Por favor confirme o acesso à sua conta inserindo um de seus códigos de recuperação de emergência.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Por favor confirme o acesso à sua conta informando um código de autenticação fornecido por seu aplicativo autenticador.", + "Please confirm access to your account by validating your security key.": "Por favor, confirme o acesso à sua conta validando sua chave de segurança.", + "Please copy your new API token. For your security, it won't be shown again.": "Por favor copie seu novo token da API. Para sua segurança, ele não será mostrado novamente.", + "Please copy your new API token. For your security, it won’t be shown again.": "Copie seu novo token de API. Para sua segurança, não será mostrado novamente.", + "Please enter at least 3 characters to initiate a search.": "Por favor insira pelo menos 3 caracteres para iniciar uma pesquisa.", + "Please enter your password to cancel the account": "Por favor digite sua senha para cancelar a conta", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Introduza a sua senha para confirmar que deseja sair das suas outras sessões de navegação em todos os seus dispositivos.", + "Please indicate the contacts": "Por favor indique os contactos", + "Please join Monica": "Junte-se à Monica", + "Please provide the email address of the person you would like to add to this team.": "Por favor, forneça o endereço de E-mail da pessoa que você gostaria de adicionar a este time.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Leia nossa documentação para saber mais sobre esse recurso e a quais variáveis você tem acesso.", + "Please select a page on the left to load modules.": "Selecione uma página à esquerda para carregar os módulos.", + "Please type a few characters to create a new label.": "Digite alguns caracteres para criar um novo rótulo.", + "Please type a few characters to create a new tag.": "Digite alguns caracteres para criar uma nova tag.", + "Please validate your email address": "Por favor valide o seu endereço de e-mail", + "Please verify your email address": "por favor verifique seu endereço de email", + "Postal code": "Código postal", + "Post metrics": "Postar métricas", + "Posts": "Postagens", + "Posts in your journals": "Postagens em seus diários", + "Post templates": "Modelos de postagem", + "Prefix": "Prefixo", + "Previous": "Anterior", + "Previous addresses": "Endereços anteriores", + "Privacy Policy": "Política de Privacidade", + "Profile": "Perfil", + "Profile and security": "Perfil e segurança", + "Profile Information": "Informações do Perfil", + "Profile of :name": "Perfil de :name", + "Profile page of :name": "Página de perfil de :name", + "Pronoun": "Pronome", + "Pronouns": "Pronomes", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Os pronomes são basicamente como nos identificamos além do nosso nome. É como alguém se refere a você em uma conversa.", + "protege": "protegido", + "Protocol": "Protocolo", + "Protocol: :name": "Protocolo: :name", + "Province": "Província", + "Quick facts": "Fatos rápidos", + "Quick facts let you document interesting facts about a contact.": "Fatos rápidos permitem documentar fatos interessantes sobre um contato.", + "Quick facts template": "Modelo de fatos rápidos", + "Quit job": "Sair do trabalho", + "Rabbit": "Coelho", + "Ran": "Corrido", + "Rat": "Rato", + "Read :count time|Read :count times": "Leia :count vez|Leia :count vezes", + "Record a loan": "Registrar um empréstimo", + "Record your mood": "Grave seu humor", + "Recovery Code": "Código de Recuperação", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Independentemente de onde você esteja no mundo, exiba as datas em seu próprio fuso horário.", + "Regards": "Atenciosamente", + "Regenerate Recovery Codes": "Gerar novamente os Códigos de Recuperação", + "Register": "Registrar", + "Register a new key": "Registre uma nova chave", + "Register a new key.": "Registre uma nova chave.", + "Regular post": "Postagem regular", + "Regular user": "Usuário normal", + "Relationships": "Relacionamentos", + "Relationship types": "Tipos de relacionamento", + "Relationship types let you link contacts and document how they are connected.": "Os tipos de relacionamento permitem vincular contatos e documentar como eles estão conectados.", + "Religion": "Religião", + "Religions": "Religiões", + "Religions is all about faith.": "Religiões têm tudo a ver com fé.", + "Remember me": "Lembre-se de mim", + "Reminder for :name": "Lembrete para :name", + "Reminders": "Lembretes", + "Reminders for the next 30 days": "Lembretes para os próximos 30 dias", + "Remind me about this date every year": "Lembre-me desta data todos os anos", + "Remind me about this date just once, in one year from now": "Lembre-me desta data apenas uma vez, daqui a um ano", + "Remove": "Remover", + "Remove avatar": "Remover avatar", + "Remove cover image": "Remover imagem da capa", + "removed a label": "removeu um rótulo", + "removed the contact from a group": "removeu o contato de um grupo", + "removed the contact from a post": "removeu o contato de uma postagem", + "removed the contact from the favorites": "removeu o contato dos favoritos", + "Remove Photo": "Remover Foto", + "Remove Team Member": "Remover Membro do Time", + "Rename": "Renomear", + "Reports": "Relatórios", + "Reptile": "Réptil", + "Resend Verification Email": "Enviar novamente o e-mail de verificação", + "Reset Password": "Redefinir senha", + "Reset Password Notification": "Notificação de redefinição de senha", + "results": "resultados", + "Retry": "Tentar novamente", + "Revert": "Reverter", + "Rode a bike": "Andei de bicicleta", + "Role": "Papel", + "Roles:": "Funções:", + "Roomates": "Companheiros de quarto", + "Saturday": "Sábado", + "Save": "Salvar", + "Saved.": "Salvo.", + "Saving in progress": "Salvando em andamento", + "Searched": "Pesquisado", + "Searching…": "Procurando…", + "Search something": "Pesquise algo", + "Search something in the vault": "Procure algo no cofre", + "Sections:": "Seções:", + "Security keys": "Chaves de segurança", + "Select a group or create a new one": "Selecione um grupo ou crie um novo", + "Select A New Photo": "Selecione uma nova foto", + "Select a relationship type": "Selecione um tipo de relacionamento", + "Send invitation": "Enviar convite", + "Send test": "Enviar teste", + "Sent at :time": "Enviado em :time", + "Server Error": "Erro do servidor", + "Service Unavailable": "Serviço indisponível", + "Set as default": "Definir como padrão", + "Set as favorite": "Definir como favorito", + "Settings": "Configurações", + "Settle": "Resolver", + "Setup": "Configurar", + "Setup Key": "Chave de configuração", + "Setup Key:": "Chave de configuração:", + "Setup Telegram": "Configurar telegrama", + "she/her": "ela/ela", + "Shintoist": "Xintoísta", + "Show Calendar tab": "Mostrar guia Calendário", + "Show Companies tab": "Mostrar guia Empresas", + "Show completed tasks (:count)": "Mostrar tarefas concluídas (:count)", + "Show Files tab": "Mostrar guia Arquivos", + "Show Groups tab": "Mostrar guia Grupos", + "Showing": "Mostrando", + "Showing :count of :total results": "Mostrando :count de :total resultados", + "Showing :first to :last of :total results": "Mostrando :first a :last de :total resultados", + "Show Journals tab": "Mostrar guia Diários", + "Show Recovery Codes": "Mostrar Códigos de Recuperação", + "Show Reports tab": "Mostrar guia Relatórios", + "Show Tasks tab": "Mostrar guia Tarefas", + "significant other": "outro significativo", + "Sign in to your account": "Faça login em sua conta", + "Sign up for an account": "Inscreva-se pra uma conta", + "Sikh": "Sikh", + "Slept :count hour|Slept :count hours": "Dormi :count hora|Dormi :count horas", + "Slice of life": "Fatia de vida", + "Slices of life": "Fatias de vida", + "Small animal": "Animal pequeno", + "Social": "Social", + "Some dates have a special type that we will use in the software to calculate an age.": "Algumas datas possuem um tipo especial que usaremos no software para calcular a idade.", + "So… it works 😼": "Então… funciona 😼", + "Sport": "Esporte", + "spouse": "cônjuge", + "Statistics": "Estatisticas", + "Storage": "Armazenar", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Guarde estes códigos de recuperação em um gerenciador de senhas seguro. Eles podem ser usados para recuperar o acesso à sua conta se o dispositivo de autenticação em dois fatores for perdido.", + "Submit": "Enviar", + "subordinate": "subordinar", + "Suffix": "Sufixo", + "Summary": "Resumo", + "Sunday": "Domingo", + "Switch role": "Mudar de função", + "Switch Teams": "Mudar de Time", + "Tabs visibility": "Visibilidade das guias", + "Tags": "Tag", + "Tags let you classify journal posts using a system that matters to you.": "As tags permitem classificar postagens de diário usando um sistema que é importante para você.", + "Taoist": "taoísta", + "Tasks": "Tarefas", + "Team Details": "Detalhes do Time", + "Team Invitation": "Convite de Time", + "Team Members": "Membros do Time", + "Team Name": "Nome do Time", + "Team Owner": "Dono do Time", + "Team Settings": "Configurações do Time", + "Telegram": "Telegrama", + "Templates": "Modelos", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Os modelos permitem personalizar quais dados devem ser exibidos em seus contatos. Você pode definir quantos modelos desejar e escolher qual modelo deve ser usado em qual contato.", + "Terms of Service": "Termos de Serviço", + "Test email for Monica": "E-mail de teste para Monica", + "Test email sent!": "E-mail de teste enviado!", + "Thanks,": "Obrigado,", + "Thanks for giving Monica a try.": "Obrigado por dar uma chance à Monica.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Obrigado por inscrever-se! Antes de começar, você poderia verificar seu endereço de e-mail clicando no link que acabamos de enviar para você? Se você não recebeu o e-mail, teremos prazer em lhe enviar outro.", + "The :attribute must be at least :length characters.": "O campo :attribute deve possuir no mínimo :length caracteres.", + "The :attribute must be at least :length characters and contain at least one number.": "O campo :attribute deve possuir no mínimo :length caracteres e conter pelo menos um número.", + "The :attribute must be at least :length characters and contain at least one special character.": "O campo :attribute deve possuir no mínimo :length caracteres e conter pelo menos um caractere especial.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Os :attribute devem ter, pelo menos, :length caracteres e conter, pelo menos, um carácter especial e um número.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "O campo :attribute deve possuir no mínimo :length caracteres e conter pelo menos uma letra maiúscula, um número, e um caractere especial.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "O campo :attribute deve possuir no mínimo :length caracteres e conter pelo menos uma letra maiúscula.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "O campo :attribute deve possuir no mínimo :length caracteres e conter pelo menos uma letra maiúscula e um número.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "O campo :attribute deve possuir no mínimo :length caracteres e conter pelo menos uma letra maiúscula e um caractere especial.", + "The :attribute must be a valid role.": ":Attribute deve ser um papel válido.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Os dados da conta serão excluídos permanentemente de nossos servidores dentro de 30 dias e de todos os backups dentro de 60 dias.", + "The address type has been created": "O tipo de endereço foi criado", + "The address type has been deleted": "O tipo de endereço foi excluído", + "The address type has been updated": "O tipo de endereço foi atualizado", + "The call has been created": "A chamada foi criada", + "The call has been deleted": "A chamada foi excluída", + "The call has been edited": "A chamada foi editada", + "The call reason has been created": "O motivo da chamada foi criado", + "The call reason has been deleted": "O motivo da chamada foi excluído", + "The call reason has been updated": "O motivo da chamada foi atualizado", + "The call reason type has been created": "O tipo de motivo da chamada foi criado", + "The call reason type has been deleted": "O tipo de motivo da chamada foi excluído", + "The call reason type has been updated": "O tipo de motivo da chamada foi atualizado", + "The channel has been added": "O canal foi adicionado", + "The channel has been updated": "O canal foi atualizado", + "The contact does not belong to any group yet.": "O contato ainda não pertence a nenhum grupo.", + "The contact has been added": "O contato foi adicionado", + "The contact has been deleted": "O contato foi excluído", + "The contact has been edited": "O contato foi editado", + "The contact has been removed from the group": "O contato foi removido do grupo", + "The contact information has been created": "As informações de contato foram criadas", + "The contact information has been deleted": "As informações de contato foram excluídas", + "The contact information has been edited": "As informações de contato foram editadas", + "The contact information type has been created": "O tipo de informações de contato foi criado", + "The contact information type has been deleted": "O tipo de informação de contato foi excluído", + "The contact information type has been updated": "O tipo de informações de contato foi atualizado", + "The contact is archived": "O contato está arquivado", + "The currencies have been updated": "As moedas foram atualizadas", + "The currency has been updated": "A moeda foi atualizada", + "The date has been added": "A data foi adicionada", + "The date has been deleted": "A data foi excluída", + "The date has been updated": "A data foi atualizada", + "The document has been added": "O documento foi adicionado", + "The document has been deleted": "O documento foi excluído", + "The email address has been deleted": "O endereço de e-mail foi excluído", + "The email has been added": "O e-mail foi adicionado", + "The email is already taken. Please choose another one.": "O e-mail já está em uso. Por favor escolha outro.", + "The gender has been created": "O gênero foi criado", + "The gender has been deleted": "O gênero foi excluído", + "The gender has been updated": "O gênero foi atualizado", + "The gift occasion has been created": "A ocasião do presente foi criada", + "The gift occasion has been deleted": "A ocasião do presente foi excluída", + "The gift occasion has been updated": "A ocasião do presente foi atualizada", + "The gift state has been created": "O estado de presente foi criado", + "The gift state has been deleted": "O estado do presente foi excluído", + "The gift state has been updated": "O estado do presente foi atualizado", + "The given data was invalid.": "Os dados fornecidos eram inválidos.", + "The goal has been created": "A meta foi criada", + "The goal has been deleted": "A meta foi excluída", + "The goal has been edited": "A meta foi editada", + "The group has been added": "O grupo foi adicionado", + "The group has been deleted": "O grupo foi excluído", + "The group has been updated": "O grupo foi atualizado", + "The group type has been created": "O tipo de grupo foi criado", + "The group type has been deleted": "O tipo de grupo foi excluído", + "The group type has been updated": "O tipo de grupo foi atualizado", + "The important dates in the next 12 months": "As datas importantes nos próximos 12 meses", + "The job information has been saved": "As informações do trabalho foram salvas", + "The journal lets you document your life with your own words.": "O diário permite que você documente sua vida com suas próprias palavras.", + "The keys to manage uploads have not been set in this Monica instance.": "As chaves para gerenciar uploads não foram definidas nesta instância de Monica.", + "The label has been added": "O rótulo foi adicionado", + "The label has been created": "A etiqueta foi criada", + "The label has been deleted": "O rótulo foi excluído", + "The label has been updated": "O rótulo foi atualizado", + "The life metric has been created": "A métrica de vida foi criada", + "The life metric has been deleted": "A métrica de vida foi excluída", + "The life metric has been updated": "A métrica de vida foi atualizada", + "The loan has been created": "O empréstimo foi criado", + "The loan has been deleted": "O empréstimo foi excluído", + "The loan has been edited": "O empréstimo foi editado", + "The loan has been settled": "O empréstimo foi liquidado", + "The loan is an object": "O empréstimo é um objeto", + "The loan is monetary": "O empréstimo é monetário", + "The module has been added": "O módulo foi adicionado", + "The module has been removed": "O módulo foi removido", + "The note has been created": "A nota foi criada", + "The note has been deleted": "A nota foi excluída", + "The note has been edited": "A nota foi editada", + "The notification has been sent": "A notificação foi enviada", + "The operation either timed out or was not allowed.": "A operação expirou ou não foi permitida.", + "The page has been added": "A página foi adicionada", + "The page has been deleted": "A página foi excluída", + "The page has been updated": "A página foi atualizada", + "The password is incorrect.": "A senha está incorreta.", + "The pet category has been created": "A categoria animal de estimação foi criada", + "The pet category has been deleted": "A categoria de animal de estimação foi excluída", + "The pet category has been updated": "A categoria de animais de estimação foi atualizada", + "The pet has been added": "O animal de estimação foi adicionado", + "The pet has been deleted": "O animal de estimação foi excluído", + "The pet has been edited": "O animal de estimação foi editado", + "The photo has been added": "A foto foi adicionada", + "The photo has been deleted": "A foto foi excluída", + "The position has been saved": "A posição foi salva", + "The post template has been created": "O modelo de postagem foi criado", + "The post template has been deleted": "O modelo de postagem foi excluído", + "The post template has been updated": "O modelo de postagem foi atualizado", + "The pronoun has been created": "O pronome foi criado", + "The pronoun has been deleted": "O pronome foi excluído", + "The pronoun has been updated": "O pronome foi atualizado", + "The provided password does not match your current password.": "A senha informada não corresponde à sua senha atual.", + "The provided password was incorrect.": "A senha informada está incorreta.", + "The provided two factor authentication code was invalid.": "O código de autenticação em dois fatores informado não é válido.", + "The provided two factor recovery code was invalid.": "O código de recuperação de dois fatores fornecido era inválido.", + "There are no active addresses yet.": "Ainda não há endereços ativos.", + "There are no calls logged yet.": "Ainda não há chamadas registradas.", + "There are no contact information yet.": "Ainda não há informações de contato.", + "There are no documents yet.": "Ainda não há documentos.", + "There are no events on that day, future or past.": "Não há eventos naquele dia, futuros ou passados.", + "There are no files yet.": "Ainda não há arquivos.", + "There are no goals yet.": "Ainda não há metas.", + "There are no journal metrics.": "Não há métricas de diário.", + "There are no loans yet.": "Ainda não há empréstimos.", + "There are no notes yet.": "Ainda não há notas.", + "There are no other users in this account.": "Não há outros usuários nesta conta.", + "There are no pets yet.": "Ainda não há animais de estimação.", + "There are no photos yet.": "Não há fotos ainda.", + "There are no posts yet.": "Ainda não há postagens.", + "There are no quick facts here yet.": "Não há fatos rápidos aqui ainda.", + "There are no relationships yet.": "Ainda não há relacionamentos.", + "There are no reminders yet.": "Ainda não há lembretes.", + "There are no tasks yet.": "Ainda não há tarefas.", + "There are no templates in the account. Go to the account settings to create one.": "Não há modelos na conta. Vá para as configurações da conta para criar uma.", + "There is no activity yet.": "Ainda não há atividade.", + "There is no currencies in this account.": "Não há moedas nesta conta.", + "The relationship has been added": "O relacionamento foi adicionado", + "The relationship has been deleted": "O relacionamento foi excluído", + "The relationship type has been created": "O tipo de relacionamento foi criado", + "The relationship type has been deleted": "O tipo de relacionamento foi excluído", + "The relationship type has been updated": "O tipo de relacionamento foi atualizado", + "The religion has been created": "A religião foi criada", + "The religion has been deleted": "A religião foi excluída", + "The religion has been updated": "A religião foi atualizada", + "The reminder has been created": "O lembrete foi criado", + "The reminder has been deleted": "O lembrete foi excluído", + "The reminder has been edited": "O lembrete foi editado", + "The response is not a streamed response.": "A resposta não é uma resposta transmitida.", + "The response is not a view.": "A resposta não é uma visualização.", + "The role has been created": "A função foi criada", + "The role has been deleted": "A função foi excluída", + "The role has been updated": "A função foi atualizada", + "The section has been created": "A seção foi criada", + "The section has been deleted": "A seção foi excluída", + "The section has been updated": "A seção foi atualizada", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Estas pessoas foram convidadas para a sua equipa e receberam um convite por e-mail. Eles podem se juntar ao time aceitando o convite por e-mail.", + "The tag has been added": "A etiqueta foi adicionada", + "The tag has been created": "A etiqueta foi criada", + "The tag has been deleted": "A tag foi excluída", + "The tag has been updated": "A tag foi atualizada", + "The task has been created": "A tarefa foi criada", + "The task has been deleted": "A tarefa foi excluída", + "The task has been edited": "A tarefa foi editada", + "The team's name and owner information.": "Nome do time e informações do dono.", + "The Telegram channel has been deleted": "O canal Telegram foi excluído", + "The template has been created": "O modelo foi criado", + "The template has been deleted": "O modelo foi excluído", + "The template has been set": "O modelo foi definido", + "The template has been updated": "O modelo foi atualizado", + "The test email has been sent": "O e-mail de teste foi enviado", + "The type has been created": "O tipo foi criado", + "The type has been deleted": "O tipo foi excluído", + "The type has been updated": "O tipo foi atualizado", + "The user has been added": "O usuário foi adicionado", + "The user has been deleted": "O usuário foi excluído", + "The user has been removed": "O usuário foi removido", + "The user has been updated": "O usuário foi atualizado", + "The vault has been created": "O cofre foi criado", + "The vault has been deleted": "O cofre foi excluído", + "The vault have been updated": "O cofre foi atualizado", + "they/them": "eles/eles", + "This address is not active anymore": "Este endereço não está mais ativo", + "This device": "Este dispositivo", + "This email is a test email to check if Monica can send an email to this email address.": "Este e-mail é um e-mail de teste para verificar se Monica pode enviar um e-mail para este endereço de e-mail.", + "This is a secure area of the application. Please confirm your password before continuing.": "Esta é uma área segura da aplicação. Por favor, confirme a sua senha antes de continuar.", + "This is a test email": "Este é um e-mail de teste", + "This is a test notification for :name": "Esta é uma notificação de teste para :name", + "This key is already registered. It’s not necessary to register it again.": "Esta chave já está registrada. Não é necessário registrá-lo novamente.", + "This link will open in a new tab": "Este link será aberto em uma nova aba", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Esta página mostra todas as notificações que foram enviadas neste canal no passado. Serve principalmente como uma forma de depurar caso você não receba a notificação que configurou.", + "This password does not match our records.": "Esta senha não corresponde aos nossos registros.", + "This password reset link will expire in :count minutes.": "O link de redefinição de senha irá expirar em :count minutos.", + "This post has no content yet.": "Esta postagem ainda não tem conteúdo.", + "This provider is already associated with another account": "Este provedor já está associado a outra conta", + "This site is open source.": "Este site é de código aberto.", + "This template will define what information are displayed on a contact page.": "Este modelo definirá quais informações serão exibidas em uma página de contato.", + "This user already belongs to the team.": "Este usuário já pertence a um time.", + "This user has already been invited to the team.": "Este usuário já foi convidado para o time.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Este usuário fará parte da sua conta, mas não terá acesso a todos os cofres desta conta, a menos que você conceda acesso específico a eles. Essa pessoa também poderá criar cofres.", + "This will immediately:": "Isso irá imediatamente:", + "Three things that happened today": "Três coisas que aconteceram hoje", + "Thursday": "Quinta-feira", + "Timezone": "Fuso horário", + "Title": "Título", + "to": "até", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Para concluir a ativação da autenticação de dois fatores, digitalize o código QR a seguir usando o aplicativo autenticador do seu telefone ou insira a chave de configuração e forneça o código OTP gerado.", + "Toggle navigation": "Alternar navegação", + "To hear their story": "Para ouvir a história deles", + "Token Name": "Nome do Token", + "Token name (for your reference only)": "Nome do token (apenas para sua referência)", + "Took a new job": "Arrumou um novo emprego", + "Took the bus": "Peguei o ônibus", + "Took the metro": "Peguei o metrô", + "Too Many Requests": "Muitas solicitações", + "To see if they need anything": "Para ver se eles precisam de alguma coisa", + "To start, you need to create a vault.": "Para começar, você precisa criar um cofre.", + "Total:": "Total:", + "Total streaks": "Total de sequências", + "Track a new metric": "Acompanhe uma nova métrica", + "Transportation": "Transporte", + "Tuesday": "Terça-feira", + "Two-factor Confirmation": "Confirmação de dois fatores", + "Two Factor Authentication": "Autenticação em dois fatores", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "A autenticação de dois fatores agora está habilitada. Digitalize o código QR a seguir usando o aplicativo autenticador do seu telefone ou digite a chave de configuração.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "A autenticação de dois fatores agora está habilitada. Leia o seguinte código QR usando o aplicativo autenticador do seu telefone ou insira a chave de configuração.", + "Type": "Tipo", + "Type:": "Tipo:", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Digite qualquer coisa na conversa com o bot Monica. Pode ser `start` por exemplo.", + "Types": "Tipos", + "Type something": "Digite algo", + "Unarchive contact": "Desarquivar contato", + "unarchived the contact": "desarquivou o contato", + "Unauthorized": "Não autorizado", + "uncle/aunt": "tio/tia", + "Undefined": "Indefinido", + "Unexpected error on login.": "Erro inesperado no login.", + "Unknown": "Desconhecido", + "unknown action": "ação desconhecida", + "Unknown age": "Idade desconhecida", + "Unknown name": "Nome desconhecido", + "Update": "Atualizar", + "Update a key.": "Atualize uma chave.", + "updated a contact information": "atualizou uma informação de contato", + "updated a goal": "atualizou uma meta", + "updated an address": "atualizou um endereço", + "updated an important date": "atualizou uma data importante", + "updated a pet": "atualizou um animal de estimação", + "Updated on :date": "Atualizado em :date", + "updated the avatar of the contact": "atualizou o avatar do contato", + "updated the contact information": "atualizei as informações de contato", + "updated the job information": "atualizou as informações do trabalho", + "updated the religion": "atualizou a religião", + "Update Password": "Atualizar senha", + "Update your account's profile information and email address.": "Atualize as informações do seu perfil e endereço de e-mail.", + "Upload photo as avatar": "Carregar foto como avatar", + "Use": "Usar", + "Use an authentication code": "Use um código de autenticação", + "Use a recovery code": "Use um código de recuperação", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "Use uma chave de segurança (Webauthn ou FIDO) para aumentar a segurança da sua conta.", + "User preferences": "Preferências de usuário", + "Users": "Usuários", + "User settings": "Configurações do Usuário", + "Use the following template for this contact": "Use o seguinte modelo para este contato", + "Use your password": "Use sua senha", + "Use your security key": "Use sua chave de segurança", + "Validating key…": "Validando chave…", + "Value copied into your clipboard": "Valor copiado para sua área de transferência", + "Vaults contain all your contacts data.": "Os cofres contêm todos os dados dos seus contatos.", + "Vault settings": "Configurações do cofre", + "ve/ver": "já/ver", + "Verification email sent": "E-mail de verificação enviado", + "Verified": "Verificado", + "Verify Email Address": "Verifique o endereço de e-mail", + "Verify this email address": "verifique este endereço de email", + "Version :version — commit [:short](:url).": "Versão :version — confirmação [:short](:url).", + "Via Telegram": "Via telegrama", + "Video call": "Video chamada", + "View": "Visualizar", + "View all": "Ver tudo", + "View details": "Ver detalhes", + "Viewer": "Visualizador", + "View history": "Ver histórico", + "View log": "Ver registro", + "View on map": "Ver no mapa", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Aguarde alguns segundos para que Monica (o aplicativo) reconheça você. Enviaremos a você uma notificação falsa para ver se funciona.", + "Waiting for key…": "Aguardando a chave…", + "Walked": "Caminhou", + "Wallpaper": "Papel de parede", + "Was there a reason for the call?": "Houve um motivo para a ligação?", + "Watched a movie": "Assisti um filme", + "Watched a tv show": "Assisti a um programa de TV", + "Watched TV": "Assisti TV", + "Watch Netflix every day": "Assistir Netflix todos os dias", + "Ways to connect": "Maneiras de se conectar", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn oferece suporte apenas a conexões seguras. Carregue esta página com esquema https.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Nós os chamamos de relação e sua relação inversa. Para cada relação definida, você precisa definir sua contraparte.", + "Wedding": "Casamento", + "Wednesday": "Quarta-feira", + "We hope you'll like it.": "Esperamos que você goste.", + "We hope you will like what we’ve done.": "Esperamos que você goste do que fizemos.", + "Welcome to Monica.": "Bem vindo a Monica.", + "Went to a bar": "Fui a um bar", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Apoiamos Markdown para formatar o texto (negrito, listas, títulos, etc…).", + "We were unable to find a registered user with this email address.": "Não pudemos encontrar um usuário com esse endereço de e-mail.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Enviaremos um e-mail para este endereço de e-mail que você precisará confirmar antes de podermos enviar notificações para este endereço.", + "What happens now?": "O que acontece agora?", + "What is the loan?": "Qual é o empréstimo?", + "What permission should :name have?": "Que permissão :name deveria ter?", + "What permission should the user have?": "Que permissão o usuário deve ter?", + "Whatsapp": "Whatsapp", + "What should we use to display maps?": "O que devemos usar para exibir mapas?", + "What would make today great?": "O que tornaria o dia de hoje ótimo?", + "When did the call happened?": "Quando a ligação aconteceu?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Quando a autenticação em dois fatores está ativa, um token seguro e aleatório será solicitado durante a autenticação. Você deve obter este token em seu aplicativo Google Authenticator em seu telefone.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Quando a autenticação de dois fatores estiver ativada, será solicitado um token aleatório e seguro durante a autenticação. Você pode recuperar esse token no aplicativo Authenticator do seu telefone.", + "When was the loan made?": "Quando foi feito o empréstimo?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Quando você define um relacionamento entre dois contatos, por exemplo, um relacionamento pai-filho, Monica cria duas relações, uma para cada contato:", + "Which email address should we send the notification to?": "Para qual endereço de e-mail devemos enviar a notificação?", + "Who called?": "Quem chamou?", + "Who makes the loan?": "Quem faz o empréstimo?", + "Whoops!": "Ops!", + "Whoops! Something went wrong.": "Ops! Alguma coisa deu errado.", + "Who should we invite in this vault?": "Quem devemos convidar para este cofre?", + "Who the loan is for?": "Para quem é o empréstimo?", + "Wish good day": "Desejo bom dia", + "Work": "Trabalhar", + "Write the amount with a dot if you need decimals, like 100.50": "Escreva o valor com um ponto se precisar de números decimais, como 100,50", + "Written on": "Escrito em", + "wrote a note": "escreveu uma nota", + "xe/xem": "xe/xem", + "year": "ano", + "Years": "Anos", + "You are here:": "Você está aqui:", + "You are invited to join Monica": "Você está convidado a se juntar à Monica", + "You are receiving this email because we received a password reset request for your account.": "Você recebeu esse e-mail porque foi solicitado uma redefinição de senha na sua conta.", + "you can't even use your current username or password to sign in,": "você não pode nem usar seu nome de usuário ou senha atual para fazer login,", + "you can't import any data from your current Monica account(yet),": "você não pode importar nenhum dado da sua conta atual da Monica (ainda),", + "You can add job information to your contacts and manage the companies here in this tab.": "Você pode adicionar informações de vagas aos seus contatos e gerenciar as empresas aqui nesta aba.", + "You can add more account to log in to our service with one click.": "Você pode adicionar mais contas para fazer login em nosso serviço com um clique.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Você pode ser notificado por diversos canais: e-mails, mensagem do Telegram, no Facebook. Você decide.", + "You can change that at any time.": "Você pode mudar isso a qualquer momento.", + "You can choose how you want Monica to display dates in the application.": "Você pode escolher como deseja que Monica exiba as datas no aplicativo.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Você pode escolher quais moedas devem ser habilitadas em sua conta e quais não devem.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Você pode personalizar como os contatos devem ser exibidos de acordo com seu gosto/cultura. Talvez você queira usar James Bond em vez de Bond James. Aqui você pode defini-lo à vontade.", + "You can customize the criteria that let you track your mood.": "Você pode personalizar os critérios que permitem monitorar seu humor.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Você pode mover contatos entre cofres. Esta mudança é imediata. Você só pode mover contatos para cofres dos quais faz parte. Todos os dados dos contatos serão movidos com ele.", + "You cannot remove your own administrator privilege.": "Você não pode remover seu próprio privilégio de administrador.", + "You don’t have enough space left in your account.": "Você não tem espaço suficiente em sua conta.", + "You don’t have enough space left in your account. Please upgrade.": "Você não tem espaço suficiente em sua conta. Por favor, atualize.", + "You have been invited to join the :team team!": "Foi convidado para se juntar ao time :team!", + "You have enabled two factor authentication.": "Você ativou a autenticação em dois fatores.", + "You have not enabled two factor authentication.": "Você não ativou a autenticação em dois fatores.", + "You have not setup Telegram in your environment variables yet.": "Você ainda não configurou o Telegram em suas variáveis de ambiente.", + "You haven’t received a notification in this channel yet.": "Você ainda não recebeu uma notificação neste canal.", + "You haven’t setup Telegram yet.": "Você ainda não configurou o Telegram.", + "You may accept this invitation by clicking the button below:": "Você pode aceitar o convite clicando no botão abaixo:", + "You may delete any of your existing tokens if they are no longer needed.": "Você pode excluir seus tokens existentes se eles não forem mais necessários.", + "You may not delete your personal team.": "Você não pode excluir o seu time pessoal.", + "You may not leave a team that you created.": "Você não pode sair de um time que você criou.", + "You might need to reload the page to see the changes.": "Pode ser necessário recarregar a página para ver as alterações.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Você precisa de pelo menos um modelo para que os contatos sejam exibidos. Sem um modelo, Monica não saberá quais informações ele deverá exibir.", + "Your account current usage": "Uso atual da sua conta", + "Your account has been created": "Sua conta foi criada", + "Your account is linked": "Sua conta está vinculada", + "Your account limits": "Limites da sua conta", + "Your account will be closed immediately,": "Sua conta será encerrada imediatamente,", + "Your browser doesn’t currently support WebAuthn.": "Atualmente, seu navegador não oferece suporte a WebAuthn.", + "Your email address is unverified.": "Seu endereço de e-mail não foi verificado.", + "Your life events": "Eventos de sua vida", + "Your mood has been recorded!": "Seu humor foi registrado!", + "Your mood that day": "Seu humor naquele dia", + "Your mood that you logged at this date": "Seu humor que você registrou nesta data", + "Your mood this year": "Seu humor este ano", + "Your name here will be used to add yourself as a contact.": "Seu nome aqui será usado para adicionar você como contato.", + "You wanted to be reminded of the following:": "Você queria ser lembrado do seguinte:", + "You WILL still have to delete your account on Monica or OfficeLife.": "Você ainda TERÁ que excluir sua conta no Monica ou OfficeLife.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Você foi convidado a usar este endereço de e-mail no Monica, um CRM pessoal de código aberto, para que possamos usá-lo para enviar notificações.", + "ze/hir": "ze/hir", + "⚠️ Danger zone": "⚠️ Zona de perigo", + "🌳 Chalet": "🌳 Chalé", + "🏠 Secondary residence": "🏠 Residência secundária", + "🏡 Home": "🏡 Casa", + "🏢 Work": "🏢 Trabalho", + "🔔 Reminder: :label for :contactName": "🔔 Lembrete: :label para :contactName", + "😀 Good": "😀 Bom", + "😁 Positive": "😁 Positivo", + "😐 Meh": "😐 Meh", + "😔 Bad": "😔 Ruim", + "😡 Negative": "😡 Negativo", + "😩 Awful": "😩 Horrível", + "😶‍🌫️ Neutral": "😶‍🌫️ Neutro", + "🥳 Awesome": "🥳 Incrível" +} \ No newline at end of file diff --git a/lang/pt_BR/auth.php b/lang/pt_BR/auth.php new file mode 100644 index 00000000000..34c29a90d7a --- /dev/null +++ b/lang/pt_BR/auth.php @@ -0,0 +1,8 @@ + 'Credenciais informadas não correspondem com nossos registros.', + 'lang' => 'Português (Brasil)', + 'password' => 'A senha está incorreta.', + 'throttle' => 'Você realizou muitas tentativas de login. Por favor, tente novamente em :seconds segundos.', +]; diff --git a/lang/pt_BR/format.php b/lang/pt_BR/format.php new file mode 100644 index 00000000000..79df9c7250e --- /dev/null +++ b/lang/pt_BR/format.php @@ -0,0 +1,15 @@ + 'D MMM YYYY', + 'day_month_parenthesis' => 'dddd (D MMM)', + 'day_number' => 'DD', + 'full_date' => 'dddd D MMM YYYY', + 'long_month_day' => 'D MMMM', + 'long_month_year' => 'MMMM Y', + 'short_date' => 'D MMM', + 'short_date_year_time' => 'D MMM YYYY H:mm', + 'short_day' => 'ddd', + 'short_month' => 'MMM', + 'short_month_year' => 'MMM Y', +]; diff --git a/lang/pt_BR/http-statuses.php b/lang/pt_BR/http-statuses.php new file mode 100644 index 00000000000..148393fb231 --- /dev/null +++ b/lang/pt_BR/http-statuses.php @@ -0,0 +1,82 @@ + 'Erro Desconhecido', + '100' => 'Continuar', + '101' => 'Mudando Protocolos', + '102' => 'Processamento', + '200' => 'OK', + '201' => 'Criado', + '202' => 'Aceito', + '203' => 'Informações Não Autorizadas', + '204' => 'Nenhum Conteúdo', + '205' => 'Redefinir Conteúdo', + '206' => 'Contéudo Parcial', + '207' => 'Vários status', + '208' => 'Já Reportado', + '226' => 'Estou Usando', + '300' => 'Múltiplas Escolhas', + '301' => 'Movido Permanentemente', + '302' => 'Encontrado', + '303' => 'Ver Outros', + '304' => 'Não Modificado', + '305' => 'Usar proxy', + '307' => 'Redirecionamento Temporário', + '308' => 'Redirecionamento Permanente', + '400' => 'Requisição Inválida', + '401' => 'Não Autorizado', + '402' => 'Pagamento Requerido', + '403' => 'Proibido', + '404' => 'Página Não Encontrada', + '405' => 'Método Não Permitido', + '406' => 'Não Aceitável', + '407' => 'Autenticação De Proxy Necessária', + '408' => 'Tempo Limite De Requisição', + '409' => 'Conflito', + '410' => 'Perdido', + '411' => 'Comprimento Necessário', + '412' => 'Pré-Condição Falhou', + '413' => 'Carga Muito Grande', + '414' => 'URI Muito Grande', + '415' => 'Tipo De Mídia Não Suportado', + '416' => 'Faixa Não Satisfatória', + '417' => 'Falha Na Expectativa', + '418' => 'Eu Sou Um Bule De Chá', + '419' => 'Sessão Expirou', + '421' => 'Solicitação Mal Direcionada', + '422' => 'Entidade Improcessável', + '423' => 'Fechado', + '424' => 'Dependência Com Falha', + '425' => 'Muito cedo', + '426' => 'Atualização Necessária', + '428' => 'Pré-Condição Necessária', + '429' => 'Muitas Requisições', + '431' => 'Campos De Cabeçalho De Solicitação Muito Grandes', + '444' => 'Conexão Fechada Sem Resposta', + '449' => 'Repetir Com', + '451' => 'Indisponível Por Motivos Legais', + '499' => 'Solicitação fechada do cliente', + '500' => 'Erro Interno Do Servidor', + '501' => 'Não Implementado', + '502' => 'Gateway Inválido', + '503' => 'Modo De Manutenção', + '504' => 'Tempo Limite Do Gateway', + '505' => 'Versão HTTP Não Suportada', + '506' => 'Variante Também Negocia', + '507' => 'Armazenamento Insuficiente', + '508' => 'Loop Detectado', + '509' => 'Limite de Banda Excedido', + '510' => 'Não Estendido', + '511' => 'Autenticação De Rede Necessária', + '520' => 'Erro Desconhecido', + '521' => 'Servidor Web Está Inativo', + '522' => 'Tempo Limite Da Conexão', + '523' => 'Origem É Inacessível', + '524' => 'Ocorreu Um Tempo Limite', + '525' => 'Falha No Handshake SSL', + '526' => 'Certificado SSL Inválido', + '527' => 'Erro do Canhão Elétrico', + '598' => 'Erro de tempo limite de leitura da rede', + '599' => 'Erro de tempo limite de conexão de rede', + 'unknownError' => 'Erro Desconhecido', +]; diff --git a/lang/pt_BR/pagination.php b/lang/pt_BR/pagination.php new file mode 100644 index 00000000000..615587353cf --- /dev/null +++ b/lang/pt_BR/pagination.php @@ -0,0 +1,6 @@ + 'Próxima ❯', + 'previous' => '❮ Anterior', +]; diff --git a/lang/pt_BR/passwords.php b/lang/pt_BR/passwords.php new file mode 100644 index 00000000000..610a0de052d --- /dev/null +++ b/lang/pt_BR/passwords.php @@ -0,0 +1,9 @@ + 'Sua senha foi redefinida!', + 'sent' => 'Enviamos um link para redefinir a sua senha por e-mail.', + 'throttled' => 'Por favor espere antes de tentar novamente.', + 'token' => 'Esse código de redefinição de senha é inválido.', + 'user' => 'Não conseguimos encontrar nenhum usuário com o endereço de e-mail informado.', +]; diff --git a/lang/pt_BR/validation.php b/lang/pt_BR/validation.php new file mode 100644 index 00000000000..5247e6545c2 --- /dev/null +++ b/lang/pt_BR/validation.php @@ -0,0 +1,215 @@ + 'O campo :attribute deve ser aceito.', + 'accepted_if' => 'O :attribute deve ser aceito quando :other for :value.', + 'active_url' => 'O campo :attribute deve conter uma URL válida.', + 'after' => 'O campo :attribute deve conter uma data posterior a :date.', + 'after_or_equal' => 'O campo :attribute deve conter uma data superior ou igual a :date.', + 'alpha' => 'O campo :attribute deve conter apenas letras.', + 'alpha_dash' => 'O campo :attribute deve conter apenas letras, números e traços.', + 'alpha_num' => 'O campo :attribute deve conter apenas letras e números .', + 'array' => 'O campo :attribute deve conter um array.', + 'ascii' => 'O :attribute deve conter apenas caracteres alfanuméricos de byte único e símbolos.', + 'attributes' => [ + 'address' => 'endereço', + 'age' => 'idade', + 'amount' => 'motante', + 'area' => 'área', + 'available' => 'disponível', + 'birthday' => 'aniversário', + 'body' => 'conteúdo', + 'city' => 'cidade', + 'content' => 'conteúdo', + 'country' => 'país', + 'created_at' => 'criado em', + 'creator' => 'criador', + 'current_password' => 'senha atual', + 'date' => 'data', + 'date_of_birth' => 'data de nascimento', + 'day' => 'dia', + 'deleted_at' => 'excluído em', + 'description' => 'descrição', + 'district' => 'distrito', + 'duration' => 'duração', + 'email' => 'e-mail', + 'excerpt' => 'resumo', + 'filter' => 'filtro', + 'first_name' => 'primeiro nome', + 'gender' => 'gênero', + 'group' => 'grupo', + 'hour' => 'hora', + 'image' => 'imagem', + 'last_name' => 'sobrenome', + 'lesson' => 'lição', + 'line_address_1' => 'endereço de linha 1', + 'line_address_2' => 'endereço de linha 2', + 'message' => 'mensagem', + 'middle_name' => 'nome do meio', + 'minute' => 'minuto', + 'mobile' => 'celular', + 'month' => 'mês', + 'name' => 'nome', + 'national_code' => 'código nacional', + 'number' => 'número', + 'password' => 'senha', + 'password_confirmation' => 'confirmação da senha', + 'phone' => 'telefone', + 'photo' => 'foto', + 'postal_code' => 'código postal', + 'price' => 'preço', + 'province' => 'província', + 'recaptcha_response_field' => 'campo de resposta recaptcha', + 'remember' => 'lembrar-me', + 'restored_at' => 'restaurado em', + 'result_text_under_image' => 'texto do resultado sob a imagem', + 'role' => 'função', + 'second' => 'segundo', + 'sex' => 'sexo', + 'short_text' => 'texto pequeno', + 'size' => 'tamanho', + 'state' => 'estado', + 'street' => 'rua', + 'student' => 'estudante', + 'subject' => 'assunto', + 'teacher' => 'professor', + 'terms' => 'termos', + 'test_description' => 'descrição de teste', + 'test_locale' => 'local de teste', + 'test_name' => 'nome de teste', + 'text' => 'texto', + 'time' => 'hora', + 'title' => 'título', + 'updated_at' => 'atualizado em', + 'username' => 'usuário', + 'year' => 'ano', + ], + 'before' => 'O campo :attribute deve conter uma data anterior a :date.', + 'before_or_equal' => 'O campo :attribute deve conter uma data inferior ou igual a :date.', + 'between' => [ + 'array' => 'O campo :attribute deve conter de :min a :max itens.', + 'file' => 'O campo :attribute deve conter um arquivo de :min a :max kilobytes.', + 'numeric' => 'O campo :attribute deve conter um número entre :min e :max.', + 'string' => 'O campo :attribute deve conter entre :min a :max caracteres.', + ], + 'boolean' => 'O campo :attribute deve conter o valor verdadeiro ou falso.', + 'can' => 'O campo :attribute contém um valor não autorizado.', + 'confirmed' => 'A confirmação para o campo :attribute não coincide.', + 'current_password' => 'A senha está incorreta.', + 'date' => 'O campo :attribute não contém uma data válida.', + 'date_equals' => 'O campo :attribute deve ser uma data igual a :date.', + 'date_format' => 'A data informada para o campo :attribute não respeita o formato :format.', + 'decimal' => 'O :attribute deve ter :decimal casas decimais.', + 'declined' => 'O :attribute deve ser recusado.', + 'declined_if' => 'O :attribute deve ser recusado quando :other for :value.', + 'different' => 'Os campos :attribute e :other devem conter valores diferentes.', + 'digits' => 'O campo :attribute deve conter :digits dígitos.', + 'digits_between' => 'O campo :attribute deve conter entre :min a :max dígitos.', + 'dimensions' => 'O valor informado para o campo :attribute não é uma dimensão de imagem válida.', + 'distinct' => 'O campo :attribute contém um valor duplicado.', + 'doesnt_end_with' => 'O :attribute não pode terminar com um dos seguintes: :values.', + 'doesnt_start_with' => 'O :attribute não pode começar com um dos seguintes: :values.', + 'email' => 'O campo :attribute não contém um endereço de email válido.', + 'ends_with' => 'O campo :attribute deve terminar com um dos seguintes valores: :values', + 'enum' => 'O :attribute selecionado é inválido.', + 'exists' => 'O valor selecionado para o campo :attribute é inválido.', + 'file' => 'O campo :attribute deve conter um arquivo.', + 'filled' => 'O campo :attribute é obrigatório.', + 'gt' => [ + 'array' => 'O campo :attribute deve ter mais que :value itens.', + 'file' => 'O arquivo :attribute deve ser maior que :value kilobytes.', + 'numeric' => 'O campo :attribute deve ser maior que :value.', + 'string' => 'O campo :attribute deve ser maior que :value caracteres.', + ], + 'gte' => [ + 'array' => 'O campo :attribute deve ter :value itens ou mais.', + 'file' => 'O arquivo :attribute deve ser maior ou igual a :value kilobytes.', + 'numeric' => 'O campo :attribute deve ser maior ou igual a :value.', + 'string' => 'O campo :attribute deve ser maior ou igual a :value caracteres.', + ], + 'image' => 'O campo :attribute deve conter uma imagem.', + 'in' => 'O campo :attribute não contém um valor válido.', + 'integer' => 'O campo :attribute deve conter um número inteiro.', + 'in_array' => 'O campo :attribute não existe em :other.', + 'ip' => 'O campo :attribute deve conter um IP válido.', + 'ipv4' => 'O campo :attribute deve conter um IPv4 válido.', + 'ipv6' => 'O campo :attribute deve conter um IPv6 válido.', + 'json' => 'O campo :attribute deve conter uma string JSON válida.', + 'lowercase' => 'O :attribute deve ser minúsculo.', + 'lt' => [ + 'array' => 'O campo :attribute deve ter menos que :value itens.', + 'file' => 'O arquivo :attribute ser menor que :value kilobytes.', + 'numeric' => 'O campo :attribute deve ser menor que :value.', + 'string' => 'O campo :attribute deve ser menor que :value caracteres.', + ], + 'lte' => [ + 'array' => 'O campo :attribute não deve ter mais que :value itens.', + 'file' => 'O arquivo :attribute ser menor ou igual a :value kilobytes.', + 'numeric' => 'O campo :attribute deve ser menor ou igual a :value.', + 'string' => 'O campo :attribute deve ser menor ou igual a :value caracteres.', + ], + 'mac_address' => 'O :attribute deve ser um endereço MAC válido.', + 'max' => [ + 'array' => 'O campo :attribute deve conter no máximo :max itens.', + 'file' => 'O campo :attribute não pode conter um arquivo com mais de :max kilobytes.', + 'numeric' => 'O campo :attribute não pode conter um valor superior a :max.', + 'string' => 'O campo :attribute não pode conter mais de :max caracteres.', + ], + 'max_digits' => 'O :attribute não deve ter mais que :max dígitos.', + 'mimes' => 'O campo :attribute deve conter um arquivo do tipo: :values.', + 'mimetypes' => 'O campo :attribute deve conter um arquivo do tipo: :values.', + 'min' => [ + 'array' => 'O campo :attribute deve conter no mínimo :min itens.', + 'file' => 'O campo :attribute deve conter um arquivo com no mínimo :min kilobytes.', + 'numeric' => 'O campo :attribute deve conter um número superior ou igual a :min.', + 'string' => 'O campo :attribute deve conter no mínimo :min caracteres.', + ], + 'min_digits' => 'O :attribute deve ter pelo menos :min dígitos.', + 'missing' => 'O campo :attribute deve estar ausente.', + 'missing_if' => 'O campo :attribute deve estar ausente quando :other for :value.', + 'missing_unless' => 'O campo :attribute deve estar ausente, a menos que :other seja :value.', + 'missing_with' => 'O campo :attribute deve estar ausente quando :values estiver presente.', + 'missing_with_all' => 'O campo :attribute deve estar ausente quando :values estiverem presentes.', + 'multiple_of' => 'O :attribute deve ser um múltiplo de :value', + 'not_in' => 'O campo :attribute contém um valor inválido.', + 'not_regex' => 'O formato do valor :attribute é inválido.', + 'numeric' => 'O campo :attribute deve conter um valor numérico.', + 'password' => [ + 'letters' => 'O :attribute deve conter pelo menos uma letra.', + 'mixed' => 'O :attribute deve conter pelo menos uma letra maiúscula e uma minúscula.', + 'numbers' => 'O :attribute deve conter pelo menos um número.', + 'symbols' => 'O :attribute deve conter pelo menos um símbolo.', + 'uncompromised' => 'O dado :attribute apareceu em um vazamento de dados. Por favor, escolha um :attribute diferente.', + ], + 'present' => 'O campo :attribute deve estar presente.', + 'prohibited' => 'O campo :attribute é proibido.', + 'prohibited_if' => 'O campo :attribute é proibido quando :other é :value.', + 'prohibited_unless' => 'O campo :attribute é proibido a menos que :other esteja em :values.', + 'prohibits' => 'O campo :attribute proíbe :other de estar presente.', + 'regex' => 'O formato do valor informado no campo :attribute é inválido.', + 'required' => 'O campo :attribute é obrigatório.', + 'required_array_keys' => 'O campo :attribute deve conter entradas para: :values', + 'required_if' => 'O campo :attribute é obrigatório quando o valor do campo :other é igual a :value.', + 'required_if_accepted' => 'O campo :attribute é obrigatório quando :other é aceito.', + 'required_unless' => 'O campo :attribute é obrigatório a menos que :other esteja presente em :values.', + 'required_with' => 'O campo :attribute é obrigatório quando :values está presente.', + 'required_without' => 'O campo :attribute é obrigatório quando :values não está presente.', + 'required_without_all' => 'O campo :attribute é obrigatório quando nenhum dos :values está presente.', + 'required_with_all' => 'O campo :attribute é obrigatório quando um dos :values está presente.', + 'same' => 'Os campos :attribute e :other devem conter valores iguais.', + 'size' => [ + 'array' => 'O campo :attribute deve conter :size itens.', + 'file' => 'O campo :attribute deve conter um arquivo com o tamanho de :size kilobytes.', + 'numeric' => 'O campo :attribute deve conter o número :size.', + 'string' => 'O campo :attribute deve conter :size caracteres.', + ], + 'starts_with' => 'O campo :attribute deve começar com um dos seguintes valores: :values', + 'string' => 'O campo :attribute deve ser uma string.', + 'timezone' => 'O campo :attribute deve conter um fuso horário válido.', + 'ulid' => 'O :attribute deve ser um ULID válido.', + 'unique' => 'O valor informado para o campo :attribute já está em uso.', + 'uploaded' => 'Falha no Upload do arquivo :attribute.', + 'uppercase' => 'O :attribute deve ser maiúsculo.', + 'url' => 'O formato da URL informada para o campo :attribute é inválido.', + 'uuid' => 'O campo :attribute deve ser um UUID válido.', +]; diff --git a/lang/ro.json b/lang/ro.json index 9389fda7aa6..9ed15b3afce 100644 --- a/lang/ro.json +++ b/lang/ro.json @@ -1,8 +1,8 @@ { - "(and :count more error)": "(și:numărați mai multe erori)", - "(and :count more errors)": "(și: numără mai multe erori)", + "(and :count more error)": "(și :count mai multe erori)", + "(and :count more errors)": "(și cu :count mai multe erori)", "(Help)": "(Ajutor)", - "+ add a contact": "+ adăugați un contact", + "+ add a contact": "+ adăugați o persoană de contact", "+ add another": "+ adăugați altul", "+ add another photo": "+ adăugați o altă fotografie", "+ add description": "+ adăugați descriere", @@ -13,7 +13,7 @@ "+ add title": "+ adăugați titlu", "+ change date": "+ schimba data", "+ change template": "+ schimba șablonul", - "+ create a group": "+ creați un grup", + "+ create a group": "+ creează un grup", "+ gender": "+ gen", "+ last name": "+ nume de familie", "+ maiden name": "+ nume de fată", @@ -22,22 +22,22 @@ "+ note": "+ notă", "+ number of hours slept": "+ numărul de ore de dormit", "+ prefix": "+ prefix", - "+ pronoun": "+ tind", + "+ pronoun": "+ pronume", "+ suffix": "+ sufix", - ":count contact|:count contacts": ":count contact|:count contacts", - ":count hour slept|:count hours slept": ":count hour slept|:count hours slept", - ":count min read": ":count min read", - ":count post|:count posts": ":count post|:count posts", - ":count template section|:count template sections": ":count template section|:count template sections", - ":count word|:count words": ":numara cuvintele|:numara cuvintele", - ":distance km": ":distanta km", - ":distance miles": ":distanta mile", + ":count contact|:count contacts": ":count contact|:count contacte|:count de contacte", + ":count hour slept|:count hours slept": ":count ora de somn|:count ore dormit|:count de ore de somn", + ":count min read": ":count minute de citit", + ":count post|:count posts": ":count mesaj|:count postări|:count de postări", + ":count template section|:count template sections": ":count secțiune de șablon|:count secțiuni de șablon|:count de secțiuni de șablon", + ":count word|:count words": ":count cuvânt|:count cuvinte|:count de cuvinte", + ":distance km": ":distance km", + ":distance miles": ":distance mile", ":file at line :line": ":file la linia :line", - ":file in :class at line :line": ":fișier în :class la linia :line", - ":Name called": ":nume numit", + ":file in :class at line :line": ":file în :class la linia :line", + ":Name called": ":Name a sunat", ":Name called, but I didn’t answer": ":Name a sunat, dar nu am răspuns", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName vă invită să vă alăturați Monicai, un CRM personal open source, conceput pentru a vă ajuta să vă documentați relațiile.", - "Accept Invitation": "Accepta invitatia", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName vă invită să vă alăturați Monica, un CRM personal open source, conceput pentru a vă ajuta să vă documentați relațiile.", + "Accept Invitation": "Acceptați Invitația", "Accept invitation and create your account": "Acceptă invitația și creează-ți contul", "Account and security": "Cont și securitate", "Account settings": "Setările contului", @@ -45,17 +45,17 @@ "Activate": "Activati", "Activity feed": "Flux de activitate", "Activity in this vault": "Activitate în acest seif", - "Add": "Adăuga", + "Add": "Adaugă", "add a call reason type": "adăugați un tip de motiv pentru apel", "Add a contact": "Adaugă un contact", "Add a contact information": "Adăugați o informație de contact", "Add a date": "Adăugați o dată", "Add additional security to your account using a security key.": "Adăugați securitate suplimentară contului dvs. folosind o cheie de securitate.", - "Add additional security to your account using two factor authentication.": "Adăugați securitate suplimentară contului dvs. utilizând autentificarea cu doi factori.", + "Add additional security to your account using two factor authentication.": "Adăugați securitate suplimentară în contul dvs. utilizând autentificarea cu doi factori.", "Add a document": "Adăugați un document", "Add a due date": "Adăugați o dată limită", "Add a gender": "Adăugați un gen", - "Add a gift occasion": "Adaugă o ocazie cadou", + "Add a gift occasion": "Adăugați o ocazie cadou", "Add a gift state": "Adăugați o stare de cadou", "Add a goal": "Adăugați un obiectiv", "Add a group type": "Adăugați un tip de grup", @@ -71,7 +71,7 @@ "Add an email to be notified when a reminder occurs.": "Adăugați un e-mail pentru a fi notificat când apare un memento.", "Add an entry": "Adăugați o intrare", "add a new metric": "adăugați o nouă valoare", - "Add a new team member to your team, allowing them to collaborate with you.": "Adăugați un nou membru al echipei dvs., permițându-i să colaboreze cu dvs.", + "Add a new team member to your team, allowing them to collaborate with you.": "Adăugați un nou membru al echipei în echipa dvs., permițându-le să colaboreze cu dvs.", "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Adăugați o dată importantă pentru a vă aminti ce contează pentru dvs. la această persoană, cum ar fi data de naștere sau data decedată.", "Add a note": "Adaugă o notiță", "Add another life event": "Adaugă un alt eveniment de viață", @@ -81,7 +81,7 @@ "Add a photo": "Adauga o fotografie", "Add a photo to a journal entry to see it here.": "Adăugați o fotografie la o intrare de jurnal pentru a o vedea aici.", "Add a post template": "Adăugați un șablon de postare", - "Add a pronoun": "Adaugă un pronume", + "Add a pronoun": "Adăugați un pronume", "add a reason": "adauga un motiv", "Add a relationship": "Adăugați o relație", "Add a relationship group type": "Adăugați un tip de grup de relații", @@ -115,17 +115,17 @@ "Address type": "Tip de Adresă", "Address types": "Tipuri de adrese", "Address types let you classify contact addresses.": "Tipurile de adrese vă permit să clasificați adresele de contact.", - "Add Team Member": "Adăugați un membru al echipei", + "Add Team Member": "Adaugă Membru Al Echipei", "Add to group": "Adăugați la grup", "Administrator": "Administrator", - "Administrator users can perform any action.": "Utilizatorii administratori pot efectua orice acțiune.", + "Administrator users can perform any action.": "Utilizatorii de Administrator pot efectua orice acțiune.", "a father-son relation shown on the father page,": "o relație tată-fiu afișată pe pagina tatălui,", "after the next occurence of the date.": "după următoarea apariție a datei.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Un grup este format din două sau mai multe persoane împreună. Poate fi o familie, o gospodărie, un club sportiv. Orice este important pentru tine.", "All contacts in the vault": "Toate contactele din seif", "All files": "Toate filele", "All groups in the vault": "Toate grupurile din seif", - "All journal metrics in :name": "Toate valorile jurnalului în :name", + "All journal metrics in :name": "Toate valorile jurnalului din :name", "All of the people that are part of this team.": "Toți oamenii care fac parte din această echipă.", "All rights reserved.": "Toate drepturile rezervate.", "All tags": "Toate etichetele", @@ -161,17 +161,17 @@ "All the vaults in the account": "Toate seifurile din cont", "All users and vaults will be deleted immediately,": "Toți utilizatorii și seifurile vor fi șterse imediat,", "All users in this account": "Toți utilizatorii din acest cont", - "Already registered?": "Deja înregistrat?", + "Already registered?": "Ești deja înregistrat?", "Already used on this page": "Folosit deja pe această pagină", "A new verification link has been sent to the email address you provided during registration.": "Un nou link de verificare a fost trimis la adresa de e-mail pe care ați furnizat-o în timpul înregistrării.", "A new verification link has been sent to the email address you provided in your profile settings.": "Un nou link de verificare a fost trimis la adresa de e-mail pe care ați furnizat-o în setările profilului dvs.", "A new verification link has been sent to your email address.": "Un nou link de verificare a fost trimis la adresa dvs. de e-mail.", "Anniversary": "Aniversare", "Apartment, suite, etc…": "Apartament, apartament etc...", - "API Token": "Token API", + "API Token": "Simbolul API", "API Token Permissions": "Permisiuni API Token", - "API Tokens": "Jetoane API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Tokenurile API permit serviciilor terțelor părți să se autentifice cu aplicația noastră în numele dvs.", + "API Tokens": "Indicativele API", + "API tokens allow third-party services to authenticate with our application on your behalf.": "Token-urile API permit serviciilor terțe să se autentifice cu aplicația noastră în numele dvs.", "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Un șablon de postare definește modul în care ar trebui să fie afișat conținutul unei postări. Puteți defini câte șabloane doriți și puteți alege ce șablon să fie folosit pentru ce postare.", "Archive": "Arhiva", "Archive contact": "Arhivați contact", @@ -185,19 +185,19 @@ "Are you sure? This will delete the goal and all the streaks permanently.": "Esti sigur? Acest lucru va șterge definitiv obiectivul și toate dungile.", "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Esti sigur? Aceasta va elimina tipurile de adrese din toate contactele, dar nu va șterge contactele în sine.", "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Esti sigur? Aceasta va elimina tipurile de informații de contact din toate contactele, dar nu va șterge persoanele de contact în sine.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Esti sigur? Acest lucru va elimina sexele din toate contactele, dar nu va șterge persoanele de contact în sine.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Esti sigur? Aceasta va elimina sexele din toate contactele, dar nu va șterge persoanele de contact în sine.", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Esti sigur? Acest lucru va elimina șablonul din toate contactele, dar nu va șterge persoanele de contact în sine.", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Sigur doriți să ștergeți această echipă? Odată ce o echipă este ștearsă, toate resursele și datele acesteia vor fi șterse definitiv.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Sigur doriți să vă ștergeți contul? Odată ce contul dvs. este șters, toate resursele și datele acestuia vor fi șterse definitiv. Introduceți parola pentru a confirma că doriți să vă ștergeți definitiv contul.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Sunteți sigur că doriți să ștergeți această echipă? Odată ce o echipă este ștearsă, toate resursele și datele sale vor fi șterse definitiv.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Sunteți sigur că doriți să vă ștergeți contul? Odată ce contul dvs. este șters, toate resursele și datele sale vor fi șterse definitiv. Introduceți parola pentru a confirma că doriți să vă ștergeți definitiv contul.", "Are you sure you would like to archive this contact?": "Sigur doriți să arhivați această persoană de contact?", - "Are you sure you would like to delete this API token?": "Sigur doriți să ștergeți acest simbol API?", + "Are you sure you would like to delete this API token?": "Sunteți sigur că doriți să ștergeți acest token API?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Sigur doriți să ștergeți această persoană de contact? Acest lucru va elimina tot ce știm despre acest contact.", "Are you sure you would like to delete this key?": "Sigur doriți să ștergeți această cheie?", - "Are you sure you would like to leave this team?": "Ești sigur că ai vrea să părăsești această echipă?", - "Are you sure you would like to remove this person from the team?": "Sigur doriți să eliminați această persoană din echipă?", + "Are you sure you would like to leave this team?": "Ești sigur că vrei să părăsești această echipă?", + "Are you sure you would like to remove this person from the team?": "Sunteți sigur că doriți să eliminați această persoană din echipă?", "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "O bucată de viață vă permite să grupați postările după ceva semnificativ pentru dvs. Adaugă o bucată de viață într-o postare pentru a o vedea aici.", "a son-father relation shown on the son page.": "o relație fiu-tată afișată pe pagina fiului.", - "assigned a label": "atribuit o etichetă", + "assigned a label": "a atribuit o etichetă", "Association": "Asociere", "At": "La", "at ": "la", @@ -220,8 +220,8 @@ "boss": "sef", "Bought": "Cumparat", "Breakdown of the current usage": "Defalcarea utilizării curente", - "brother\/sister": "sora frate", - "Browser Sessions": "Sesiuni de browser", + "brother/sister": "sora/frate", + "Browser Sessions": "Sesiuni De Browser", "Buddhist": "budist", "Business": "Afaceri", "By last updated": "Până la ultima actualizare", @@ -229,7 +229,7 @@ "Call reasons": "Motive de apel", "Call reasons let you indicate the reason of calls you make to your contacts.": "Motivele apelurilor vă permit să indicați motivul apelurilor pe care le efectuați persoanelor de contact.", "Calls": "Apeluri", - "Cancel": "Anulare", + "Cancel": "Anulează", "Cancel account": "Anulează contul", "Cancel all your active subscriptions": "Anulați toate abonamentele dvs. active", "Cancel your account": "Anulați contul dvs", @@ -269,8 +269,8 @@ "Company name": "Numele companiei", "Compared to Monica:": "Comparativ cu Monica:", "Configure how we should notify you": "Configurați cum ar trebui să vă anunțăm", - "Confirm": "A confirma", - "Confirm Password": "Confirmă parola", + "Confirm": "Confirmă", + "Confirm Password": "Confirmare parolă", "Connect": "Conectați", "Connected": "Conectat", "Connect with your security key": "Conectați-vă cu cheia dvs. de securitate", @@ -280,7 +280,7 @@ "Contact information types": "Tipuri de informații de contact", "Contact name": "Nume de contact", "Contacts": "Contacte", - "Contacts in this post": "Contacte în această postare", + "Contacts in this post": "Persoane de contact din această postare", "Contacts in this slice": "Contacte din această felie", "Contacts will be shown as follow:": "Contactele vor fi afișate după cum urmează:", "Content": "Conţinut", @@ -291,9 +291,9 @@ "Country": "Țară", "Couple": "Cuplu", "cousin": "văr", - "Create": "Crea", + "Create": "Creează", "Create account": "Creează cont", - "Create Account": "Creează cont", + "Create Account": "Creează Cont", "Create a contact": "Creați un contact", "Create a contact entry for this person": "Creați o intrare de contact pentru această persoană", "Create a journal": "Creați un jurnal", @@ -301,8 +301,8 @@ "Create a journal to document your life.": "Creați un jurnal pentru a vă documenta viața.", "Create an account": "Creați un cont", "Create a new address": "Creați o nouă adresă", - "Create a new team to collaborate with others on projects.": "Creați o nouă echipă pentru a colabora cu alții la proiecte.", - "Create API Token": "Creați un token API", + "Create a new team to collaborate with others on projects.": "Creați o nouă echipă pentru a colabora cu alte persoane la proiecte.", + "Create API Token": "Creați API Token", "Create a post": "Creați o postare", "Create a reminder": "Creați un memento", "Create a slice of life": "Creați o felie de viață", @@ -310,19 +310,19 @@ "Create at least one template to use Monica.": "Creați cel puțin un șablon pentru a folosi Monica.", "Create a user": "Creați un utilizator", "Create a vault": "Creați un seif", - "Created.": "Creată.", + "Created.": "Creat.", "created a goal": "a creat un obiectiv", "created the contact": "a creat contactul", "Create label": "Creați o etichetă", "Create new label": "Creați o nouă etichetă", "Create new tag": "Creați o nouă etichetă", - "Create New Team": "Creați o echipă nouă", - "Create Team": "Creați o echipă", + "Create New Team": "Creați O Echipă Nouă", + "Create Team": "Creează Echipă", "Currencies": "Monede", "Currency": "Valută", "Current default": "Implicit curent", "Current language:": "Limba curentă:", - "Current Password": "Parola actuală", + "Current Password": "Parola Curentă", "Current site used to display maps:": "Site-ul curent folosit pentru afișarea hărților:", "Current streak": "Serie actuală", "Current timezone:": "Fusul orar actual:", @@ -333,7 +333,7 @@ "Customize how contacts should be displayed": "Personalizați modul în care ar trebui să fie afișate contactele", "Custom name order": "Comanda de nume personalizată", "Daily affirmation": "Afirmare zilnică", - "Dashboard": "Bord", + "Dashboard": "Tablou de bord", "date": "Data", "Date of the event": "Data evenimentului", "Date of the event:": "Data evenimentului:", @@ -346,9 +346,9 @@ "Default template": "Șablon implicit", "Default template to display contacts": "Șablon implicit pentru afișarea persoanelor de contact", "Delete": "Șterge", - "Delete Account": "Șterge cont", + "Delete Account": "Șterge Contul", "Delete a new key": "Ștergeți o cheie nouă", - "Delete API Token": "Ștergeți tokenul API", + "Delete API Token": "Șterge simbolul API", "Delete contact": "Ștergeți contactul", "deleted a contact information": "a șters o informație de contact", "deleted a goal": "a șters un gol", @@ -359,17 +359,17 @@ "Deleted author": "Autor șters", "Delete group": "Șterge grupul", "Delete journal": "Ștergeți jurnalul", - "Delete Team": "Ștergeți echipa", + "Delete Team": "Șterge Echipa", "Delete the address": "Ștergeți adresa", "Delete the photo": "Șterge fotografia", "Delete the slice": "Ștergeți felia", "Delete the vault": "Ștergeți seiful", - "Delete your account on https:\/\/customers.monicahq.com.": "Ștergeți-vă contul de pe https:\/\/customers.monicahq.com.", + "Delete your account on https://customers.monicahq.com.": "Ștergeți-vă contul de pe https://customers.monicahq.com.", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Ștergerea seifului înseamnă ștergerea tuturor datelor din seif, pentru totdeauna. Nu este cale de intoarcere. Vă rugăm să fiți sigur.", "Description": "Descriere", "Detail of a goal": "Detaliu al unui obiectiv", "Details in the last year": "Detalii in ultimul an", - "Disable": "Dezactivați", + "Disable": "Dezactivează", "Disable all": "Dezactivați toate", "Disconnect": "Deconectat", "Discuss partnership": "Discutați despre parteneriat", @@ -379,14 +379,14 @@ "Distance": "Distanţă", "Documents": "Documente", "Dog": "Câine", - "Done.": "Terminat.", + "Done.": "S-a făcut.", "Download": "Descarca", "Download as vCard": "Descărcați ca vCard", "Drank": "A băut", "Drove": "A condus", "Due and upcoming tasks": "Sarcini scadente și viitoare", - "Edit": "Editați | ×", - "edit": "Editați | ×", + "Edit": "Editați", + "edit": "Editați", "Edit a contact": "Editați un contact", "Edit a journal": "Editați un jurnal", "Edit a post": "Editați o postare", @@ -400,25 +400,26 @@ "Editor users have the ability to read, create, and update.": "Utilizatorii editorului au capacitatea de a citi, crea și actualiza.", "Edit post": "Editează postarea", "Edit Profile": "Editează profilul", - "Edit slice of life": "Editați felul de viață", + "Edit slice of life": "Editează o porțiune de viață", "Edit the group": "Editați grupul", "Edit the slice of life": "Editează felia de viață", "Email": "E-mail", "Email address": "Adresa de e-mail", - "Email address to send the invitation to": "Adresă de e-mail la care trimite invitația", - "Email Password Reset Link": "Link de resetare a parolei de e-mail", - "Enable": "Permite", + "Email address to send the invitation to": "Adresa de e-mail la care trimite invitația", + "Email Password Reset Link": "Link De Resetare A Parolei De E-Mail", + "Enable": "Activează", "Enable all": "Permite tuturor", - "Ensure your account is using a long, random password to stay secure.": "Asigurați-vă că contul dvs. folosește o parolă lungă, aleatorie, pentru a rămâne în siguranță.", + "Ensure your account is using a long, random password to stay secure.": "Asigurați-vă că contul dvs. utilizează o parolă lungă, aleatorie pentru a rămâne în siguranță.", "Enter a number from 0 to 100000. No decimals.": "Introduceți un număr de la 0 la 100000. Fără zecimale.", "Events this month": "Evenimente luna aceasta", - "Events this week": "Evenimente săptămâna aceasta", + "Events this week": "Evenimente în această săptămână", "Events this year": "Evenimente anul acesta", "Every": "Fiecare", "ex-boyfriend": "fost iubit", "Exception:": "Excepție:", "Existing company": "Firma existenta", "External connections": "Conexiuni externe", + "Facebook": "Facebook", "Family": "Familie", "Family summary": "Rezumatul familiei", "Favorites": "Favorite", @@ -430,7 +431,7 @@ "Find a contact in this vault": "Găsiți o persoană de contact în acest seif", "Finish enabling two factor authentication.": "Terminați de activat autentificarea cu doi factori.", "First name": "Nume", - "First name Last name": "Prenume Nume", + "First name Last name": "Prenume Nume de familie", "First name Last name (nickname)": "Prenume Nume (porecla)", "Fish": "Peşte", "Food preferences": "Preferințe alimentare", @@ -438,10 +439,9 @@ "For:": "Pentru:", "For advice": "Pentru sfat", "Forbidden": "Interzis", - "Forgot password?": "Aţi uitat parola?", "Forgot your password?": "Ați uitat parola?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Ați uitat parola? Nici o problemă. Doar spuneți-ne adresa dvs. de e-mail și vă vom trimite prin e-mail un link de resetare a parolei care vă va permite să alegeți una nouă.", - "For your security, please confirm your password to continue.": "Pentru securitatea dvs., vă rugăm să vă confirmați parola pentru a continua.", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Ați uitat parola? Nicio problemă. Spuneți-ne adresa dvs. de e-mail și vă vom trimite un link de resetare a parolei care vă va permite să alegeți una nouă.", + "For your security, please confirm your password to continue.": "Pentru securitatea dvs., vă rugăm să confirmați parola pentru a continua.", "Found": "Găsite", "Friday": "vineri", "Friend": "Prietene", @@ -451,7 +451,6 @@ "Gender": "Gen", "Gender and pronoun": "Gen și pronume", "Genders": "Genurile", - "Gift center": "Centru de cadouri", "Gift occasions": "Ocazii cadou", "Gift occasions let you categorize all your gifts.": "Ocaziile cadou vă permit să vă clasificați toate cadourile.", "Gift states": "Stări de cadou", @@ -459,30 +458,30 @@ "Give this email address a name": "Dați un nume acestei adrese de e-mail", "Goals": "Goluri", "Go back": "Întoarce-te", - "godchild": "nade", + "godchild": "naşul", "godparent": "naş", "Google Maps": "Hărți Google", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps oferă cea mai bună acuratețe și detalii, dar nu este ideal din punct de vedere al confidențialității.", "Got fired": "A fost concediat", - "Go to page :page": "Accesați pagina :pagina", + "Go to page :page": "Mergi la pagina :page", "grand child": "nepotul", "grand parent": "bunicul părinte", "Great! You have accepted the invitation to join the :team team.": "Grozav! Ați acceptat invitația de a vă alătura echipei :team.", - "Group journal entries together with slices of life.": "Grupați intrări din jurnal împreună cu felii de viață.", + "Group journal entries together with slices of life.": "Grupați intrările din jurnal împreună cu felii de viață.", "Groups": "Grupuri", "Groups let you put your contacts together in a single place.": "Grupurile vă permit să vă puneți contactele împreună într-un singur loc.", "Group type": "Tip de grup", - "Group type: :name": "Tip grup: :nume", + "Group type: :name": "Tip de grup: :name", "Group types": "Tipuri de grup", "Group types let you group people together.": "Tipurile de grup vă permit să grupați oameni împreună.", "Had a promotion": "A avut o promovare", "Hamster": "Hamster", "Have a great day,": "O zi bună,", - "he\/him": "el lui", - "Hello!": "Buna ziua!", + "he/him": "el/lui", + "Hello!": "Bună!", "Help": "Ajutor", - "Hi :name": "Salut :nume", - "Hinduist": "hindus", + "Hi :name": "Bună :name", + "Hinduist": "hinduist", "History of the notification sent": "Istoricul notificării trimise", "Hobbies": "Hobby-uri", "Home": "Acasă", @@ -498,21 +497,21 @@ "How should we display dates": "Cum ar trebui să afișăm datele", "How should we display distance values": "Cum ar trebui să afișăm valorile distanței", "How should we display numerical values": "Cum ar trebui să afișăm valorile numerice", - "I agree to the :terms and :policy": "Sunt de acord cu :termenii și :politica", + "I agree to the :terms and :policy": "Sunt de acord cu :terms și :policy", "I agree to the :terms_of_service and :privacy_policy": "Sunt de acord cu :terms_of_service și :privacy_policy", "I am grateful for": "Sunt recunoscător pentru", "I called": "am sunat", "I called, but :name didn’t answer": "Am sunat, dar :name nu a răspuns", "Idea": "Idee", "I don’t know the name": "nu stiu numele", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Dacă este necesar, vă puteți deconecta de la toate celelalte sesiuni de browser pe toate dispozitivele dvs. Unele dintre sesiunile tale recente sunt enumerate mai jos; totuși, această listă poate să nu fie exhaustivă. Dacă simțiți că contul dvs. a fost compromis, ar trebui să vă actualizați și parola.", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Dacă este necesar, vă puteți deconecta de la toate celelalte sesiuni de browser de pe toate dispozitivele. Unele dintre sesiunile dvs. recente sunt enumerate mai jos; cu toate acestea, această listă poate să nu fie exhaustivă. Dacă simțiți că contul dvs. a fost compromis, ar trebui să vă actualizați și parola.", "If the date is in the past, the next occurence of the date will be next year.": "Dacă data este în trecut, următoarea apariție a datei va fi anul viitor.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Dacă întâmpinați probleme la a face clic pe butonul „:actionText”, copiați și inserați adresa URL de mai jos\nîn browserul dvs. web:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Dacă nu puteți apăsa pe butonul \":actionText\", copiați și alipiți adresa de mai jos în navigatorul dvs:", "If you already have an account, you may accept this invitation by clicking the button below:": "Dacă aveți deja un cont, puteți accepta această invitație făcând clic pe butonul de mai jos:", - "If you did not create an account, no further action is required.": "Dacă nu ați creat un cont, nu este necesară nicio acțiune suplimentară.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Dacă nu te așteptai să primești o invitație la această echipă, poți renunța la acest e-mail.", - "If you did not request a password reset, no further action is required.": "Dacă nu ați solicitat resetarea parolei, nu este necesară nicio acțiune suplimentară.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Dacă nu aveți un cont, vă puteți crea unul făcând clic pe butonul de mai jos. După crearea unui cont, puteți face clic pe butonul de acceptare a invitației din acest e-mail pentru a accepta invitația echipei:", + "If you did not create an account, no further action is required.": "Dacă nu ați creat un cont, puteți ignora acest mesaj.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Dacă nu vă așteptați să primiți o invitație la această echipă, puteți renunța la acest e-mail.", + "If you did not request a password reset, no further action is required.": "Dacă nu ați solicitat o resetare de parolă, puteți ignora acest mesaj.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Dacă nu aveți un cont, puteți crea unul făcând clic pe butonul de mai jos. După crearea unui cont, puteți face clic pe butonul de acceptare a invitației din acest e-mail pentru a accepta invitația echipei:", "If you’ve received this invitation by mistake, please discard it.": "Dacă ați primit această invitație din greșeală, vă rugăm să o renunțați.", "I know the exact date, including the year": "Știu data exactă, inclusiv anul", "I know the name": "stiu numele", @@ -523,6 +522,7 @@ "Information from Wikipedia": "Informații de pe Wikipedia", "in love with": "în dragoste cu", "Inspirational post": "Postare de inspirație", + "Invalid JSON was returned from the route.": "JSON nevalid a fost returnat de pe rută.", "Invitation sent": "Invitatie trimisa", "Invite a new user": "Invitați un utilizator nou", "Invite someone": "Invită pe cineva", @@ -547,15 +547,15 @@ "Labels": "Etichete", "Labels let you classify contacts using a system that matters to you.": "Etichetele vă permit să clasificați contactele folosind un sistem care contează pentru dvs.", "Language of the application": "Limba aplicației", - "Last active": "Ultima data activ", - "Last active :date": "Ultima activitate:data", + "Last active": "Ultimul activ", + "Last active :date": "Ultima activitate :date", "Last name": "Nume", "Last name First name": "Ultimul nume primul nume", "Last updated": "Ultima actualizare", - "Last used": "Folosit ultima data", - "Last used :date": "Ultima utilizare:data", - "Leave": "Părăsi", - "Leave Team": "Părăsiți echipa", + "Last used": "Ultima utilizare", + "Last used :date": "Ultima utilizare :date", + "Leave": "Lasă", + "Leave Team": "Părăsește Echipa", "Life": "Viaţă", "Life & goals": "Viața și obiectivele", "Life events": "Evenimentele vieții", @@ -564,23 +564,23 @@ "Life event types and categories": "Tipuri și categorii de evenimente de viață", "Life metrics": "Măsuri de viață", "Life metrics let you track metrics that are important to you.": "Valorile de viață vă permit să urmăriți valorile care sunt importante pentru dvs.", - "Link to documentation": "Link către documentație", + "LinkedIn": "LinkedIn", "List of addresses": "Lista adreselor", "List of addresses of the contacts in the vault": "Lista adreselor persoanelor de contact din seif", "List of all important dates": "Lista tuturor datelor importante", "Loading…": "Se încarcă…", "Load previous entries": "Încărcați intrările anterioare", "Loans": "Împrumuturi", - "Locale default: :value": "Locale implicite: :value", + "Locale default: :value": "Localizare implicită: :value", "Log a call": "Înregistrează un apel", "Log details": "Detalii jurnal", "logged the mood": "a înregistrat starea de spirit", - "Log in": "Log in", - "Login": "Log in", + "Log in": "Autentificare", + "Login": "Autentificare", "Login with:": "Logheaza-te cu:", - "Log Out": "Deconectați-vă", - "Logout": "Deconectare", - "Log Out Other Browser Sessions": "Deconectați-vă din alte sesiuni de browser", + "Log Out": "Deconectează", + "Logout": "Deautentificare", + "Log Out Other Browser Sessions": "Deconectați Alte Sesiuni De Browser", "Longest streak": "Cea mai lungă serie", "Love": "Dragoste", "loved by": "iubit de", @@ -588,11 +588,11 @@ "Made from all over the world. We ❤️ you.": "Fabricat din toată lumea. Noi te ❤️.", "Maiden name": "Nume de fată", "Male": "Masculin", - "Manage Account": "Gestionează contul", + "Manage Account": "Gestionați Contul", "Manage accounts you have linked to your Customers account.": "Gestionați conturile pe care le-ați conectat la contul dvs. Clienți.", "Manage address types": "Gestionați tipurile de adrese", - "Manage and log out your active sessions on other browsers and devices.": "Gestionați și deconectați-vă sesiunile active pe alte browsere și dispozitive.", - "Manage API Tokens": "Gestionați jetoanele API", + "Manage and log out your active sessions on other browsers and devices.": "Gestionați și deconectați sesiunile active pe alte browsere și dispozitive.", + "Manage API Tokens": "Gestionați token-uri API", "Manage call reasons": "Gestionați motivele apelurilor", "Manage contact information types": "Gestionați tipurile de informații de contact", "Manage currencies": "Gestionați monedele", @@ -607,11 +607,12 @@ "Manager": "Administrator", "Manage relationship types": "Gestionați tipurile de relații", "Manage religions": "Gestionați religiile", - "Manage Role": "Gestionează rolul", + "Manage Role": "Gestionați Rolul", "Manage storage": "Gestionați stocarea", - "Manage Team": "Gestionează echipa", + "Manage Team": "Gestionați Echipa", "Manage templates": "Gestionați șabloanele", "Manage users": "Gestionare Utilizatori", + "Mastodon": "Mastodont", "Maybe one of these contacts?": "Poate unul dintre aceste contacte?", "mentor": "mentor", "Middle name": "Al doilea prenume", @@ -619,7 +620,7 @@ "miles (mi)": "mile (mi)", "Modules in this page": "Modulele din această pagină", "Monday": "luni", - "Monica. All rights reserved. 2017 — :date.": "Monica. Toate drepturile rezervate. 2017 — :data.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Toate drepturile rezervate. 2017 — :date.", "Monica is open source, made by hundreds of people from all around the world.": "Monica este open source, realizată de sute de oameni din întreaga lume.", "Monica was made to help you document your life and your social interactions.": "Monica a fost făcută pentru a vă ajuta să vă documentați viața și interacțiunile sociale.", "Month": "Lună", @@ -636,7 +637,7 @@ "Name of the reminder": "Numele mementoului", "Name of the reverse relationship": "Numele relației inverse", "Nature of the call": "Natura apelului", - "nephew\/niece": "nepoată nepot", + "nephew/niece": "nepoată/nepot", "New Password": "Parolă Nouă", "New to Monica?": "Nou cu Monica?", "Next": "Următorul", @@ -658,19 +659,19 @@ "No tasks.": "Fără sarcini.", "Notes": "Note", "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Rețineți că eliminarea unui modul dintr-o pagină nu va șterge datele reale de pe paginile dvs. de contact. Pur și simplu o va ascunde.", - "Not Found": "Nu a fost găsit", + "Not Found": "Negăsit", "Notification channels": "Canale de notificare", "Notification sent": "Notificare trimisă", "Not set": "Nu setat", "No upcoming reminders.": "Nu există mementouri viitoare.", "Number of hours slept": "Numărul de ore de somn", "Numerical value": "Valoare numerică", - "of": "de", + "of": "din", "Offered": "A oferit", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Odată ce o echipă este ștearsă, toate resursele și datele acesteia vor fi șterse definitiv. Înainte de a șterge această echipă, vă rugăm să descărcați orice date sau informații despre această echipă pe care doriți să le păstrați.", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Odată ce o echipă este ștearsă, toate resursele și datele sale vor fi șterse definitiv. Înainte de a șterge această echipă, vă rugăm să descărcați orice date sau informații referitoare la această echipă pe care doriți să le păstrați.", "Once you cancel,": "Odată ce anulați,", "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "După ce faceți clic pe butonul Configurare de mai jos, va trebui să deschideți Telegram cu butonul pe care vi-l vom furniza. Aceasta va localiza botul Monica Telegram pentru dvs.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Odată ce contul dvs. este șters, toate resursele și datele acestuia vor fi șterse definitiv. Înainte de a vă șterge contul, vă rugăm să descărcați orice date sau informații pe care doriți să le păstrați.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Odată ce contul dvs. este șters, toate resursele și datele sale vor fi șterse definitiv. Înainte de a șterge contul, vă rugăm să descărcați orice date sau informații pe care doriți să le păstrați.", "Only once, when the next occurence of the date occurs.": "O singură dată, când apare următoarea apariție a datei.", "Oops! Something went wrong.": "Hopa! Ceva n-a mers bine.", "Open Street Maps": "Deschide Street Maps", @@ -685,19 +686,19 @@ "Out of respect and appreciation": "Din respect și apreciere", "Page Expired": "Pagina a expirat", "Pages": "Pagini", - "Pagination Navigation": "Navigare prin paginare", + "Pagination Navigation": "Navigare Paginare", "Parent": "Mamă", "parent": "mamă", "Participants": "Participanții", "Partner": "Partener", "Part of": "O parte din", - "Password": "Parola", + "Password": "Parolă", "Payment Required": "Plata obligatorie", - "Pending Team Invitations": "Invitații de echipă în așteptare", - "per\/per": "pentru\/pentru", + "Pending Team Invitations": "Invitații De Echipă În Așteptare", + "per/per": "per/per", "Permanently delete this team.": "Ștergeți definitiv această echipă.", - "Permanently delete your account.": "Ștergeți-vă definitiv contul.", - "Permission for :name": "Permisiune pentru :nume", + "Permanently delete your account.": "Ștergeți definitiv contul.", + "Permission for :name": "Permisiune pentru :name", "Permissions": "Permisiuni", "Personal": "Personal", "Personalize your account": "Personalizați-vă contul", @@ -713,21 +714,21 @@ "Played soccer": "A jucat fotbal", "Played tennis": "Am jucat tenis", "Please choose a template for this new post": "Vă rugăm să alegeți un șablon pentru această nouă postare", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Vă rugăm să alegeți un șablon de mai jos pentru a-i spune Monicai cum ar trebui să fie afișat acest contact. Șabloanele vă permit să definiți ce date trebuie afișate pe pagina de contact.", - "Please click the button below to verify your email address.": "Vă rugăm să faceți clic pe butonul de mai jos pentru a vă verifica adresa de e-mail.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Vă rugăm să alegeți un șablon de mai jos pentru a-i spune Monica cum ar trebui să fie afișat acest contact. Șabloanele vă permit să definiți ce date trebuie afișate pe pagina de contact.", + "Please click the button below to verify your email address.": "Vă rugăm să apăsați pe butonul de mai jos pentru a verifica adresa dvs. de e-mail.", "Please complete this form to finalize your account.": "Vă rugăm să completați acest formular pentru a vă finaliza contul.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Vă rugăm să confirmați accesul la contul dvs. introducând unul dintre codurile dvs. de recuperare de urgență.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Vă rugăm să confirmați accesul la contul dvs. introducând unul dintre codurile de recuperare de urgență.", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Vă rugăm să confirmați accesul la contul dvs. introducând codul de autentificare furnizat de aplicația dvs. de autentificare.", "Please confirm access to your account by validating your security key.": "Vă rugăm să confirmați accesul la contul dvs. validând cheia de securitate.", - "Please copy your new API token. For your security, it won't be shown again.": "Vă rugăm să copiați noul simbol API. Pentru securitatea dvs., nu va fi afișat din nou.", + "Please copy your new API token. For your security, it won't be shown again.": "Vă rugăm să copiați noul token API. Pentru siguranța ta, nu va fi afișat din nou.", "Please copy your new API token. For your security, it won’t be shown again.": "Vă rugăm să copiați noul simbol API. Pentru securitatea dvs., nu va fi afișat din nou.", "Please enter at least 3 characters to initiate a search.": "Introduceți cel puțin 3 caractere pentru a iniția o căutare.", "Please enter your password to cancel the account": "Vă rugăm să introduceți parola pentru a anula contul", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Introduceți parola pentru a confirma că doriți să vă deconectați de la celelalte sesiuni de browser pe toate dispozitivele dvs.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Introduceți parola pentru a confirma că doriți să vă deconectați din celelalte sesiuni de browser de pe toate dispozitivele.", "Please indicate the contacts": "Vă rugăm să indicați contactele", - "Please join Monica": "Vă rog să vă alăturați Monicai", - "Please provide the email address of the person you would like to add to this team.": "Vă rugăm să furnizați adresa de e-mail a persoanei pe care doriți să o adăugați în această echipă.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Vă rugăm să citiți documentația<\/link> pentru a afla mai multe despre această caracteristică și la ce variabile aveți acces.", + "Please join Monica": "Vă rog să vă alăturați Monica", + "Please provide the email address of the person you would like to add to this team.": "Vă rugăm să furnizați adresa de e-mail a persoanei pe care doriți să o adăugați la această echipă.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Vă rugăm să citiți documentația pentru a afla mai multe despre această caracteristică și la ce variabile aveți acces.", "Please select a page on the left to load modules.": "Vă rugăm să selectați o pagină din stânga pentru a încărca modulele.", "Please type a few characters to create a new label.": "Vă rugăm să introduceți câteva caractere pentru a crea o nouă etichetă.", "Please type a few characters to create a new tag.": "Vă rugăm să introduceți câteva caractere pentru a crea o nouă etichetă.", @@ -741,18 +742,18 @@ "Prefix": "Prefix", "Previous": "Anterior", "Previous addresses": "Adresele anterioare", - "Privacy Policy": "Politica de confidențialitate", + "Privacy Policy": "Politica De Confidențialitate", "Profile": "Profil", "Profile and security": "Profil și securitate", - "Profile Information": "Informații de profil", - "Profile of :name": "Profilul lui :nume", + "Profile Information": "Informații Despre Profil", + "Profile of :name": "Profilul lui :name", "Profile page of :name": "Pagina de profil a lui :name", - "Pronoun": "Ei tind", + "Pronoun": "Pronume", "Pronouns": "Pronume", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Pronumele sunt practic modul în care ne identificăm pe noi înșine în afară de numele nostru. Acesta este modul în care cineva se referă la tine în conversație.", "protege": "protejat", "Protocol": "Protocol", - "Protocol: :name": "Protocol: :nume", + "Protocol: :name": "Protocol: :name", "Province": "Provincie", "Quick facts": "Idei sumare", "Quick facts let you document interesting facts about a contact.": "Faptele rapide vă permit să documentați fapte interesante despre un contact.", @@ -761,14 +762,14 @@ "Rabbit": "Iepure", "Ran": "A fugit", "Rat": "Şobolan", - "Read :count time|Read :count times": "Citiți:numărați timpul|Citiți:numărați ori", + "Read :count time|Read :count times": "Citiți :count dată|Citit de :count ori|Citește de :count de ori", "Record a loan": "Înregistrați un împrumut", "Record your mood": "Înregistrați-vă starea de spirit", - "Recovery Code": "Cod de recuperare", + "Recovery Code": "Codul De Recuperare", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Indiferent de locul în care vă aflați în lume, aveți datele afișate în propriul fus orar.", - "Regards": "Salutari", - "Regenerate Recovery Codes": "Regenerați codurile de recuperare", - "Register": "Inregistreaza-te", + "Regards": "Toate cele bune", + "Regenerate Recovery Codes": "Regenerați Codurile De Recuperare", + "Register": "Înregistrare", "Register a new key": "Înregistrați o cheie nouă", "Register a new key.": "Înregistrați o cheie nouă.", "Regular post": "Postare obișnuită", @@ -779,36 +780,36 @@ "Religion": "Religie", "Religions": "Religiile", "Religions is all about faith.": "Religia este totul despre credință.", - "Remember me": "Ține-mă minte", - "Reminder for :name": "Memento pentru :nume", + "Remember me": "Amintește-ți de mine", + "Reminder for :name": "Memento pentru :name", "Reminders": "Mementouri", "Reminders for the next 30 days": "Mementouri pentru următoarele 30 de zile", "Remind me about this date every year": "Amintește-mi de această dată în fiecare an", "Remind me about this date just once, in one year from now": "Amintește-mi de această dată doar o dată, peste un an de acum înainte", - "Remove": "Elimina", + "Remove": "Elimină", "Remove avatar": "Eliminați avatarul", "Remove cover image": "Eliminați imaginea de copertă", "removed a label": "a eliminat o etichetă", "removed the contact from a group": "a eliminat contactul dintr-un grup", "removed the contact from a post": "a eliminat contactul dintr-o postare", "removed the contact from the favorites": "a eliminat contactul din favorite", - "Remove Photo": "Eliminați fotografia", - "Remove Team Member": "Eliminați membrul echipei", + "Remove Photo": "Elimină Fotografia", + "Remove Team Member": "Elimină Membrul Echipei", "Rename": "Redenumiți", "Reports": "Rapoarte", "Reptile": "reptilă", - "Resend Verification Email": "Retrimite email-ul de verificare", - "Reset Password": "Reseteaza parola", - "Reset Password Notification": "Resetează notificarea parolei", + "Resend Verification Email": "Retrimiteți E-Mailul De Verificare", + "Reset Password": "Resetare parolă", + "Reset Password Notification": "Notificare resetare parolă", "results": "rezultate", "Retry": "Reîncercați", "Revert": "Reveni", "Rode a bike": "Mergeam cu bicicleta", "Role": "Rol", "Roles:": "Roluri:", - "Roomates": "Crawling", + "Roomates": "Colegii de cameră", "Saturday": "sâmbătă", - "Save": "Salvați", + "Save": "Salvează", "Saved.": "Salvat.", "Saving in progress": "Salvare în curs", "Searched": "Căutat", @@ -818,11 +819,11 @@ "Sections:": "Secțiuni:", "Security keys": "Chei de securitate", "Select a group or create a new one": "Selectați un grup sau creați unul nou", - "Select A New Photo": "Selectați O fotografie nouă", + "Select A New Photo": "Selectați O Fotografie Nouă", "Select a relationship type": "Selectați un tip de relație", "Send invitation": "Trimite invitatia", "Send test": "Trimiteți testul", - "Sent at :time": "Trimis la :ora", + "Sent at :time": "Trimis la :time", "Server Error": "Eroare de server", "Service Unavailable": "Serviciu indisponibil", "Set as default": "Setați ca implicit", @@ -833,55 +834,54 @@ "Setup Key": "Cheie de configurare", "Setup Key:": "Cheie de configurare:", "Setup Telegram": "Configurați Telegram", - "she\/her": "ea\/ea", + "she/her": "ea/ea", "Shintoist": "Shintoist", "Show Calendar tab": "Afișați fila Calendar", "Show Companies tab": "Afișați fila Companii", "Show completed tasks (:count)": "Afișați sarcinile finalizate (:count)", "Show Files tab": "Afișați fila Fișiere", "Show Groups tab": "Afișați fila Grupuri", - "Showing": "Se arată", - "Showing :count of :total results": "Se afișează :număr de :total rezultate", - "Showing :first to :last of :total results": "Se afișează :de la primul până la :ultimul din :total rezultate", + "Showing": "Arată", + "Showing :count of :total results": "Se afișează :count din :total rezultate", + "Showing :first to :last of :total results": "Se afișează de la :first la :last din :total rezultate", "Show Journals tab": "Afișați fila Jurnale", - "Show Recovery Codes": "Afișați codurile de recuperare", + "Show Recovery Codes": "Arată Codurile De Recuperare", "Show Reports tab": "Afișați fila Rapoarte", "Show Tasks tab": "Afișați fila Sarcini", "significant other": "partenerul de viaţă", "Sign in to your account": "Conectați-vă la contul dvs", "Sign up for an account": "Înscrieți-vă pentru un cont", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Slept :count hour|Slept :count hours", + "Slept :count hour|Slept :count hours": "A dormit :count ora|Am dormit :count ore|A dormit :count de ore", "Slice of life": "O felie de viață", "Slices of life": "Bucuri de viață", "Small animal": "Animal mic", "Social": "Social", "Some dates have a special type that we will use in the software to calculate an age.": "Unele date au un tip special pe care îl vom folosi în software pentru a calcula o vârstă.", - "Sort contacts": "Sortați contacte", "So… it works 😼": "Deci... funcționează 😼", "Sport": "Sport", "spouse": "soție", "Statistics": "Statistici", "Storage": "Depozitare", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Stocați aceste coduri de recuperare într-un manager de parole securizat. Acestea pot fi folosite pentru a recupera accesul la contul dvs. dacă dispozitivul de autentificare cu doi factori este pierdut.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Stocați aceste coduri de recuperare într-un manager de parole securizat. Acestea pot fi utilizate pentru a recupera accesul la contul dvs. dacă dispozitivul dvs. de autentificare cu doi factori este pierdut.", "Submit": "Trimite", "subordinate": "subordonat", "Suffix": "Sufix", "Summary": "rezumat", "Sunday": "duminică", "Switch role": "Schimbați rolul", - "Switch Teams": "Schimbați echipe", + "Switch Teams": "Schimbă Echipele", "Tabs visibility": "Vizibilitatea filelor", "Tags": "Etichete", "Tags let you classify journal posts using a system that matters to you.": "Etichetele vă permit să clasificați postările din jurnal folosind un sistem care contează pentru dvs.", "Taoist": "taoist", "Tasks": "Sarcini", - "Team Details": "Detaliile echipei", - "Team Invitation": "Invitație de echipă", - "Team Members": "Membrii echipei", - "Team Name": "Numele echipei", - "Team Owner": "Proprietarul echipei", - "Team Settings": "Setările echipei", + "Team Details": "Detalii Echipa", + "Team Invitation": "Invitațiile Echipei", + "Team Members": "Membrii Echipei", + "Team Name": "Numele Echipei", + "Team Owner": "Proprietarul Echipei", + "Team Settings": "Setări Echipă", "Telegram": "Telegramă", "Templates": "Șabloane", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Șabloanele vă permit să personalizați ce date ar trebui să fie afișate pe contactele dvs. Puteți defini câte șabloane doriți și puteți alege ce șablon să fie utilizat pentru ce contact.", @@ -889,18 +889,17 @@ "Test email for Monica": "E-mail de testare pentru Monica", "Test email sent!": "E-mail de test trimis!", "Thanks,": "Mulțumiri,", - "Thanks for giving Monica a try": "Mulțumesc că ai încercat Monicai", - "Thanks for giving Monica a try.": "Mulțumesc că ai încercat Monicai.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Vă mulțumim pentru înscriere! Înainte de a începe, ați putea să vă verificați adresa de e-mail făcând clic pe linkul pe care tocmai vi l-am trimis prin e-mail? Dacă nu ați primit e-mailul, vă vom trimite cu plăcere altul.", - "The :attribute must be at least :length characters.": ":attribute trebuie să aibă cel puțin caractere :length.", - "The :attribute must be at least :length characters and contain at least one number.": "Atributul : trebuie să aibă cel puțin caractere : lungime și să conțină cel puțin un număr.", - "The :attribute must be at least :length characters and contain at least one special character.": "Atributul : trebuie să aibă cel puțin caractere :length și să conțină cel puțin un caracter special.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": "Atributul : trebuie să aibă cel puțin caractere : lungime și să conțină cel puțin un caracter special și un număr.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Atributul : trebuie să aibă cel puțin caractere : lungime și să conțină cel puțin un caracter majuscul, un număr și un caracter special.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": "Atributul : trebuie să aibă cel puțin caractere :length și să conțină cel puțin un caracter majuscule.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Atributul : trebuie să aibă cel puțin caractere : lungime și să conțină cel puțin un caracter majuscul și un număr.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Atributul : trebuie să aibă cel puțin caractere :length și să conțină cel puțin un caracter majuscul și un caracter special.", - "The :attribute must be a valid role.": "Atributul : trebuie să fie un rol valid.", + "Thanks for giving Monica a try.": "Mulțumesc că ai încercat Monica.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Mulțumesc pentru înscriere! Înainte de a începe, ați putea să vă verificați adresa de e-mail făcând clic pe linkul pe care tocmai vi l-am trimis prin e-mail? Dacă nu ați primit e-mailul, vă vom trimite cu plăcere altul.", + "The :attribute must be at least :length characters.": ":Attribute trebuie să aibă cel puțin :length de caractere.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute trebuie să aibă cel puțin :length caractere și să conțină cel puțin un număr.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute trebuie să aibă cel puțin :length de caractere și să conțină cel puțin un caracter special.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute trebuie să aibă cel puțin :length de caractere și să conțină cel puțin un caracter special și un număr.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute trebuie să aibă cel puțin :length de caractere și să conțină cel puțin un caracter cu majuscule, un număr și un caracter special.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Cele :attribute trebuie să aibă cel puțin :length de caractere și să conțină cel puțin un caracter cu majuscule.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute trebuie să aibă cel puțin :length de caractere și să conțină cel puțin un caracter cu majuscule și un număr.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute trebuie să aibă cel puțin :length de caractere și să conțină cel puțin un caracter cu majuscule și un caracter special.", + "The :attribute must be a valid role.": ":Attribute trebuie să fie un rol valabil.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Datele contului vor fi șterse definitiv de pe serverele noastre în termen de 30 de zile și din toate copiile de rezervă în termen de 60 de zile.", "The address type has been created": "Tipul de adresă a fost creat", "The address type has been deleted": "Tipul de adresă a fost șters", @@ -941,10 +940,10 @@ "The gender has been created": "Genul a fost creat", "The gender has been deleted": "Sexul a fost șters", "The gender has been updated": "Sexul a fost actualizat", - "The gift occasion has been created": "Ocazie cadou a fost creată", + "The gift occasion has been created": "S-a creat ocazia cadou", "The gift occasion has been deleted": "Ocazia cadou a fost ștearsă", "The gift occasion has been updated": "Ocazia cadou a fost actualizată", - "The gift state has been created": "Starea cadou a fost creată", + "The gift state has been created": "Starea de cadou a fost creată", "The gift state has been deleted": "Starea cadou a fost ștearsă", "The gift state has been updated": "Starea cadoului a fost actualizată", "The given data was invalid.": "Datele date au fost nevalide.", @@ -984,7 +983,7 @@ "The page has been added": "Pagina a fost adăugată", "The page has been deleted": "Pagina a fost ștearsă", "The page has been updated": "Pagina a fost actualizată", - "The password is incorrect.": "Parola este incorecta.", + "The password is incorrect.": "Parola este incorectă.", "The pet category has been created": "Categoria de animale de companie a fost creată", "The pet category has been deleted": "Categoria de animale de companie a fost ștearsă", "The pet category has been updated": "Categoria animalelor de companie a fost actualizată", @@ -1000,8 +999,8 @@ "The pronoun has been created": "Pronumele a fost creat", "The pronoun has been deleted": "Pronumele a fost șters", "The pronoun has been updated": "Pronumele a fost actualizat", - "The provided password does not match your current password.": "Parola furnizată nu se potrivește cu parola dvs. actuală.", - "The provided password was incorrect.": "Parola furnizată a fost incorectă.", + "The provided password does not match your current password.": "Parola introdusă nu se potrivește cu cea curentă.", + "The provided password was incorrect.": "Parola introdusă a fost incorectă.", "The provided two factor authentication code was invalid.": "Codul de autentificare cu doi factori furnizat a fost nevalid.", "The provided two factor recovery code was invalid.": "Codul de recuperare cu doi factori furnizat a fost nevalid.", "There are no active addresses yet.": "Nu există încă adrese active.", @@ -1019,7 +1018,7 @@ "There are no photos yet.": "Nu există încă fotografii.", "There are no posts yet.": "Nu există încă postări.", "There are no quick facts here yet.": "Nu există încă fapte rapide aici.", - "There are no relationships yet.": "Nu există relații încă.", + "There are no relationships yet.": "Nu există încă relații.", "There are no reminders yet.": "Încă nu există mementouri.", "There are no tasks yet.": "Nu există încă sarcini.", "There are no templates in the account. Go to the account settings to create one.": "Nu există șabloane în cont. Accesați setările contului pentru a crea unul.", @@ -1036,13 +1035,15 @@ "The reminder has been created": "Mementoul a fost creat", "The reminder has been deleted": "Mementoul a fost șters", "The reminder has been edited": "Mementoul a fost editat", + "The response is not a streamed response.": "Răspunsul nu este un răspuns transmis în flux.", + "The response is not a view.": "Răspunsul nu este o viziune.", "The role has been created": "Rolul a fost creat", "The role has been deleted": "Rolul a fost șters", "The role has been updated": "Rolul a fost actualizat", "The section has been created": "Secțiunea a fost creată", "The section has been deleted": "Secțiunea a fost ștearsă", "The section has been updated": "Secțiunea a fost actualizată", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Acești oameni au fost invitați în echipa ta și au primit un e-mail de invitație. Ei se pot alătura echipei acceptând invitația prin e-mail.", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Acești oameni au fost invitați în echipa dvs. și li s-a trimis un e-mail de invitație. Aceștia se pot alătura echipei acceptând invitația prin e-mail.", "The tag has been added": "Eticheta a fost adăugată", "The tag has been created": "Eticheta a fost creată", "The tag has been deleted": "Eticheta a fost ștearsă", @@ -1050,7 +1051,7 @@ "The task has been created": "Sarcina a fost creată", "The task has been deleted": "Sarcina a fost ștearsă", "The task has been edited": "Sarcina a fost editată", - "The team's name and owner information.": "Numele echipei și informațiile proprietarului.", + "The team's name and owner information.": "Numele echipei și informații despre proprietar.", "The Telegram channel has been deleted": "Canalul Telegram a fost șters", "The template has been created": "Șablonul a fost creat", "The template has been deleted": "Șablonul a fost șters", @@ -1067,17 +1068,17 @@ "The vault has been created": "Seiful a fost creat", "The vault has been deleted": "Seiful a fost șters", "The vault have been updated": "Seiful a fost actualizat", - "they\/them": "ei lor", + "they/them": "ei/lor", "This address is not active anymore": "Această adresă nu mai este activă", - "This device": "Acest aparat", + "This device": "Acest dispozitiv", "This email is a test email to check if Monica can send an email to this email address.": "Acest e-mail este un e-mail de test pentru a verifica dacă Monica poate trimite un e-mail la această adresă de e-mail.", - "This is a secure area of the application. Please confirm your password before continuing.": "Aceasta este o zonă sigură a aplicației. Vă rugăm să vă confirmați parola înainte de a continua.", + "This is a secure area of the application. Please confirm your password before continuing.": "Aceasta este o zonă sigură a aplicației. Vă rugăm să confirmați parola înainte de a continua.", "This is a test email": "Acesta este un e-mail de testare", "This is a test notification for :name": "Aceasta este o notificare de testare pentru :name", "This key is already registered. It’s not necessary to register it again.": "Această cheie este deja înregistrată. Nu este necesar să-l înregistrați din nou.", "This link will open in a new tab": "Acest link se va deschide într-o filă nouă", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Această pagină arată toate notificările care au fost trimise pe acest canal în trecut. Acesta servește în primul rând ca o modalitate de depanare în cazul în care nu primiți notificarea pe care ați configurat-o.", - "This password does not match our records.": "Această parolă nu corespunde înregistrărilor noastre.", + "This password does not match our records.": "Această parolă nu se potrivește cu înregistrările noastre.", "This password reset link will expire in :count minutes.": "Acest link de resetare a parolei va expira în :count minute.", "This post has no content yet.": "Această postare nu are încă conținut.", "This provider is already associated with another account": "Acest furnizor este deja asociat cu un alt cont", @@ -1093,24 +1094,23 @@ "Title": "Titlu", "to": "la", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Pentru a finaliza activarea autentificării cu doi factori, scanați următorul cod QR folosind aplicația de autentificare a telefonului sau introduceți cheia de configurare și furnizați codul OTP generat.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Pentru a finaliza activarea autentificării cu doi factori, scanați următorul cod QR folosind aplicația de autentificare a telefonului sau introduceți cheia de configurare și furnizați codul OTP generat.", - "Toggle navigation": "Comutare navigare", + "Toggle navigation": "Comută navigarea", "To hear their story": "Să le ascult povestea", - "Token Name": "Nume simbol", + "Token Name": "Nume Token", "Token name (for your reference only)": "Nume simbol (doar pentru referință)", "Took a new job": "A luat un nou loc de muncă", "Took the bus": "Am luat autobuzul", "Took the metro": "Am luat metroul", - "Too Many Requests": "Prea Multe Cereri", + "Too Many Requests": "Prea multe cereri", "To see if they need anything": "Pentru a vedea dacă au nevoie de ceva", "To start, you need to create a vault.": "Pentru a începe, trebuie să creați un seif.", "Total:": "Total:", - "Total streaks": "Dâre totale", + "Total streaks": "Drumuri totale", "Track a new metric": "Urmăriți o nouă valoare", "Transportation": "Transport", "Tuesday": "marţi", "Two-factor Confirmation": "Confirmare cu doi factori", - "Two Factor Authentication": "Autentificarea cu doi factori", + "Two Factor Authentication": "Autentificare Cu Doi Factori", "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Autentificarea cu doi factori este acum activată. Scanați următorul cod QR folosind aplicația de autentificare a telefonului sau introduceți cheia de configurare.", "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Autentificarea cu doi factori este acum activată. Scanați următorul cod QR folosind aplicația de autentificare a telefonului sau introduceți cheia de configurare.", "Type": "Tip", @@ -1120,14 +1120,13 @@ "Type something": "Scrie ceva", "Unarchive contact": "Dezarhivați persoana de contact", "unarchived the contact": "a dezarhivat contactul", - "Unauthorized": "Neautorizat", - "uncle\/aunt": "unchi mătușă", + "Unauthorized": "Nepermis", + "uncle/aunt": "unchi/mătușă", "Undefined": "Nedefinit", "Unexpected error on login.": "Eroare neașteptată la conectare.", "Unknown": "Necunoscut", "unknown action": "acțiune necunoscută", "Unknown age": "Vârsta necunoscută", - "Unknown contact name": "Nume de contact necunoscut", "Unknown name": "Nume necunoscut", "Update": "Actualizați", "Update a key.": "Actualizați o cheie.", @@ -1136,17 +1135,16 @@ "updated an address": "a actualizat o adresă", "updated an important date": "actualizat o dată importantă", "updated a pet": "a actualizat un animal de companie", - "Updated on :date": "Actualizat la :date", + "Updated on :date": "Actualizat pe :date", "updated the avatar of the contact": "a actualizat avatarul contactului", "updated the contact information": "a actualizat informațiile de contact", "updated the job information": "a actualizat informațiile despre post", "updated the religion": "a actualizat religia", - "Update Password": "Actualizați parola", - "Update your account's profile information and email address.": "Actualizați informațiile de profil și adresa de e-mail ale contului dvs.", - "Update your account’s profile information and email address.": "Actualizați informațiile de profil și adresa de e-mail ale contului dvs.", + "Update Password": "Actualizați Parola", + "Update your account's profile information and email address.": "Actualizați informațiile profilului contului dvs. și adresa de e-mail.", "Upload photo as avatar": "Încărcați fotografia ca avatar", "Use": "Utilizare", - "Use an authentication code": "Utilizați un cod de autentificare", + "Use an authentication code": "Utilizarea unui cod de autentificare", "Use a recovery code": "Utilizați un cod de recuperare", "Use a security key (Webauthn, or FIDO) to increase your account security.": "Utilizați o cheie de securitate (Webauthn sau FIDO) pentru a vă spori securitatea contului.", "User preferences": "Preferintele utilizatorului", @@ -1159,12 +1157,12 @@ "Value copied into your clipboard": "Valoarea a fost copiată în clipboard", "Vaults contain all your contacts data.": "Seifurile conțin toate datele de contact.", "Vault settings": "Setările seifului", - "ve\/ver": "si da", + "ve/ver": "ve/ver", "Verification email sent": "Email de verificare trimis", "Verified": "Verificat", - "Verify Email Address": "verifica adresa de email", + "Verify Email Address": "Verifică adresă de e-mail", "Verify this email address": "Verifica aceasta adresa de email", - "Version :version — commit [:short](:url).": "Versiune :version — commit [:short](:url).", + "Version :version — commit [:short](:url).": "Versiunea :version — commit [:short](:url).", "Via Telegram": "Prin Telegram", "Video call": "Apel video", "View": "Vedere", @@ -1185,7 +1183,7 @@ "Watch Netflix every day": "Urmăriți Netflix în fiecare zi", "Ways to connect": "Modalități de conectare", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn acceptă numai conexiuni securizate. Vă rugăm să încărcați această pagină cu schema https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Le numim relație și relația ei inversă. Pentru fiecare relație pe care o definiți, trebuie să definiți omologul său.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Le numim o relație și relația ei inversă. Pentru fiecare relație pe care o definiți, trebuie să definiți omologul său.", "Wedding": "Nuntă", "Wednesday": "miercuri", "We hope you'll like it.": "Sperăm să vă placă.", @@ -1199,17 +1197,18 @@ "What is the loan?": "Ce este împrumutul?", "What permission should :name have?": "Ce permisiune ar trebui să aibă :name?", "What permission should the user have?": "Ce permisiune ar trebui să aibă utilizatorul?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "Ce ar trebui să folosim pentru a afișa hărți?", "What would make today great?": "Ce ar face astăzi grozav?", "When did the call happened?": "Când a avut loc apelul?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Când autentificarea cu doi factori este activată, vi se va solicita un token securizat, aleatoriu în timpul autentificării. Puteți prelua acest token din aplicația Google Authenticator a telefonului dvs.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Când autentificarea cu doi factori este activată, vi se va solicita un jeton sigur, aleatoriu în timpul autentificării. Puteți prelua acest jeton din aplicația Google Authenticator a telefonului.", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Când autentificarea cu doi factori este activată, vi se va solicita un token securizat, aleatoriu în timpul autentificării. Puteți prelua acest token din aplicația Authenticator a telefonului.", "When was the loan made?": "Când s-a făcut împrumutul?", "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Când definiți o relație între două contacte, de exemplu o relație tată-fiu, Monica creează două relații, câte una pentru fiecare contact:", - "Which email address should we send the notification to?": "La ce adresa de email ar trebui sa trimitem notificarea?", + "Which email address should we send the notification to?": "La ce adresa de email trebuie sa trimitem notificarea?", "Who called?": "Cine a sunat?", "Who makes the loan?": "Cine face împrumutul?", - "Whoops!": "Hopa!", + "Whoops!": "Oops!", "Whoops! Something went wrong.": "Hopa! Ceva n-a mers bine.", "Who should we invite in this vault?": "Pe cine ar trebui să invităm în acest seif?", "Who the loan is for?": "Pentru cine este împrumutul?", @@ -1218,12 +1217,12 @@ "Write the amount with a dot if you need decimals, like 100.50": "Scrieți suma cu un punct dacă aveți nevoie de zecimale, cum ar fi 100,50", "Written on": "Scris pe", "wrote a note": "a scris o notă", - "xe\/xem": "masina\/vedere", + "xe/xem": "xe/xem", "year": "an", "Years": "Ani", "You are here:": "Eşti aici:", - "You are invited to join Monica": "Sunteți invitat să vă alăturați Monicăi", - "You are receiving this email because we received a password reset request for your account.": "Primiți acest e-mail deoarece am primit o solicitare de resetare a parolei pentru contul dvs.", + "You are invited to join Monica": "Sunteți invitat să vă alăturați Monica", + "You are receiving this email because we received a password reset request for your account.": "Primiți acest mesaj pentru că a fost înregistrată o solicitare de resetare a parolei pentru contul asociat acestei adrese de e-mail.", "you can't even use your current username or password to sign in,": "nici măcar nu poți folosi numele de utilizator sau parola actuală pentru a te conecta,", "you can't import any data from your current Monica account(yet),": "nu poți importa nicio dată din contul tău actual de Monica (încă),", "You can add job information to your contacts and manage the companies here in this tab.": "Puteți adăuga informații despre locuri de muncă la contactele dvs. și puteți gestiona companiile aici, în această filă.", @@ -1232,7 +1231,7 @@ "You can change that at any time.": "Puteți schimba asta oricând.", "You can choose how you want Monica to display dates in the application.": "Puteți alege cum doriți ca Monica să afișeze datele în aplicație.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Puteți alege ce monede ar trebui să fie activate în contul dvs. și care nu ar trebui.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Puteți personaliza modul în care contactele ar trebui să fie afișate în funcție de propriul gust\/cultură. Poate că ați dori să folosiți James Bond în loc de Bond James. Aici, o poți defini după bunul plac.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Puteți personaliza modul în care contactele ar trebui să fie afișate în funcție de propriul gust/cultură. Poate că ați dori să folosiți James Bond în loc de Bond James. Aici, o poți defini după bunul plac.", "You can customize the criteria that let you track your mood.": "Puteți personaliza criteriile care vă permit să vă urmăriți starea de spirit.", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Puteți muta contactele între seifuri. Această schimbare este imediată. Puteți muta contactele numai în seifurile din care faceți parte. Toate datele de contact se vor muta odată cu el.", "You cannot remove your own administrator privilege.": "Nu vă puteți elimina propriul privilegiu de administrator.", @@ -1244,10 +1243,10 @@ "You have not setup Telegram in your environment variables yet.": "Încă nu ați configurat Telegram în variabilele de mediu.", "You haven’t received a notification in this channel yet.": "Nu ați primit încă o notificare pe acest canal.", "You haven’t setup Telegram yet.": "Încă nu ați configurat Telegram.", - "You may accept this invitation by clicking the button below:": "Puteți accepta această invitație făcând clic pe butonul de mai jos:", - "You may delete any of your existing tokens if they are no longer needed.": "Puteți șterge oricare dintre jetoanele dvs. existente dacă nu mai sunt necesare.", + "You may accept this invitation by clicking the button below:": "Puteți accepta această invitație dând clic pe butonul de mai jos:", + "You may delete any of your existing tokens if they are no longer needed.": "Puteți șterge oricare dintre jetoanele existente dacă acestea nu mai sunt necesare.", "You may not delete your personal team.": "Nu vă puteți șterge echipa personală.", - "You may not leave a team that you created.": "Nu puteți părăsi echipa pe care ați creat-o.", + "You may not leave a team that you created.": "Nu puteți părăsi o echipă pe care ați creat-o.", "You might need to reload the page to see the changes.": "Poate fi necesar să reîncărcați pagina pentru a vedea modificările.", "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Aveți nevoie de cel puțin un șablon pentru ca contactele să fie afișate. Fără un șablon, Monica nu va ști ce informații ar trebui să afișeze.", "Your account current usage": "Utilizarea curentă a contului dvs", @@ -1256,8 +1255,8 @@ "Your account limits": "Limitele contului dvs", "Your account will be closed immediately,": "Contul dvs. va fi închis imediat,", "Your browser doesn’t currently support WebAuthn.": "Browserul dvs. nu acceptă în prezent WebAuthn.", - "Your email address is unverified.": "Adresa ta de e-mail nu este verificată.", - "Your life events": "Evenimentele din viața ta", + "Your email address is unverified.": "Adresa de e-mail este neverificată.", + "Your life events": "Evenimentele tale din viața ta", "Your mood has been recorded!": "Starea ta de spirit a fost înregistrată!", "Your mood that day": "Starea ta de spirit în acea zi", "Your mood that you logged at this date": "Starea ta de spirit pe care te-ai conectat la această dată", @@ -1266,13 +1265,13 @@ "You wanted to be reminded of the following:": "Ați vrut să vi se reamintească următoarele:", "You WILL still have to delete your account on Monica or OfficeLife.": "VA trebui în continuare să vă ștergeți contul de pe Monica sau OfficeLife.", "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Ați fost invitat să utilizați această adresă de e-mail în Monica, un CRM personal open source, astfel încât să o putem folosi pentru a vă trimite notificări.", - "ze\/hir": "pentru ea", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Zona de pericol", "🌳 Chalet": "🌳 Cabana", "🏠 Secondary residence": "🏠 Reședință secundară", "🏡 Home": "🏡 Acasă", "🏢 Work": "🏢 Munca", - "🔔 Reminder: :label for :contactName": "🔔 Memento: :label for :contactName", + "🔔 Reminder: :label for :contactName": "🔔 Memento: :label pentru :contactName", "😀 Good": "😀 Bun", "😁 Positive": "😁 Pozitiv", "😐 Meh": "😐 Meh", diff --git a/lang/ro/pagination.php b/lang/ro/pagination.php index 8e22cde0698..03e1f3dbf87 100644 --- a/lang/ro/pagination.php +++ b/lang/ro/pagination.php @@ -1,6 +1,6 @@ 'Înainte »', - 'previous' => '« Înapoi', + 'next' => 'Înainte ❯', + 'previous' => '❮ Înapoi', ]; diff --git a/lang/ro/validation.php b/lang/ro/validation.php index e1e90ed90af..24a5bb432d7 100644 --- a/lang/ro/validation.php +++ b/lang/ro/validation.php @@ -93,6 +93,7 @@ 'string' => 'Câmpul :attribute trebuie să fie între :min și :max caractere.', ], 'boolean' => 'Câmpul :attribute trebuie să fie adevărat sau fals.', + 'can' => 'Câmpul :attribute conține o valoare neautorizată.', 'confirmed' => 'Confirmarea :attribute nu se potrivește.', 'current_password' => 'Parola e incorectă.', 'date' => 'Câmpul :attribute nu este o dată validă.', diff --git a/lang/ru.json b/lang/ru.json index 7ee800bc63d..122ec53cf2d 100644 --- a/lang/ru.json +++ b/lang/ru.json @@ -2,114 +2,114 @@ "(and :count more error)": "(и ещё :count ошибка)", "(and :count more errors)": "(и ещё :count ошибок)", "(Help)": "(Помощь)", - "+ add a contact": "+ Добавить контакт", + "+ add a contact": "+ добавить контакт", "+ add another": "+ добавить еще", - "+ add another photo": "+ добавить еще фото", + "+ add another photo": "+ добавить еще одно фото", "+ add description": "+ добавить описание", "+ add distance": "+ добавить расстояние", - "+ add emotion": "+ добавить эмоцию", + "+ add emotion": "+ добавить эмоций", "+ add reason": "+ добавить причину", - "+ add summary": "+ добавить сводку", + "+ add summary": "+ добавить резюме", "+ add title": "+ добавить заголовок", - "+ change date": "+ изменить дату", + "+ change date": "+ дата изменения", "+ change template": "+ изменить шаблон", - "+ create a group": "+ Создать группу", + "+ create a group": "+ создать группу", "+ gender": "+ пол", "+ last name": "+ фамилия", "+ maiden name": "+ девичья фамилия", - "+ middle name": "+ отчество", - "+ nickname": "+ псевдоним", - "+ note": "+ заметка", + "+ middle name": "+ второе имя", + "+ nickname": "+ прозвище", + "+ note": "+ примечание", "+ number of hours slept": "+ количество часов сна", "+ prefix": "+ префикс", "+ pronoun": "+ местоимение", "+ suffix": "+ суффикс", ":count contact|:count contacts": ":count контакт|:count контакта|:count контактов", - ":count hour slept|:count hours slept": "1 час спал|:count часа спал|:count часов спал", - ":count min read": ":count мин чтения|:count мин чтения|:count мин чтения", - ":count post|:count posts": ":count пост|:count поста|:count постов", - ":count template section|:count template sections": ":count раздел шаблона|:count раздела шаблона|:count разделов шаблона", + ":count hour slept|:count hours slept": ":count час спал|:count часа спал|:count часов спал", + ":count min read": ":count минута чтения", + ":count post|:count posts": ":count сообщение|:count сообщения|:count сообщений", + ":count template section|:count template sections": ":count раздел шаблона|:count раздела шаблонов|:count разделов шаблонов", ":count word|:count words": ":count слово|:count слова|:count слов", - ":distance km": ":distance км", + ":distance km": ":distance км", ":distance miles": ":distance миль", ":file at line :line": ":file в строке :line", ":file in :class at line :line": ":file в :class в строке :line", ":Name called": ":Name позвонил", ":Name called, but I didn’t answer": ":Name позвонил, но я не ответил", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName приглашает вас присоединиться к Monica, персональному CRM с открытым исходным кодом, созданному для помощи в документировании ваших отношений.", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName приглашает вас присоединиться к Monica, персональной CRM с открытым исходным кодом, созданной, чтобы помочь вам документировать ваши отношения.", "Accept Invitation": "Принять приглашение", - "Accept invitation and create your account": "Принять приглашение и создать свой аккаунт", + "Accept invitation and create your account": "Примите приглашение и создайте учетную запись", "Account and security": "Аккаунт и безопасность", - "Account settings": "Настройки аккаунта", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Контактная информация может быть кликабельной. Например, номер телефона может быть кликабельным и запускать приложение по умолчанию на вашем компьютере. Если вы не знаете протокол для добавляемого типа, вы можете просто опустить это поле.", + "Account settings": "Настройки учетной записи", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Контактная информация может быть кликабельной. Например, номер телефона может быть кликабельным и запускать приложение по умолчанию на вашем компьютере. Если вы не знаете протокол добавляемого типа, вы можете просто опустить это поле.", "Activate": "Активировать", "Activity feed": "Лента активности", - "Activity in this vault": "Активность в этом хранилище", + "Activity in this vault": "Действия в этом хранилище", "Add": "Добавить", "add a call reason type": "добавить тип причины звонка", "Add a contact": "Добавить контакт", "Add a contact information": "Добавить контактную информацию", "Add a date": "Добавить дату", - "Add additional security to your account using a security key.": "Добавьте дополнительную безопасность к вашей учетной записи, используя ключ безопасности.", + "Add additional security to your account using a security key.": "Добавьте дополнительную безопасность своей учетной записи с помощью ключа безопасности.", "Add additional security to your account using two factor authentication.": "Защитите свой аккаунт используя двухфакторную аутентификацию.", "Add a document": "Добавить документ", - "Add a due date": "Добавить срок", + "Add a due date": "Добавить дату сдачи", "Add a gender": "Добавить пол", - "Add a gift occasion": "Добавить повод для подарка", + "Add a gift occasion": "Добавьте повод для подарка", "Add a gift state": "Добавить состояние подарка", "Add a goal": "Добавить цель", "Add a group type": "Добавить тип группы", - "Add a header image": "Добавить изображение заголовка", + "Add a header image": "Добавьте изображение заголовка", "Add a label": "Добавить ярлык", - "Add a life event": "Добавить событие в жизни", - "Add a life event category": "Добавить категорию жизненного события", - "add a life event type": "Добавить тип жизненного события", + "Add a life event": "Добавьте Событие", + "Add a life event category": "Добавить категорию событий из жизни", + "add a life event type": "добавить тип события из жизни", "Add a module": "Добавить модуль", "Add an address": "Добавить адрес", "Add an address type": "Добавить тип адреса", "Add an email address": "Добавить адрес электронной почты", - "Add an email to be notified when a reminder occurs.": "Добавить адрес электронной почты для уведомления o напоминании", + "Add an email to be notified when a reminder occurs.": "Добавьте адрес электронной почты, чтобы получать уведомления при возникновении напоминания.", "Add an entry": "Добавить запись", - "add a new metric": "Добавить новую метрику", + "add a new metric": "добавить новую метрику", "Add a new team member to your team, allowing them to collaborate with you.": "Добавьте нового члена в свою команду для совместной работы с ним.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Добавить важную дату, чтобы помнить, что для вас важно в этом человеке, например, дату рождения или смерти.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Добавьте важную дату, чтобы запомнить, что для вас важно в этом человеке, например дату рождения или дату смерти.", "Add a note": "Добавить заметку", - "Add another life event": "Добавить еще одно жизненное событие", + "Add another life event": "Добавить еще одно событие из жизни", "Add a page": "Добавить страницу", "Add a parameter": "Добавить параметр", "Add a pet": "Добавить домашнее животное", "Add a photo": "Добавить фото", - "Add a photo to a journal entry to see it here.": "Добавить фото в запись журнала, чтобы увидеть ero здесь.", - "Add a post template": "Добавить шаблон поста", + "Add a photo to a journal entry to see it here.": "Добавьте фотографию в запись журнала, чтобы увидеть ее здесь.", + "Add a post template": "Добавить шаблон сообщения", "Add a pronoun": "Добавить местоимение", - "add a reason": "Добавить причину", - "Add a relationship": "Добавить отношение", + "add a reason": "добавить причину", + "Add a relationship": "Добавить отношения", "Add a relationship group type": "Добавить тип группы отношений", - "Add a relationship type": "Добавить тип отношения", + "Add a relationship type": "Добавить тип отношений", "Add a religion": "Добавить религию", "Add a reminder": "Добавить напоминание", - "add a role": "Добавить роль", - "add a section": "Добавить раздел", + "add a role": "добавить роль", + "add a section": "добавить раздел", "Add a tag": "Добавить тег", "Add a task": "Добавить задачу", "Add a template": "Добавить шаблон", - "Add at least one module.": "Добавьте как минимум один модуль.", + "Add at least one module.": "Добавьте хотя бы один модуль.", "Add a type": "Добавить тип", "Add a user": "Добавить пользователя", "Add a vault": "Добавить хранилище", "Add date": "Добавить дату", "Added.": "Добавлено.", - "added a contact information": "добавил(а) контактную информацию", - "added an address": "добавил(а) адрес", - "added an important date": "добавил(а) важную дату", - "added a pet": "добавил(а) питомца", - "added the contact to a group": "добавил(а) контакт в группу", - "added the contact to a post": "добавил(а) контакт в сообщение", - "added the contact to the favorites": "добавил(а) контакт в избранное", - "Add genders to associate them to contacts.": "Добавьте пол, чтобы связать его с контактами.", + "added a contact information": "добавил контактную информацию", + "added an address": "добавил адрес", + "added an important date": "добавил важную дату", + "added a pet": "добавил питомца", + "added the contact to a group": "добавил контакт в группу", + "added the contact to a post": "добавил контакт в сообщение", + "added the contact to the favorites": "добавил контакт в избранное", + "Add genders to associate them to contacts.": "Добавьте полы, чтобы связать их с контактами.", "Add loan": "Добавить кредит", - "Add one now": "Добавить сейчас", - "Add photos": "Добавить фото", + "Add one now": "Добавьте один сейчас", + "Add photos": "Добавить фотографии", "Address": "Адрес", "Addresses": "Адреса", "Address type": "Тип адреса", @@ -119,33 +119,33 @@ "Add to group": "Добавить в группу", "Administrator": "Администратор", "Administrator users can perform any action.": "Администратор может выполнять любые действия.", - "a father-son relation shown on the father page,": "отношение отца-сына, показываемое на странице отца,", - "after the next occurence of the date.": "после следующего вхождения даты.", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Группа - это два или более людей вместе. Это может быть семья, домашнее хозяйство, спортивный клуб. Что бы ни было важно для вас.", + "a father-son relation shown on the father page,": "отношения отца и сына, показанные на странице отца,", + "after the next occurence of the date.": "после следующего появления даты.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Группа – это два или более человека вместе. Это может быть семья, домохозяйство, спортивный клуб. Все, что для вас важно.", "All contacts in the vault": "Все контакты в хранилище", "All files": "Все файлы", "All groups in the vault": "Все группы в хранилище", - "All journal metrics in :name": "Все журнальные метрики в :name", + "All journal metrics in :name": "Все показатели журнала в :name", "All of the people that are part of this team.": "Все люди, являющиеся частью этой команды", "All rights reserved.": "Все права защищены.", "All tags": "Все теги", "All the address types": "Все типы адресов", "All the best,": "Всего наилучшего,", - "All the call reasons": "Все причины звонков", + "All the call reasons": "Все причины звонка", "All the cities": "Все города", "All the companies": "Все компании", "All the contact information types": "Все типы контактной информации", "All the countries": "Все страны", "All the currencies": "Все валюты", "All the files": "Все файлы", - "All the genders": "Все гендеры", + "All the genders": "Все полы", "All the gift occasions": "Все случаи подарков", - "All the gift states": "Все состояния подарков", + "All the gift states": "Все подарочные статусы", "All the group types": "Все типы групп", "All the important dates": "Все важные даты", - "All the important date types used in the vault": "Все используемые типы важных дат в хранилище", + "All the important date types used in the vault": "Все важные типы дат, используемые в хранилище", "All the journals": "Все журналы", - "All the labels used in the vault": "Все используемые ярлыки в хранилище", + "All the labels used in the vault": "Все этикетки, используемые в хранилище", "All the notes": "Все заметки", "All the pet categories": "Все категории домашних животных", "All the photos": "Все фотографии", @@ -154,60 +154,60 @@ "All the relationship types": "Все типы отношений", "All the religions": "Все религии", "All the reports": "Все отчеты", - "All the slices of life in :name": "Все срезы жизни в :name", - "All the tags used in the vault": "Все используемые теги в хранилище", + "All the slices of life in :name": "Все кусочки жизни в :name", + "All the tags used in the vault": "Все теги, используемые в хранилище", "All the templates": "Все шаблоны", "All the vaults": "Все хранилища", "All the vaults in the account": "Все хранилища в аккаунте", - "All users and vaults will be deleted immediately,": "Все пользователи и хранилища будут немедленно удалены,", + "All users and vaults will be deleted immediately,": "Все пользователи и хранилища будут немедленно удалены.", "All users in this account": "Все пользователи в этом аккаунте", "Already registered?": "Уже зарегистрированы?", - "Already used on this page": "Уже используется на этой странице", - "A new verification link has been sent to the email address you provided during registration.": "На указанный при регистрации адрес электронной почты отправлена новая ссылка для подтверждения.", + "Already used on this page": "Уже использовано на этой странице", + "A new verification link has been sent to the email address you provided during registration.": "Новая ссылка для подтверждения была отправлена на адрес электронной почты, который вы указали при регистрации.", "A new verification link has been sent to the email address you provided in your profile settings.": "На адрес электронной почты, который Вы указали в настройках своего профиля, была отправлена новая ссылка для подтверждения.", "A new verification link has been sent to your email address.": "На Ваш адрес электронной почты отправлена новая ссылка для подтверждения.", "Anniversary": "Годовщина", - "Apartment, suite, etc…": "Квартира, офис и т.д.", + "Apartment, suite, etc…": "Квартира, люкс и т. д.", "API Token": "API токен", "API Token Permissions": "Разрешения API токена", "API Tokens": "API токены", "API tokens allow third-party services to authenticate with our application on your behalf.": "API токены позволяют сторонним службам аутентифицироваться в приложении от Вашего имени.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Шаблон поста определяет, как содержимое поста должно отображаться. Вы можете определить столько шаблонов, сколько захотите, и выбрать, какой шаблон должен использоваться для каждого поста.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Шаблон сообщения определяет, как должно отображаться содержимое сообщения. Вы можете определить столько шаблонов, сколько захотите, и выбрать, какой шаблон следует использовать в каком сообщении.", "Archive": "Архив", - "Archive contact": "Архивировать контакт", - "archived the contact": "контакт был помещен в архив", + "Archive contact": "Архив контактов", + "archived the contact": "заархивировал контакт", "Are you sure? The address will be deleted immediately.": "Вы уверены? Адрес будет немедленно удален.", "Are you sure? This action cannot be undone.": "Вы уверены? Это действие не может быть отменено.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Вы уверены? Это действие удалит все причины звонков этого типа для всех контактов, которые его использовали.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Вы уверены? Это действие удалит все отношения этого типа для всех контактов, которые его использовали.", - "Are you sure? This will delete the contact information permanently.": "Вы уверены? Это действие навсегда удалит информацию о контакте.", - "Are you sure? This will delete the document permanently.": "Вы уверены? Это действие навсегда удалит документ.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Вы уверены? Это действие навсегда удалит цель и все серии.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Вы уверены? Это действие удалит типы адресов у всех контактов, но не удалит сами контакты.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Вы уверены? Это удалит типы контактной информации из всех контактов, но не удалит сами контакты.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Вы уверены? Это удалит пол из всех контактов, но не удалит сами контакты.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Вы уверены? Это приведет к удалению всех причин звонков этого типа для всех контактов, которые его использовали.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Вы уверены? Это приведет к удалению всех связей этого типа для всех контактов, которые его использовали.", + "Are you sure? This will delete the contact information permanently.": "Вы уверены? Контактная информация будет удалена навсегда.", + "Are you sure? This will delete the document permanently.": "Вы уверены? Это приведет к удалению документа навсегда.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Вы уверены? Это навсегда удалит гол и все серии.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Вы уверены? Это удалит типы адресов из всех контактов, но не удалит сами контакты.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Вы уверены? Это приведет к удалению типов контактной информации из всех контактов, но не к удалению самих контактов.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Вы уверены? Это приведет к удалению пола из всех контактов, но не к удалению самих контактов.", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Вы уверены? Это удалит шаблон из всех контактов, но не удалит сами контакты.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Вы уверены что хотите удалить эту команду? После удаления команды все её ресурсы и данные будут удалены без возможности восстановления.", "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Вы уверены что хотите удалить свою учётную запись? После удаления Вашей учётной записи все её ресурсы и данные будут удалены без возможности восстановления. Пожалуйста, введите свой пароль для подтверждения удаления учётной записи.", - "Are you sure you would like to archive this contact?": "Вы уверены, что хотите поместить этот контакт в архив?", + "Are you sure you would like to archive this contact?": "Вы уверены, что хотите заархивировать этот контакт?", "Are you sure you would like to delete this API token?": "Вы уверены что хотите удалить этот API токен?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Вы уверены, что хотите удалить этот контакт? Это удалит все, что мы знаем об этом контакте.", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Вы уверены, что хотите удалить этот контакт? Это приведет к удалению всего, что мы знаем об этом контакте.", "Are you sure you would like to delete this key?": "Вы уверены, что хотите удалить этот ключ?", "Are you sure you would like to leave this team?": "Вы уверены что хотите покинуть эту команду?", "Are you sure you would like to remove this person from the team?": "Вы уверены что хотите удалить этого члена команды?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Небольшой отрывок из жизни позволяет группировать сообщения по чему-то значимому для вас. Добавьте отрывок из жизни в сообщение, чтобы увидеть его здесь.", - "a son-father relation shown on the son page.": "отношение сын-отец, показанное на странице сына.", - "assigned a label": "назначен ярлык", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Кусочек жизни позволяет группировать публикации по чему-то значимому для вас. Добавьте кусочек жизни в пост, чтобы увидеть его здесь.", + "a son-father relation shown on the son page.": "отношения сына и отца, показанные на странице сына.", + "assigned a label": "присвоил ярлык", "Association": "Ассоциация", "At": "В", - "at ": "в ", - "Ate": "Съел", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Шаблон определяет, как должны отображаться контакты. Вы можете иметь столько шаблонов, сколько захотите - они определяются в настройках вашей учетной записи. Однако вы можете захотеть определить шаблон по умолчанию, чтобы все ваши контакты в этом хранилище имели этот шаблон по умолчанию.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Шаблон состоит из страниц, а на каждой странице есть модули. Как отображаются данные, полностью зависит от вас.", + "at ": "в", + "Ate": "Ел", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Шаблон определяет, как должны отображаться контакты. Вы можете иметь столько шаблонов, сколько захотите — они определены в настройках вашей учетной записи. Однако вы можете определить шаблон по умолчанию, чтобы все ваши контакты в этом хранилище имели этот шаблон по умолчанию.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Шаблон состоит из страниц, и на каждой странице есть модули. Как будут отображаться данные, зависит только от вас.", "Atheist": "Атеист", - "At which time should we send the notification, when the reminder occurs?": "В какое время мы должны отправить уведомление, когда происходит напоминание?", - "Audio-only call": "Только аудио", - "Auto saved a few seconds ago": "Автосохранение несколько секунд назад", + "At which time should we send the notification, when the reminder occurs?": "В какое время мы должны отправить уведомление, когда появится напоминание?", + "Audio-only call": "Только аудиовызов", + "Auto saved a few seconds ago": "Авто сохранено несколько секунд назад", "Available modules:": "Доступные модули:", "Avatar": "Аватар", "Avatars": "Аватары", @@ -218,44 +218,44 @@ "Birthday": "День рождения", "Body": "Тело", "boss": "босс", - "Bought": "Куплено", + "Bought": "Купил", "Breakdown of the current usage": "Разбивка текущего использования", - "brother\/sister": "брат\/сестра", + "brother/sister": "брат/сестра", "Browser Sessions": "Сеансы", - "Buddhist": "Буддист", + "Buddhist": "буддист", "Business": "Бизнес", "By last updated": "По последнему обновлению", "Calendar": "Календарь", - "Call reasons": "Причины звонков", + "Call reasons": "Причины звонка", "Call reasons let you indicate the reason of calls you make to your contacts.": "Причины звонков позволяют указать причину звонков, которые вы совершаете своим контактам.", "Calls": "Звонки", "Cancel": "Отмена", "Cancel account": "Отменить учетную запись", - "Cancel all your active subscriptions": "Отменить все ваши активные подписки", - "Cancel your account": "Отменить учетную запись", + "Cancel all your active subscriptions": "Отмените все активные подписки", + "Cancel your account": "Отмените свой аккаунт", "Can do everything, including adding or removing other users, managing billing and closing the account.": "Может делать все, включая добавление или удаление других пользователей, управление выставлением счетов и закрытие учетной записи.", "Can do everything, including adding or removing other users.": "Может делать все, включая добавление или удаление других пользователей.", "Can edit data, but can’t manage the vault.": "Может редактировать данные, но не может управлять хранилищем.", "Can view data, but can’t edit it.": "Может просматривать данные, но не может их редактировать.", - "Can’t be moved or deleted": "Нельзя переместить или удалить", + "Can’t be moved or deleted": "Невозможно переместить или удалить", "Cat": "Кот", "Categories": "Категории", - "Chandler is in beta.": "Chandler находится в бета-тестировании.", - "Change": "Изменить", - "Change date": "Дата изменения", + "Chandler is in beta.": "Чендлер находится в бета-версии.", + "Change": "Изменять", + "Change date": "Изменить дату", "Change permission": "Изменить разрешение", "Changes saved": "Изменения сохранены", "Change template": "Изменить шаблон", "Child": "Ребенок", "child": "ребенок", - "Choose": "Выбрать", + "Choose": "Выбирать", "Choose a color": "Выберите цвет", "Choose an existing address": "Выберите существующий адрес", "Choose an existing contact": "Выберите существующий контакт", "Choose a template": "Выберите шаблон", "Choose a value": "Выберите значение", "Chosen type:": "Выбранный тип:", - "Christian": "Христианин", + "Christian": "христианин", "Christmas": "Рождество", "City": "Город", "Click here to re-send the verification email.": "Нажмите здесь, чтобы повторно отправить электронное письмо для подтверждения.", @@ -268,21 +268,21 @@ "Companies": "Компании", "Company name": "Название компании", "Compared to Monica:": "По сравнению с Monica:", - "Configure how we should notify you": "Настройте, как мы должны уведомлять вас", + "Configure how we should notify you": "Настройте способ уведомления вас", "Confirm": "Подтвердить", "Confirm Password": "Подтвердить пароль", - "Connect": "Подключить", - "Connected": "Подключено", - "Connect with your security key": "Подключитесь с помощью своего ключа безопасности", + "Connect": "Соединять", + "Connected": "Связанный", + "Connect with your security key": "Подключитесь с помощью электронного ключа", "Contact feed": "Контактная лента", "Contact information": "Контактная информация", "Contact informations": "Контактная информация", "Contact information types": "Типы контактной информации", - "Contact name": "Имя контакта", + "Contact name": "Контактное лицо", "Contacts": "Контакты", - "Contacts in this post": "Контакты в этом сообщении", - "Contacts in this slice": "Контакты в этом срезе", - "Contacts will be shown as follow:": "Контакты будут показаны следующим образом:", + "Contacts in this post": "Контакты в этом посте", + "Contacts in this slice": "Контакты в этом фрагменте", + "Contacts will be shown as follow:": "Контакты будут отображаться следующим образом:", "Content": "Содержание", "Copied.": "Скопировано.", "Copy": "Копировать", @@ -292,27 +292,27 @@ "Couple": "Пара", "cousin": "двоюродный брат", "Create": "Создать", - "Create account": "Создать учетную запись", + "Create account": "Зарегистрироваться", "Create Account": "Создать аккаунт", "Create a contact": "Создать контакт", - "Create a contact entry for this person": "Создать контактную запись для этого человека", + "Create a contact entry for this person": "Создайте контактную запись для этого человека", "Create a journal": "Создать журнал", - "Create a journal metric": "Создать метрику журнала", - "Create a journal to document your life.": "Создайте журнал, чтобы документировать свою жизнь.", - "Create an account": "Создать аккаунт", + "Create a journal metric": "Создайте метрику журнала", + "Create a journal to document your life.": "Создайте дневник, чтобы документировать свою жизнь.", + "Create an account": "Завести аккаунт", "Create a new address": "Создать новый адрес", "Create a new team to collaborate with others on projects.": "Создайте новую команду для совместной работы над проектами.", "Create API Token": "Создать API токен", - "Create a post": "Создать пост", + "Create a post": "Создать публикацию", "Create a reminder": "Создать напоминание", - "Create a slice of life": "Создать срез жизни", + "Create a slice of life": "Создайте кусочек жизни", "Create at least one page to display contact’s data.": "Создайте хотя бы одну страницу для отображения данных контакта.", - "Create at least one template to use Monica.": "Создайте хотя бы один шаблон для использования в Monica.", + "Create at least one template to use Monica.": "Создайте хотя бы один шаблон для использования Monica.", "Create a user": "Создать пользователя", "Create a vault": "Создать хранилище", "Created.": "Создано.", - "created a goal": "создал(а) цель", - "created the contact": "создал(а) контакт", + "created a goal": "создал цель", + "created the contact": "создал контакт", "Create label": "Создать ярлык", "Create new label": "Создать новый ярлык", "Create new tag": "Создать новый тег", @@ -320,25 +320,25 @@ "Create Team": "Создать команду", "Currencies": "Валюты", "Currency": "Валюта", - "Current default": "Текущий по умолчанию", + "Current default": "Текущее значение по умолчанию", "Current language:": "Текущий язык:", "Current Password": "Текущий пароль", - "Current site used to display maps:": "Текущий сайт для отображения карт:", + "Current site used to display maps:": "Текущий сайт, используемый для отображения карт:", "Current streak": "Текущая серия", "Current timezone:": "Текущий часовой пояс:", - "Current way of displaying contact names:": "Текущий способ отображения имён контактов:", + "Current way of displaying contact names:": "Текущий способ отображения имен контактов:", "Current way of displaying dates:": "Текущий способ отображения дат:", "Current way of displaying distances:": "Текущий способ отображения расстояний:", "Current way of displaying numbers:": "Текущий способ отображения чисел:", - "Customize how contacts should be displayed": "Настройте, как должны отображаться контакты", + "Customize how contacts should be displayed": "Настройте способ отображения контактов", "Custom name order": "Пользовательский порядок имен", "Daily affirmation": "Ежедневное подтверждение", "Dashboard": "Панель", - "date": "Дата", - "Date of the event": "Дата события", - "Date of the event:": "Дата события:", + "date": "дата", + "Date of the event": "Дата мероприятия", + "Date of the event:": "Дата мероприятия:", "Date type": "Тип даты", - "Date types are essential as they let you categorize dates that you add to a contact.": "Типы дат необходимы, так как они позволяют вам классифицировать даты, которые вы добавляете в контакт.", + "Date types are essential as they let you categorize dates that you add to a contact.": "Типы дат очень важны, поскольку они позволяют классифицировать даты, которые вы добавляете в контакт.", "Day": "День", "day": "день", "Deactivate": "Деактивировать", @@ -350,67 +350,67 @@ "Delete a new key": "Удалить новый ключ", "Delete API Token": "Удалить API токен", "Delete contact": "Удалить контакт", - "deleted a contact information": "Удалена информация о контакте", - "deleted a goal": "Удалена цель", - "deleted an address": "Удален адрес", - "deleted an important date": "Удалена важная дата", - "deleted a note": "Удалена заметка", - "deleted a pet": "Удален питомец", - "Deleted author": "Удален автор", + "deleted a contact information": "удалил контактную информацию", + "deleted a goal": "удалил цель", + "deleted an address": "удалил адрес", + "deleted an important date": "удалил важную дату", + "deleted a note": "удалил заметку", + "deleted a pet": "удалил домашнее животное", + "Deleted author": "Удаленный автор", "Delete group": "Удалить группу", "Delete journal": "Удалить журнал", "Delete Team": "Удалить команду", "Delete the address": "Удалить адрес", - "Delete the photo": "Удалить фото", - "Delete the slice": "Удалить срез жизни", + "Delete the photo": "Удалить фотографию", + "Delete the slice": "Удалить фрагмент", "Delete the vault": "Удалить хранилище", - "Delete your account on https:\/\/customers.monicahq.com.": "Удалить свою учетную запись на https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Удаление хранилища означает удаление всех данных внутри этого хранилища навсегда. Нет возможности вернуть. Пожалуйста, будьте уверены.", + "Delete your account on https://customers.monicahq.com.": "Удалите свою учетную запись на https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Удаление хранилища означает навсегда удаление всех данных внутри этого хранилища. Нет пути назад. Пожалуйста, будьте уверены.", "Description": "Описание", - "Detail of a goal": "Детали цели", - "Details in the last year": "Детали за последний год", + "Detail of a goal": "Деталь цели", + "Details in the last year": "Подробности за последний год", "Disable": "Отключить", "Disable all": "Отключить все", "Disconnect": "Отключить", "Discuss partnership": "Обсудить партнерство", - "Discuss recent purchases": "Обсудить последние покупки", - "Dismiss": "Отклонить", - "Display help links in the interface to help you (English only)": "Отображать ссылки на помощь в интерфейсе для вашей помощи (только на английском языке)", - "Distance": "Дистанция", + "Discuss recent purchases": "Обсудить недавние покупки", + "Dismiss": "Увольнять", + "Display help links in the interface to help you (English only)": "Отображение справочных ссылок в интерфейсе для помощи вам (только на английском языке)", + "Distance": "Расстояние", "Documents": "Документы", "Dog": "Собака", "Done.": "Успешно.", "Download": "Скачать", "Download as vCard": "Скачать как vCard", - "Drank": "Выпил", - "Drove": "Водил", - "Due and upcoming tasks": "Предстоящие задачи", + "Drank": "Пил", + "Drove": "Ездил", + "Due and upcoming tasks": "Выполненные и предстоящие задачи", "Edit": "Редактировать", "edit": "редактировать", "Edit a contact": "Редактировать контакт", "Edit a journal": "Редактировать журнал", - "Edit a post": "Редактировать пост", - "edited a note": "отредактирована заметка", - "Edit group": "Редактировать группу", + "Edit a post": "Редактировать сообщение", + "edited a note": "отредактировал заметку", + "Edit group": "Изменить группу", "Edit journal": "Редактировать журнал", "Edit journal information": "Редактировать информацию журнала", - "Edit journal metrics": "Редактировать метрики журнала", + "Edit journal metrics": "Редактировать показатели журнала", "Edit names": "Редактировать имена", "Editor": "Редактор", "Editor users have the ability to read, create, and update.": "Пользователи с правами редактора могут читать, создавать и обновлять.", "Edit post": "Редактировать пост", "Edit Profile": "Редактировать профиль", - "Edit slice of life": "Редактировать ломтик жизни", + "Edit slice of life": "Редактировать кусочек жизни", "Edit the group": "Редактировать группу", - "Edit the slice of life": "Редактировать ломтик жизни", - "Email": "E-Mail адрес", + "Edit the slice of life": "Редактировать кусочек жизни", + "Email": "Адрес электронной почты", "Email address": "Адрес электронной почты", - "Email address to send the invitation to": "Адрес электронной почты, на который отправить приглашение", + "Email address to send the invitation to": "Адрес электронной почты, на который нужно отправить приглашение", "Email Password Reset Link": "Ссылка для сброса пароля", "Enable": "Включить", "Enable all": "Включить все", "Ensure your account is using a long, random password to stay secure.": "В целях безопасности убедитесь, что Вы используете длинный случайный пароль.", - "Enter a number from 0 to 100000. No decimals.": "Введите число от 0 до 100000. Без десятичных знаков.", + "Enter a number from 0 to 100000. No decimals.": "Введите число от 0 до 100000. Никаких десятичных знаков.", "Events this month": "События этого месяца", "Events this week": "События на этой неделе", "Events this year": "События этого года", @@ -418,31 +418,31 @@ "ex-boyfriend": "бывший парень", "Exception:": "Исключение:", "Existing company": "Существующая компания", - "External connections": "Внешние подключения", + "External connections": "Внешние соединения", + "Facebook": "Фейсбук", "Family": "Семья", - "Family summary": "Сводка о семье", + "Family summary": "Семейное резюме", "Favorites": "Избранное", "Female": "Женский", "Files": "Файлы", "Filter": "Фильтр", - "Filter list or create a new label": "Фильтр списка или создайте новую метку", - "Filter list or create a new tag": "Фильтр списка или создайте новый тег", + "Filter list or create a new label": "Отфильтруйте список или создайте новый ярлык", + "Filter list or create a new tag": "Отфильтруйте список или создайте новый тег", "Find a contact in this vault": "Найти контакт в этом хранилище", "Finish enabling two factor authentication.": "Завершите активацию двухфакторной аутентификации.", "First name": "Имя", "First name Last name": "Имя Фамилия", - "First name Last name (nickname)": "Имя Фамилия (псевдоним)", + "First name Last name (nickname)": "Имя Фамилия (прозвище)", "Fish": "Рыба", - "Food preferences": "Предпочтения в питании", + "Food preferences": "Пищевые предпочтения", "for": "для", "For:": "Для:", - "For advice": "Для совета", + "For advice": "За советом", "Forbidden": "Запрещено", - "Forgot password?": "Забыли пароль?", "Forgot your password?": "Забыли пароль?", "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Забыли пароль? Нет проблем. Просто сообщите Ваш адрес электронной почты и мы пришлём Вам ссылку для сброса пароля.", "For your security, please confirm your password to continue.": "Для продолжения подтвердите пароль для Вашей безопасности.", - "Found": "Найдено", + "Found": "Найденный", "Friday": "Пятница", "Friend": "Друг", "friend": "друг", @@ -451,50 +451,49 @@ "Gender": "Пол", "Gender and pronoun": "Пол и местоимение", "Genders": "Полы", - "Gift center": "Центр подарков", - "Gift occasions": "Поводы для подарков", - "Gift occasions let you categorize all your gifts.": "Поводы для подарков позволяют классифицировать все ваши подарки.", - "Gift states": "Состояния подарков", - "Gift states let you define the various states for your gifts.": "Состояния подарков позволяют определить различные состояния для ваших подарков.", + "Gift occasions": "Подарки", + "Gift occasions let you categorize all your gifts.": "Подарочные поводы позволяют классифицировать все ваши подарки.", + "Gift states": "Подарочные состояния", + "Gift states let you define the various states for your gifts.": "Состояния подарков позволяют вам определять различные состояния ваших подарков.", "Give this email address a name": "Дайте этому адресу электронной почты имя", "Goals": "Цели", - "Go back": "Назад", - "godchild": "Крестник\/крестница", - "godparent": "Крестный\/крестная", - "Google Maps": "Google Maps", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps предлагает лучшую точность и детали, но не является идеальным с точки зрения конфиденциальности.", - "Got fired": "Уволен", + "Go back": "Возвращаться", + "godchild": "крестник", + "godparent": "крестный родитель", + "Google Maps": "Карты Гугл", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Карты Google предлагают максимальную точность и детализацию, но они не идеальны с точки зрения конфиденциальности.", + "Got fired": "Уволили", "Go to page :page": "Перейти к :page-й странице", - "grand child": "Внук\/внучка", - "grand parent": "Дедушка\/бабушка", + "grand child": "внук", + "grand parent": "дедушка", "Great! You have accepted the invitation to join the :team team.": "Отлично! Вы приняли приглашение присоединиться к команде :team.", - "Group journal entries together with slices of life.": "Группируйте записи журнала вместе с срезами жизни.", + "Group journal entries together with slices of life.": "Сгруппируйте записи журнала вместе с кусочками жизни.", "Groups": "Группы", - "Groups let you put your contacts together in a single place.": "Группы позволяют объединять ваши контакты в одном месте.", + "Groups let you put your contacts together in a single place.": "Группы позволяют объединить ваши контакты в одном месте.", "Group type": "Тип группы", "Group type: :name": "Тип группы: :name", "Group types": "Типы групп", - "Group types let you group people together.": "Типы групп позволяют объединять людей вместе.", - "Had a promotion": "Получил повышение", + "Group types let you group people together.": "Типы групп позволяют группировать людей вместе.", + "Had a promotion": "Было повышение по службе", "Hamster": "Хомяк", "Have a great day,": "Хорошего дня,", - "he\/him": "он\/его", + "he/him": "он/его", "Hello!": "Здравствуйте!", "Help": "Помощь", "Hi :name": "Привет :name", - "Hinduist": "Индуист", - "History of the notification sent": "История отправленного уведомления", - "Hobbies": "Хобби", - "Home": "Домой", + "Hinduist": "индуист", + "History of the notification sent": "История отправленных уведомлений", + "Hobbies": "Увлечения", + "Home": "Дом", "Horse": "Лошадь", - "How are you?": "Как дела?", - "How could I have done this day better?": "Как я мог бы сделать этот день лучше?", - "How did you feel?": "Как ты себя чувствовал?", - "How do you feel right now?": "Как ты себя чувствуешь прямо сейчас?", - "however, there are many, many new features that didn't exist before.": "однако, есть много, много новых функций, которых раньше не было.", - "How much money was lent?": "Сколько денег было взято в долг?", - "How much was lent?": "Сколько было взято в долг?", - "How often should we remind you about this date?": "Как часто мы должны напоминать вам об этой дате?", + "How are you?": "Как вы?", + "How could I have done this day better?": "Как я мог провести этот день лучше?", + "How did you feel?": "Как вы себя чувствуете?", + "How do you feel right now?": "Как вы себя чувствуете сейчас?", + "however, there are many, many new features that didn't exist before.": "однако есть много-много новых функций, которых раньше не было.", + "How much money was lent?": "Сколько денег было одолжено?", + "How much was lent?": "Сколько было одолжено?", + "How often should we remind you about this date?": "Как часто нам следует напоминать вам об этой дате?", "How should we display dates": "Как мы должны отображать даты", "How should we display distance values": "Как мы должны отображать значения расстояния", "How should we display numerical values": "Как мы должны отображать числовые значения", @@ -502,107 +501,108 @@ "I agree to the :terms_of_service and :privacy_policy": "Я соглашаюсь с :terms_of_service и :privacy_policy", "I am grateful for": "Я благодарен за", "I called": "Я позвонил", - "I called, but :name didn’t answer": "Я позвонил, но :name не ответил", + "I called, but :name didn’t answer": "Я звонил, но :name не ответил", "Idea": "Идея", "I don’t know the name": "Я не знаю имени", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "При необходимости, Вы можете выйти из всех других сеансов на всех Ваших устройствах. Некоторые из Ваших сеансов перечислены ниже, однако, этот список может быть не полным. Если Вы считаете, что Ваша учётная запись была взломана, Вам также следует обновить свой пароль.", - "If the date is in the past, the next occurence of the date will be next year.": "Если дата в прошлом, следующее вхождение даты будет в следующем году.", + "If the date is in the past, the next occurence of the date will be next year.": "Если дата находится в прошлом, следующее появление даты будет в следующем году.", "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Если у Вас возникли проблемы с нажатием кнопки \":actionText\", скопируйте и вставьте приведенный ниже URL-адрес в свой браузер:", "If you already have an account, you may accept this invitation by clicking the button below:": "Если у Вас уже есть учётная запись, Вы можете принять это приглашение, нажав на кнопку:", "If you did not create an account, no further action is required.": "Если Вы не создавали учетную запись, никаких дополнительных действий не требуется.", "If you did not expect to receive an invitation to this team, you may discard this email.": "Если Вы не желаете войти в состав этой команды, Вы можете проигнорировать это письмо.", "If you did not request a password reset, no further action is required.": "Если Вы не запрашивали восстановление пароля, никаких дополнительных действий не требуется.", "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Если у Вас нет учётной записи, Вы можете создать её, нажав на кнопку ниже. После создания учётной записи, Вы можете нажать кнопку принятия приглашения в этом письме, чтобы принять его:", - "If you’ve received this invitation by mistake, please discard it.": "Если вы получили это приглашение по ошибке, пожалуйста, отбросьте его.", - "I know the exact date, including the year": "Я знаю точную дату, включая год", + "If you’ve received this invitation by mistake, please discard it.": "Если вы получили это приглашение по ошибке, откажитесь от него.", + "I know the exact date, including the year": "Я знаю точную дату, включая год.", "I know the name": "Я знаю имя", "Important dates": "Важные даты", - "Important date summary": "Краткое описание важной даты", + "Important date summary": "Сводка важных дат", "in": "в", "Information": "Информация", "Information from Wikipedia": "Информация из Википедии", "in love with": "влюблен в", "Inspirational post": "Вдохновляющий пост", + "Invalid JSON was returned from the route.": "Маршрут вернул некорректный JSON.", "Invitation sent": "Приглашение отправлено", "Invite a new user": "Пригласить нового пользователя", - "Invite someone": "Пригласить кого-то", + "Invite someone": "Пригласить кого-нибудь", "I only know a number of years (an age, for example)": "Я знаю только количество лет (например, возраст)", "I only know the day and month, not the year": "Я знаю только день и месяц, а не год", "it misses some of the features, the most important ones being the API and gift management,": "в нем отсутствуют некоторые функции, наиболее важными из которых являются API и управление подарками,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Похоже, что в аккаунте еще нет шаблонов. Пожалуйста, сначала добавьте хотя бы один шаблон в свой аккаунт, а затем свяжите этот шаблон с этим контактом.", - "Jew": "Еврей", - "Job information": "Информация о работе", - "Job position": "Должность", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Кажется, в аккаунте пока нет шаблонов. Сначала добавьте хотя бы шаблон в свою учетную запись, а затем свяжите этот шаблон с этим контактом.", + "Jew": "еврей", + "Job information": "Информация о вакансии", + "Job position": "Место работы", "Journal": "Журнал", "Journal entries": "Записи в журнале", - "Journal metrics": "Метрики журнала", - "Journal metrics let you track data accross all your journal entries.": "Метрики журнала позволяют отслеживать данные во всех записях журнала.", + "Journal metrics": "Показатели журнала", + "Journal metrics let you track data accross all your journal entries.": "Показатели журнала позволяют отслеживать данные по всем записям журнала.", "Journals": "Журналы", - "Just because": "Просто потому, что", - "Just to say hello": "Просто сказать привет", + "Just because": "Да просто так", + "Just to say hello": "Просто чтобы поздороваться", "Key name": "Имя ключа", "kilometers (km)": "километры (км)", "km": "км", - "Label:": "Метка:", - "Labels": "Метки", - "Labels let you classify contacts using a system that matters to you.": "Метки позволяют классифицировать контакты с помощью системы, которая вам важна.", + "Label:": "Этикетка:", + "Labels": "Этикетки", + "Labels let you classify contacts using a system that matters to you.": "Ярлыки позволяют классифицировать контакты с помощью удобной для вас системы.", "Language of the application": "Язык приложения", "Last active": "Последняя активность", - "Last active :date": "Последняя активность :date", + "Last active :date": "Последний активный :date", "Last name": "Фамилия", "Last name First name": "Фамилия Имя", "Last updated": "Последнее обновление", "Last used": "Последнее использование", - "Last used :date": "Последнее использование :date", + "Last used :date": "Последний раз использовался :date", "Leave": "Покинуть", "Leave Team": "Покинуть команду", "Life": "Жизнь", - "Life & goals": "Жизнь и цели", + "Life & goals": "Жизненные цели", "Life events": "Жизненные события", - "Life events let you document what happened in your life.": "Жизненные события позволяют документировать то, что происходит в вашей жизни.", + "Life events let you document what happened in your life.": "Жизненные события позволяют вам документировать то, что произошло в вашей жизни.", "Life event types:": "Типы жизненных событий:", "Life event types and categories": "Типы и категории жизненных событий", - "Life metrics": "Метрики жизни", - "Life metrics let you track metrics that are important to you.": "Метрики жизни позволяют отслеживать метрики, которые важны для вас.", - "Link to documentation": "Ссылка на документацию", + "Life metrics": "Жизненные метрики", + "Life metrics let you track metrics that are important to you.": "Метрики жизни позволяют отслеживать важные для вас показатели.", + "LinkedIn": "LinkedIn", "List of addresses": "Список адресов", "List of addresses of the contacts in the vault": "Список адресов контактов в хранилище", "List of all important dates": "Список всех важных дат", "Loading…": "Загрузка…", "Load previous entries": "Загрузить предыдущие записи", - "Loans": "Займы", + "Loans": "Кредиты", "Locale default: :value": "Локаль по умолчанию: :value", "Log a call": "Зарегистрировать звонок", - "Log details": "Детали журнала", - "logged the mood": "зарегистрировал настроение", + "Log details": "Подробности журнала", + "logged the mood": "записал настроение", "Log in": "Войти", "Login": "Войти", - "Login with:": "Войти с помощью:", + "Login with:": "Войдите с:", "Log Out": "Выйти", "Logout": "Выйти", "Log Out Other Browser Sessions": "Завершить другие сессии", "Longest streak": "Самая длинная серия", "Love": "Любовь", "loved by": "любимый", - "lover": "любовник", - "Made from all over the world. We ❤️ you.": "Сделано со всего мира. Мы ❤️ вас.", + "lover": "возлюбленный", + "Made from all over the world. We ❤️ you.": "Сделано со всего мира. Мы ❤️вас.", "Maiden name": "Девичья фамилия", "Male": "Мужской", "Manage Account": "Управление аккаунтом", - "Manage accounts you have linked to your Customers account.": "Управление учетными записями, которые вы связали с учетной записью клиентов.", + "Manage accounts you have linked to your Customers account.": "Управляйте учетными записями, которые вы связали с учетной записью клиента.", "Manage address types": "Управление типами адресов", "Manage and log out your active sessions on other browsers and devices.": "Управление активными сеансами на других устройствах.", "Manage API Tokens": "Управление API токенами", "Manage call reasons": "Управление причинами звонков", "Manage contact information types": "Управление типами контактной информации", "Manage currencies": "Управление валютами", - "Manage genders": "Управление гендерами", - "Manage gift occasions": "Управление поводами для подарков", + "Manage genders": "Управление полом", + "Manage gift occasions": "Управляйте подарками", "Manage gift states": "Управление состояниями подарков", "Manage group types": "Управление типами групп", "Manage modules": "Управление модулями", - "Manage pet categories": "Управление категориями животных", - "Manage post templates": "Управление шаблонами постов", + "Manage pet categories": "Управление категориями домашних животных", + "Manage post templates": "Управление шаблонами сообщений", "Manage pronouns": "Управление местоимениями", "Manager": "Менеджер", "Manage relationship types": "Управление типами отношений", @@ -612,77 +612,78 @@ "Manage Team": "Управление командой", "Manage templates": "Управление шаблонами", "Manage users": "Управление пользователями", - "Maybe one of these contacts?": "Возможно, один из этих контактов?", + "Mastodon": "Мастодонт", + "Maybe one of these contacts?": "Может быть, один из этих контактов?", "mentor": "наставник", - "Middle name": "Отчество", - "miles": "мили", + "Middle name": "Второе имя", + "miles": "миль", "miles (mi)": "мили (ми)", "Modules in this page": "Модули на этой странице", "Monday": "Понедельник", "Monica. All rights reserved. 2017 — :date.": "Monica. Все права защищены. 2017 — :date.", - "Monica is open source, made by hundreds of people from all around the world.": "Monica - это проект с открытым исходным кодом, созданный сотнями людей со всего мира.", - "Monica was made to help you document your life and your social interactions.": "Monica создана, чтобы помочь вам документировать свою жизнь и социальные взаимодействия.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica имеет открытый исходный код, созданный сотнями людей со всего мира.", + "Monica was made to help you document your life and your social interactions.": "Monica была создана, чтобы помочь вам документировать свою жизнь и социальные взаимодействия.", "Month": "Месяц", "month": "месяц", - "Mood in the year": "Настроение в течение года", + "Mood in the year": "Настроение в году", "Mood tracking events": "События отслеживания настроения", "Mood tracking parameters": "Параметры отслеживания настроения", - "More details": "Больше деталей", + "More details": "Подробнее", "More errors": "Больше ошибок", "Move contact": "Переместить контакт", - "Muslim": "Мусульманин", + "Muslim": "мусульманин", "Name": "Имя", - "Name of the pet": "Имя питомца", + "Name of the pet": "Имя домашнего животного", "Name of the reminder": "Название напоминания", - "Name of the reverse relationship": "Название обратного отношения", + "Name of the reverse relationship": "Название обратной связи", "Nature of the call": "Характер звонка", - "nephew\/niece": "Племянник\/племянница", + "nephew/niece": "племянник/племянница", "New Password": "Новый пароль", - "New to Monica?": "Новичок в Monica?", + "New to Monica?": "Впервые с Monica?", "Next": "Следующий", - "Nickname": "Прозвище", + "Nickname": "Псевдоним", "nickname": "прозвище", - "No cities have been added yet in any contact’s addresses.": "В адресах контактов еще не указаны города.", + "No cities have been added yet in any contact’s addresses.": "Ни в одном адресе контакта еще не добавлено ни одного города.", "No contacts found.": "Контакты не найдены.", - "No countries have been added yet in any contact’s addresses.": "В адресах контакта еще не добавлены страны.", + "No countries have been added yet in any contact’s addresses.": "Ни в одном адресе контакта пока не добавлено ни одной страны.", "No dates in this month.": "В этом месяце нет дат.", - "No description yet.": "Описание отсутствует.", + "No description yet.": "Описания пока нет.", "No groups found.": "Группы не найдены.", - "No keys registered yet": "Ключи еще не зарегистрированы.", - "No labels yet.": "Ярлыки еще не созданы.", - "No life event types yet.": "Типы жизненных событий еще не созданы.", - "No notes found.": "Заметки не найдены.", - "No results found": "Результаты не найдены.", + "No keys registered yet": "Ключи еще не зарегистрированы", + "No labels yet.": "Этикеток пока нет.", + "No life event types yet.": "Типов жизненных событий пока нет.", + "No notes found.": "Заметок не найдено.", + "No results found": "результатов не найдено", "No role": "Нет роли", - "No roles yet.": "Роли еще не созданы.", - "No tasks.": "Задач нет.", - "Notes": "Заметки", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Обратите внимание, что удаление модуля с страницы не удалит фактические данные на ваших страницах контактов. Он просто скроет его.", + "No roles yet.": "Ролей пока нет.", + "No tasks.": "Никаких задач.", + "Notes": "Примечания", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Обратите внимание, что удаление модуля со страницы не приведет к удалению фактических данных на ваших страницах контактов. Он просто это скроет.", "Not Found": "Не найдено", "Notification channels": "Каналы уведомлений", "Notification sent": "Уведомление отправлено", - "Not set": "Не установлено", - "No upcoming reminders.": "Ближайшие напоминания отсутствуют.", + "Not set": "Не задано", + "No upcoming reminders.": "Нет предстоящих напоминаний.", "Number of hours slept": "Количество часов сна", - "Numerical value": "Числовое значение", + "Numerical value": "Численная величина", "of": "из", - "Offered": "Предложено", + "Offered": "Предложенный", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "После удаления команды все её ресурсы и данные будут удалены без возможности восстановления. Перед удалением скачайте данные и информацию о команде, которые хотите сохранить.", - "Once you cancel,": "После отмены,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "После того, как вы нажмете кнопку Настроить ниже, вам нужно будет открыть Telegram с помощью кнопки, которую мы предоставим вам. Это поможет вам найти бота Monica в Telegram.", + "Once you cancel,": "Как только вы отмените,", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "После того, как вы нажмете кнопку «Настроить» ниже, вам нужно будет открыть Telegram с помощью кнопки, которую мы вам предоставим. Это позволит вам найти бота Monica Telegram.", "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "После удаления Вашей учётной записи все её ресурсы и данные будут удалены без возможности восстановления. Перед удалением учётной записи загрузите данные и информацию, которую хотите сохранить.", - "Only once, when the next occurence of the date occurs.": "Только один раз, когда наступит следующая дата.", + "Only once, when the next occurence of the date occurs.": "Только один раз, когда происходит следующее появление даты.", "Oops! Something went wrong.": "Упс! Что-то пошло не так.", - "Open Street Maps": "OpenStreetMap", - "Open Street Maps is a great privacy alternative, but offers less details.": "OpenStreetMap - отличная альтернатива конфиденциальности, но предлагает меньше деталей.", - "Open Telegram to validate your identity": "Откройте Telegram, чтобы подтвердить свою личность", - "optional": "необязательно", + "Open Street Maps": "Открытые карты улиц", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps — отличная альтернатива конфиденциальности, но предлагает меньше деталей.", + "Open Telegram to validate your identity": "Откройте Telegram, чтобы подтвердить свою личность.", + "optional": "необязательный", "Or create a new one": "Или создайте новый", - "Or filter by type": "Или отфильтруйте по типу", - "Or remove the slice": "Или удалите срез", - "Or reset the fields": "Или сбросьте поля", - "Other": "Другое", - "Out of respect and appreciation": "В знак уважения и признательности", + "Or filter by type": "Или отфильтровать по типу", + "Or remove the slice": "Или удалить кусочек", + "Or reset the fields": "Или сбросить поля", + "Other": "Другой", + "Out of respect and appreciation": "Из уважения и признательности", "Page Expired": "Страница устарела", "Pages": "Страницы", "Pagination Navigation": "Навигация", @@ -694,50 +695,50 @@ "Password": "Пароль", "Payment Required": "Требуется оплата", "Pending Team Invitations": "Ожидающие приглашения в команду", - "per\/per": "в\/на", + "per/per": "за/за", "Permanently delete this team.": "Удалить эту команду навсегда.", "Permanently delete your account.": "Удалить свой аккаунт навсегда.", "Permission for :name": "Разрешение для :name", "Permissions": "Разрешения", - "Personal": "Личное", - "Personalize your account": "Настройте свою учетную запись", + "Personal": "Персональный", + "Personalize your account": "Персонализируйте свой аккаунт", "Pet categories": "Категории домашних животных", - "Pet categories let you add types of pets that contacts can add to their profile.": "Категории домашних животных позволяют добавлять типы домашних животных, которые контакты могут добавлять в свой профиль.", - "Pet category": "Категория домашних животных", - "Pets": "Домашние животные", + "Pet categories let you add types of pets that contacts can add to their profile.": "Категории домашних животных позволяют добавлять типы домашних животных, которых контакты могут добавить в свой профиль.", + "Pet category": "Категория домашнего животного", + "Pets": "Домашние питомцы", "Phone": "Телефон", "Photo": "Фото", - "Photos": "Фотографии", + "Photos": "Фото", "Played basketball": "Играл в баскетбол", "Played golf": "Играл в гольф", "Played soccer": "Играл в футбол", "Played tennis": "Играл в теннис", - "Please choose a template for this new post": "Выберите шаблон для новой записи", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Выберите один из шаблонов ниже, чтобы указать Монике, как должны отображаться данные контакта на странице. Шаблоны позволяют определить, какие данные должны отображаться на странице контакта.", + "Please choose a template for this new post": "Пожалуйста, выберите шаблон для этого нового сообщения", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Пожалуйста, выберите один шаблон ниже, чтобы сообщить Monica, как должен отображаться этот контакт. Шаблоны позволяют вам определить, какие данные должны отображаться на странице контактов.", "Please click the button below to verify your email address.": "Пожалуйста, нажмите кнопку ниже, чтобы подтвердить свой адрес электронной почты.", - "Please complete this form to finalize your account.": "Пожалуйста, заполните эту форму, чтобы завершить создание вашей учетной записи.", + "Please complete this form to finalize your account.": "Пожалуйста, заполните эту форму, чтобы завершить создание учетной записи.", "Please confirm access to your account by entering one of your emergency recovery codes.": "Подтвердите доступ к своей учётной записи, введя один из кодов аварийного восстановления.", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Подтвердите доступ к своей учётной записи, введя код из Вашего приложения аутентификации.", "Please confirm access to your account by validating your security key.": "Пожалуйста, подтвердите доступ к своей учетной записи, подтвердив свой ключ безопасности.", "Please copy your new API token. For your security, it won't be shown again.": "Скопируйте Ваш новый API токен. В целях безопасности он больше не будет отображаться.", - "Please copy your new API token. For your security, it won’t be shown again.": "Пожалуйста, скопируйте ваш новый API-токен. Для вашей безопасности он больше не будет показан.", - "Please enter at least 3 characters to initiate a search.": "Пожалуйста, введите не менее 3 символов для начала поиска.", - "Please enter your password to cancel the account": "Пожалуйста, введите ваш пароль для отмены аккаунта.", + "Please copy your new API token. For your security, it won’t be shown again.": "Скопируйте новый токен API. В целях вашей безопасности оно больше не будет отображаться.", + "Please enter at least 3 characters to initiate a search.": "Пожалуйста, введите не менее 3 символов, чтобы начать поиск.", + "Please enter your password to cancel the account": "Пожалуйста, введите свой пароль, чтобы закрыть аккаунт", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Введите пароль для подтверждения выхода из других сеансов на всех ваших устройствах.", - "Please indicate the contacts": "Пожалуйста, укажите контакты.", - "Please join Monica": "Пожалуйста, присоединитесь к Монике.", + "Please indicate the contacts": "Пожалуйста, укажите контакты", + "Please join Monica": "Пожалуйста, присоединяйтесь к Monica", "Please provide the email address of the person you would like to add to this team.": "Укажите электронный адрес человека, которого Вы хотите добавить в эту команду.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Прочтите нашу документацию<\/link>, чтобы узнать больше об этой функции и о том, к каким переменным у вас есть доступ.", - "Please select a page on the left to load modules.": "Пожалуйста, выберите страницу слева, чтобы загрузить модули.", - "Please type a few characters to create a new label.": "Пожалуйста, введите несколько символов, чтобы создать новую метку.", - "Please type a few characters to create a new tag.": "Пожалуйста, введите несколько символов, чтобы создать новый тег.", - "Please validate your email address": "Пожалуйста, подтвердите ваш адрес электронной почты.", - "Please verify your email address": "Пожалуйста, проверьте ваш адрес электронной почты.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Пожалуйста, прочитайте нашу документацию, чтобы узнать больше об этой функции и о том, к каким переменным у вас есть доступ.", + "Please select a page on the left to load modules.": "Пожалуйста, выберите страницу слева для загрузки модулей.", + "Please type a few characters to create a new label.": "Введите несколько символов, чтобы создать новую метку.", + "Please type a few characters to create a new tag.": "Введите несколько символов, чтобы создать новый тег.", + "Please validate your email address": "Пожалуйста, подтвердите свой адрес электронной почты", + "Please verify your email address": "Пожалуйста, подтвердите свой адрес электронной почты", "Postal code": "Почтовый индекс", - "Post metrics": "Метрики поста", - "Posts": "Посты", - "Posts in your journals": "Посты в ваших журналах", - "Post templates": "Шаблоны поста", + "Post metrics": "Публикация показателей", + "Posts": "Сообщения", + "Posts in your journals": "Публикации в ваших журналах", + "Post templates": "Шаблоны сообщений", "Prefix": "Префикс", "Previous": "Предыдущий", "Previous addresses": "Предыдущие адреса", @@ -746,52 +747,52 @@ "Profile and security": "Профиль и безопасность", "Profile Information": "Информация профиля", "Profile of :name": "Профиль :name", - "Profile page of :name": "Страница профиля :name", + "Profile page of :name": "Страница профиля пользователя :name", "Pronoun": "Местоимение", "Pronouns": "Местоимения", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Местоимения - это, по сути, то, как мы определяем себя, кроме своего имени. Это то, как кто-то обращается к вам в разговоре.", - "protege": "подопечный", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Местоимения — это, по сути, то, как мы идентифицируем себя, помимо нашего имени. Это то, как кто-то обращается к вам в разговоре.", + "protege": "протеже", "Protocol": "Протокол", "Protocol: :name": "Протокол: :name", "Province": "Провинция", - "Quick facts": "Быстрые факты", - "Quick facts let you document interesting facts about a contact.": "Быстрые факты позволяют документировать интересные факты о контакте.", - "Quick facts template": "Шаблон быстрых фактов", - "Quit job": "Уволиться с работы", + "Quick facts": "Краткие факты", + "Quick facts let you document interesting facts about a contact.": "Краткие факты позволяют документировать интересные факты о контакте.", + "Quick facts template": "Шаблон кратких фактов", + "Quit job": "Уволиться", "Rabbit": "Кролик", - "Ran": "Бегал", + "Ran": "Ран", "Rat": "Крыса", - "Read :count time|Read :count times": "Прочитано :count раз|Прочитано :count раза|Прочитано :count раз", + "Read :count time|Read :count times": "Читать :count раз|Прочтите :count раза|Прочесть :count раз", "Record a loan": "Записать кредит", - "Record your mood": "Записать свое настроение", + "Record your mood": "Запишите свое настроение", "Recovery Code": "Код восстановления", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Независимо от вашего местоположения, даты будут отображаться в вашем часовом поясе.", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Независимо от того, где вы находитесь, даты отображаются в вашем часовом поясе.", "Regards": "С уважением", "Regenerate Recovery Codes": "Перегенерировать коды восстановления", "Register": "Регистрация", - "Register a new key": "Зарегистрировать новый ключ", + "Register a new key": "Зарегистрируйте новый ключ", "Register a new key.": "Зарегистрируйте новый ключ.", "Regular post": "Обычный пост", "Regular user": "Обычный пользователь", "Relationships": "Отношения", "Relationship types": "Типы отношений", - "Relationship types let you link contacts and document how they are connected.": "Типы отношений позволяют связывать контакты и документировать их связи.", + "Relationship types let you link contacts and document how they are connected.": "Типы отношений позволяют связывать контакты и документировать способы их связи.", "Religion": "Религия", "Religions": "Религии", - "Religions is all about faith.": "Религия - это вера.", + "Religions is all about faith.": "Религия – это все о вере.", "Remember me": "Запомнить меня", - "Reminder for :name": "Напоминание для :имя", + "Reminder for :name": "Напоминание для :name", "Reminders": "Напоминания", - "Reminders for the next 30 days": "Напоминания на ближайшие 30 дней", - "Remind me about this date every year": "Напомнить мне об этой дате каждый год", - "Remind me about this date just once, in one year from now": "Напомнить мне об этой дате только один раз, через год", + "Reminders for the next 30 days": "Напоминания на следующие 30 дней", + "Remind me about this date every year": "Напоминайте мне об этой дате каждый год", + "Remind me about this date just once, in one year from now": "Напомните мне об этой дате только один раз, через год.", "Remove": "Удалить", "Remove avatar": "Удалить аватар", - "Remove cover image": "Удалить изображение обложки", - "removed a label": "удален ярлык", - "removed the contact from a group": "контакт удален из группы", - "removed the contact from a post": "контакт удален из поста", - "removed the contact from the favorites": "контакт удален из избранных", + "Remove cover image": "Удалить обложку", + "removed a label": "удалил ярлык", + "removed the contact from a group": "удалил контакт из группы", + "removed the contact from a post": "удалил контакт из сообщения", + "removed the contact from the favorites": "удалил контакт из избранного", "Remove Photo": "Удалить фото", "Remove Team Member": "Удалить члена команды", "Rename": "Переименовать", @@ -802,96 +803,94 @@ "Reset Password Notification": "Оповещение о сбросе пароля", "results": "результатов", "Retry": "Повторить попытку", - "Revert": "Отменить изменения", + "Revert": "Возвращаться", "Rode a bike": "Ездил на велосипеде", "Role": "Роль", "Roles:": "Роли:", - "Roomates": "Сожители", + "Roomates": "Соседи по комнате", "Saturday": "Суббота", "Save": "Сохранить", "Saved.": "Сохранено.", - "Saving in progress": "Процесс сохранения", - "Searched": "Искомое", - "Searching…": "Поиск...", - "Search something": "Поиск", - "Search something in the vault": "Поиск в хранилище", + "Saving in progress": "Выполняется сохранение", + "Searched": "Искать", + "Searching…": "Идет поиск…", + "Search something": "Искать что-нибудь", + "Search something in the vault": "Найдите что-нибудь в хранилище", "Sections:": "Разделы:", "Security keys": "Ключи безопасности", "Select a group or create a new one": "Выберите группу или создайте новую", "Select A New Photo": "Выбрать фото", "Select a relationship type": "Выберите тип отношений", - "Send invitation": "Отправить приглашение", + "Send invitation": "Выслать пригласительное", "Send test": "Отправить тест", "Sent at :time": "Отправлено в :time", "Server Error": "Ошибка сервера", "Service Unavailable": "Сервис недоступен", "Set as default": "Установить по умолчанию", - "Set as favorite": "Установить в избранное", + "Set as favorite": "Сделать избранным", "Settings": "Настройки", - "Settle": "Расселиться", + "Settle": "Решить", "Setup": "Настраивать", "Setup Key": "Ключ настройки", - "Setup Key:": "Установка ключа:", - "Setup Telegram": "Настройка Telegram", - "she\/her": "она\/ее", - "Shintoist": "Синтоист", - "Show Calendar tab": "Показать вкладку календаря", - "Show Companies tab": "Показать вкладку компаний", + "Setup Key:": "Ключ установки:", + "Setup Telegram": "Настройка Телеграма", + "she/her": "она/ее", + "Shintoist": "синтоист", + "Show Calendar tab": "Показать вкладку «Календарь»", + "Show Companies tab": "Показать вкладку «Компании»", "Show completed tasks (:count)": "Показать выполненные задачи (:count)", - "Show Files tab": "Показать вкладку файлов", - "Show Groups tab": "Показать вкладку групп", + "Show Files tab": "Показать вкладку «Файлы»", + "Show Groups tab": "Показать вкладку «Группы»", "Showing": "Показано с", - "Showing :count of :total results": "Показано :count из :total результатов", - "Showing :first to :last of :total results": "Показаны с :first по :last из :total результатов", - "Show Journals tab": "Показать вкладку журналов", + "Showing :count of :total results": "Показаны результаты :count из :total", + "Showing :first to :last of :total results": "Показаны результаты от :first до :last из :total", + "Show Journals tab": "Показать вкладку «Журналы»", "Show Recovery Codes": "Показать коды восстановления", - "Show Reports tab": "Показать вкладку отчетов", - "Show Tasks tab": "Показать вкладку задач", + "Show Reports tab": "Показать вкладку «Отчеты»", + "Show Tasks tab": "Показать вкладку «Задачи»", "significant other": "вторая половинка", - "Sign in to your account": "Войти в свой аккаунт", - "Sign up for an account": "Зарегистрироваться", - "Sikh": "Сикх", + "Sign in to your account": "Войдите в свой аккаунт", + "Sign up for an account": "Зарегистрируйте аккаунт", + "Sikh": "сикх", "Slept :count hour|Slept :count hours": "Спал :count час|Спал :count часа|Спал :count часов", - "Slice of life": "Нарезка жизни", - "Slices of life": "Нарезки жизни", + "Slice of life": "Кусочек жизни", + "Slices of life": "Кусочки жизни", "Small animal": "Маленькое животное", "Social": "Социальное", - "Some dates have a special type that we will use in the software to calculate an age.": "Некоторые даты имеют специальный тип, который мы будем использовать в программном обеспечении для расчета возраста.", - "Sort contacts": "Сортировать контакты", - "So… it works 😼": "Так что… это работает 😼", + "Some dates have a special type that we will use in the software to calculate an age.": "Некоторые даты имеют специальный тип, который мы будем использовать в программе для расчета возраста.", + "So… it works 😼": "Итак… это работает 😼", "Sport": "Спорт", - "spouse": "Супруг(а)", + "spouse": "супруг", "Statistics": "Статистика", "Storage": "Хранилище", "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Храните эти коды восстановления в безопасном месте. Их можно использовать для восстановления доступа к Вашей учётной записи, если Ваше устройство с двухфакторной аутентификацией потеряно.", - "Submit": "Отправить", - "subordinate": "Подчиненный", + "Submit": "Представлять на рассмотрение", + "subordinate": "подчиненный", "Suffix": "Суффикс", - "Summary": "Сводка", + "Summary": "Краткое содержание", "Sunday": "Воскресенье", - "Switch role": "Переключить роль", + "Switch role": "Сменить роль", "Switch Teams": "Сменить команды", "Tabs visibility": "Видимость вкладок", "Tags": "Теги", - "Tags let you classify journal posts using a system that matters to you.": "Теги позволяют классифицировать записи в журнале, используя систему, которая важна для вас.", - "Taoist": "Таоист", - "Tasks": "Задачи", + "Tags let you classify journal posts using a system that matters to you.": "Теги позволяют классифицировать сообщения журнала, используя систему, которая вам важна.", + "Taoist": "даосский", + "Tasks": "Задания", "Team Details": "Детали команды", "Team Invitation": "Приглашение в команду", "Team Members": "Члены команды", "Team Name": "Название команды", "Team Owner": "Владелец команды", "Team Settings": "Настройки команды", - "Telegram": "Telegram", + "Telegram": "Телеграмма", "Templates": "Шаблоны", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Шаблоны позволяют настроить, какие данные должны отображаться на ваших контактах. Вы можете определить столько шаблонов, сколько нужно, и выбрать, какой шаблон должен использоваться для каждого контакта.", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Шаблоны позволяют вам настроить, какие данные должны отображаться в ваших контактах. Вы можете определить столько шаблонов, сколько захотите, и выбрать, какой шаблон следует использовать для какого контакта.", "Terms of Service": "Условия обслуживания", - "Test email for Monica": "Тестовое письмо для Моники", + "Test email for Monica": "Тестовое письмо для Monica", "Test email sent!": "Тестовое письмо отправлено!", "Thanks,": "Спасибо,", - "Thanks for giving Monica a try": "Спасибо, что попробовали Monica", - "Thanks for giving Monica a try.": "Спасибо, что попробовали Monica.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Спасибо за регистрацию! Прежде чем начать, не могли бы вы подтвердить свой адрес электронной почты, перейдя по ссылке, которую мы только что отправили вам на почту? Если вы не получили письмо, мы с радостью вышлем вам другое.", + "Thanks for giving Monica a try.": "Спасибо, что дали Monica шанс.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Спасибо за регистрацию! Прежде чем начать, не могли бы вы подтвердить свой адрес электронной почты, нажав на ссылку, которую мы только что отправили вам по электронной почте? Если вы не получили письмо, мы с радостью отправим вам другое.", "The :attribute must be at least :length characters.": "Значение поля :attribute должно быть не меньше :length символов.", "The :attribute must be at least :length characters and contain at least one number.": "Значение поля :attribute должно быть не меньше :length символов и содержать как минимум одну цифру.", "The :attribute must be at least :length characters and contain at least one special character.": "Значение поля :attribute должно быть не меньше :length символов и содержать как минимум один спецсимвол.", @@ -901,191 +900,193 @@ "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Значение поля :attribute должно быть не меньше :length символов и содержать как минимум один символ в верхнем регистре и одну цифру.", "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Значение поля :attribute должно быть не меньше :length символов и содержать как минимум один символ в верхнем регистре и один спецсимвол.", "The :attribute must be a valid role.": "Значение поля :attribute должно быть корректной ролью.", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Данные учетной записи будут безвозвратно удалены с наших серверов в течение 30 дней и со всех резервных копий в течение 60 дней.", - "The address type has been created": "Тип адреса создан", - "The address type has been deleted": "Тип адреса удален", - "The address type has been updated": "Тип адреса обновлен", - "The call has been created": "Вызов создан", - "The call has been deleted": "Вызов удален", - "The call has been edited": "Вызов изменен", - "The call reason has been created": "Причина звонка создана", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Данные учетной записи будут окончательно удалены с наших серверов в течение 30 дней, а из всех резервных копий — в течение 60 дней.", + "The address type has been created": "Тип адреса создан.", + "The address type has been deleted": "Тип адреса удален.", + "The address type has been updated": "Тип адреса обновлен.", + "The call has been created": "Звонок создан.", + "The call has been deleted": "Звонок удален", + "The call has been edited": "Звонок был отредактирован", + "The call reason has been created": "Причина звонка создана.", "The call reason has been deleted": "Причина звонка удалена", - "The call reason has been updated": "Причина звонка обновлена", - "The call reason type has been created": "Тип причины звонка был создан", - "The call reason type has been deleted": "Тип причины звонка был удален", - "The call reason type has been updated": "Тип причины звонка был обновлен", - "The channel has been added": "Канал был добавлен", - "The channel has been updated": "Канал был обновлен", - "The contact does not belong to any group yet.": "Контакт еще не принадлежит ни к одной группе", - "The contact has been added": "Контакт был добавлен", - "The contact has been deleted": "Контакт был удален", + "The call reason has been updated": "Причина звонка обновлена.", + "The call reason type has been created": "Тип причины звонка создан.", + "The call reason type has been deleted": "Тип причины звонка удален.", + "The call reason type has been updated": "Тип причины звонка обновлен.", + "The channel has been added": "Канал добавлен", + "The channel has been updated": "Канал обновлен", + "The contact does not belong to any group yet.": "Контакт пока не принадлежит ни к одной группе.", + "The contact has been added": "Контакт добавлен", + "The contact has been deleted": "Контакт удален", "The contact has been edited": "Контакт был отредактирован", - "The contact has been removed from the group": "Контакт был удален из группы", - "The contact information has been created": "Информация о контакте была создана", - "The contact information has been deleted": "Информация о контакте была удалена", - "The contact information has been edited": "Информация о контакте была отредактирована", - "The contact information type has been created": "Тип информации о контакте был создан", - "The contact information type has been deleted": "Тип информации о контакте был удален", - "The contact information type has been updated": "Тип информации о контакте был обновлен", - "The contact is archived": "Контакт помещен в архив", - "The currencies have been updated": "Валюты были обновлены", - "The currency has been updated": "Валюта была обновлена", - "The date has been added": "Дата была добавлена", - "The date has been deleted": "Дата была удалена", - "The date has been updated": "Дата была обновлена", - "The document has been added": "Документ был добавлен", - "The document has been deleted": "Документ был удален", + "The contact has been removed from the group": "Контакт удален из группы.", + "The contact information has been created": "Контактная информация создана.", + "The contact information has been deleted": "Контактная информация удалена", + "The contact information has been edited": "Контактная информация была отредактирована", + "The contact information type has been created": "Тип контактной информации создан.", + "The contact information type has been deleted": "Тип контактной информации удален.", + "The contact information type has been updated": "Тип контактной информации обновлен.", + "The contact is archived": "Контакт заархивирован", + "The currencies have been updated": "Валюты обновлены.", + "The currency has been updated": "Валюта обновлена.", + "The date has been added": "Дата добавлена", + "The date has been deleted": "Дата удалена", + "The date has been updated": "Дата обновлена", + "The document has been added": "Документ добавлен", + "The document has been deleted": "Документ удален", "The email address has been deleted": "Адрес электронной почты был удален", "The email has been added": "Электронная почта была добавлена", - "The email is already taken. Please choose another one.": "Электронная почта уже занята. Пожалуйста, выберите другой.", - "The gender has been created": "Пол был создан", - "The gender has been deleted": "Пол был удален", - "The gender has been updated": "Пол был обновлен", - "The gift occasion has been created": "Повод для подарка был создан", - "The gift occasion has been deleted": "Повод для подарка был удален", - "The gift occasion has been updated": "Повод для подарка был обновлен", - "The gift state has been created": "Статус подарка был создан", - "The gift state has been deleted": "Статус подарка был удален", - "The gift state has been updated": "Статус подарка был обновлен", + "The email is already taken. Please choose another one.": "Письмо уже занято. Пожалуйста, выберите другой.", + "The gender has been created": "Пол был создан.", + "The gender has been deleted": "Пол удален.", + "The gender has been updated": "Пол обновлен.", + "The gift occasion has been created": "Повод для подарка создан.", + "The gift occasion has been deleted": "Повод для подарка удален.", + "The gift occasion has been updated": "Повод для подарка обновлен.", + "The gift state has been created": "Состояние подарка создано", + "The gift state has been deleted": "Статус подарка удален.", + "The gift state has been updated": "Состояние подарка обновлено.", "The given data was invalid.": "Указанные данные недействительны.", - "The goal has been created": "Цель была создана", - "The goal has been deleted": "Цель была удалена", + "The goal has been created": "Цель создана", + "The goal has been deleted": "Цель удалена", "The goal has been edited": "Цель была изменена", - "The group has been added": "Группа была добавлена", - "The group has been deleted": "Группа была удалена", - "The group has been updated": "Группа была обновлена", - "The group type has been created": "Тип группы был создан", - "The group type has been deleted": "Тип группы был удален", - "The group type has been updated": "Тип группы был обновлен", + "The group has been added": "Группа добавлена", + "The group has been deleted": "Группа удалена", + "The group has been updated": "Группа обновлена", + "The group type has been created": "Тип группы создан.", + "The group type has been deleted": "Тип группы удален.", + "The group type has been updated": "Тип группы обновлен.", "The important dates in the next 12 months": "Важные даты в ближайшие 12 месяцев", - "The job information has been saved": "Информация о работе была сохранена", - "The journal lets you document your life with your own words.": "Журнал позволяет документировать свою жизнь своими словами.", - "The keys to manage uploads have not been set in this Monica instance.": "Ключи для управления загрузками не были установлены в этом экземпляре Monica.", - "The label has been added": "Метка была добавлена", - "The label has been created": "Метка была создана", - "The label has been deleted": "Метка была удалена", - "The label has been updated": "Метка была обновлена", - "The life metric has been created": "Метрика жизни была создана", - "The life metric has been deleted": "Метрика жизни была удалена", - "The life metric has been updated": "Метрика жизни была обновлена", - "The loan has been created": "Займ был создан", - "The loan has been deleted": "Займ был удален", - "The loan has been edited": "Займ был изменен", - "The loan has been settled": "Займ был погашен", - "The loan is an object": "Займ - это объект", - "The loan is monetary": "Займ - это денежный", + "The job information has been saved": "Информация о вакансии сохранена.", + "The journal lets you document your life with your own words.": "Дневник позволяет документировать свою жизнь своими словами.", + "The keys to manage uploads have not been set in this Monica instance.": "В этом экземпляре Monica не установлены ключи для управления загрузками.", + "The label has been added": "Ярлык добавлен", + "The label has been created": "Ярлык создан.", + "The label has been deleted": "Ярлык удален.", + "The label has been updated": "Этикетка обновлена.", + "The life metric has been created": "Метрика жизни создана", + "The life metric has been deleted": "Показатель жизни удален.", + "The life metric has been updated": "Метрика жизни обновлена.", + "The loan has been created": "Кредит создан.", + "The loan has been deleted": "Кредит удален.", + "The loan has been edited": "Кредит был отредактирован", + "The loan has been settled": "Кредит погашен", + "The loan is an object": "Кредит – это объект", + "The loan is monetary": "Кредит денежный", "The module has been added": "Модуль был добавлен", "The module has been removed": "Модуль был удален", - "The note has been created": "Заметка была создана", - "The note has been deleted": "Заметка была удалена", - "The note has been edited": "Заметка была изменена", - "The notification has been sent": "Уведомление было отправлено", - "The operation either timed out or was not allowed.": "Операция либо превысила время ожидания, либо не была разрешена.", - "The page has been added": "Страница была добавлена", - "The page has been deleted": "Страница была удалена", - "The page has been updated": "Страница была обновлена", + "The note has been created": "Заметка создана.", + "The note has been deleted": "Заметка удалена", + "The note has been edited": "Заметка была отредактирована", + "The notification has been sent": "Уведомление отправлено", + "The operation either timed out or was not allowed.": "Операция либо истекла по тайм-ауту, либо была запрещена.", + "The page has been added": "Страница добавлена", + "The page has been deleted": "Страница удалена", + "The page has been updated": "Страница обновлена", "The password is incorrect.": "Некорректный пароль.", - "The pet category has been created": "Категория питомца была создана", - "The pet category has been deleted": "Категория питомца была удалена", - "The pet category has been updated": "Категория питомца была обновлена", + "The pet category has been created": "Категория домашних животных создана.", + "The pet category has been deleted": "Категория домашних животных удалена.", + "The pet category has been updated": "Категория домашних животных обновлена.", "The pet has been added": "Питомец был добавлен", "The pet has been deleted": "Питомец был удален", - "The pet has been edited": "Питомец был изменен", + "The pet has been edited": "Питомец был отредактирован", "The photo has been added": "Фотография была добавлена", - "The photo has been deleted": "Фотография была удалена", - "The position has been saved": "Позиция была сохранена", - "The post template has been created": "Шаблон сообщения был создан", - "The post template has been deleted": "Шаблон сообщения был удален", - "The post template has been updated": "Шаблон сообщения был обновлен", - "The pronoun has been created": "Местоимение было создано", - "The pronoun has been deleted": "Местоимение было удалено", - "The pronoun has been updated": "Местоимение было обновлено", + "The photo has been deleted": "Фотография удалена", + "The position has been saved": "Позиция сохранена.", + "The post template has been created": "Шаблон сообщения создан.", + "The post template has been deleted": "Шаблон сообщения удален.", + "The post template has been updated": "Шаблон сообщения обновлен.", + "The pronoun has been created": "Местоимение создано.", + "The pronoun has been deleted": "Местоимение удалено", + "The pronoun has been updated": "Местоимение обновлено.", "The provided password does not match your current password.": "Указанный пароль не соответствует Вашему текущему паролю.", "The provided password was incorrect.": "Неверный пароль.", "The provided two factor authentication code was invalid.": "Неверный код двухфакторной аутентификации.", "The provided two factor recovery code was invalid.": "Предоставленный двухфакторный код восстановления недействителен.", "There are no active addresses yet.": "Активных адресов пока нет.", - "There are no calls logged yet.": "Еще нет зарегистрированных звонков.", - "There are no contact information yet.": "Контактная информация еще не добавлена.", + "There are no calls logged yet.": "Пока еще не зарегистрировано ни одного звонка.", + "There are no contact information yet.": "Контактной информации пока нет.", "There are no documents yet.": "Документов пока нет.", - "There are no events on that day, future or past.": "В этот день, будущий или прошлый, событий нет.", + "There are no events on that day, future or past.": "В этот день нет никаких событий ни в будущем, ни в прошлом.", "There are no files yet.": "Файлов пока нет.", "There are no goals yet.": "Целей пока нет.", - "There are no journal metrics.": "Метрик журнала пока нет.", - "There are no loans yet.": "Займов пока нет.", + "There are no journal metrics.": "Журнальных показателей нет.", + "There are no loans yet.": "Кредитов пока нет.", "There are no notes yet.": "Заметок пока нет.", "There are no other users in this account.": "В этом аккаунте нет других пользователей.", - "There are no pets yet.": "Питомцев пока нет.", - "There are no photos yet.": "Фотографий пока нет.", + "There are no pets yet.": "Домашних животных пока нет.", + "There are no photos yet.": "Там нет фото еще.", "There are no posts yet.": "Постов пока нет.", - "There are no quick facts here yet.": "Быстрых фактов пока нет.", + "There are no quick facts here yet.": "Здесь пока нет быстрых фактов.", "There are no relationships yet.": "Отношений пока нет.", "There are no reminders yet.": "Напоминаний пока нет.", - "There are no tasks yet.": "Задач пока нет.", - "There are no templates in the account. Go to the account settings to create one.": "В этом аккаунте нет шаблонов. Перейдите в настройки аккаунта, чтобы создать.", + "There are no tasks yet.": "Заданий пока нет.", + "There are no templates in the account. Go to the account settings to create one.": "В аккаунте нет шаблонов. Перейдите в настройки учетной записи, чтобы создать ее.", "There is no activity yet.": "Активности пока нет.", - "There is no currencies in this account.": "В этом аккаунте нет валют.", - "The relationship has been added": "Отношение добавлено", - "The relationship has been deleted": "Отношение удалено", - "The relationship type has been created": "Тип отношений создан", - "The relationship type has been deleted": "Тип отношений удален", - "The relationship type has been updated": "Тип отношений обновлен", - "The religion has been created": "Религия создана", - "The religion has been deleted": "Религия удалена", - "The religion has been updated": "Религия обновлена", - "The reminder has been created": "Напоминание создано", + "There is no currencies in this account.": "На этом счете нет валют.", + "The relationship has been added": "Отношения были добавлены.", + "The relationship has been deleted": "Связь удалена", + "The relationship type has been created": "Тип связи создан.", + "The relationship type has been deleted": "Тип отношений удален.", + "The relationship type has been updated": "Тип отношений обновлен.", + "The religion has been created": "Религия была создана", + "The religion has been deleted": "Религия удалена.", + "The religion has been updated": "Религия обновлена.", + "The reminder has been created": "Напоминание создано.", "The reminder has been deleted": "Напоминание удалено", - "The reminder has been edited": "Напоминание изменено", - "The role has been created": "Роль создана", + "The reminder has been edited": "Напоминание было отредактировано", + "The response is not a streamed response.": "Ответ не является потоковым.", + "The response is not a view.": "Ответ не является представлением.", + "The role has been created": "Роль создана.", "The role has been deleted": "Роль удалена", "The role has been updated": "Роль обновлена", - "The section has been created": "Секция создана", - "The section has been deleted": "Секция удалена", - "The section has been updated": "Секция обновлена", + "The section has been created": "Раздел создан.", + "The section has been deleted": "Раздел удален", + "The section has been updated": "Раздел обновлен", "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Эти люди были приглашены в Вашу команду и получили электронное письмо с приглашением. Они могут присоединиться к команде, приняв приглашение.", "The tag has been added": "Тег добавлен", - "The tag has been created": "Тег создан", - "The tag has been deleted": "Тег удален", - "The tag has been updated": "Тег обновлен", + "The tag has been created": "Тег создан.", + "The tag has been deleted": "Тег был удален", + "The tag has been updated": "Тег обновлен.", "The task has been created": "Задача создана", "The task has been deleted": "Задача удалена", - "The task has been edited": "Задача изменена", + "The task has been edited": "Задача была отредактирована", "The team's name and owner information.": "Название команды и информация о её владельце.", - "The Telegram channel has been deleted": "Канал Telegram удален", - "The template has been created": "Шаблон создан", - "The template has been deleted": "Шаблон удален", - "The template has been set": "Шаблон установлен", + "The Telegram channel has been deleted": "Телеграм-канал удален.", + "The template has been created": "Шаблон создан.", + "The template has been deleted": "Шаблон был удален", + "The template has been set": "Шаблон установлен.", "The template has been updated": "Шаблон обновлен", "The test email has been sent": "Тестовое письмо отправлено", - "The type has been created": "Тип создан", - "The type has been deleted": "Тип удален", - "The type has been updated": "Тип обновлен", + "The type has been created": "Тип создан.", + "The type has been deleted": "Тип был удален", + "The type has been updated": "Тип обновлен.", "The user has been added": "Пользователь добавлен", - "The user has been deleted": "Пользователь удален", + "The user has been deleted": "Пользователь был удален", "The user has been removed": "Пользователь удален", "The user has been updated": "Пользователь обновлен", - "The vault has been created": "Хранилище создано", + "The vault has been created": "Хранилище создано.", "The vault has been deleted": "Хранилище удалено", "The vault have been updated": "Хранилище обновлено", - "they\/them": "они\/их", + "they/them": "они/их", "This address is not active anymore": "Этот адрес больше не активен", "This device": "Это устройство", - "This email is a test email to check if Monica can send an email to this email address.": "Это электронное письмо является тестовым, чтобы проверить, может ли Моника отправить электронное письмо на этот адрес электронной почты.", + "This email is a test email to check if Monica can send an email to this email address.": "Это электронное письмо является тестовым письмом, чтобы проверить, может ли Monica отправлять электронное письмо на этот адрес электронной почты.", "This is a secure area of the application. Please confirm your password before continuing.": "Это защищённая область приложения. Пожалуйста, подтвердите Ваш пароль, прежде чем продолжить.", "This is a test email": "Это тестовое письмо", "This is a test notification for :name": "Это тестовое уведомление для :name", - "This key is already registered. It’s not necessary to register it again.": "Этот ключ уже зарегистрирован. Регистрировать его снова не нужно.", + "This key is already registered. It’s not necessary to register it again.": "Этот ключ уже зарегистрирован. Повторно регистрировать его не требуется.", "This link will open in a new tab": "Эта ссылка откроется в новой вкладке", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "На этой странице отображаются все уведомления, которые были отправлены в этом канале ранее. Она прежде всего служит способом отладки, если вы не получаете уведомление, которое настроили.", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "На этой странице показаны все уведомления, которые были отправлены по этому каналу в прошлом. В первую очередь это служит способом отладки на случай, если вы не получите настроенное уведомление.", "This password does not match our records.": "Пароль не соответствует.", "This password reset link will expire in :count minutes.": "Срок действия ссылки для сброса пароля истекает через :count минут.", - "This post has no content yet.": "В этом посте пока нет контента.", - "This provider is already associated with another account": "Этот провайдер уже связан с другим аккаунтом", + "This post has no content yet.": "У этого поста пока нет содержания.", + "This provider is already associated with another account": "Этот провайдер уже связан с другой учетной записью", "This site is open source.": "Этот сайт с открытым исходным кодом.", - "This template will define what information are displayed on a contact page.": "Этот шаблон определит, какая информация будет отображаться на странице контакта.", + "This template will define what information are displayed on a contact page.": "Этот шаблон будет определять, какая информация будет отображаться на странице контактов.", "This user already belongs to the team.": "Пользователь уже входит в команду.", "This user has already been invited to the team.": "Этот пользователь уже был приглашён в команду.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Этот пользователь будет частью вашего аккаунта, но не получит доступа ко всем хранилищам в этом аккаунте, если вы не предоставите им конкретный доступ. Этот человек сможет также создавать хранилища.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Этот пользователь будет частью вашей учетной записи, но не получит доступа ко всем хранилищам в этой учетной записи, если вы не предоставите к ним специальный доступ. Этот человек также сможет создавать хранилища.", "This will immediately:": "Это немедленно:", "Three things that happened today": "Три вещи, которые произошли сегодня", "Thursday": "Четверг", @@ -1093,191 +1094,189 @@ "Title": "Заголовок", "to": "по", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Для завершения активации двухфакторной аутентификации, отсканируйте следующий QR-код с помощью приложения аутентификации на телефоне или введите ключ настройки вручную и предоставьте сгенерированный OTP-код.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Чтобы завершить включение двухфакторной аутентификации, отсканируйте следующий QR-код с помощью приложения аутентификатора на телефоне или введите ключ настройки и предоставьте сгенерированный код OTP.", "Toggle navigation": "Переключить навигацию", "To hear their story": "Чтобы услышать их историю", "Token Name": "Имя токена", - "Token name (for your reference only)": "Название токена (только для вашего справочника)", - "Took a new job": "Получил новую работу", + "Token name (for your reference only)": "Имя токена (только для справки)", + "Took a new job": "Взял новую работу", "Took the bus": "Сел на автобус", - "Took the metro": "Сел на метро", + "Took the metro": "Взял метро", "Too Many Requests": "Слишком много запросов", - "To see if they need anything": "Узнать, нужно ли им что-нибудь", - "To start, you need to create a vault.": "Для начала необходимо создать сейф.", - "Total:": "Всего:", - "Total streaks": "Всего серий", - "Track a new metric": "Отслеживать новую метрику", + "To see if they need anything": "Чтобы узнать, нужно ли им что-нибудь", + "To start, you need to create a vault.": "Для начала вам нужно создать хранилище.", + "Total:": "Общий:", + "Total streaks": "Всего полос", + "Track a new metric": "Отслеживайте новую метрику", "Transportation": "Транспорт", "Tuesday": "Вторник", "Two-factor Confirmation": "Двухфакторное подтверждение", "Two Factor Authentication": "Двухфакторная аутентификация", "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Двухфакторная аутентификация успешно активирована. Отсканируйте следующий QR-код при помощи приложения аутентификации на Вашем телефоне для проверки подлинности или введите ключ настройки.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Двухфакторная аутентификация включена. Отсканируйте следующий QR-код с помощью приложения аутентификации на телефоне или введите ключ настройки.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Двухфакторная аутентификация теперь включена. Отсканируйте следующий QR-код с помощью приложения аутентификации вашего телефона или введите ключ настройки.", "Type": "Тип", "Type:": "Тип:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Введите что-нибудь в разговоре с ботом Моника. Например, это может быть слово `start`.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Введите что-нибудь в разговор с ботом Monica. Например, это может быть «старт».", "Types": "Типы", - "Type something": "Введите что-нибудь", + "Type something": "Введите что-либо", "Unarchive contact": "Разархивировать контакт", "unarchived the contact": "разархивировал контакт", "Unauthorized": "Не авторизован", - "uncle\/aunt": "дядя\/тетя", + "uncle/aunt": "дядя/тетя", "Undefined": "Неопределенный", - "Unexpected error on login.": "Неожиданная ошибка при входе.", + "Unexpected error on login.": "Неожиданная ошибка при входе в систему.", "Unknown": "Неизвестно", "unknown action": "неизвестное действие", "Unknown age": "Неизвестный возраст", - "Unknown contact name": "Неизвестное имя контакта", "Unknown name": "Неизвестное имя", - "Update": "Обновить", - "Update a key.": "Обновить ключ", - "updated a contact information": "Обновлена информация о контакте", - "updated a goal": "Обновлена цель", - "updated an address": "Обновлен адрес", - "updated an important date": "Обновлена важная дата", - "updated a pet": "Обновлен питомец", + "Update": "Обновлять", + "Update a key.": "Обновите ключ.", + "updated a contact information": "обновил контактную информацию", + "updated a goal": "обновил цель", + "updated an address": "обновил адрес", + "updated an important date": "обновил важную дату", + "updated a pet": "обновил питомца", "Updated on :date": "Обновлено :date", - "updated the avatar of the contact": "Обновлен аватар контакта", - "updated the contact information": "Обновлена информация о контакте", - "updated the job information": "Обновлена информация о работе", - "updated the religion": "Обновлена религия", + "updated the avatar of the contact": "обновил аватарку контакта", + "updated the contact information": "обновил контактную информацию", + "updated the job information": "обновил информацию о вакансии", + "updated the religion": "обновил религию", "Update Password": "Обновить пароль", "Update your account's profile information and email address.": "Обновите информацию и адрес электронной почты в профиле учётной записи.", - "Update your account’s profile information and email address.": "Обновите информацию профиля и адрес электронной почты вашей учетной записи.", - "Upload photo as avatar": "Загрузить фото как аватар", + "Upload photo as avatar": "Загрузить фото в качестве аватара", "Use": "Использовать", "Use an authentication code": "Использовать код аутентификации", "Use a recovery code": "Использовать код восстановления", - "Use a security key (Webauthn, or FIDO) to increase your account security.": "Используйте ключ безопасности (Webauthn или FIDO), чтобы увеличить безопасность вашей учетной записи.", - "User preferences": "Настройки пользователя", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "Используйте ключ безопасности (Webauthn или FIDO), чтобы повысить безопасность вашей учетной записи.", + "User preferences": "Пользовательские настройки", "Users": "Пользователи", - "User settings": "Настройки пользователя", + "User settings": "Пользовательские настройки", "Use the following template for this contact": "Используйте следующий шаблон для этого контакта", "Use your password": "Используйте свой пароль", "Use your security key": "Используйте свой ключ безопасности", - "Validating key…": "Проверка ключа...", - "Value copied into your clipboard": "Значение скопировано в буфер обмена", - "Vaults contain all your contacts data.": "Хранилища содержат все данные ваших контактов", + "Validating key…": "Проверка ключа…", + "Value copied into your clipboard": "Значение скопировано в буфер обмена.", + "Vaults contain all your contacts data.": "Хранилища содержат все данные ваших контактов.", "Vault settings": "Настройки хранилища", - "ve\/ver": "вер", - "Verification email sent": "Отправлено подтверждение на электронную почту", + "ve/ver": "ve/ver", + "Verification email sent": "Письмо с подтверждением отправлено", "Verified": "Проверено", "Verify Email Address": "Подтвердить адрес электронной почты", - "Verify this email address": "Подтвердить этот адрес электронной почты", - "Version :version — commit [:short](:url).": "Версия :version — коммит [:short](:url).", - "Via Telegram": "Через Telegram", + "Verify this email address": "Подтвердите этот адрес электронной почты", + "Version :version — commit [:short](:url).": "Версия :version — зафиксируйте [:short](:url).", + "Via Telegram": "Через Телеграм", "Video call": "Видеозвонок", - "View": "Просмотр", - "View all": "Просмотреть все", - "View details": "Просмотреть подробности", - "Viewer": "Просмотрщик", - "View history": "Просмотреть историю", - "View log": "Просмотреть журнал", - "View on map": "Просмотреть на карте", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Подождите несколько секунд, чтобы Моника (приложение) узнала вас. Мы отправим вам фиктивное уведомление, чтобы проверить, работает ли это.", - "Waiting for key…": "Ожидание ключа...", - "Walked": "Ходили", + "View": "Вид", + "View all": "Посмотреть все", + "View details": "Посмотреть детали", + "Viewer": "Зритель", + "View history": "Посмотреть историю", + "View log": "Посмотреть журнал", + "View on map": "Посмотреть на карте", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Подождите несколько секунд, пока Monica (приложение) вас узнает. Мы отправим вам поддельное уведомление, чтобы проверить, сработает ли оно.", + "Waiting for key…": "Жду ключ…", + "Walked": "Ходил", "Wallpaper": "Обои", "Was there a reason for the call?": "Была ли причина для звонка?", - "Watched a movie": "Смотрели фильм", - "Watched a tv show": "Смотрели телешоу", - "Watched TV": "Смотрели телевизор", - "Watch Netflix every day": "Смотреть Netflix каждый день", + "Watched a movie": "Смотрел фильм", + "Watched a tv show": "Смотрел телешоу", + "Watched TV": "Смотрел телевизор", + "Watch Netflix every day": "Смотрите Netflix каждый день", "Ways to connect": "Способы подключения", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn поддерживает только безопасные соединения. Пожалуйста, загрузите эту страницу с помощью схемы https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Мы называем их отношением и обратным отношением. Для каждого отношения, которое вы определяете, вам нужно определить его аналог.", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn поддерживает только безопасные соединения. Пожалуйста, загрузите эту страницу со схемой https.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Мы называем их отношением и его обратным отношением. Для каждого отношения, которое вы определяете, вам необходимо определить его аналог.", "Wedding": "Свадьба", "Wednesday": "Среда", - "We hope you'll like it.": "Мы надеемся, что вам понравится.", + "We hope you'll like it.": "Мы надеемся, что вам это понравится.", "We hope you will like what we’ve done.": "Мы надеемся, что вам понравится то, что мы сделали.", - "Welcome to Monica.": "Добро пожаловать в Монику.", - "Went to a bar": "Ходили в бар", - "We support Markdown to format the text (bold, lists, headings, etc…).": "Мы поддерживаем Markdown для форматирования текста (жирный, списки, заголовки и т. д.).", + "Welcome to Monica.": "Добро пожаловать в Monica.", + "Went to a bar": "Пошел в бар", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Мы поддерживаем Markdown для форматирования текста (жирный, списки, заголовки и т. д.).", "We were unable to find a registered user with this email address.": "Нам не удалось найти зарегистрированного пользователя с этим адресом электронной почты.", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Мы отправим электронное письмо на этот адрес электронной почты, которое вам нужно будет подтвердить, прежде чем мы сможем отправлять уведомления на этот адрес.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Мы отправим электронное письмо на этот адрес электронной почты, который вам нужно будет подтвердить, прежде чем мы сможем отправлять уведомления на этот адрес.", "What happens now?": "Что происходит сейчас?", - "What is the loan?": "Что такое займ?", + "What is the loan?": "Что такое кредит?", "What permission should :name have?": "Какое разрешение должно быть у :name?", "What permission should the user have?": "Какое разрешение должно быть у пользователя?", - "What should we use to display maps?": "Что мы должны использовать для отображения карт?", - "What would make today great?": "Что сделает сегодня великолепным?", + "Whatsapp": "WhatsApp", + "What should we use to display maps?": "Что нам следует использовать для отображения карт?", + "What would make today great?": "Что могло бы сделать сегодняшний день замечательным?", "When did the call happened?": "Когда произошел звонок?", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Если двухфакторная аутентификация включена, Вам будет предложено ввести случайный токен безопасности во время аутентификации. Вы можете получить этот токен в приложении Google Authenticator Вашего телефона.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Когда включена двухфакторная аутентификация, во время аутентификации вам будет предложено ввести безопасный случайный токен. Вы можете получить этот токен из приложения Authenticator на своем телефоне.", - "When was the loan made?": "Когда был сделан займ?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Когда вы определяете отношение между двумя контактами, например, отношение отец-сын, Моника создает два отношения, по одному для каждого контакта:", - "Which email address should we send the notification to?": "На какой адрес электронной почты мы должны отправить уведомление?", - "Who called?": "Кто звонил?", - "Who makes the loan?": "Кто делает займ?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Если включена двухфакторная аутентификация, во время аутентификации вам будет предложено ввести безопасный случайный токен. Вы можете получить этот токен из приложения Authenticator вашего телефона.", + "When was the loan made?": "Когда был выдан кредит?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Когда вы определяете связь между двумя контактами, например связь отца и сына, Monica создает две связи, по одной для каждого контакта:", + "Which email address should we send the notification to?": "На какой адрес электронной почты нам следует отправить уведомление?", + "Who called?": "Который назвал?", + "Who makes the loan?": "Кто выдает кредит?", "Whoops!": "Упс!", "Whoops! Something went wrong.": "Упс! Что-то пошло не так.", - "Who should we invite in this vault?": "Кого мы должны пригласить в этот сейф?", - "Who the loan is for?": "Для кого займ?", - "Wish good day": "Желаю хорошего дня", + "Who should we invite in this vault?": "Кого нам следует пригласить в это хранилище?", + "Who the loan is for?": "На кого рассчитан кредит?", + "Wish good day": "желаю хорошего дня", "Work": "Работа", - "Write the amount with a dot if you need decimals, like 100.50": "Напишите сумму с точкой, если вам нужны десятичные знаки, например 100,50", - "Written on": "Написано на", + "Write the amount with a dot if you need decimals, like 100.50": "Если вам нужны десятичные дроби, напишите сумму через точку, например 100,50.", + "Written on": "Написано", "wrote a note": "написал заметку", - "xe\/xem": "xe\/xem", + "xe/xem": "хе/хем", "year": "год", "Years": "Годы", "You are here:": "Вы здесь:", - "You are invited to join Monica": "Вас пригласили присоединиться к Монике", + "You are invited to join Monica": "Приглашаем вас присоединиться к Monica", "You are receiving this email because we received a password reset request for your account.": "Вы получили это письмо, потому что мы получили запрос на сброс пароля для Вашей учётной записи.", - "you can't even use your current username or password to sign in,": "вы даже не можете использовать свое текущее имя пользователя или пароль для входа,", - "you can't import any data from your current Monica account(yet),": "вы не можете импортировать какие-либо данные из вашей текущей учетной записи Monica (пока),", - "You can add job information to your contacts and manage the companies here in this tab.": "Вы можете добавлять информацию о работе в свои контакты и управлять компаниями здесь, в этой вкладке.", - "You can add more account to log in to our service with one click.": "Вы можете добавить больше учетных записей для входа в наш сервис одним щелчком мыши.", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Вы можете получать уведомления через разные каналы: электронные письма, сообщение в Telegram, на Facebook. Вы решаете.", + "you can't even use your current username or password to sign in,": "вы даже не можете использовать свое текущее имя пользователя или пароль для входа в систему,", + "you can't import any data from your current Monica account(yet),": "вы не можете импортировать данные из своей текущей учетной записи Monica (пока),", + "You can add job information to your contacts and manage the companies here in this tab.": "Здесь, на этой вкладке, вы можете добавлять информацию о вакансиях в свои контакты и управлять компаниями.", + "You can add more account to log in to our service with one click.": "Вы можете добавить дополнительную учетную запись для входа в наш сервис одним щелчком мыши.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Вы можете получать уведомления по разным каналам: электронная почта, сообщение Telegram, Facebook. Вам решать.", "You can change that at any time.": "Вы можете изменить это в любое время.", - "You can choose how you want Monica to display dates in the application.": "Вы можете выбрать, как вы хотите, чтобы Моника отображала даты в приложении.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Вы можете выбрать, какие валюты должны быть включены в вашу учетную запись, а какие нет.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Вы можете настроить, как контакты будут отображаться согласно вашему собственному вкусу\/культуре. Возможно, вы захотите использовать James Bond вместо Bond James. Здесь вы можете определить это на свое усмотрение.", - "You can customize the criteria that let you track your mood.": "Вы можете настроить критерии, которые позволят вам отслеживать ваше настроение.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Вы можете перемещать контакты между хранилищами. Это изменение происходит немедленно. Вы можете перемещать контакты только в те хранилища, в которых вы участвуете. Все данные контактов будут перемещены вместе с ними.", - "You cannot remove your own administrator privilege.": "Вы не можете снять свои собственные права администратора.", - "You don’t have enough space left in your account.": "У вас не осталось достаточно места в вашей учетной записи.", - "You don’t have enough space left in your account. Please upgrade.": "У вас не осталось достаточно места в вашей учетной записи. Пожалуйста, обновите ее.", + "You can choose how you want Monica to display dates in the application.": "Вы можете выбрать, как Monica будет отображать даты в приложении.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Вы можете выбрать, какие валюты следует включить в вашем аккаунте, а какие нет.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Вы можете настроить отображение контактов в соответствии со своим вкусом/культурой. Возможно, вы захотите использовать Джеймса Бонда вместо Бонда Джеймса. Здесь вы можете определить это по своему желанию.", + "You can customize the criteria that let you track your mood.": "Вы можете настроить критерии, позволяющие отслеживать ваше настроение.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Вы можете перемещать контакты между хранилищами. Это изменение происходит немедленно. Вы можете перемещать контакты только в хранилища, частью которых вы являетесь. Все данные контактов будут перемещены вместе с ним.", + "You cannot remove your own administrator privilege.": "Вы не можете удалить свои права администратора.", + "You don’t have enough space left in your account.": "В вашем аккаунте недостаточно места.", + "You don’t have enough space left in your account. Please upgrade.": "В вашем аккаунте недостаточно места. Пожалуйста, обновите.", "You have been invited to join the :team team!": "Вас пригласили присоединиться к команде :team.", "You have enabled two factor authentication.": "Вы включили двухфакторную аутентификацию.", "You have not enabled two factor authentication.": "Вы не включили двухфакторную аутентификацию.", - "You have not setup Telegram in your environment variables yet.": "Вы еще не настроили Telegram в ваших переменных окружения.", - "You haven’t received a notification in this channel yet.": "Вы еще не получали уведомления в этом канале.", + "You have not setup Telegram in your environment variables yet.": "Вы еще не настроили Telegram в переменных среды.", + "You haven’t received a notification in this channel yet.": "Вы еще не получили уведомление в этом канале.", "You haven’t setup Telegram yet.": "Вы еще не настроили Telegram.", "You may accept this invitation by clicking the button below:": "Вы можете принять это приглашение, нажав кнопку ниже:", "You may delete any of your existing tokens if they are no longer needed.": "Вы можете удалить любой из имеющихся у Вас токенов, если они больше не нужны.", "You may not delete your personal team.": "Вы не можете удалить свою команду.", "You may not leave a team that you created.": "Вы не можете покидать созданную Вами команду.", - "You might need to reload the page to see the changes.": "Вам может потребоваться перезагрузить страницу, чтобы увидеть изменения.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Вам нужен хотя бы один шаблон для отображения контактов. Без шаблона Monica не будет знать, какую информацию отображать.", - "Your account current usage": "Текущее использование вашей учетной записи", - "Your account has been created": "Ваша учетная запись была создана", - "Your account is linked": "Ваша учетная запись связана", - "Your account limits": "Ограничения вашей учетной записи", - "Your account will be closed immediately,": "Ваша учетная запись будет немедленно закрыта,", + "You might need to reload the page to see the changes.": "Возможно, вам придется перезагрузить страницу, чтобы увидеть изменения.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Для отображения контактов необходим хотя бы один шаблон. Без шаблона Monica не будет знать, какую информацию он должен отображать.", + "Your account current usage": "Текущее использование вашего аккаунта", + "Your account has been created": "Ваш аккаунт был создан", + "Your account is linked": "Ваш аккаунт связан", + "Your account limits": "Ограничения вашего аккаунта", + "Your account will be closed immediately,": "Ваш аккаунт будет немедленно закрыт,", "Your browser doesn’t currently support WebAuthn.": "Ваш браузер в настоящее время не поддерживает WebAuthn.", "Your email address is unverified.": "Ваш адрес электронной почты не подтверждён.", - "Your life events": "События в вашей жизни", + "Your life events": "События вашей жизни", "Your mood has been recorded!": "Ваше настроение записано!", "Your mood that day": "Ваше настроение в этот день", - "Your mood that you logged at this date": "Ваше настроение на эту дату", + "Your mood that you logged at this date": "Ваше настроение, которое вы записали на этот день", "Your mood this year": "Ваше настроение в этом году", - "Your name here will be used to add yourself as a contact.": "Ваше имя будет использовано для добавления себя в контакты.", + "Your name here will be used to add yourself as a contact.": "Ваше имя здесь будет использоваться для добавления вас в список контактов.", "You wanted to be reminded of the following:": "Вы хотели напомнить о следующем:", - "You WILL still have to delete your account on Monica or OfficeLife.": "Вы все еще должны удалить свою учетную запись в Monica или OfficeLife.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Вы были приглашены использовать этот адрес электронной почты в Monica, персональной CRM с открытым исходным кодом, чтобы мы могли использовать его для отправки вам уведомлений.", - "ze\/hir": "ze\/hir", + "You WILL still have to delete your account on Monica or OfficeLife.": "Вам все равно придется удалить свою учетную запись в Monica или OfficeLife.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Вам было предложено использовать этот адрес электронной почты в Monica, персональной CRM с открытым исходным кодом, чтобы мы могли использовать его для отправки вам уведомлений.", + "ze/hir": "зе/хир", "⚠️ Danger zone": "⚠️ Опасная зона", "🌳 Chalet": "🌳 Шале", - "🏠 Secondary residence": "🏠 Вторичное жилье", + "🏠 Secondary residence": "🏠 Второе место жительства", "🏡 Home": "🏡 Дом", "🏢 Work": "🏢 Работа", "🔔 Reminder: :label for :contactName": "🔔 Напоминание: :label для :contactName", "😀 Good": "😀 Хорошо", - "😁 Positive": "😁 Позитивно", - "😐 Meh": "😐 Так себе", + "😁 Positive": "😁 Позитив", + "😐 Meh": "😐 Мех", "😔 Bad": "😔 Плохо", - "😡 Negative": "😡 Негативно", + "😡 Negative": "😡 Отрицательный", "😩 Awful": "😩 Ужасно", "😶‍🌫️ Neutral": "😶‍🌫️ Нейтрально", "🥳 Awesome": "🥳 Круто" diff --git a/lang/ru/auth.php b/lang/ru/auth.php index b777df3dbd8..c1d68384b34 100644 --- a/lang/ru/auth.php +++ b/lang/ru/auth.php @@ -2,7 +2,7 @@ return [ 'failed' => 'Неверное имя пользователя или пароль.', - 'lang' => 'Pусский', + 'lang' => 'русский язык', 'login_provider_azure' => 'Microsoft', 'login_provider_facebook' => 'Facebook', 'login_provider_github' => 'GitHub', diff --git a/lang/ru/validation.php b/lang/ru/validation.php index e3f62f0ee11..125f71e0258 100644 --- a/lang/ru/validation.php +++ b/lang/ru/validation.php @@ -93,6 +93,7 @@ 'string' => 'Количество символов в поле :attribute должно быть между :min и :max.', ], 'boolean' => 'Значение поля :attribute должно быть логического типа.', + 'can' => 'Значение поля :attribute должно быть авторизованным.', 'confirmed' => 'Значение поля :attribute не совпадает с подтверждаемым.', 'current_password' => 'Неверный пароль.', 'date' => 'Значение поля :attribute должно быть корректной датой.', diff --git a/lang/sv.json b/lang/sv.json index f6643ca716f..814483c44f4 100644 --- a/lang/sv.json +++ b/lang/sv.json @@ -1,6 +1,6 @@ { - "(and :count more error)": "(och :count more error)", - "(and :count more errors)": "(och :räkna fler fel)", + "(and :count more error)": "(och :count fler fel)", + "(and :count more errors)": "(och :count fel till)", "(Help)": "(Hjälp)", "+ add a contact": "+ lägg till en kontakt", "+ add another": "+ lägg till en till", @@ -22,21 +22,21 @@ "+ note": "+ notera", "+ number of hours slept": "+ antal timmar sov", "+ prefix": "+ prefix", - "+ pronoun": "+ tenderar", + "+ pronoun": "+ pronomen", "+ suffix": "+ suffix", ":count contact|:count contacts": ":count kontakt|:count kontakter", ":count hour slept|:count hours slept": ":count timme sov|:count timmar sov", - ":count min read": ": räkna min läst", - ":count post|:count posts": ":count post|:count posts", - ":count template section|:count template sections": ":count mall avsnitt|:count mall avsnitt", - ":count word|:count words": ":räkna ord|:räkna ord", - ":distance km": ":avstånd km", - ":distance miles": ":distans mil", - ":file at line :line": ":fil på rad :linje", - ":file in :class at line :line": ":fil i :klass på rad :linje", - ":Name called": ":namn kallas", - ":Name called, but I didn’t answer": ":namnet ropade, men jag svarade inte", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName bjuder in dig till Monica, ett personligt CRM med öppen källkod, designat för att hjälpa dig dokumentera dina relationer.", + ":count min read": ":count min läst", + ":count post|:count posts": ":count inlägg|:count inlägg", + ":count template section|:count template sections": ":count mallsektion|:count mallsektioner", + ":count word|:count words": ":count ord|:count ord", + ":distance km": ":distance km", + ":distance miles": ":distance mil", + ":file at line :line": ":file på rad :line", + ":file in :class at line :line": ":file i :class på rad :line", + ":Name called": ":Name ringde", + ":Name called, but I didn’t answer": ":Name ringde, men jag svarade inte", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName bjuder in dig att gå med i Monica, ett personligt CRM med öppen källkod, designat för att hjälpa dig dokumentera dina relationer.", "Accept Invitation": "Acceptera inbjudan", "Accept invitation and create your account": "Acceptera inbjudan och skapa ditt konto", "Account and security": "Konto och säkerhet", @@ -51,7 +51,7 @@ "Add a contact information": "Lägg till en kontaktinformation", "Add a date": "Lägg till ett datum", "Add additional security to your account using a security key.": "Lägg till ytterligare säkerhet till ditt konto med en säkerhetsnyckel.", - "Add additional security to your account using two factor authentication.": "Lägg till ytterligare säkerhet till ditt konto med tvåfaktorsautentisering.", + "Add additional security to your account using two factor authentication.": "Lägg till ytterligare säkerhet i ditt konto med två faktorautentisering.", "Add a document": "Lägg till ett dokument", "Add a due date": "Lägg till ett förfallodatum", "Add a gender": "Lägg till ett kön", @@ -63,7 +63,7 @@ "Add a label": "Lägg till en etikett", "Add a life event": "Lägg till en livshändelse", "Add a life event category": "Lägg till en kategori för livshändelser", - "add a life event type": "lägg till en livshändelsetyp", + "add a life event type": "lägga till en livshändelsetyp", "Add a module": "Lägg till en modul", "Add an address": "Lägg till en adress", "Add an address type": "Lägg till en adresstyp", @@ -71,7 +71,7 @@ "Add an email to be notified when a reminder occurs.": "Lägg till ett e-postmeddelande för att bli meddelad när en påminnelse inträffar.", "Add an entry": "Lägg till en post", "add a new metric": "lägga till ett nytt mått", - "Add a new team member to your team, allowing them to collaborate with you.": "Lägg till en ny teammedlem till ditt team så att de kan samarbeta med dig.", + "Add a new team member to your team, allowing them to collaborate with you.": "Lägg till en ny teammedlem i ditt team, så att de kan samarbeta med dig.", "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Lägg till ett viktigt datum för att komma ihåg vad som är viktigt för dig om den här personen, som ett födelsedatum eller ett dödsdatum.", "Add a note": "Lägg till en anteckning", "Add another life event": "Lägg till ytterligare en livshändelse", @@ -115,19 +115,19 @@ "Address type": "Adresstyp", "Address types": "Adresstyper", "Address types let you classify contact addresses.": "Adresstyper låter dig klassificera kontaktadresser.", - "Add Team Member": "Lägg till teammedlem", + "Add Team Member": "Lägg Till Teammedlem", "Add to group": "Lägg till i grupp", "Administrator": "Administratör", - "Administrator users can perform any action.": "Administratörsanvändare kan utföra vilken åtgärd som helst.", - "a father-son relation shown on the father page,": "en far-son-relation som visas på farsidan,", + "Administrator users can perform any action.": "Administratörsanvändare kan utföra alla åtgärder.", + "a father-son relation shown on the father page,": "en far-son relation som visas på farsidan,", "after the next occurence of the date.": "efter nästa förekomst av datumet.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "En grupp är två eller flera personer tillsammans. Det kan vara en familj, ett hushåll, en sportklubb. Vad som än är viktigt för dig.", "All contacts in the vault": "Alla kontakter i valvet", "All files": "Alla filer", "All groups in the vault": "Alla grupper i valvet", - "All journal metrics in :name": "Alla journalmått i :name", - "All of the people that are part of this team.": "Alla människor som är en del av detta team.", - "All rights reserved.": "Alla rättigheter förbehållna.", + "All journal metrics in :name": "Alla journalstatistik i :name", + "All of the people that are part of this team.": "Alla de människor som är en del av detta team.", + "All rights reserved.": "Alla rättigheter förbehålls.", "All tags": "Alla taggar", "All the address types": "Alla adresstyper", "All the best,": "Med vänliga hälsningar,", @@ -160,7 +160,7 @@ "All the vaults": "Alla valven", "All the vaults in the account": "Alla valven på kontot", "All users and vaults will be deleted immediately,": "Alla användare och valv kommer att raderas omedelbart,", - "All users in this account": "Alla användare i det här kontot", + "All users in this account": "Alla användare i detta konto", "Already registered?": "Redan registrerad?", "Already used on this page": "Används redan på denna sida", "A new verification link has been sent to the email address you provided during registration.": "En ny verifieringslänk har skickats till den e-postadress du angav vid registreringen.", @@ -168,10 +168,10 @@ "A new verification link has been sent to your email address.": "En ny verifieringslänk har skickats till din e-postadress.", "Anniversary": "Årsdag", "Apartment, suite, etc…": "Lägenhet, svit, etc...", - "API Token": "API-token", - "API Token Permissions": "API Token-behörigheter", - "API Tokens": "API-tokens", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API-tokens tillåter tredjepartstjänster att autentisera med vår applikation å dina vägnar.", + "API Token": "API-Token", + "API Token Permissions": "API Token behörigheter", + "API Tokens": "API-Tokens", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API-tokens tillåter tredjepartstjänster att autentisera med vår ansökan för din räkning.", "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "En inläggsmall definierar hur innehållet i ett inlägg ska visas. Du kan definiera hur många mallar du vill, och välja vilken mall som ska användas på vilket inlägg.", "Archive": "Arkiv", "Archive contact": "Arkivkontakt", @@ -187,15 +187,15 @@ "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Är du säker? Detta tar bort kontaktinformationstyperna från alla kontakter, men tar inte bort kontakterna själva.", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Är du säker? Detta tar bort könen från alla kontakter, men tar inte bort kontakterna själva.", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Är du säker? Detta tar bort mallen från alla kontakter, men tar inte bort kontakterna själva.", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Är du säker på att du vill ta bort detta team? När ett team har tagits bort kommer alla dess resurser och data att raderas permanent.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Är du säker på att du vill ta bort ditt konto? När ditt konto har raderats kommer alla dess resurser och data att raderas permanent. Ange ditt lösenord för att bekräfta att du vill ta bort ditt konto permanent.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Är du säker på att du vill ta bort det här laget? När ett lag har tagits bort kommer alla dess resurser och data att raderas permanent.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Är du säker på att du vill ta bort ditt konto? När ditt konto har tagits bort kommer alla dess resurser och data att raderas permanent. Ange ditt lösenord för att bekräfta att du vill ta bort ditt konto permanent.", "Are you sure you would like to archive this contact?": "Är du säker på att du vill arkivera den här kontakten?", "Are you sure you would like to delete this API token?": "Är du säker på att du vill ta bort denna API-token?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Är du säker på att du vill ta bort den här kontakten? Detta tar bort allt vi vet om den här kontakten.", "Are you sure you would like to delete this key?": "Är du säker på att du vill ta bort den här nyckeln?", "Are you sure you would like to leave this team?": "Är du säker på att du vill lämna det här laget?", - "Are you sure you would like to remove this person from the team?": "Är du säker på att du vill ta bort den här personen från teamet?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "En del av livet låter dig gruppera inlägg efter något som är meningsfullt för dig. Lägg till en bit av livet i ett inlägg för att se det här.", + "Are you sure you would like to remove this person from the team?": "Är du säker på att du vill ta bort den här personen från laget?", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "En bit av livet låter dig gruppera inlägg efter något som är meningsfullt för dig. Lägg till en bit av livet i ett inlägg för att se det här.", "a son-father relation shown on the son page.": "en son-far-relation som visas på sonsidan.", "assigned a label": "tilldelas en etikett", "Association": "Förening", @@ -220,7 +220,7 @@ "boss": "chef", "Bought": "Köpt", "Breakdown of the current usage": "Uppdelning av den aktuella användningen", - "brother\/sister": "bror syster", + "brother/sister": "bror/syster", "Browser Sessions": "Webbläsarsessioner", "Buddhist": "buddhist", "Business": "Företag", @@ -229,7 +229,7 @@ "Call reasons": "Anropsskäl", "Call reasons let you indicate the reason of calls you make to your contacts.": "Samtalsorsaker låter dig ange orsaken till samtal du ringer till dina kontakter.", "Calls": "Samtal", - "Cancel": "Annullera", + "Cancel": "Avbryta", "Cancel account": "Avsluta konto", "Cancel all your active subscriptions": "Avsluta alla dina aktiva prenumerationer", "Cancel your account": "Avsluta ditt konto", @@ -258,19 +258,19 @@ "Christian": "Christian", "Christmas": "Jul", "City": "Stad", - "Click here to re-send the verification email.": "Klicka här för att skicka verifieringsmeddelandet igen.", + "Click here to re-send the verification email.": "Klicka här för att skicka verifieringsmejlet igen.", "Click on a day to see the details": "Klicka på en dag för att se detaljerna", - "Close": "Stänga", + "Close": "Stäng", "close edit mode": "stäng redigeringsläget", "Club": "Klubb", - "Code": "Koda", + "Code": "Kod", "colleague": "kollega", "Companies": "Företag", "Company name": "Företagsnamn", "Compared to Monica:": "Jämfört med Monica:", "Configure how we should notify you": "Konfigurera hur vi ska meddela dig", "Confirm": "Bekräfta", - "Confirm Password": "Bekräfta lösenord", + "Confirm Password": "Bekräfta lösenordet", "Connect": "Ansluta", "Connected": "Ansluten", "Connect with your security key": "Anslut med din säkerhetsnyckel", @@ -287,7 +287,7 @@ "Copied.": "Kopierade.", "Copy": "Kopiera", "Copy value into the clipboard": "Kopiera värde till urklipp", - "Could not get address book data.": "Kunde inte hämta adressboksdata.", + "Could not get address book data.": "Det gick inte att hämta adressboksdata.", "Country": "Land", "Couple": "Par", "cousin": "kusin", @@ -301,7 +301,7 @@ "Create a journal to document your life.": "Skapa en dagbok för att dokumentera ditt liv.", "Create an account": "Skapa ett konto", "Create a new address": "Skapa en ny adress", - "Create a new team to collaborate with others on projects.": "Skapa ett nytt team för att samarbeta med andra i projekt.", + "Create a new team to collaborate with others on projects.": "Skapa ett nytt team för att samarbeta med andra om projekt.", "Create API Token": "Skapa API-token", "Create a post": "Skapa ett inlägg", "Create a reminder": "Skapa en påminnelse", @@ -317,10 +317,10 @@ "Create new label": "Skapa ny etikett", "Create new tag": "Skapa ny tagg", "Create New Team": "Skapa nytt team", - "Create Team": "Skapa Team", + "Create Team": "Skapa team", "Currencies": "Valutor", "Currency": "Valuta", - "Current default": "Nuvarande standard", + "Current default": "Aktuell standard", "Current language:": "Aktuellt språk:", "Current Password": "Nuvarande lösenord", "Current site used to display maps:": "Aktuell webbplats som används för att visa kartor:", @@ -333,10 +333,10 @@ "Customize how contacts should be displayed": "Anpassa hur kontakter ska visas", "Custom name order": "Anpassad namnordning", "Daily affirmation": "Daglig bekräftelse", - "Dashboard": "instrumentbräda", + "Dashboard": "Instrumentpanel", "date": "datum", "Date of the event": "Datum för händelsen", - "Date of the event:": "Datum för händelsen:", + "Date of the event:": "Datum för evenemanget:", "Date type": "Datumtyp", "Date types are essential as they let you categorize dates that you add to a contact.": "Datumtyper är viktiga eftersom de låter dig kategorisera datum som du lägger till i en kontakt.", "Day": "Dag", @@ -348,7 +348,7 @@ "Delete": "Radera", "Delete Account": "Radera konto", "Delete a new key": "Ta bort en ny nyckel", - "Delete API Token": "Ta bort API-token", + "Delete API Token": "Radera API-token", "Delete contact": "Ta bort kontakt", "deleted a contact information": "raderade en kontaktinformation", "deleted a goal": "raderade ett mål", @@ -359,12 +359,12 @@ "Deleted author": "Raderad författare", "Delete group": "Ta bort grupp", "Delete journal": "Ta bort journal", - "Delete Team": "Ta bort Team", + "Delete Team": "Radera team", "Delete the address": "Radera adressen", "Delete the photo": "Ta bort fotot", "Delete the slice": "Ta bort skivan", "Delete the vault": "Ta bort valvet", - "Delete your account on https:\/\/customers.monicahq.com.": "Ta bort ditt konto på https:\/\/customers.monicahq.com.", + "Delete your account on https://customers.monicahq.com.": "Ta bort ditt konto på https://customers.monicahq.com.", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Att ta bort valvet innebär att ta bort all data inuti detta valv, för alltid. Det finns ingen återvändo. Var säker.", "Description": "Beskrivning", "Detail of a goal": "Detalj av ett mål", @@ -379,7 +379,7 @@ "Distance": "Distans", "Documents": "Dokument", "Dog": "Hund", - "Done.": "Gjort.", + "Done.": "Klar.", "Download": "Ladda ner", "Download as vCard": "Ladda ner som vCard", "Drank": "Drack", @@ -396,8 +396,8 @@ "Edit journal information": "Redigera journalinformation", "Edit journal metrics": "Redigera journalmått", "Edit names": "Redigera namn", - "Editor": "Redaktör", - "Editor users have the ability to read, create, and update.": "Editor-användare har möjlighet att läsa, skapa och uppdatera.", + "Editor": "Utgivare", + "Editor users have the ability to read, create, and update.": "Redigeraranvändare har möjlighet att läsa, skapa och uppdatera.", "Edit post": "Redigera inlägg", "Edit Profile": "Redigera profil", "Edit slice of life": "Redigera del av livet", @@ -406,10 +406,10 @@ "Email": "E-post", "Email address": "E-postadress", "Email address to send the invitation to": "E-postadress att skicka inbjudan till", - "Email Password Reset Link": "E-post Lösenord Återställ länk", - "Enable": "Gör det möjligt", + "Email Password Reset Link": "Skicka återställningslänk", + "Enable": "Aktivera", "Enable all": "Aktivera alla", - "Ensure your account is using a long, random password to stay secure.": "Se till att ditt konto använder ett långt, slumpmässigt lösenord för att förbli säkert.", + "Ensure your account is using a long, random password to stay secure.": "Se till att ditt konto använder ett långt, slumpmässigt lösenord för att vara säkert.", "Enter a number from 0 to 100000. No decimals.": "Ange ett tal från 0 till 100 000. Inga decimaler.", "Events this month": "Händelser denna månad", "Events this week": "Händelser denna vecka", @@ -419,6 +419,7 @@ "Exception:": "Undantag:", "Existing company": "Befintligt företag", "External connections": "Externa anslutningar", + "Facebook": "Facebook", "Family": "Familj", "Family summary": "Familjesammanfattning", "Favorites": "Favoriter", @@ -427,7 +428,7 @@ "Filter": "Filtrera", "Filter list or create a new label": "Filtrera listan eller skapa en ny etikett", "Filter list or create a new tag": "Filtrera lista eller skapa en ny tagg", - "Find a contact in this vault": "Hitta en kontakt i det här valvet", + "Find a contact in this vault": "Hitta en kontakt i detta valv", "Finish enabling two factor authentication.": "Slutför aktiveringen av tvåfaktorsautentisering.", "First name": "Förnamn", "First name Last name": "Förnamn Efternamn", @@ -438,9 +439,8 @@ "For:": "För:", "For advice": "För råd", "Forbidden": "Förbjuden", - "Forgot password?": "Glömt ditt lösenord?", "Forgot your password?": "Glömt ditt lösenord?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Glömt ditt lösenord? Inga problem. Låt oss bara veta din e-postadress så skickar vi en länk för återställning av lösenord via e-post som gör att du kan välja en ny.", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Glömt ditt lösenord? Inga problem. Ange din e-post adress så skickar vi en återställningslänk.", "For your security, please confirm your password to continue.": "För din säkerhet, bekräfta ditt lösenord för att fortsätta.", "Found": "Hittades", "Friday": "fredag", @@ -451,7 +451,6 @@ "Gender": "Kön", "Gender and pronoun": "Kön och pronomen", "Genders": "Kön", - "Gift center": "Presentcenter", "Gift occasions": "Presenttillfällen", "Gift occasions let you categorize all your gifts.": "Presenttillfällen låter dig kategorisera alla dina gåvor.", "Gift states": "Gåva anger", @@ -464,25 +463,25 @@ "Google Maps": "Google kartor", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps erbjuder den bästa noggrannheten och detaljerna, men det är inte idealiskt ur integritetssynpunkt.", "Got fired": "Fick sparken", - "Go to page :page": "Gå till sida :sida", + "Go to page :page": "Gå till sidan :page", "grand child": "barnbarn", "grand parent": "farförälder", - "Great! You have accepted the invitation to join the :team team.": "Bra! Du har accepterat inbjudan att gå med i :team-teamet.", + "Great! You have accepted the invitation to join the :team team.": "Toppen! Du har accepterat inbjudan att gå med i :team-laget.", "Group journal entries together with slices of life.": "Gruppera journalanteckningar tillsammans med delar av livet.", "Groups": "Grupper", "Groups let you put your contacts together in a single place.": "Med grupper kan du sätta ihop dina kontakter på en enda plats.", "Group type": "Grupptyp", - "Group type: :name": "Grupptyp: :namn", + "Group type: :name": "Grupptyp: :name", "Group types": "Grupptyper", "Group types let you group people together.": "Grupptyper låter dig gruppera personer tillsammans.", "Had a promotion": "Hade en befordran", "Hamster": "Hamster", "Have a great day,": "Ha en bra dag,", - "he\/him": "han honom", - "Hello!": "Hallå!", + "he/him": "han/honom", + "Hello!": "Hej!", "Help": "Hjälp", - "Hi :name": "Hej :namn", - "Hinduist": "hinduiskt", + "Hi :name": "Hej :name", + "Hinduist": "hinduist", "History of the notification sent": "Historik för det skickade meddelandet", "Hobbies": "Hobbyer", "Home": "Hem", @@ -498,21 +497,21 @@ "How should we display dates": "Hur ska vi visa datum", "How should we display distance values": "Hur ska vi visa avståndsvärden", "How should we display numerical values": "Hur ska vi visa numeriska värden", - "I agree to the :terms and :policy": "Jag godkänner :villkoren och :policyn", - "I agree to the :terms_of_service and :privacy_policy": "Jag godkänner :villkoren_för_tjänst och :integritetspolicyn", + "I agree to the :terms and :policy": "Jag godkänner :terms och :policy", + "I agree to the :terms_of_service and :privacy_policy": "Jag samtycker till :terms_of_service och :privacy_policy", "I am grateful for": "Jag är tacksam för", "I called": "jag ringde", "I called, but :name didn’t answer": "Jag ringde, men :name svarade inte", "Idea": "Aning", "I don’t know the name": "Jag vet inte namnet", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Om det behövs kan du logga ut från alla dina andra webbläsarsessioner på alla dina enheter. Några av dina senaste sessioner listas nedan; denna lista kanske inte är uttömmande. Om du känner att ditt konto har blivit utsatt för intrång bör du också uppdatera ditt lösenord.", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Om det behövs kan du logga ut från alla dina andra webbläsarsessioner på alla dina enheter. Några av dina senaste sessioner listas nedan; denna lista kan dock inte vara uttömmande. Om du känner att ditt konto har äventyrats bör du också uppdatera ditt lösenord.", "If the date is in the past, the next occurence of the date will be next year.": "Om datumet är i det förflutna, kommer nästa förekomst av datumet att vara nästa år.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Om du har problem med att klicka på knappen \":actionText\", kopiera och klistra in webbadressen nedan\ni din webbläsare:", - "If you already have an account, you may accept this invitation by clicking the button below:": "Om du redan har ett konto kan du acceptera den här inbjudan genom att klicka på knappen nedan:", - "If you did not create an account, no further action is required.": "Om du inte skapade ett konto krävs ingen ytterligare åtgärd.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Om du inte förväntade dig att få en inbjudan till det här teamet kan du kassera det här e-postmeddelandet.", - "If you did not request a password reset, no further action is required.": "Om du inte begärde en lösenordsåterställning krävs ingen ytterligare åtgärd.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Om du inte har ett konto kan du skapa ett genom att klicka på knappen nedan. När du har skapat ett konto kan du klicka på knappen för att acceptera inbjudan i det här e-postmeddelandet för att acceptera teaminbjudan:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Om det ej fungerar att klicka på \":actionText\"-knappen, kopiera och klista in länken nedan i webbläsarens adressfält:", + "If you already have an account, you may accept this invitation by clicking the button below:": "Om du redan har ett konto kan du acceptera inbjudan genom att klicka på knappen nedan:", + "If you did not create an account, no further action is required.": "Om du ej har skapat ett konto behöver du ej göra något.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Om du inte förväntade dig att få en inbjudan till det här laget kan du kassera det här e-postmeddelandet.", + "If you did not request a password reset, no further action is required.": "Om du inte har begärt ett lösenord behöver du ej göra något.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Om du inte har ett konto kan du skapa ett genom att klicka på knappen nedan. När du har skapat ett konto kan du klicka på knappen inbjudan acceptans i det här e-postmeddelandet för att acceptera teaminbjudan:", "If you’ve received this invitation by mistake, please discard it.": "Om du har fått den här inbjudan av misstag, släng den.", "I know the exact date, including the year": "Jag vet det exakta datumet, inklusive årtal", "I know the name": "Jag känner till namnet", @@ -523,13 +522,14 @@ "Information from Wikipedia": "Information från Wikipedia", "in love with": "förälskad i", "Inspirational post": "Inspirerande inlägg", + "Invalid JSON was returned from the route.": "Ogiltig JSON returnerades från rutten.", "Invitation sent": "Inbjudan skickad", "Invite a new user": "Bjud in en ny användare", "Invite someone": "Bjud in någon", "I only know a number of years (an age, for example)": "Jag vet bara ett antal år (till exempel en ålder)", "I only know the day and month, not the year": "Jag vet bara dagen och månaden, inte året", - "it misses some of the features, the most important ones being the API and gift management,": "den saknar några av funktionerna, de viktigaste är API och gåvohantering,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Det verkar som att det inte finns några mallar på kontot ännu. Vänligen lägg till minst en mall i ditt konto först och koppla sedan mallen till den här kontakten.", + "it misses some of the features, the most important ones being the API and gift management,": "det saknar några av funktionerna, de viktigaste är API och gåvohantering,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Det verkar som att det inte finns några mallar på kontot ännu. Vänligen lägg till minst mallen till ditt konto först och koppla sedan mallen till den här kontakten.", "Jew": "jude", "Job information": "Jobbinformation", "Job position": "Befattning", @@ -548,14 +548,14 @@ "Labels let you classify contacts using a system that matters to you.": "Etiketter låter dig klassificera kontakter med hjälp av ett system som är viktigt för dig.", "Language of the application": "Språket för ansökan", "Last active": "Senast aktiv", - "Last active :date": "Senast aktiv :datum", + "Last active :date": "Senast aktiva :date", "Last name": "Efternamn", "Last name First name": "Efternamn förnamn", "Last updated": "Senast uppdaterad", "Last used": "Senast använd", - "Last used :date": "Senast använd :datum", + "Last used :date": "Senast använd :date", "Leave": "Lämna", - "Leave Team": "Lämna Team", + "Leave Team": "Lämna team", "Life": "Liv", "Life & goals": "Livsmål", "Life events": "Livshändelser", @@ -564,23 +564,23 @@ "Life event types and categories": "Livshändelsetyper och kategorier", "Life metrics": "Livsmått", "Life metrics let you track metrics that are important to you.": "Livsmått låter dig spåra mätvärden som är viktiga för dig.", - "Link to documentation": "Länk till dokumentation", + "LinkedIn": "LinkedIn", "List of addresses": "Lista över adresser", "List of addresses of the contacts in the vault": "Lista över adresser till kontakterna i valvet", "List of all important dates": "Lista över alla viktiga datum", "Loading…": "Läser in…", "Load previous entries": "Ladda tidigare poster", "Loans": "Lån", - "Locale default: :value": "Locale default: :value", + "Locale default: :value": "Standard för språk: :value", "Log a call": "Logga ett samtal", "Log details": "Loggdetaljer", "logged the mood": "registrerade stämningen", - "Log in": "Logga in", + "Log in": "Inloggning", "Login": "Logga in", "Login with:": "Logga in med:", - "Log Out": "Logga ut", + "Log Out": "utloggning", "Logout": "Logga ut", - "Log Out Other Browser Sessions": "Logga ut andra webbläsarsessioner", + "Log Out Other Browser Sessions": "Logga Ut Andra Webbläsarsessioner", "Longest streak": "Längsta rad", "Love": "Kärlek", "loved by": "älskad av", @@ -588,11 +588,11 @@ "Made from all over the world. We ❤️ you.": "Tillverkad från hela världen. Vi ❤️ dig.", "Maiden name": "Flicknamn", "Male": "Manlig", - "Manage Account": "Hantera konto", + "Manage Account": "Hantera Konto", "Manage accounts you have linked to your Customers account.": "Hantera konton som du har länkat till ditt kundkonto.", "Manage address types": "Hantera adresstyper", "Manage and log out your active sessions on other browsers and devices.": "Hantera och logga ut dina aktiva sessioner på andra webbläsare och enheter.", - "Manage API Tokens": "Hantera API-tokens", + "Manage API Tokens": "Hantera API-Tokens", "Manage call reasons": "Hantera samtalsorsaker", "Manage contact information types": "Hantera kontaktinformationstyper", "Manage currencies": "Hantera valutor", @@ -607,11 +607,12 @@ "Manager": "Chef", "Manage relationship types": "Hantera relationstyper", "Manage religions": "Hantera religioner", - "Manage Role": "Hantera roll", + "Manage Role": "Hantera Roll", "Manage storage": "Hantera lagring", - "Manage Team": "Hantera team", + "Manage Team": "Hantera Team", "Manage templates": "Hantera mallar", "Manage users": "Hantera användare", + "Mastodon": "Mastodont", "Maybe one of these contacts?": "Kanske någon av dessa kontakter?", "mentor": "mentor", "Middle name": "Mellannamn", @@ -619,25 +620,25 @@ "miles (mi)": "miles (mi)", "Modules in this page": "Moduler på denna sida", "Monday": "måndag", - "Monica. All rights reserved. 2017 — :date.": "Monica. Alla rättigheter förbehållna. 2017 — :datum.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Alla rättigheter förbehållna. 2017 — :date.", "Monica is open source, made by hundreds of people from all around the world.": "Monica är öppen källkod, tillverkad av hundratals människor från hela världen.", "Monica was made to help you document your life and your social interactions.": "Monica skapades för att hjälpa dig dokumentera ditt liv och dina sociala interaktioner.", "Month": "Månad", "month": "månad", - "Mood in the year": "Humör under året", + "Mood in the year": "Humör på året", "Mood tracking events": "Händelser för humörspårning", "Mood tracking parameters": "Parametrar för humörspårning", "More details": "Fler detaljer", "More errors": "Fler fel", "Move contact": "Flytta kontakt", "Muslim": "muslim", - "Name": "namn", + "Name": "Namn", "Name of the pet": "Husdjurets namn", "Name of the reminder": "Påminnelsens namn", "Name of the reverse relationship": "Namn på det omvända förhållandet", "Nature of the call": "Typ av samtal", - "nephew\/niece": "brorson\/systerdotter", - "New Password": "nytt lösenord", + "nephew/niece": "brorson/systerdotter", + "New Password": "Nytt lösenord", "New to Monica?": "Ny hos Monica?", "Next": "Nästa", "Nickname": "Smeknamn", @@ -658,7 +659,7 @@ "No tasks.": "Inga uppgifter.", "Notes": "Anteckningar", "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Observera att om du tar bort en modul från en sida raderas inte den faktiska informationen på dina kontaktsidor. Det kommer helt enkelt att dölja det.", - "Not Found": "Hittades inte", + "Not Found": "Hittades ej", "Notification channels": "Aviseringskanaler", "Notification sent": "Avisering har skickats", "Not set": "Inte inställd", @@ -667,10 +668,10 @@ "Numerical value": "Numeriskt värde", "of": "av", "Offered": "Erbjuds", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "När ett team har tagits bort kommer alla dess resurser och data att raderas permanent. Innan du tar bort detta team, ladda ner all data eller information om detta team som du vill behålla.", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "När ett lag har tagits bort kommer alla dess resurser och data att raderas permanent. Innan du tar bort det här laget, ladda ner data eller information om det här laget som du vill behålla.", "Once you cancel,": "När du avbokar,", "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "När du klickar på knappen Setup nedan måste du öppna Telegram med knappen vi förser dig med. Detta kommer att hitta Monica Telegram-boten åt dig.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "När ditt konto har raderats kommer alla dess resurser och data att raderas permanent. Innan du tar bort ditt konto, ladda ner all data eller information som du vill behålla.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "När ditt konto har tagits bort kommer alla dess resurser och data att raderas permanent. Innan du tar bort ditt konto, ladda ner data eller information som du vill behålla.", "Only once, when the next occurence of the date occurs.": "Endast en gång, när nästa förekomst av datumet inträffar.", "Oops! Something went wrong.": "hoppsan! Något gick fel.", "Open Street Maps": "Öppna gatukartor", @@ -683,9 +684,9 @@ "Or reset the fields": "Eller återställ fälten", "Other": "Övrig", "Out of respect and appreciation": "Av respekt och uppskattning", - "Page Expired": "Sidan har löpt ut", + "Page Expired": "Sidan är utgången", "Pages": "Sidor", - "Pagination Navigation": "Pagineringsnavigering", + "Pagination Navigation": "Sidnumrering Navigering", "Parent": "Förälder", "parent": "förälder", "Participants": "Deltagare", @@ -693,12 +694,12 @@ "Part of": "Del av", "Password": "Lösenord", "Payment Required": "Betalning krävs", - "Pending Team Invitations": "Väntande teaminbjudningar", - "per\/per": "för\/för", - "Permanently delete this team.": "Ta bort detta team permanent.", + "Pending Team Invitations": "Väntande Teaminbjudningar", + "per/per": "per/per", + "Permanently delete this team.": "Ta bort det här laget permanent.", "Permanently delete your account.": "Ta bort ditt konto permanent.", "Permission for :name": "Tillstånd för :name", - "Permissions": "Behörigheter", + "Permissions": "Behörighet", "Personal": "Personlig", "Personalize your account": "Anpassa ditt konto", "Pet categories": "Husdjurskategorier", @@ -714,20 +715,20 @@ "Played tennis": "Spelade tennis", "Please choose a template for this new post": "Välj en mall för detta nya inlägg", "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Välj en mall nedan för att berätta för Monica hur denna kontakt ska visas. Mallar låter dig definiera vilken data som ska visas på kontaktsidan.", - "Please click the button below to verify your email address.": "Klicka på knappen nedan för att verifiera din e-postadress.", + "Please click the button below to verify your email address.": "Vänligen klicka på knappen nedan för att verifiera din e-postadress.", "Please complete this form to finalize your account.": "Fyll i det här formuläret för att slutföra ditt konto.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Bekräfta åtkomsten till ditt konto genom att ange en av dina nödåterställningskoder.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bekräfta åtkomsten till ditt konto genom att ange autentiseringskoden från din autentiseringsapplikation.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Bekräfta åtkomst till ditt konto genom att ange en av dina nödåterställningskoder.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Bekräfta åtkomst till ditt konto genom att ange autentiseringskoden som tillhandahålls av ditt autentiseringsprogram.", "Please confirm access to your account by validating your security key.": "Bekräfta åtkomsten till ditt konto genom att validera din säkerhetsnyckel.", - "Please copy your new API token. For your security, it won't be shown again.": "Kopiera din nya API-token. För din säkerhet kommer den inte att visas igen.", + "Please copy your new API token. For your security, it won't be shown again.": "Vänligen kopiera din nya API-token. För din säkerhet kommer den inte att visas igen.", "Please copy your new API token. For your security, it won’t be shown again.": "Kopiera din nya API-token. För din säkerhet kommer den inte att visas igen.", "Please enter at least 3 characters to initiate a search.": "Ange minst tre tecken för att starta en sökning.", "Please enter your password to cancel the account": "Vänligen ange ditt lösenord för att avsluta kontot", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Ange ditt lösenord för att bekräfta att du vill logga ut från dina andra webbläsarsessioner på alla dina enheter.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Ange ditt lösenord för att bekräfta att du vill logga ut från dina andra webbläsarsessioner över alla dina enheter.", "Please indicate the contacts": "Vänligen ange kontakterna", "Please join Monica": "Gå med Monica", - "Please provide the email address of the person you would like to add to this team.": "Ange e-postadressen till den person du vill lägga till i detta team.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Läs vår dokumentation<\/link> för att veta mer om den här funktionen och vilka variabler du har tillgång till.", + "Please provide the email address of the person you would like to add to this team.": "Ange e-postadressen till den person du vill lägga till i det här laget.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Läs vår dokumentation för att veta mer om den här funktionen och vilka variabler du har tillgång till.", "Please select a page on the left to load modules.": "Välj en sida till vänster för att ladda moduler.", "Please type a few characters to create a new label.": "Skriv några tecken för att skapa en ny etikett.", "Please type a few characters to create a new tag.": "Skriv några tecken för att skapa en ny tagg.", @@ -741,13 +742,13 @@ "Prefix": "Prefix", "Previous": "Tidigare", "Previous addresses": "Tidigare adresser", - "Privacy Policy": "Integritetspolicy", + "Privacy Policy": "sekretesspolicy", "Profile": "Profil", "Profile and security": "Profil och säkerhet", "Profile Information": "profilinformation", "Profile of :name": "Profil för :name", "Profile page of :name": "Profilsida för :name", - "Pronoun": "De tenderar", + "Pronoun": "Pronomen", "Pronouns": "Pronomen", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Pronomen är i grunden hur vi identifierar oss själva förutom vårt namn. Det är hur någon hänvisar till dig i en konversation.", "protege": "skyddsling", @@ -761,13 +762,13 @@ "Rabbit": "Kanin", "Ran": "Sprang", "Rat": "Råtta", - "Read :count time|Read :count times": "Läs :count time|Läs :count gånger", + "Read :count time|Read :count times": "Läs :count gång|Läs :count gånger", "Record a loan": "Spela in ett lån", "Record your mood": "Registrera ditt humör", "Recovery Code": "Återställningskod", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Oavsett var du befinner dig i världen, visa datum i din egen tidszon.", "Regards": "Hälsningar", - "Regenerate Recovery Codes": "Återskapa återställningskoder", + "Regenerate Recovery Codes": "Skapa nya återställningskoder", "Register": "Registrera", "Register a new key": "Registrera en ny nyckel", "Register a new key.": "Registrera en ny nyckel.", @@ -785,28 +786,28 @@ "Reminders for the next 30 days": "Påminnelser för de kommande 30 dagarna", "Remind me about this date every year": "Påminn mig om detta datum varje år", "Remind me about this date just once, in one year from now": "Påminn mig om detta datum bara en gång, om ett år från nu", - "Remove": "Avlägsna", + "Remove": "Ta bort", "Remove avatar": "Ta bort avatar", "Remove cover image": "Ta bort omslagsbild", "removed a label": "tagit bort en etikett", "removed the contact from a group": "tog bort kontakten från en grupp", "removed the contact from a post": "tog bort kontakten från ett inlägg", "removed the contact from the favorites": "tog bort kontakten från favoriterna", - "Remove Photo": "Ta bort foto", - "Remove Team Member": "Ta bort Team Member", + "Remove Photo": "Ta Bort Foto", + "Remove Team Member": "Ta Bort Gruppmedlem", "Rename": "Döp om", "Reports": "Rapporter", "Reptile": "Reptil", - "Resend Verification Email": "Skicka verifieringsemail igen", - "Reset Password": "Återställ lösenord", - "Reset Password Notification": "Återställ lösenordsmeddelande", + "Resend Verification Email": "Skicka Verifieringsmeddelande Igen", + "Reset Password": "Återställ lösenordet", + "Reset Password Notification": "Återställ lösenordet-notifikationen", "results": "resultat", "Retry": "Försök igen", "Revert": "Återgå", "Rode a bike": "Cyklade", "Role": "Roll", "Roles:": "Roller:", - "Roomates": "Krypande", + "Roomates": "Rumskamrater", "Saturday": "lördag", "Save": "Spara", "Saved.": "Sparad.", @@ -822,9 +823,9 @@ "Select a relationship type": "Välj en relationstyp", "Send invitation": "Skicka inbjudan", "Send test": "Skicka test", - "Sent at :time": "Skickat vid :tid", + "Sent at :time": "Skickat på :time", "Server Error": "Serverfel", - "Service Unavailable": "Tjänsten är inte tillgänglig", + "Service Unavailable": "Tjänsten svarar ej", "Set as default": "Ange som standard", "Set as favorite": "Ställ in som favorit", "Settings": "inställningar", @@ -833,16 +834,16 @@ "Setup Key": "Inställningsnyckel", "Setup Key:": "Inställningsnyckel:", "Setup Telegram": "Ställ in telegram", - "she\/her": "hon hennes", + "she/her": "hon/hennes", "Shintoist": "Shintoist", "Show Calendar tab": "Visa kalenderfliken", "Show Companies tab": "Visa företagsfliken", "Show completed tasks (:count)": "Visa slutförda uppgifter (:count)", "Show Files tab": "Fliken Visa filer", "Show Groups tab": "Visa fliken Grupper", - "Showing": "Som visar", - "Showing :count of :total results": "Visar :antal av :totalt resultat", - "Showing :first to :last of :total results": "Visar :first to :last av :totalt resultat", + "Showing": "Visar", + "Showing :count of :total results": "Visar :count av :total resultat", + "Showing :first to :last of :total results": "Visar :first till :last av :total resultat", "Show Journals tab": "Visa journaler-fliken", "Show Recovery Codes": "Visa återställningskoder", "Show Reports tab": "Visa fliken Rapporter", @@ -851,56 +852,54 @@ "Sign in to your account": "logga in på ditt konto", "Sign up for an account": "Registrera dig för ett konto", "Sikh": "Sikh", - "Slept :count hour|Slept :count hours": "Sov :count hour|Sov :count hours", + "Slept :count hour|Slept :count hours": "Sov :count timme|Sov :count timmar", "Slice of life": "Bit av livet", "Slices of life": "Skivor av livet", "Small animal": "Litet djur", "Social": "Social", "Some dates have a special type that we will use in the software to calculate an age.": "Vissa datum har en speciell typ som vi kommer att använda i programvaran för att beräkna en ålder.", - "Sort contacts": "Sortera kontakter", "So… it works 😼": "Så... det fungerar 😼", "Sport": "Sport", "spouse": "make", "Statistics": "Statistik", "Storage": "Lagring", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Lagra dessa återställningskoder i en säker lösenordshanterare. De kan användas för att återställa åtkomst till ditt konto om din tvåfaktorsautentiseringsenhet tappas bort.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Lagra dessa återställningskoder i en säker lösenordshanterare. De kan användas för att återställa åtkomst till ditt konto om din tvåfaktorsautentiseringsenhet går förlorad.", "Submit": "Skicka in", "subordinate": "underlydande", "Suffix": "Ändelse", "Summary": "Sammanfattning", "Sunday": "söndag", "Switch role": "Byt roll", - "Switch Teams": "Byt lag", + "Switch Teams": "Byt team", "Tabs visibility": "Synlighet för flikar", "Tags": "Taggar", "Tags let you classify journal posts using a system that matters to you.": "Taggar låter dig klassificera journalinlägg med hjälp av ett system som är viktigt för dig.", "Taoist": "Taoist", "Tasks": "Uppgifter", - "Team Details": "Lagdetaljer", - "Team Invitation": "Teaminbjudan", - "Team Members": "Gruppmedlemmar", - "Team Name": "Lagnamn", - "Team Owner": "Lagägare", - "Team Settings": "Laginställningar", + "Team Details": "Team detaljer", + "Team Invitation": "Gruppinbjudan", + "Team Members": "Team medlemmar", + "Team Name": "Teamets namn", + "Team Owner": "Teamägare", + "Team Settings": "Teaminställningar", "Telegram": "Telegram", "Templates": "Mallar", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Mallar låter dig anpassa vilken data som ska visas på dina kontakter. Du kan definiera hur många mallar du vill, och välja vilken mall som ska användas på vilken kontakt.", - "Terms of Service": "Användarvillkor", + "Terms of Service": "användarvillkor", "Test email for Monica": "Testmail för Monica", "Test email sent!": "Testmail skickat!", "Thanks,": "Tack,", - "Thanks for giving Monica a try": "Tack för att du gav Monica ett försök", "Thanks for giving Monica a try.": "Tack för att du gav Monica ett försök.", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Tack för att du registrerade dig! Innan du börjar, kan du verifiera din e-postadress genom att klicka på länken vi just skickade till dig via e-post? Om du inte har fått e-postmeddelandet skickar vi gärna ett till.", - "The :attribute must be at least :length characters.": ":attributet måste bestå av minst :length tecken.", - "The :attribute must be at least :length characters and contain at least one number.": ":attributet måste bestå av minst :length tecken och innehålla minst ett nummer.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attributet måste vara minst :length-tecken och innehålla minst ett specialtecken.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attributet måste vara minst :length-tecken och innehålla minst ett specialtecken och ett nummer.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attributet måste bestå av minst :length-tecken och innehålla minst ett versaltecken, ett nummer och ett specialtecken.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attributet måste bestå av minst :length tecken och innehålla minst ett versaler.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attributet måste bestå av minst :length-tecken och innehålla minst en versal och en siffra.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attributet måste vara minst :length-tecken och innehålla minst ett versaltecken och ett specialtecken.", - "The :attribute must be a valid role.": "Attributet : måste vara en giltig roll.", + "The :attribute must be at least :length characters.": ":Attribute måste vara minst :length tecken.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute måste vara minst :length tecken och innehålla minst ett nummer.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute måste vara minst :length tecken och innehålla minst ett specialtecken.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute måste vara minst :length tecken och innehålla minst ett specialtecken och ett nummer.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute måste vara minst :length tecken och innehålla minst ett VERSALT TECKEN, ett nummer och ett specialtecken.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute måste vara minst :length tecken och innehålla minst ett VERSALT TECKEN.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute måste vara minst :length tecken och innehålla minst ett VERSALT TECKEN och ett nummer.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute måste vara minst :length tecken och innehålla minst ett VERSALT TECKEN och ett specialtecken.", + "The :attribute must be a valid role.": ":Attribute måste vara en giltig Roll.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Kontots data kommer att raderas permanent från våra servrar inom 30 dagar och från alla säkerhetskopior inom 60 dagar.", "The address type has been created": "Adresstypen har skapats", "The address type has been deleted": "Adresstypen har tagits bort", @@ -1036,13 +1035,15 @@ "The reminder has been created": "Påminnelsen har skapats", "The reminder has been deleted": "Påminnelsen har raderats", "The reminder has been edited": "Påminnelsen har redigerats", + "The response is not a streamed response.": "Svaret är inte ett streamat svar.", + "The response is not a view.": "Svaret är inte en syn.", "The role has been created": "Rollen är skapad", "The role has been deleted": "Rollen har tagits bort", "The role has been updated": "Rollen har uppdaterats", "The section has been created": "Avsnittet har skapats", "The section has been deleted": "Avsnittet har tagits bort", "The section has been updated": "Avsnittet har uppdaterats", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Dessa personer har bjudits in till ditt team och har fått en inbjudan via e-post. De kan gå med i teamet genom att acceptera e-postinbjudan.", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Dessa personer har blivit inbjudna till ditt team och har skickats en inbjudan e-post. De kan gå med i laget genom att acceptera e-postinbjudan.", "The tag has been added": "Taggen har lagts till", "The tag has been created": "Taggen har skapats", "The tag has been deleted": "Taggen har tagits bort", @@ -1067,25 +1068,25 @@ "The vault has been created": "Valvet har skapats", "The vault has been deleted": "Valvet har raderats", "The vault have been updated": "Valvet har uppdaterats", - "they\/them": "de dem", + "they/them": "de/dem", "This address is not active anymore": "Denna adress är inte aktiv längre", - "This device": "Denna apparat", + "This device": "Denna enhet", "This email is a test email to check if Monica can send an email to this email address.": "Detta e-postmeddelande är ett testmeddelande för att kontrollera om Monica kan skicka ett e-postmeddelande till denna e-postadress.", - "This is a secure area of the application. Please confirm your password before continuing.": "Detta är ett säkert område av applikationen. Vänligen bekräfta ditt lösenord innan du fortsätter.", + "This is a secure area of the application. Please confirm your password before continuing.": "Detta är ett säkert område av ansökan. Bekräfta ditt lösenord innan du fortsätter.", "This is a test email": "Detta är ett testmail", - "This is a test notification for :name": "Detta är ett testmeddelande för :name", + "This is a test notification for :name": "Det här är en testavisering för :name", "This key is already registered. It’s not necessary to register it again.": "Denna nyckel är redan registrerad. Det är inte nödvändigt att registrera det igen.", "This link will open in a new tab": "Den här länken öppnas i en ny flik", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Den här sidan visar alla aviseringar som har skickats i den här kanalen tidigare. Det fungerar främst som ett sätt att felsöka om du inte får meddelandet du har ställt in.", - "This password does not match our records.": "Detta lösenord stämmer inte överens med våra uppgifter.", - "This password reset link will expire in :count minutes.": "Denna länk för återställning av lösenord upphör att gälla om :count minuter.", + "This password does not match our records.": "Detta Lösenord matchar inte våra poster.", + "This password reset link will expire in :count minutes.": "Denna återställningslänk kommer att gå ut om :count minuter.", "This post has no content yet.": "Det här inlägget har inget innehåll ännu.", "This provider is already associated with another account": "Denna leverantör är redan kopplad till ett annat konto", "This site is open source.": "Denna webbplats är öppen källkod.", "This template will define what information are displayed on a contact page.": "Denna mall kommer att definiera vilken information som visas på en kontaktsida.", "This user already belongs to the team.": "Den här användaren tillhör redan teamet.", - "This user has already been invited to the team.": "Den här användaren har redan bjudits in till teamet.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Den här användaren kommer att vara en del av ditt konto, men kommer inte att få tillgång till alla valv i detta konto om du inte ger specifik åtkomst till dem. Den här personen kommer också att kunna skapa valv.", + "This user has already been invited to the team.": "Den här användaren har redan blivit inbjuden till laget.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Den här användaren kommer att vara en del av ditt konto, men kommer inte att få tillgång till alla valven i det här kontot om du inte ger specifik åtkomst till dem. Den här personen kommer också att kunna skapa valv.", "This will immediately:": "Detta kommer omedelbart:", "Three things that happened today": "Tre saker som hände idag", "Thursday": "torsdag", @@ -1093,20 +1094,19 @@ "Title": "Titel", "to": "till", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "För att avsluta aktiveringen av tvåfaktorsautentisering, skanna följande QR-kod med telefonens autentiseringsprogram eller ange inställningsnyckeln och ange den genererade OTP-koden.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "För att avsluta aktiveringen av tvåfaktorsautentisering, skanna följande QR-kod med telefonens autentiseringsprogram eller ange inställningsnyckeln och ange den genererade OTP-koden.", - "Toggle navigation": "Växla navigering", + "Toggle navigation": "Toggla meny", "To hear their story": "Att höra deras historia", - "Token Name": "Tokennamn", + "Token Name": "Token namn", "Token name (for your reference only)": "Tokennamn (endast för din referens)", "Took a new job": "Tog ett nytt jobb", "Took the bus": "Tog bussen", "Took the metro": "Tog tunnelbanan", - "Too Many Requests": "För många förfrågningar", + "Too Many Requests": "För många anrop", "To see if they need anything": "För att se om de behöver något", "To start, you need to create a vault.": "För att börja måste du skapa ett valv.", "Total:": "Total:", "Total streaks": "Totala streck", - "Track a new metric": "Spåra ett nytt mätvärde", + "Track a new metric": "Spåra ett nytt mått", "Transportation": "Transport", "Tuesday": "tisdag", "Two-factor Confirmation": "Tvåfaktorsbekräftelse", @@ -1121,13 +1121,12 @@ "Unarchive contact": "Avarkivera kontakt", "unarchived the contact": "har avarkiverat kontakten", "Unauthorized": "Obehörig", - "uncle\/aunt": "farbror faster", + "uncle/aunt": "farbror/faster", "Undefined": "Odefinierad", "Unexpected error on login.": "Oväntat fel vid inloggning.", "Unknown": "Okänd", "unknown action": "okänd åtgärd", "Unknown age": "Okänd ålder", - "Unknown contact name": "Okänt kontaktnamn", "Unknown name": "Okänt namn", "Update": "Uppdatering", "Update a key.": "Uppdatera en nyckel.", @@ -1136,14 +1135,13 @@ "updated an address": "uppdaterat en adress", "updated an important date": "uppdaterade ett viktigt datum", "updated a pet": "uppdaterat ett husdjur", - "Updated on :date": "Uppdaterad :date", + "Updated on :date": "Uppdaterad den :date", "updated the avatar of the contact": "uppdaterade kontaktens avatar", "updated the contact information": "uppdaterade kontaktuppgifterna", "updated the job information": "uppdaterade jobbinformationen", "updated the religion": "uppdaterade religionen", "Update Password": "Uppdatera lösenord", - "Update your account's profile information and email address.": "Uppdatera ditt kontos profilinformation och e-postadress.", - "Update your account’s profile information and email address.": "Uppdatera ditt kontos profilinformation och e-postadress.", + "Update your account's profile information and email address.": "Uppdatera kontots profilinformation och e-postadress.", "Upload photo as avatar": "Ladda upp foto som avatar", "Use": "Använda sig av", "Use an authentication code": "Använd en autentiseringskod", @@ -1157,12 +1155,12 @@ "Use your security key": "Använd din säkerhetsnyckel", "Validating key…": "Validerar nyckel...", "Value copied into your clipboard": "Värdet har kopierats till ditt urklipp", - "Vaults contain all your contacts data.": "Valv innehåller alla dina kontaktdata.", + "Vaults contain all your contacts data.": "Valv innehåller alla dina kontaktuppgifter.", "Vault settings": "Valvinställningar", - "ve\/ver": "och ge", + "ve/ver": "ve/ver", "Verification email sent": "Verifieringsmail har skickats", "Verified": "Verifierad", - "Verify Email Address": "Verifiera e-postadressen", + "Verify Email Address": "Bekräfta e-postadress", "Verify this email address": "Verifiera den här e-postadressen", "Version :version — commit [:short](:url).": "Version :version — commit [:short](:url).", "Via Telegram": "Via Telegram", @@ -1185,7 +1183,7 @@ "Watch Netflix every day": "Titta på Netflix varje dag", "Ways to connect": "Sätt att ansluta", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn stöder endast säkra anslutningar. Vänligen ladda denna sida med https-schema.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Vi kallar dem en relation, och dess omvända relation. För varje relation du definierar måste du definiera dess motsvarighet.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Vi kallar dem en relation och dess omvända relation. För varje relation du definierar måste du definiera dess motsvarighet.", "Wedding": "Bröllop", "Wednesday": "onsdag", "We hope you'll like it.": "Vi hoppas att du kommer att gilla det.", @@ -1193,24 +1191,25 @@ "Welcome to Monica.": "Välkommen till Monica.", "Went to a bar": "Gick till en bar", "We support Markdown to format the text (bold, lists, headings, etc…).": "Vi stöder Markdown för att formatera texten (fetstil, listor, rubriker, etc...).", - "We were unable to find a registered user with this email address.": "Vi kunde inte hitta en registrerad användare med denna e-postadress.", + "We were unable to find a registered user with this email address.": "Vi kunde inte hitta en registrerad användare med den här e-postadressen.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Vi skickar ett e-postmeddelande till den här e-postadressen som du måste bekräfta innan vi kan skicka meddelanden till den här adressen.", "What happens now?": "Vad händer nu?", "What is the loan?": "Vad är lånet?", "What permission should :name have?": "Vilken behörighet ska :name ha?", "What permission should the user have?": "Vilken behörighet ska användaren ha?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "Vad ska vi använda för att visa kartor?", "What would make today great?": "Vad skulle göra idag bra?", "When did the call happened?": "När kom samtalet?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "När tvåfaktorsautentisering är aktiverad kommer du att bli tillfrågad om en säker, slumpmässig token under autentiseringen. Du kan hämta denna token från telefonens Google Authenticator-applikation.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "När tvåfaktorsautentisering är aktiverad blir du tillfrågad om en säker, slumpmässig token under autentisering. Du kan hämta denna token från telefonens Google Authenticator-program.", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "När tvåfaktorsautentisering är aktiverad kommer du att bli tillfrågad om en säker, slumpmässig token under autentiseringen. Du kan hämta denna token från telefonens Authenticator-applikation.", "When was the loan made?": "När gjordes lånet?", "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "När du definierar en relation mellan två kontakter, till exempel en far-son relation, skapar Monica två relationer, en för varje kontakt:", "Which email address should we send the notification to?": "Vilken e-postadress ska vi skicka meddelandet till?", "Who called?": "Vem ringde?", "Who makes the loan?": "Vem gör lånet?", - "Whoops!": "Hoppsan!", - "Whoops! Something went wrong.": "Hoppsan! Något gick fel.", + "Whoops!": "Oops!", + "Whoops! Something went wrong.": "Oops! Något gick fel.", "Who should we invite in this vault?": "Vem ska vi bjuda in i detta valv?", "Who the loan is for?": "Vem är lånet till?", "Wish good day": "Önskar god dag", @@ -1218,12 +1217,12 @@ "Write the amount with a dot if you need decimals, like 100.50": "Skriv beloppet med en prick om du behöver decimaler, som 100,50", "Written on": "Skrivet på", "wrote a note": "skrev en lapp", - "xe\/xem": "bil\/vy", + "xe/xem": "xe/xem", "year": "år", "Years": "år", "You are here:": "Du är här:", "You are invited to join Monica": "Du är inbjuden att gå med Monica", - "You are receiving this email because we received a password reset request for your account.": "Du får det här e-postmeddelandet eftersom vi har fått en begäran om lösenordsåterställning för ditt konto.", + "You are receiving this email because we received a password reset request for your account.": "Du får detta mail då någon ha begärt återställning av lösenordet för ditt konto.", "you can't even use your current username or password to sign in,": "du kan inte ens använda ditt nuvarande användarnamn eller lösenord för att logga in,", "you can't import any data from your current Monica account(yet),": "du kan inte importera någon data från ditt nuvarande Monica-konto (ännu),", "You can add job information to your contacts and manage the companies here in this tab.": "Du kan lägga till jobbinformation till dina kontakter och hantera företagen här på den här fliken.", @@ -1232,21 +1231,21 @@ "You can change that at any time.": "Du kan ändra det när som helst.", "You can choose how you want Monica to display dates in the application.": "Du kan välja hur du vill att Monica ska visa datum i applikationen.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Du kan välja vilka valutor som ska aktiveras på ditt konto och vilken som inte ska.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Du kan anpassa hur kontakter ska visas efter din egen smak\/kultur. Du kanske skulle vilja använda James Bond istället för Bond James. Här kan du definiera det efter behag.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Du kan anpassa hur kontakter ska visas efter din egen smak/kultur. Du kanske skulle vilja använda James Bond istället för Bond James. Här kan du definiera det efter behag.", "You can customize the criteria that let you track your mood.": "Du kan anpassa kriterierna som låter dig spåra ditt humör.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Du kan flytta kontakter mellan valven. Denna förändring är omedelbar. Du kan bara flytta kontakter till valv du är en del av. Alla kontaktdata flyttas med den.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Du kan flytta kontakter mellan valven. Denna förändring är omedelbar. Du kan bara flytta kontakter till valv som du är en del av. All kontaktinformation kommer att flyttas med den.", "You cannot remove your own administrator privilege.": "Du kan inte ta bort din egen administratörsbehörighet.", "You don’t have enough space left in your account.": "Du har inte tillräckligt med utrymme kvar på ditt konto.", "You don’t have enough space left in your account. Please upgrade.": "Du har inte tillräckligt med utrymme kvar på ditt konto. Vänligen uppgradera.", - "You have been invited to join the :team team!": "Du har blivit inbjuden att gå med i :team-teamet!", - "You have enabled two factor authentication.": "Du har aktiverat tvåfaktorsautentisering.", + "You have been invited to join the :team team!": "Du har blivit inbjuden att gå med i :team-laget!", + "You have enabled two factor authentication.": "Du har aktiverat två faktorautentisering.", "You have not enabled two factor authentication.": "Du har inte aktiverat tvåfaktorsautentisering.", "You have not setup Telegram in your environment variables yet.": "Du har inte ställt in Telegram i dina miljövariabler ännu.", "You haven’t received a notification in this channel yet.": "Du har inte fått ett meddelande i den här kanalen än.", "You haven’t setup Telegram yet.": "Du har inte konfigurerat Telegram än.", "You may accept this invitation by clicking the button below:": "Du kan acceptera denna inbjudan genom att klicka på knappen nedan:", - "You may delete any of your existing tokens if they are no longer needed.": "Du kan ta bort alla dina befintliga tokens om de inte längre behövs.", - "You may not delete your personal team.": "Du får inte ta bort ditt personliga team.", + "You may delete any of your existing tokens if they are no longer needed.": "Du kan ta bort någon av dina befintliga tokens om de inte längre behövs.", + "You may not delete your personal team.": "Du får inte radera ditt personliga team.", "You may not leave a team that you created.": "Du får inte lämna ett lag som du skapat.", "You might need to reload the page to see the changes.": "Du kan behöva ladda om sidan för att se ändringarna.", "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Du behöver minst en mall för att kontakter ska visas. Utan en mall vet Monica inte vilken information den ska visa.", @@ -1265,8 +1264,8 @@ "Your name here will be used to add yourself as a contact.": "Ditt namn här kommer att användas för att lägga till dig själv som kontakt.", "You wanted to be reminded of the following:": "Du ville bli påmind om följande:", "You WILL still have to delete your account on Monica or OfficeLife.": "Du KOMMER fortfarande att behöva ta bort ditt konto på Monica eller OfficeLife.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Du har blivit inbjuden att använda den här e-postadressen i Monica, ett personligt CRM med öppen källkod, så vi kan använda den för att skicka meddelanden till dig.", - "ze\/hir": "till henne", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Du har blivit inbjuden att använda den här e-postadressen i Monica, ett personligt CRM med öppen källkod, så att vi kan använda den för att skicka meddelanden till dig.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Riskområde", "🌳 Chalet": "🌳 Chalet", "🏠 Secondary residence": "🏠 Sekundärbostad", diff --git a/lang/sv/pagination.php b/lang/sv/pagination.php index e1ac91054a0..c639442fa21 100644 --- a/lang/sv/pagination.php +++ b/lang/sv/pagination.php @@ -1,6 +1,6 @@ 'Nästa »', - 'previous' => '« Föregående', + 'next' => 'Nästa ❯', + 'previous' => '❮ Föregående', ]; diff --git a/lang/sv/validation.php b/lang/sv/validation.php index 85508335ab9..381f2491570 100644 --- a/lang/sv/validation.php +++ b/lang/sv/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute måste innehålla :min till :max tecken.', ], 'boolean' => ':Attribute måste vara sant eller falskt.', + 'can' => 'Fältet :attribute innehåller ett obehörigt värde.', 'confirmed' => ':Attribute bekräftelsen matchar inte.', 'current_password' => 'Lösenordet är felaktigt.', 'date' => ':Attribute är inte ett giltigt datum.', diff --git a/lang/te.json b/lang/te.json index cef27bb7fb4..7f6562db3cc 100644 --- a/lang/te.json +++ b/lang/te.json @@ -1,12 +1,12 @@ { - "(and :count more error)": "(మరియు: మరిన్ని దోషాలను లెక్కించండి)", - "(and :count more errors)": "(మరియు: మరిన్ని లోపాలను లెక్కించండి)", + "(and :count more error)": "(మరియు మరో :count లోపం)", + "(and :count more errors)": "(మరియు మరిన్ని :count లోపాలు)", "(Help)": "(సహాయం)", "+ add a contact": "+ పరిచయాన్ని జోడించండి", "+ add another": "+ మరొకటి జోడించండి", "+ add another photo": "+ మరొక ఫోటోను జోడించండి", "+ add description": "+ వివరణను జోడించండి", - "+ add distance": "+ దూరం జోడించండి", + "+ add distance": "+ దూరాన్ని జోడించండి", "+ add emotion": "+ భావోద్వేగాలను జోడించండి", "+ add reason": "+ కారణాన్ని జోడించండి", "+ add summary": "+ సారాంశాన్ని జోడించండి", @@ -20,23 +20,23 @@ "+ middle name": "+ మధ్య పేరు", "+ nickname": "+ మారుపేరు", "+ note": "+ గమనిక", - "+ number of hours slept": "+ నిద్రించిన గంటల సంఖ్య", + "+ number of hours slept": "+ నిద్రపోయిన గంటల సంఖ్య", "+ prefix": "+ ఉపసర్గ", - "+ pronoun": "+ మొగ్గు", + "+ pronoun": "+ సర్వనామం", "+ suffix": "+ ప్రత్యయం", - ":count contact|:count contacts": ":count contact|:count contacts", - ":count hour slept|:count hours slept": ":count hour slept|:count hours slept", - ":count min read": ": కౌంట్ నిమి చదవండి", - ":count post|:count posts": ":count post|:count posts", - ":count template section|:count template sections": ":కౌంట్ టెంప్లేట్ విభాగం|:కౌంట్ టెంప్లేట్ విభాగాలు", - ":count word|:count words": ":గణన పదం|:పదాలను లెక్కించండి", - ":distance km": ": దూరం కి.మీ", - ":distance miles": ": దూరం మైళ్లు", - ":file at line :line": ": ఫైల్‌లో లైన్: లైన్", - ":file in :class at line :line": ": ఫైల్‌లో: తరగతి వద్ద లైన్: లైన్", - ":Name called": ":పేరు అంటారు", - ":Name called, but I didn’t answer": ": పేరు పిలిచారు, కానీ నేను సమాధానం చెప్పలేదు", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName మిమ్మల్ని మీ సంబంధాలను డాక్యుమెంట్ చేయడంలో సహాయపడటానికి రూపొందించబడిన ఓపెన్ సోర్స్ వ్యక్తిగత CRM అయిన మోనికాలో చేరమని మిమ్మల్ని ఆహ్వానిస్తోంది.", + ":count contact|:count contacts": ":count పరిచయం|:count పరిచయాలు", + ":count hour slept|:count hours slept": ":count గంట నిద్రపోయాడు|:count గంటలు నిద్రపోయారు", + ":count min read": ":count నిమి చదవబడింది", + ":count post|:count posts": ":count పోస్ట్|:count పోస్ట్‌లు", + ":count template section|:count template sections": ":count టెంప్లేట్ విభాగం|:count టెంప్లేట్ విభాగాలు", + ":count word|:count words": ":count పదం|:count పదాలు", + ":distance km": ":distance కి.మీ", + ":distance miles": ":distance మైళ్లు", + ":file at line :line": ":line లైన్ వద్ద :file", + ":file in :class at line :line": ":line లైన్ వద్ద :classలో :file", + ":Name called": ":Name కాల్ చేసారు", + ":Name called, but I didn’t answer": ":Name కాల్ చేసాను, కానీ నేను సమాధానం చెప్పలేదు", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName మిమ్మల్ని మీ సంబంధాలను డాక్యుమెంట్ చేయడంలో సహాయపడటానికి రూపొందించబడిన ఓపెన్ సోర్స్ వ్యక్తిగత CRM అయిన Monica చేరమని మిమ్మల్ని ఆహ్వానిస్తోంది.", "Accept Invitation": "ఆహ్వానము అంగీకరించు", "Accept invitation and create your account": "ఆహ్వానాన్ని అంగీకరించి, మీ ఖాతాను సృష్టించండి", "Account and security": "ఖాతా మరియు భద్రత", @@ -64,14 +64,14 @@ "Add a life event": "జీవిత సంఘటనను జోడించండి", "Add a life event category": "జీవిత ఈవెంట్ వర్గాన్ని జోడించండి", "add a life event type": "జీవిత ఈవెంట్ రకాన్ని జోడించండి", - "Add a module": "మాడ్యూల్ జోడించండి", + "Add a module": "మాడ్యూల్‌ను జోడించండి", "Add an address": "చిరునామాను జోడించండి", "Add an address type": "చిరునామా రకాన్ని జోడించండి", "Add an email address": "ఇమెయిల్ చిరునామాను జోడించండి", "Add an email to be notified when a reminder occurs.": "రిమైండర్ సంభవించినప్పుడు తెలియజేయడానికి ఇమెయిల్‌ను జోడించండి.", "Add an entry": "ఒక ఎంట్రీని జోడించండి", "add a new metric": "కొత్త మెట్రిక్ జోడించండి", - "Add a new team member to your team, allowing them to collaborate with you.": "మీ బృందానికి కొత్త బృంద సభ్యుడిని జోడించండి, తద్వారా వారు మీతో సహకరించగలరు.", + "Add a new team member to your team, allowing them to collaborate with you.": "మీ బృందానికి కొత్త బృంద సభ్యుడిని జోడించండి, తద్వారా వారు మీతో కలిసి పని చేయవచ్చు.", "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "ఈ వ్యక్తికి సంబంధించిన పుట్టిన తేదీ లేదా మరణించిన తేదీ వంటి ముఖ్యమైన తేదీని గుర్తుంచుకోవడానికి ముఖ్యమైన తేదీని జోడించండి.", "Add a note": "గమనికను జోడించండి", "Add another life event": "మరొక జీవిత సంఘటనను జోడించండి", @@ -125,7 +125,7 @@ "All contacts in the vault": "ఖజానాలోని అన్ని పరిచయాలు", "All files": "అన్ని ఫైల్‌లు", "All groups in the vault": "ఖజానాలోని అన్ని సమూహాలు", - "All journal metrics in :name": "అన్ని జర్నల్ మెట్రిక్‌లు :పేరులో", + "All journal metrics in :name": ":Nameలోని అన్ని జర్నల్ మెట్రిక్‌లు", "All of the people that are part of this team.": "ఈ బృందంలో భాగమైన వ్యక్తులందరూ.", "All rights reserved.": "అన్ని హక్కులు ప్రత్యేకించబడ్డాయి.", "All tags": "అన్ని ట్యాగ్‌లు", @@ -154,7 +154,7 @@ "All the relationship types": "అన్ని రకాల సంబంధాలు", "All the religions": "అన్ని మతాలు", "All the reports": "అన్ని నివేదికలు", - "All the slices of life in :name": "జీవితంలోని అన్ని ముక్కలు:పేరులో", + "All the slices of life in :name": ":Nameలో జీవితంలోని అన్ని ముక్కలు", "All the tags used in the vault": "ఖజానాలో ఉపయోగించే అన్ని ట్యాగ్‌లు", "All the templates": "అన్ని టెంప్లేట్లు", "All the vaults": "అన్ని సొరంగాలు", @@ -172,7 +172,7 @@ "API Token Permissions": "API టోకెన్ అనుమతులు", "API Tokens": "API టోకెన్లు", "API tokens allow third-party services to authenticate with our application on your behalf.": "API టోకెన్‌లు మీ తరపున మా అప్లికేషన్‌తో ప్రమాణీకరించడానికి మూడవ పక్ష సేవలను అనుమతిస్తాయి.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "పోస్ట్ టెంప్లేట్ పోస్ట్ యొక్క కంటెంట్ ఎలా ప్రదర్శించబడాలి అని నిర్వచిస్తుంది. మీకు కావలసినన్ని టెంప్లేట్‌లను మీరు నిర్వచించవచ్చు మరియు ఏ పోస్ట్‌లో ఏ టెంప్లేట్ ఉపయోగించాలో ఎంచుకోవచ్చు.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "పోస్ట్ టెంప్లేట్ పోస్ట్ యొక్క కంటెంట్ ఎలా ప్రదర్శించబడాలో నిర్వచిస్తుంది. మీకు కావలసినన్ని టెంప్లేట్‌లను మీరు నిర్వచించవచ్చు మరియు ఏ పోస్ట్‌లో ఏ టెంప్లేట్ ఉపయోగించాలో ఎంచుకోవచ్చు.", "Archive": "ఆర్కైవ్", "Archive contact": "పరిచయాన్ని ఆర్కైవ్ చేయండి", "archived the contact": "పరిచయాన్ని ఆర్కైవ్ చేసారు", @@ -220,7 +220,7 @@ "boss": "బాస్", "Bought": "కొన్నారు", "Breakdown of the current usage": "ప్రస్తుత వినియోగం యొక్క విభజన", - "brother\/sister": "సోదరుడు \/ సోదరి", + "brother/sister": "సోదరుడు / సోదరి", "Browser Sessions": "బ్రౌజర్ సెషన్లు", "Buddhist": "బౌద్ధుడు", "Business": "వ్యాపారం", @@ -233,7 +233,7 @@ "Cancel account": "ఖాతాను రద్దు చేయండి", "Cancel all your active subscriptions": "మీ సక్రియ సభ్యత్వాలన్నింటినీ రద్దు చేయండి", "Cancel your account": "మీ ఖాతాను రద్దు చేయండి", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "ఇతర వినియోగదారులను జోడించడం లేదా తీసివేయడం, బిల్లింగ్‌ను నిర్వహించడం మరియు ఖాతాను మూసివేయడం వంటి ప్రతిదాన్ని చేయవచ్చు.", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "ఇతర వినియోగదారులను జోడించడం లేదా తీసివేయడం, బిల్లింగ్‌ను నిర్వహించడం మరియు ఖాతాను మూసివేయడం వంటివన్నీ చేయవచ్చు.", "Can do everything, including adding or removing other users.": "ఇతర వినియోగదారులను జోడించడం లేదా తీసివేయడం సహా ప్రతిదీ చేయగలదు.", "Can edit data, but can’t manage the vault.": "డేటాను సవరించవచ్చు, కానీ వాల్ట్‌ని నిర్వహించలేరు.", "Can view data, but can’t edit it.": "డేటాను వీక్షించవచ్చు, కానీ దాన్ని సవరించలేరు.", @@ -267,7 +267,7 @@ "colleague": "సహోద్యోగి", "Companies": "కంపెనీలు", "Company name": "కంపెనీ పేరు", - "Compared to Monica:": "మోనికాతో పోలిస్తే:", + "Compared to Monica:": "Monica పోలిస్తే:", "Configure how we should notify you": "మేము మీకు ఎలా తెలియజేయాలో కాన్ఫిగర్ చేయండి", "Confirm": "నిర్ధారించండి", "Confirm Password": "పాస్‌వర్డ్‌ని నిర్ధారించండి", @@ -297,7 +297,7 @@ "Create a contact": "పరిచయాన్ని సృష్టించండి", "Create a contact entry for this person": "ఈ వ్యక్తి కోసం పరిచయ ఎంట్రీని సృష్టించండి", "Create a journal": "ఒక పత్రికను సృష్టించండి", - "Create a journal metric": "జర్నల్ మెట్రిక్‌ని సృష్టించండి", + "Create a journal metric": "జర్నల్ మెట్రిక్‌ను సృష్టించండి", "Create a journal to document your life.": "మీ జీవితాన్ని డాక్యుమెంట్ చేయడానికి ఒక పత్రికను సృష్టించండి.", "Create an account": "ఒక ఎకౌంటు సృష్టించు", "Create a new address": "కొత్త చిరునామాను సృష్టించండి", @@ -307,7 +307,7 @@ "Create a reminder": "రిమైండర్‌ను సృష్టించండి", "Create a slice of life": "జీవితం యొక్క భాగాన్ని సృష్టించండి", "Create at least one page to display contact’s data.": "పరిచయం యొక్క డేటాను ప్రదర్శించడానికి కనీసం ఒక పేజీని సృష్టించండి.", - "Create at least one template to use Monica.": "మోనికాను ఉపయోగించడానికి కనీసం ఒక టెంప్లేట్‌ని సృష్టించండి.", + "Create at least one template to use Monica.": "Monica ఉపయోగించడానికి కనీసం ఒక టెంప్లేట్‌ని సృష్టించండి.", "Create a user": "వినియోగదారుని సృష్టించండి", "Create a vault": "ఖజానాను సృష్టించండి", "Created.": "సృష్టించబడింది.", @@ -325,7 +325,7 @@ "Current Password": "ప్రస్తుత పాస్వర్డ్", "Current site used to display maps:": "మ్యాప్‌లను ప్రదర్శించడానికి ఉపయోగించే ప్రస్తుత సైట్:", "Current streak": "ప్రస్తుత పరంపర", - "Current timezone:": "ప్రస్తుత సమయమండలి:", + "Current timezone:": "ప్రస్తుత సమయ క్షేత్రం:", "Current way of displaying contact names:": "సంప్రదింపు పేర్లను ప్రదర్శించే ప్రస్తుత మార్గం:", "Current way of displaying dates:": "తేదీలను ప్రదర్శించే ప్రస్తుత మార్గం:", "Current way of displaying distances:": "దూరాలను ప్రదర్శించే ప్రస్తుత మార్గం:", @@ -364,7 +364,7 @@ "Delete the photo": "ఫోటోను తొలగించండి", "Delete the slice": "ముక్కను తొలగించండి", "Delete the vault": "ఖజానాను తొలగించండి", - "Delete your account on https:\/\/customers.monicahq.com.": "https:\/\/customers.monicahq.comలో మీ ఖాతాను తొలగించండి.", + "Delete your account on https://customers.monicahq.com.": "https://customers.monicahq.com వద్ద మీ ఖాతాను తొలగించండి.", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "ఖజానాను తొలగించడం అంటే ఈ ఖజానాలోని మొత్తం డేటాను శాశ్వతంగా తొలగించడం. వెనక్కి తగ్గేది లేదు. దయచేసి ఖచ్చితంగా ఉండండి.", "Description": "వివరణ", "Detail of a goal": "ఒక లక్ష్యం యొక్క వివరాలు", @@ -419,6 +419,7 @@ "Exception:": "మినహాయింపు:", "Existing company": "ఇప్పటికే ఉన్న కంపెనీ", "External connections": "బాహ్య కనెక్షన్లు", + "Facebook": "ఫేస్బుక్", "Family": "కుటుంబం", "Family summary": "కుటుంబ సారాంశం", "Favorites": "ఇష్టమైనవి", @@ -438,9 +439,8 @@ "For:": "దీని కోసం:", "For advice": "సలహా కోసం", "Forbidden": "నిషేధించబడింది", - "Forgot password?": "పాస్‌వర్డ్ మర్చిపోయారా?", "Forgot your password?": "మీ పాస్వర్డ్ మర్చిపోయారా?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "మీ పాస్వర్డ్ మర్చిపోయారా? ఏమి ఇబ్బంది లేదు. మీ ఇమెయిల్ చిరునామాను మాకు తెలియజేయండి మరియు మేము మీకు కొత్త దాన్ని ఎంచుకోవడానికి అనుమతించే పాస్‌వర్డ్ రీసెట్ లింక్‌ని ఇమెయిల్ చేస్తాము.", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "మీ పాస్వర్డ్ మర్చిపోయారా? ఏమి ఇబ్బంది లేదు. మీ ఇమెయిల్ చిరునామాను మాకు తెలియజేయండి మరియు మేము మీకు కొత్త దాన్ని ఎంచుకోవడానికి అనుమతించే పాస్‌వర్డ్ రీసెట్ లింక్‌ను ఇమెయిల్ చేస్తాము.", "For your security, please confirm your password to continue.": "మీ భద్రత కోసం, దయచేసి కొనసాగించడానికి మీ పాస్‌వర్డ్‌ను నిర్ధారించండి.", "Found": "కనుగొన్నారు", "Friday": "శుక్రవారం", @@ -462,27 +462,27 @@ "godchild": "దేవత", "godparent": "గాడ్ పేరెంట్", "Google Maps": "గూగుల్ పటాలు", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google మ్యాప్స్ ఉత్తమ ఖచ్చితత్వం మరియు వివరాలను అందిస్తుంది, కానీ గోప్యతా దృక్కోణం నుండి ఇది సరైనది కాదు.", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google మ్యాప్స్ అత్యుత్తమ ఖచ్చితత్వం మరియు వివరాలను అందిస్తుంది, కానీ గోప్యతా దృక్కోణం నుండి ఇది అనువైనది కాదు.", "Got fired": "తొలగించారు", - "Go to page :page": "పేజీకి వెళ్లండి:పేజీ", + "Go to page :page": ":page పేజీకి వెళ్లండి", "grand child": "మనవడు", "grand parent": "గ్రాండ్ పేరెంట్", - "Great! You have accepted the invitation to join the :team team.": "గొప్ప! మీరు :బృంద బృందంలో చేరడానికి ఆహ్వానాన్ని అంగీకరించారు.", + "Great! You have accepted the invitation to join the :team team.": "గొప్ప! మీరు :team బృందంలో చేరడానికి ఆహ్వానాన్ని అంగీకరించారు.", "Group journal entries together with slices of life.": "జీవితపు ముక్కలతో కూడిన గ్రూప్ జర్నల్ ఎంట్రీలు.", "Groups": "గుంపులు", "Groups let you put your contacts together in a single place.": "గుంపులు మీ పరిచయాలను ఒకే స్థలంలో ఉంచడానికి మిమ్మల్ని అనుమతిస్తాయి.", "Group type": "సమూహం రకం", - "Group type: :name": "సమూహం రకం: :పేరు", + "Group type: :name": "సమూహం రకం: :name", "Group types": "సమూహ రకాలు", "Group types let you group people together.": "సమూహ రకాలు మిమ్మల్ని వ్యక్తులను సమూహపరచడానికి అనుమతిస్తాయి.", "Had a promotion": "ప్రమోషన్ వచ్చింది", "Hamster": "చిట్టెలుక", "Have a great day,": "ఈ రోజు మీకు కుశలంగా ఉండును,", - "he\/him": "అతను\/అతడు", + "he/him": "అతను/అతడు", "Hello!": "హలో!", "Help": "సహాయం", - "Hi :name": "హాయ్: పేరు", - "Hinduist": "హిందూ", + "Hi :name": "హాయ్ :name", + "Hinduist": "హిందువు", "History of the notification sent": "పంపిన నోటిఫికేషన్ చరిత్ర", "Hobbies": "అభిరుచులు", "Home": "హోమ్", @@ -492,27 +492,27 @@ "How did you feel?": "మీకు ఎలా అనిపించింది?", "How do you feel right now?": "ప్రస్తుతం మీకు ఎలా అనిపిస్తుంది?", "however, there are many, many new features that didn't exist before.": "అయినప్పటికీ, ఇంతకు ముందు లేని అనేక కొత్త ఫీచర్లు ఉన్నాయి.", - "How much money was lent?": "ఎంత డబ్బు అప్పుగా ఇచ్చారు?", - "How much was lent?": "ఎంత అప్పు ఇచ్చారు?", + "How much money was lent?": "ఎంత డబ్బు ఇచ్చారు?", + "How much was lent?": "ఎంత అప్పుగా ఇచ్చారు?", "How often should we remind you about this date?": "ఈ తేదీ గురించి మేము మీకు ఎంత తరచుగా గుర్తు చేయాలి?", "How should we display dates": "మేము తేదీలను ఎలా ప్రదర్శించాలి", "How should we display distance values": "మనం దూర విలువలను ఎలా ప్రదర్శించాలి", "How should we display numerical values": "మేము సంఖ్యా విలువలను ఎలా ప్రదర్శించాలి", - "I agree to the :terms and :policy": "నేను :నిబంధనలు మరియు :విధానానికి అంగీకరిస్తున్నాను", + "I agree to the :terms and :policy": "నేను :terms మరియు :policyకి అంగీకరిస్తున్నాను", "I agree to the :terms_of_service and :privacy_policy": "నేను :terms_of_service మరియు :privacy_policyకి అంగీకరిస్తున్నాను", "I am grateful for": "నేను కృతజ్ఞతతో ఉన్నాను", "I called": "నేను పిలిచాను", - "I called, but :name didn’t answer": "నేను కాల్ చేసాను, కానీ: పేరు సమాధానం ఇవ్వలేదు", + "I called, but :name didn’t answer": "నేను కాల్ చేసాను, కానీ :name సమాధానం ఇవ్వలేదు", "Idea": "ఆలోచన", "I don’t know the name": "నాకు పేరు తెలియదు", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "అవసరమైతే, మీరు మీ పరికరాలన్నింటిలో మీ ఇతర బ్రౌజర్ సెషన్‌ల నుండి లాగ్ అవుట్ చేయవచ్చు. మీ ఇటీవలి సెషన్‌లలో కొన్ని క్రింద జాబితా చేయబడ్డాయి; అయితే, ఈ జాబితా సమగ్రంగా ఉండకపోవచ్చు. మీ ఖాతా రాజీపడిందని మీరు భావిస్తే, మీరు మీ పాస్‌వర్డ్‌ను కూడా అప్‌డేట్ చేయాలి.", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "అవసరమైతే, మీరు మీ అన్ని పరికరాల్లోని మీ ఇతర బ్రౌజర్ సెషన్‌ల నుండి లాగ్ అవుట్ చేయవచ్చు. మీ ఇటీవలి సెషన్‌లలో కొన్ని క్రింద జాబితా చేయబడ్డాయి; అయితే, ఈ జాబితా సమగ్రంగా ఉండకపోవచ్చు. మీ ఖాతా రాజీపడిందని మీరు భావిస్తే, మీరు మీ పాస్‌వర్డ్‌ను కూడా అప్‌డేట్ చేయాలి.", "If the date is in the past, the next occurence of the date will be next year.": "తేదీ గతంలో ఉన్నట్లయితే, తేదీ యొక్క తదుపరి సంఘటన వచ్చే సంవత్సరం అవుతుంది.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\" బటన్‌ను క్లిక్ చేయడంలో మీకు సమస్య ఉంటే, దిగువ URLని కాపీ చేసి, అతికించండి\nమీ వెబ్ బ్రౌజర్‌లోకి:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\" బటన్‌ను క్లిక్ చేయడంలో మీకు సమస్య ఉంటే, దిగువన ఉన్న URLని కాపీ చేసి అతికించండి\nమీ వెబ్ బ్రౌజర్‌లోకి:", "If you already have an account, you may accept this invitation by clicking the button below:": "మీకు ఇప్పటికే ఖాతా ఉంటే, దిగువ బటన్‌ను క్లిక్ చేయడం ద్వారా మీరు ఈ ఆహ్వానాన్ని అంగీకరించవచ్చు:", "If you did not create an account, no further action is required.": "మీరు ఖాతాను సృష్టించనట్లయితే, తదుపరి చర్య అవసరం లేదు.", "If you did not expect to receive an invitation to this team, you may discard this email.": "మీరు ఈ బృందానికి ఆహ్వానాన్ని అందుకోవాలని అనుకోకుంటే, మీరు ఈ ఇమెయిల్‌ను విస్మరించవచ్చు.", "If you did not request a password reset, no further action is required.": "మీరు పాస్‌వర్డ్ రీసెట్‌ను అభ్యర్థించకుంటే, తదుపరి చర్య అవసరం లేదు.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "మీకు ఖాతా లేకుంటే, దిగువ బటన్‌ను క్లిక్ చేయడం ద్వారా మీరు ఒకదాన్ని సృష్టించవచ్చు. ఖాతాను సృష్టించిన తర్వాత, మీరు జట్టు ఆహ్వానాన్ని ఆమోదించడానికి ఈ ఇమెయిల్‌లోని ఆహ్వాన అంగీకార బటన్‌ను క్లిక్ చేయవచ్చు:", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "మీకు ఖాతా లేకుంటే, దిగువ బటన్‌ను క్లిక్ చేయడం ద్వారా మీరు ఒకదాన్ని సృష్టించవచ్చు. ఖాతాను సృష్టించిన తర్వాత, జట్టు ఆహ్వానాన్ని ఆమోదించడానికి మీరు ఈ ఇమెయిల్‌లోని ఆహ్వాన అంగీకార బటన్‌ను క్లిక్ చేయవచ్చు:", "If you’ve received this invitation by mistake, please discard it.": "మీరు పొరపాటున ఈ ఆహ్వానాన్ని స్వీకరించినట్లయితే, దయచేసి దాన్ని విస్మరించండి.", "I know the exact date, including the year": "సంవత్సరంతో సహా ఖచ్చితమైన తేదీ నాకు తెలుసు", "I know the name": "పేరు నాకు తెలుసు", @@ -539,7 +539,7 @@ "Journal metrics let you track data accross all your journal entries.": "మీ అన్ని జర్నల్ ఎంట్రీలలో డేటాను ట్రాక్ చేయడానికి జర్నల్ మెట్రిక్‌లు మిమ్మల్ని అనుమతిస్తాయి.", "Journals": "పత్రికలు", "Just because": "కేవలం ఎందుకంటే", - "Just to say hello": "హలో చెప్పడానికే", + "Just to say hello": "కేవలం హలో చెప్పడానికే", "Key name": "ముఖ్య పేరు", "kilometers (km)": "కిలోమీటర్లు (కిమీ)", "km": "కి.మీ", @@ -548,12 +548,12 @@ "Labels let you classify contacts using a system that matters to you.": "మీకు ముఖ్యమైన సిస్టమ్‌ని ఉపయోగించి పరిచయాలను వర్గీకరించడానికి లేబుల్‌లు మిమ్మల్ని అనుమతిస్తాయి.", "Language of the application": "అప్లికేషన్ యొక్క భాష", "Last active": "చివరిగా సక్రియం", - "Last active :date": "చివరిగా సక్రియం: తేదీ", + "Last active :date": "చివరిగా సక్రియం :date", "Last name": "చివరి పేరు", "Last name First name": "చివరి పేరు మొదటి పేరు", "Last updated": "చివరిగా నవీకరించబడింది", "Last used": "చివరగా ఉపయోగించింది", - "Last used :date": "చివరిగా ఉపయోగించబడింది: తేదీ", + "Last used :date": "చివరిగా ఉపయోగించిన :date", "Leave": "వదిలేయండి", "Leave Team": "బృందాన్ని వదిలివేయండి", "Life": "జీవితం", @@ -561,9 +561,10 @@ "Life events": "జీవిత ఘటనలు", "Life events let you document what happened in your life.": "జీవిత సంఘటనలు మీ జీవితంలో జరిగిన వాటిని డాక్యుమెంట్ చేయడానికి మిమ్మల్ని అనుమతిస్తాయి.", "Life event types:": "జీవిత సంఘటనల రకాలు:", - "Life event types and categories": "లైఫ్ ఈవెంట్ రకాలు మరియు వర్గాలు", + "Life event types and categories": "జీవిత ఈవెంట్ రకాలు మరియు వర్గాలు", "Life metrics": "జీవిత కొలమానాలు", "Life metrics let you track metrics that are important to you.": "జీవిత కొలమానాలు మీకు ముఖ్యమైన మెట్రిక్‌లను ట్రాక్ చేయడానికి మిమ్మల్ని అనుమతిస్తాయి.", + "LinkedIn": "లింక్డ్ఇన్", "Link to documentation": "డాక్యుమెంటేషన్‌కి లింక్", "List of addresses": "చిరునామాల జాబితా", "List of addresses of the contacts in the vault": "ఖజానాలోని పరిచయాల చిరునామాల జాబితా", @@ -612,6 +613,7 @@ "Manage Team": "బృందాన్ని నిర్వహించండి", "Manage templates": "టెంప్లేట్‌లను నిర్వహించండి", "Manage users": "వినియోగదారులను నిర్వహించండి", + "Mastodon": "మాస్టోడాన్", "Maybe one of these contacts?": "బహుశా ఈ పరిచయాలలో ఒకటైనా?", "mentor": "గురువు", "Middle name": "మధ్య పేరు", @@ -619,9 +621,9 @@ "miles (mi)": "మైళ్లు (మై)", "Modules in this page": "ఈ పేజీలో మాడ్యూల్స్", "Monday": "సోమవారం", - "Monica. All rights reserved. 2017 — :date.": "మోనికా. అన్ని హక్కులు ప్రత్యేకించబడ్డాయి. 2017 — : తేదీ.", - "Monica is open source, made by hundreds of people from all around the world.": "మోనికా అనేది ఓపెన్ సోర్స్, ఇది ప్రపంచవ్యాప్తంగా ఉన్న వందలాది మంది వ్యక్తులచే తయారు చేయబడింది.", - "Monica was made to help you document your life and your social interactions.": "మోనికా మీ జీవితాన్ని మరియు మీ సామాజిక పరస్పర చర్యలను డాక్యుమెంట్ చేయడంలో మీకు సహాయం చేయడానికి రూపొందించబడింది.", + "Monica. All rights reserved. 2017 — :date.": "Monica. అన్ని హక్కులు ప్రత్యేకించబడ్డాయి. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica అనేది ప్రపంచవ్యాప్తంగా ఉన్న వందలాది మంది వ్యక్తులచే తయారు చేయబడిన ఓపెన్ సోర్స్.", + "Monica was made to help you document your life and your social interactions.": "Monica మీ జీవితాన్ని మరియు మీ సామాజిక పరస్పర చర్యలను డాక్యుమెంట్ చేయడంలో మీకు సహాయం చేయడానికి రూపొందించబడింది.", "Month": "నెల", "month": "నెల", "Mood in the year": "సంవత్సరంలో మానసిక స్థితి", @@ -636,9 +638,9 @@ "Name of the reminder": "రిమైండర్ పేరు", "Name of the reverse relationship": "రివర్స్ సంబంధం పేరు", "Nature of the call": "కాల్ యొక్క స్వభావం", - "nephew\/niece": "మేనల్లుడు మేనకోడలు", + "nephew/niece": "మేనల్లుడు/మేనకోడలు", "New Password": "కొత్త పాస్వర్డ్", - "New to Monica?": "మోనికాకు కొత్త?", + "New to Monica?": "Monica కొత్త?", "Next": "తరువాత", "Nickname": "మారుపేరు", "nickname": "మారుపేరు", @@ -669,7 +671,7 @@ "Offered": "ఇచ్చింది", "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "బృందం తొలగించబడిన తర్వాత, దాని వనరులు మరియు డేటా మొత్తం శాశ్వతంగా తొలగించబడతాయి. ఈ బృందాన్ని తొలగించే ముందు, దయచేసి మీరు ఈ బృందానికి సంబంధించిన ఏదైనా డేటా లేదా సమాచారాన్ని డౌన్‌లోడ్ చేసుకోండి.", "Once you cancel,": "మీరు రద్దు చేసిన తర్వాత,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "మీరు దిగువ సెటప్ బటన్‌ను క్లిక్ చేసిన తర్వాత, మేము మీకు అందించే బటన్‌తో మీరు టెలిగ్రామ్‌ను తెరవాలి. ఇది మీ కోసం మోనికా టెలిగ్రామ్ బాట్‌ను కనుగొంటుంది.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "మీరు దిగువ సెటప్ బటన్‌ను క్లిక్ చేసిన తర్వాత, మేము మీకు అందించే బటన్‌తో మీరు టెలిగ్రామ్‌ను తెరవాలి. ఇది మీ కోసం Monica టెలిగ్రామ్ బాట్‌ను కనుగొంటుంది.", "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "మీ ఖాతా తొలగించబడిన తర్వాత, దాని వనరులు మరియు డేటా మొత్తం శాశ్వతంగా తొలగించబడతాయి. మీ ఖాతాను తొలగించే ముందు, దయచేసి మీరు ఉంచాలనుకునే ఏదైనా డేటా లేదా సమాచారాన్ని డౌన్‌లోడ్ చేయండి.", "Only once, when the next occurence of the date occurs.": "తేదీ యొక్క తదుపరి సంఘటన సంభవించినప్పుడు ఒక్కసారి మాత్రమే.", "Oops! Something went wrong.": "అయ్యో! ఎక్కడో తేడ జరిగింది.", @@ -694,10 +696,10 @@ "Password": "పాస్వర్డ్", "Payment Required": "చెల్లింపు అవసరం", "Pending Team Invitations": "పెండింగ్‌లో ఉన్న టీమ్ ఆహ్వానాలు", - "per\/per": "కోసం\/కోసం", + "per/per": "ప్రతి/ప్రతి", "Permanently delete this team.": "ఈ బృందాన్ని శాశ్వతంగా తొలగించండి.", "Permanently delete your account.": "మీ ఖాతాను శాశ్వతంగా తొలగించండి.", - "Permission for :name": "దీనికి అనుమతి:పేరు", + "Permission for :name": ":Name కోసం అనుమతి", "Permissions": "అనుమతులు", "Personal": "వ్యక్తిగత", "Personalize your account": "మీ ఖాతాను వ్యక్తిగతీకరించండి", @@ -713,7 +715,7 @@ "Played soccer": "సాకర్ ఆడాడు", "Played tennis": "టెన్నిస్ ఆడాడు", "Please choose a template for this new post": "దయచేసి ఈ కొత్త పోస్ట్ కోసం టెంప్లేట్‌ను ఎంచుకోండి", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "దయచేసి ఈ పరిచయం ఎలా ప్రదర్శించబడాలో మోనికాకి చెప్పడానికి దిగువన ఒక టెంప్లేట్‌ని ఎంచుకోండి. సంప్రదింపు పేజీలో ఏ డేటా ప్రదర్శించబడాలో టెంప్లేట్‌లు మిమ్మల్ని నిర్వచించటానికి అనుమతిస్తాయి.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "దయచేసి ఈ పరిచయం ఎలా ప్రదర్శించబడాలో Monica చెప్పడానికి దిగువన ఒక టెంప్లేట్‌ని ఎంచుకోండి. సంప్రదింపు పేజీలో ఏ డేటా ప్రదర్శించబడాలో టెంప్లేట్‌లు మిమ్మల్ని నిర్వచించటానికి అనుమతిస్తాయి.", "Please click the button below to verify your email address.": "దయచేసి మీ ఇమెయిల్ చిరునామాను ధృవీకరించడానికి దిగువ బటన్‌ను క్లిక్ చేయండి.", "Please complete this form to finalize your account.": "దయచేసి మీ ఖాతాను ఖరారు చేయడానికి ఈ ఫారమ్‌ను పూర్తి చేయండి.", "Please confirm access to your account by entering one of your emergency recovery codes.": "దయచేసి మీ అత్యవసర పునరుద్ధరణ కోడ్‌లలో ఒకదానిని నమోదు చేయడం ద్వారా మీ ఖాతాకు ప్రాప్యతను నిర్ధారించండి.", @@ -725,9 +727,9 @@ "Please enter your password to cancel the account": "ఖాతాను రద్దు చేయడానికి దయచేసి మీ పాస్‌వర్డ్‌ను నమోదు చేయండి", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "మీరు మీ అన్ని పరికరాలలో మీ ఇతర బ్రౌజర్ సెషన్‌ల నుండి లాగ్ అవుట్ చేయాలనుకుంటున్నారని నిర్ధారించడానికి దయచేసి మీ పాస్‌వర్డ్‌ను నమోదు చేయండి.", "Please indicate the contacts": "దయచేసి పరిచయాలను సూచించండి", - "Please join Monica": "దయచేసి మోనికాతో చేరండి", + "Please join Monica": "దయచేసి Monica చేరండి", "Please provide the email address of the person you would like to add to this team.": "దయచేసి మీరు ఈ బృందానికి జోడించాలనుకుంటున్న వ్యక్తి యొక్క ఇమెయిల్ చిరునామాను అందించండి.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "దయచేసి ఈ ఫీచర్ గురించి మరింత తెలుసుకోవడానికి మా డాక్యుమెంటేషన్<\/link> చదవండి మరియు మీరు ఏ వేరియబుల్స్‌కు యాక్సెస్ కలిగి ఉన్నారు.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "దయచేసి ఈ ఫీచర్ గురించి మరింత తెలుసుకోవడానికి మా డాక్యుమెంటేషన్ చదవండి మరియు మీరు ఏ వేరియబుల్స్‌కు యాక్సెస్ కలిగి ఉన్నారు.", "Please select a page on the left to load modules.": "దయచేసి మాడ్యూల్‌లను లోడ్ చేయడానికి ఎడమ వైపున ఉన్న పేజీని ఎంచుకోండి.", "Please type a few characters to create a new label.": "దయచేసి కొత్త లేబుల్‌ని సృష్టించడానికి కొన్ని అక్షరాలను టైప్ చేయండి.", "Please type a few characters to create a new tag.": "దయచేసి కొత్త ట్యాగ్‌ని సృష్టించడానికి కొన్ని అక్షరాలను టైప్ చేయండి.", @@ -745,14 +747,14 @@ "Profile": "ప్రొఫైల్", "Profile and security": "ప్రొఫైల్ మరియు భద్రత", "Profile Information": "ప్రొఫైల్ సమాచారం", - "Profile of :name": "ప్రొఫైల్: పేరు", - "Profile page of :name": "ప్రొఫైల్ పేజీ:పేరు", - "Pronoun": "వారు మొగ్గు చూపుతారు", + "Profile of :name": ":Name యొక్క ప్రొఫైల్", + "Profile page of :name": ":Name యొక్క ప్రొఫైల్ పేజీ", + "Pronoun": "సర్వనామం", "Pronouns": "సర్వనామాలు", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "సర్వనామాలు ప్రాథమికంగా మన పేరు కాకుండా మనల్ని మనం ఎలా గుర్తించుకుంటాం. సంభాషణలో ఎవరైనా మిమ్మల్ని ఎలా సూచిస్తారు.", "protege": "ఆశ్రితుడు", "Protocol": "ప్రోటోకాల్", - "Protocol: :name": "ప్రోటోకాల్: :పేరు", + "Protocol: :name": "ప్రోటోకాల్: :name", "Province": "ప్రావిన్స్", "Quick facts": "త్వరిత వాస్తవాలు", "Quick facts let you document interesting facts about a contact.": "త్వరిత వాస్తవాలు పరిచయం గురించి ఆసక్తికరమైన విషయాలను డాక్యుమెంట్ చేయడానికి మిమ్మల్ని అనుమతిస్తాయి.", @@ -761,13 +763,13 @@ "Rabbit": "కుందేలు", "Ran": "పరిగెడుతూ", "Rat": "ఎలుక", - "Read :count time|Read :count times": "చదవండి :సమయం లెక్కింపు|చదవండి :గణన సమయాలు", - "Record a loan": "రుణాన్ని నమోదు చేయండి", + "Read :count time|Read :count times": ":count సారి చదవండి|:count సార్లు చదవండి", + "Record a loan": "రుణాన్ని రికార్డ్ చేయండి", "Record your mood": "మీ మానసిక స్థితిని రికార్డ్ చేయండి", "Recovery Code": "రికవరీ కోడ్", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "మీరు ప్రపంచంలో ఎక్కడ ఉన్నా, మీ స్వంత టైమ్‌జోన్‌లో తేదీలను ప్రదర్శించండి.", "Regards": "గౌరవంతో", - "Regenerate Recovery Codes": "రికవరీ కోడ్‌లను పునరుద్ధరించండి", + "Regenerate Recovery Codes": "రికవరీ కోడ్‌లను పునరుత్పత్తి చేయండి", "Register": "నమోదు చేసుకోండి", "Register a new key": "కొత్త కీని నమోదు చేయండి", "Register a new key.": "కొత్త కీని నమోదు చేయండి.", @@ -775,18 +777,18 @@ "Regular user": "సాధారణ వినియోగదారు", "Relationships": "సంబంధాలు", "Relationship types": "సంబంధాల రకాలు", - "Relationship types let you link contacts and document how they are connected.": "సంబంధాల రకాలు పరిచయాలను లింక్ చేయడానికి మరియు అవి ఎలా కనెక్ట్ అయ్యాయో డాక్యుమెంట్ చేయడానికి మిమ్మల్ని అనుమతిస్తాయి.", + "Relationship types let you link contacts and document how they are connected.": "సంబంధాల రకాలు మిమ్మల్ని పరిచయాలను లింక్ చేయడానికి మరియు అవి ఎలా కనెక్ట్ అయ్యాయో డాక్యుమెంట్ చేయడానికి మిమ్మల్ని అనుమతిస్తాయి.", "Religion": "మతం", "Religions": "మతాలు", "Religions is all about faith.": "మతాలన్నీ విశ్వాసానికి సంబంధించినవి.", "Remember me": "నన్ను గుర్తు పెట్టుకో", - "Reminder for :name": "దీని కోసం రిమైండర్:పేరు", + "Reminder for :name": ":Name కోసం రిమైండర్", "Reminders": "రిమైండర్‌లు", - "Reminders for the next 30 days": "తదుపరి 30 రోజులకు రిమైండర్‌లు", + "Reminders for the next 30 days": "తదుపరి 30 రోజుల కోసం రిమైండర్‌లు", "Remind me about this date every year": "ప్రతి సంవత్సరం ఈ తేదీ గురించి నాకు గుర్తు చేయండి", "Remind me about this date just once, in one year from now": "ఇప్పటి నుండి ఒక సంవత్సరంలో ఈ తేదీ గురించి నాకు ఒక్కసారి గుర్తు చేయండి", "Remove": "తొలగించు", - "Remove avatar": "అవతార్‌ను తీసివేయండి", + "Remove avatar": "అవతార్‌ని తీసివేయండి", "Remove cover image": "కవర్ చిత్రాన్ని తీసివేయండి", "removed a label": "ఒక లేబుల్ తొలగించబడింది", "removed the contact from a group": "సమూహం నుండి పరిచయాన్ని తొలగించారు", @@ -806,7 +808,7 @@ "Rode a bike": "బైక్ నడిపాడు", "Role": "పాత్ర", "Roles:": "పాత్రలు:", - "Roomates": "ప్రాకటం", + "Roomates": "రూమ్మేట్స్", "Saturday": "శనివారం", "Save": "సేవ్ చేయండి", "Saved.": "సేవ్ చేయబడింది.", @@ -822,7 +824,7 @@ "Select a relationship type": "సంబంధం రకాన్ని ఎంచుకోండి", "Send invitation": "ఆహ్వానం పంపండి", "Send test": "పరీక్ష పంపండి", - "Sent at :time": "సమయానికి పంపబడింది", + "Sent at :time": ":timeకి పంపబడింది", "Server Error": "సర్వర్ లోపం", "Service Unavailable": "సహాయము అందించుట వీలుకాదు", "Set as default": "ఎధావిధిగా ఉంచు", @@ -833,16 +835,16 @@ "Setup Key": "సెటప్ కీ", "Setup Key:": "సెటప్ కీ:", "Setup Telegram": "టెలిగ్రామ్‌ని సెటప్ చేయండి", - "she\/her": "ఆమె\/ఆమె", + "she/her": "ఆమె/ఆమె", "Shintoist": "షింటోయిస్ట్", "Show Calendar tab": "క్యాలెండర్ ట్యాబ్‌ను చూపించు", "Show Companies tab": "కంపెనీల ట్యాబ్‌ను చూపు", - "Show completed tasks (:count)": "పూర్తయిన టాస్క్‌లను చూపు (:కౌంట్)", + "Show completed tasks (:count)": "పూర్తయిన టాస్క్‌లను చూపు (:count)", "Show Files tab": "ఫైల్‌ల ట్యాబ్‌ను చూపించు", "Show Groups tab": "గుంపుల ట్యాబ్‌ను చూపించు", "Showing": "చూపిస్తున్నారు", - "Showing :count of :total results": "చూపుతోంది:మొత్తం ఫలితాల సంఖ్య", - "Showing :first to :last of :total results": "చూపుతోంది:మొదటి నుండి:చివరి:మొత్తం ఫలితాలు", + "Showing :count of :total results": ":total ఫలితాలలో :count చూపుతోంది", + "Showing :first to :last of :total results": ":total ఫలితాలలో :first నుండి :last వరకు చూపుతోంది", "Show Journals tab": "జర్నల్స్ ట్యాబ్‌ను చూపించు", "Show Recovery Codes": "రికవరీ కోడ్‌లను చూపించు", "Show Reports tab": "నివేదికల ట్యాబ్‌ను చూపు", @@ -851,7 +853,7 @@ "Sign in to your account": "మీ ఖాతాకు సైన్ ఇన్ చేయండి", "Sign up for an account": "ఖాతా కోసం సైన్ అప్ చేయండి", "Sikh": "సిక్కు", - "Slept :count hour|Slept :count hours": "నిద్ర: గణన గంట|నిద్ర: గంటల గణన", + "Slept :count hour|Slept :count hours": ":count గంట పడుకున్నారు|:count గంటలు నిద్రపోయారు", "Slice of life": "జీవితపు ముక్క", "Slices of life": "జీవితం యొక్క ముక్కలు", "Small animal": "చిన్న జంతువు", @@ -863,7 +865,7 @@ "spouse": "జీవిత భాగస్వామి", "Statistics": "గణాంకాలు", "Storage": "నిల్వ", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "ఈ రికవరీ కోడ్‌లను సురక్షిత పాస్‌వర్డ్ మేనేజర్‌లో నిల్వ చేయండి. మీ టూ ఫ్యాక్టర్ అథెంటికేషన్ పరికరం పోయినట్లయితే మీ ఖాతాకు యాక్సెస్‌ని తిరిగి పొందడానికి వాటిని ఉపయోగించవచ్చు.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "ఈ రికవరీ కోడ్‌లను సురక్షిత పాస్‌వర్డ్ మేనేజర్‌లో నిల్వ చేయండి. మీ టూ ఫ్యాక్టర్ అథెంటికేషన్ పరికరం పోయినట్లయితే మీ ఖాతాకు యాక్సెస్‌ని పునరుద్ధరించడానికి వాటిని ఉపయోగించవచ్చు.", "Submit": "సమర్పించండి", "subordinate": "అధీన", "Suffix": "ప్రత్యయం", @@ -886,21 +888,20 @@ "Templates": "టెంప్లేట్లు", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "టెంప్లేట్‌లు మీ కాంటాక్ట్‌లలో ఏ డేటాను ప్రదర్శించాలో అనుకూలీకరించడానికి మిమ్మల్ని అనుమతిస్తాయి. మీకు కావలసినన్ని టెంప్లేట్‌లను మీరు నిర్వచించవచ్చు మరియు ఏ పరిచయంలో ఏ టెంప్లేట్ ఉపయోగించాలో ఎంచుకోవచ్చు.", "Terms of Service": "సేవా నిబంధనలు", - "Test email for Monica": "మోనికా కోసం పరీక్ష ఇమెయిల్", + "Test email for Monica": "Monica కోసం పరీక్ష ఇమెయిల్", "Test email sent!": "పరీక్ష ఇమెయిల్ పంపబడింది!", "Thanks,": "ధన్యవాదాలు,", - "Thanks for giving Monica a try": "మోనికా ఒకసారి ప్రయత్నించినందుకు ధన్యవాదాలు", - "Thanks for giving Monica a try.": "మోనికా ఒకసారి ప్రయత్నించినందుకు ధన్యవాదాలు.", + "Thanks for giving Monica a try.": "Monica ఒకసారి ప్రయత్నించినందుకు ధన్యవాదాలు.", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "సైన్ అప్ చేసినందుకు ధన్యవాదాలు! ప్రారంభించడానికి ముందు, మేము మీకు ఇమెయిల్ పంపిన లింక్‌పై క్లిక్ చేయడం ద్వారా మీరు మీ ఇమెయిల్ చిరునామాను ధృవీకరించగలరా? మీరు ఇమెయిల్‌ను అందుకోకుంటే, మేము మీకు మరొకటి పంపుతాము.", - "The :attribute must be at least :length characters.": ":లక్షణం తప్పనిసరిగా కనీసం :నిడివి అక్షరాలు అయి ఉండాలి.", - "The :attribute must be at least :length characters and contain at least one number.": ":లక్షణం తప్పనిసరిగా కనీసం :పొడవు అక్షరాలు అయి ఉండాలి మరియు కనీసం ఒక సంఖ్యను కలిగి ఉండాలి.", - "The :attribute must be at least :length characters and contain at least one special character.": ":లక్షణం తప్పనిసరిగా కనీసం :పొడవు అక్షరాలు అయి ఉండాలి మరియు కనీసం ఒక ప్రత్యేక అక్షరాన్ని కలిగి ఉండాలి.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":లక్షణం తప్పనిసరిగా కనీసం :పొడవు అక్షరాలు అయి ఉండాలి మరియు కనీసం ఒక ప్రత్యేక అక్షరం మరియు ఒక సంఖ్యను కలిగి ఉండాలి.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":లక్షణం తప్పనిసరిగా కనీసం :పొడవు అక్షరాలు అయి ఉండాలి మరియు కనీసం ఒక పెద్ద అక్షరం, ఒక సంఖ్య మరియు ఒక ప్రత్యేక అక్షరాన్ని కలిగి ఉండాలి.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":లక్షణం తప్పనిసరిగా కనీసం :పొడవు అక్షరాలు అయి ఉండాలి మరియు కనీసం ఒక పెద్ద అక్షరాన్ని కలిగి ఉండాలి.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":లక్షణం తప్పనిసరిగా కనీసం :పొడవు అక్షరాలు అయి ఉండాలి మరియు కనీసం ఒక పెద్ద అక్షరం మరియు ఒక సంఖ్యను కలిగి ఉండాలి.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":లక్షణం తప్పనిసరిగా కనీసం :పొడవు అక్షరాలు అయి ఉండాలి మరియు కనీసం ఒక పెద్ద అక్షరం మరియు ఒక ప్రత్యేక అక్షరాన్ని కలిగి ఉండాలి.", - "The :attribute must be a valid role.": ":లక్షణం తప్పనిసరిగా చెల్లుబాటు అయ్యే పాత్ర అయి ఉండాలి.", + "The :attribute must be at least :length characters.": ":Attribute తప్పనిసరిగా కనీసం :length అక్షరాలు ఉండాలి.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute తప్పనిసరిగా కనీసం :length అక్షరాలు ఉండాలి మరియు కనీసం ఒక సంఖ్యను కలిగి ఉండాలి.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute తప్పనిసరిగా కనీసం :length అక్షరాలు ఉండాలి మరియు కనీసం ఒక ప్రత్యేక అక్షరాన్ని కలిగి ఉండాలి.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute తప్పనిసరిగా కనీసం :length అక్షరాలు ఉండాలి మరియు కనీసం ఒక ప్రత్యేక అక్షరం మరియు ఒక సంఖ్యను కలిగి ఉండాలి.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute తప్పనిసరిగా కనీసం :length అక్షరాలు ఉండాలి మరియు కనీసం ఒక పెద్ద అక్షరం, ఒక సంఖ్య మరియు ఒక ప్రత్యేక అక్షరాన్ని కలిగి ఉండాలి.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute తప్పనిసరిగా కనీసం :length అక్షరాలు ఉండాలి మరియు కనీసం ఒక పెద్ద అక్షరాన్ని కలిగి ఉండాలి.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute తప్పనిసరిగా కనీసం :length అక్షరాలు ఉండాలి మరియు కనీసం ఒక పెద్ద అక్షరం మరియు ఒక సంఖ్యను కలిగి ఉండాలి.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute తప్పనిసరిగా కనీసం :length అక్షరాలు ఉండాలి మరియు కనీసం ఒక పెద్ద అక్షరం మరియు ఒక ప్రత్యేక అక్షరాన్ని కలిగి ఉండాలి.", + "The :attribute must be a valid role.": ":Attribute తప్పనిసరిగా చెల్లుబాటు అయ్యే పాత్ర అయి ఉండాలి.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "ఖాతా డేటా 30 రోజులలోపు మా సర్వర్‌ల నుండి మరియు 60 రోజులలోపు అన్ని బ్యాకప్‌ల నుండి శాశ్వతంగా తొలగించబడుతుంది.", "The address type has been created": "చిరునామా రకం సృష్టించబడింది", "The address type has been deleted": "చిరునామా రకం తొలగించబడింది", @@ -960,7 +961,7 @@ "The important dates in the next 12 months": "రాబోయే 12 నెలల్లో ముఖ్యమైన తేదీలు", "The job information has been saved": "ఉద్యోగ సమాచారం సేవ్ చేయబడింది", "The journal lets you document your life with your own words.": "మీ స్వంత పదాలతో మీ జీవితాన్ని డాక్యుమెంట్ చేయడానికి జర్నల్ మిమ్మల్ని అనుమతిస్తుంది.", - "The keys to manage uploads have not been set in this Monica instance.": "ఈ మోనికా సందర్భంలో అప్‌లోడ్‌లను నిర్వహించడానికి కీలు సెట్ చేయబడలేదు.", + "The keys to manage uploads have not been set in this Monica instance.": "ఈ Monica సందర్భంలో అప్‌లోడ్‌లను నిర్వహించడానికి కీలు సెట్ చేయబడలేదు.", "The label has been added": "లేబుల్ జోడించబడింది", "The label has been created": "లేబుల్ సృష్టించబడింది", "The label has been deleted": "లేబుల్ తొలగించబడింది", @@ -1067,10 +1068,10 @@ "The vault has been created": "ఖజానా సృష్టించబడింది", "The vault has been deleted": "ఖజానా తొలగించబడింది", "The vault have been updated": "ఖజానా నవీకరించబడింది", - "they\/them": "వారు\/వారు", + "they/them": "వారు/వారు", "This address is not active anymore": "ఈ చిరునామా ఇప్పుడు సక్రియంగా లేదు", "This device": "ఈ పరికరం", - "This email is a test email to check if Monica can send an email to this email address.": "మోనికా ఈ ఇమెయిల్ చిరునామాకు ఇమెయిల్ పంపగలదో లేదో తనిఖీ చేయడానికి ఈ ఇమెయిల్ పరీక్ష ఇమెయిల్.", + "This email is a test email to check if Monica can send an email to this email address.": "Monica ఈ ఇమెయిల్ చిరునామాకు ఇమెయిల్ పంపగలదో లేదో తనిఖీ చేయడానికి ఈ ఇమెయిల్ పరీక్ష ఇమెయిల్.", "This is a secure area of the application. Please confirm your password before continuing.": "ఇది అప్లికేషన్ యొక్క సురక్షిత ప్రాంతం. దయచేసి కొనసాగడానికి ముందు మీ పాస్‌వర్డ్‌ను నిర్ధారించండి.", "This is a test email": "ఇది పరీక్ష ఇమెయిల్", "This is a test notification for :name": "ఇది :name కోసం పరీక్ష నోటిఫికేషన్", @@ -1078,14 +1079,14 @@ "This link will open in a new tab": "ఈ లింక్ కొత్త ట్యాబ్‌లో తెరవబడుతుంది", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "ఈ పేజీ గతంలో ఈ ఛానెల్‌లో పంపబడిన అన్ని నోటిఫికేషన్‌లను చూపుతుంది. ఇది ప్రాథమికంగా మీరు సెటప్ చేసిన నోటిఫికేషన్‌ను అందుకోనట్లయితే డీబగ్ చేయడానికి ఒక మార్గంగా పనిచేస్తుంది.", "This password does not match our records.": "ఈ పాస్‌వర్డ్ మా రికార్డులతో సరిపోలడం లేదు.", - "This password reset link will expire in :count minutes.": "ఈ పాస్‌వర్డ్ రీసెట్ లింక్ గడువు నిమిషాల్లో ముగుస్తుంది.", + "This password reset link will expire in :count minutes.": "ఈ పాస్‌వర్డ్ రీసెట్ లింక్ :count నిమిషాల్లో గడువు ముగుస్తుంది.", "This post has no content yet.": "ఈ పోస్ట్‌కి ఇంకా కంటెంట్ లేదు.", "This provider is already associated with another account": "ఈ ప్రొవైడర్ ఇప్పటికే మరొక ఖాతాతో అనుబంధించబడ్డారు", "This site is open source.": "ఈ సైట్ ఓపెన్ సోర్స్.", "This template will define what information are displayed on a contact page.": "సంప్రదింపు పేజీలో ఏ సమాచారం ప్రదర్శించబడుతుందో ఈ టెంప్లేట్ నిర్వచిస్తుంది.", "This user already belongs to the team.": "ఈ వినియోగదారు ఇప్పటికే బృందానికి చెందినవారు.", "This user has already been invited to the team.": "ఈ వినియోగదారు ఇప్పటికే బృందానికి ఆహ్వానించబడ్డారు.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "ఈ వినియోగదారు మీ ఖాతాలో భాగం అవుతారు, కానీ మీరు వారికి నిర్దిష్ట యాక్సెస్ ఇస్తే తప్ప ఈ ఖాతాలోని అన్ని వాల్ట్‌లకు యాక్సెస్ పొందలేరు. ఈ వ్యక్తి వాల్ట్‌లను కూడా సృష్టించగలడు.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "ఈ వినియోగదారు మీ ఖాతాలో భాగమవుతారు, కానీ మీరు వారికి నిర్దిష్ట యాక్సెస్ ఇస్తే తప్ప ఈ ఖాతాలోని అన్ని వాల్ట్‌లకు యాక్సెస్ పొందలేరు. ఈ వ్యక్తి వాల్ట్‌లను కూడా సృష్టించగలడు.", "This will immediately:": "ఇది వెంటనే చేస్తుంది:", "Three things that happened today": "ఈరోజు జరిగిన మూడు విషయాలు", "Thursday": "గురువారం", @@ -1093,7 +1094,6 @@ "Title": "శీర్షిక", "to": "కు", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "రెండు కారకాల ప్రమాణీకరణను ప్రారంభించడాన్ని పూర్తి చేయడానికి, మీ ఫోన్ యొక్క ప్రామాణీకరణ అప్లికేషన్‌ను ఉపయోగించి క్రింది QR కోడ్‌ని స్కాన్ చేయండి లేదా సెటప్ కీని నమోదు చేసి, రూపొందించిన OTP కోడ్‌ను అందించండి.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "రెండు కారకాల ప్రమాణీకరణను ప్రారంభించడాన్ని పూర్తి చేయడానికి, మీ ఫోన్ యొక్క ప్రమాణీకరణ అప్లికేషన్‌ను ఉపయోగించి క్రింది QR కోడ్‌ని స్కాన్ చేయండి లేదా సెటప్ కీని నమోదు చేసి, రూపొందించిన OTP కోడ్‌ను అందించండి.", "Toggle navigation": "నావిగేషన్‌ని టోగుల్ చేయండి", "To hear their story": "వారి కథ వినడానికి", "Token Name": "టోకెన్ పేరు", @@ -1115,13 +1115,13 @@ "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "రెండు కారకాల ప్రమాణీకరణ ఇప్పుడు ప్రారంభించబడింది. మీ ఫోన్ ప్రామాణీకరణ అప్లికేషన్‌ని ఉపయోగించి క్రింది QR కోడ్‌ని స్కాన్ చేయండి లేదా సెటప్ కీని నమోదు చేయండి.", "Type": "టైప్ చేయండి", "Type:": "రకం:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "మోనికా బోట్‌తో సంభాషణలో ఏదైనా టైప్ చేయండి. ఉదాహరణకు ఇది `ప్రారంభం` కావచ్చు.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica బోట్‌తో సంభాషణలో ఏదైనా టైప్ చేయండి. ఉదాహరణకు ఇది `ప్రారంభం` కావచ్చు.", "Types": "రకాలు", "Type something": "ఏదైనా టైప్ చేయండి", "Unarchive contact": "పరిచయాన్ని అన్‌ఆర్కైవ్ చేయండి", "unarchived the contact": "పరిచయాన్ని అన్‌ఆర్కైవ్ చేసారు", "Unauthorized": "అనధికారమైనది", - "uncle\/aunt": "మామ, అత్త", + "uncle/aunt": "మామ,/అత్త", "Undefined": "నిర్వచించబడలేదు", "Unexpected error on login.": "లాగిన్‌లో ఊహించని లోపం.", "Unknown": "తెలియదు", @@ -1136,14 +1136,13 @@ "updated an address": "చిరునామాను నవీకరించారు", "updated an important date": "ముఖ్యమైన తేదీని నవీకరించారు", "updated a pet": "పెంపుడు జంతువును నవీకరించారు", - "Updated on :date": "నవీకరించబడింది: తేదీ", + "Updated on :date": ":dateన నవీకరించబడింది", "updated the avatar of the contact": "పరిచయం అవతార్ అప్‌డేట్ చేయబడింది", "updated the contact information": "సంప్రదింపు సమాచారాన్ని నవీకరించారు", "updated the job information": "ఉద్యోగ సమాచారాన్ని అప్‌డేట్ చేసారు", "updated the religion": "మతాన్ని నవీకరించారు", "Update Password": "పాస్‌వర్డ్‌ని నవీకరించండి", "Update your account's profile information and email address.": "మీ ఖాతా ప్రొఫైల్ సమాచారం మరియు ఇమెయిల్ చిరునామాను నవీకరించండి.", - "Update your account’s profile information and email address.": "మీ ఖాతా ప్రొఫైల్ సమాచారం మరియు ఇమెయిల్ చిరునామాను నవీకరించండి.", "Upload photo as avatar": "ఫోటోను అవతార్‌గా అప్‌లోడ్ చేయండి", "Use": "వా డు", "Use an authentication code": "ప్రామాణీకరణ కోడ్‌ని ఉపయోగించండి", @@ -1159,12 +1158,12 @@ "Value copied into your clipboard": "విలువ మీ క్లిప్‌బోర్డ్‌లోకి కాపీ చేయబడింది", "Vaults contain all your contacts data.": "వాల్ట్‌లు మీ పరిచయాల డేటా మొత్తాన్ని కలిగి ఉంటాయి.", "Vault settings": "వాల్ట్ సెట్టింగ్‌లు", - "ve\/ver": "మరియు\/ఇవ్వండి", + "ve/ver": "ve/ver", "Verification email sent": "ధృవీకరణ ఇమెయిల్ పంపబడింది", "Verified": "ధృవీకరించబడింది", "Verify Email Address": "ఇమెయిల్ చిరునామాను ధృవీకరించండి", "Verify this email address": "ఈ ఇమెయిల్ చిరునామాను ధృవీకరించండి", - "Version :version — commit [:short](:url).": "వెర్షన్ :version — కమిట్ [:short](:url).", + "Version :version — commit [:short](:url).": "వెర్షన్ :version — కట్టుబడి [:short](:url).", "Via Telegram": "టెలిగ్రామ్ ద్వారా", "Video call": "విడియో కాల్", "View": "చూడండి", @@ -1174,7 +1173,7 @@ "View history": "చరిత్రను వీక్షించండి", "View log": "లాగ్ చూడండి", "View on map": "మ్యాప్‌లో వీక్షించండి", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "మోనికా (అప్లికేషన్) మిమ్మల్ని గుర్తించడానికి కొన్ని సెకన్లు వేచి ఉండండి. ఇది పని చేస్తుందో లేదో తెలుసుకోవడానికి మేము మీకు నకిలీ నోటిఫికేషన్‌ను పంపుతాము.", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica (అప్లికేషన్) మిమ్మల్ని గుర్తించడానికి కొన్ని సెకన్లు వేచి ఉండండి. ఇది పని చేస్తుందో లేదో తెలుసుకోవడానికి మేము మీకు నకిలీ నోటిఫికేషన్‌ను పంపుతాము.", "Waiting for key…": "కీ కోసం వేచి ఉంది…", "Walked": "నడిచారు", "Wallpaper": "వాల్‌పేపర్", @@ -1184,28 +1183,29 @@ "Watched TV": "దృశ్య శ్రావణ పెట్టె ను చూసేను", "Watch Netflix every day": "ప్రతిరోజూ నెట్‌ఫ్లిక్స్ చూడండి", "Ways to connect": "కనెక్ట్ చేయడానికి మార్గాలు", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn సురక్షిత కనెక్షన్‌లకు మాత్రమే మద్దతు ఇస్తుంది. దయచేసి https పథకంతో ఈ పేజీని లోడ్ చేయండి.", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn సురక్షిత కనెక్షన్‌లకు మాత్రమే మద్దతు ఇస్తుంది. దయచేసి ఈ పేజీని https పథకంతో లోడ్ చేయండి.", "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "మేము వాటిని ఒక సంబంధం మరియు దాని రివర్స్ రిలేషన్ అని పిలుస్తాము. మీరు నిర్వచించే ప్రతి సంబంధానికి, మీరు దాని ప్రతిరూపాన్ని నిర్వచించాలి.", "Wedding": "పెండ్లి", "Wednesday": "బుధవారం", "We hope you'll like it.": "మీకు నచ్చుతుందని మేము ఆశిస్తున్నాము.", "We hope you will like what we’ve done.": "మేము చేసిన పని మీకు నచ్చుతుందని మేము ఆశిస్తున్నాము.", - "Welcome to Monica.": "మోనికాకు స్వాగతం.", + "Welcome to Monica.": "Monica స్వాగతం.", "Went to a bar": "ఒక బార్‌కి వెళ్లాడు", - "We support Markdown to format the text (bold, lists, headings, etc…).": "మేము వచనాన్ని ఫార్మాట్ చేయడానికి మార్క్‌డౌన్‌కు మద్దతు ఇస్తున్నాము (బోల్డ్, జాబితాలు, శీర్షికలు మొదలైనవి...).", + "We support Markdown to format the text (bold, lists, headings, etc…).": "మేము టెక్స్ట్‌ను ఫార్మాట్ చేయడానికి మార్క్‌డౌన్‌కు మద్దతు ఇస్తున్నాము (బోల్డ్, జాబితాలు, హెడ్డింగ్‌లు మొదలైనవి...).", "We were unable to find a registered user with this email address.": "మేము ఈ ఇమెయిల్ చిరునామాతో నమోదిత వినియోగదారుని కనుగొనలేకపోయాము.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "మేము ఈ ఇమెయిల్ చిరునామాకు ఒక ఇమెయిల్‌ను పంపుతాము, మేము ఈ చిరునామాకు నోటిఫికేషన్‌లను పంపడానికి ముందు మీరు నిర్ధారించవలసి ఉంటుంది.", "What happens now?": "ఇప్పుడు ఏమి జరుగుతుంది?", "What is the loan?": "రుణం ఏమిటి?", - "What permission should :name have?": "పేరుకు ఎలాంటి అనుమతి ఉండాలి?", + "What permission should :name have?": ":Nameకి ఎలాంటి అనుమతి ఉండాలి?", "What permission should the user have?": "వినియోగదారు ఏ అనుమతిని కలిగి ఉండాలి?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "మ్యాప్‌లను ప్రదర్శించడానికి మనం ఏమి ఉపయోగించాలి?", "What would make today great?": "ఈరోజును ఏది గొప్పగా చేస్తుంది?", "When did the call happened?": "కాల్ ఎప్పుడు జరిగింది?", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "రెండు కారకాల ప్రమాణీకరణ ప్రారంభించబడినప్పుడు, ప్రమాణీకరణ సమయంలో మీరు సురక్షితమైన, యాదృచ్ఛిక టోకెన్ కోసం ప్రాంప్ట్ చేయబడతారు. మీరు మీ ఫోన్ యొక్క Google Authenticator అప్లికేషన్ నుండి ఈ టోకెన్‌ని తిరిగి పొందవచ్చు.", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "రెండు కారకాల ప్రమాణీకరణ ప్రారంభించబడినప్పుడు, ప్రమాణీకరణ సమయంలో మీరు సురక్షితమైన, యాదృచ్ఛిక టోకెన్ కోసం ప్రాంప్ట్ చేయబడతారు. మీరు మీ ఫోన్ యొక్క Authenticator అప్లికేషన్ నుండి ఈ టోకెన్‌ని తిరిగి పొందవచ్చు.", "When was the loan made?": "అప్పు ఎప్పుడు చేశారు?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "మీరు రెండు పరిచయాల మధ్య సంబంధాన్ని నిర్వచించినప్పుడు, ఉదాహరణకు తండ్రి-కొడుకుల సంబంధాన్ని, మోనికా రెండు సంబంధాలను సృష్టిస్తుంది, ప్రతి పరిచయానికి ఒకటి:", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "మీరు రెండు పరిచయాల మధ్య సంబంధాన్ని నిర్వచించినప్పుడు, ఉదాహరణకు తండ్రి-కొడుకుల సంబంధాన్ని, Monica ప్రతి పరిచయానికి ఒకటిగా రెండు సంబంధాలను సృష్టిస్తుంది:", "Which email address should we send the notification to?": "మేము నోటిఫికేషన్‌ను ఏ ఇమెయిల్ చిరునామాకు పంపాలి?", "Who called?": "ఎవరు పిలిచారు?", "Who makes the loan?": "అప్పు ఎవరు చేస్తారు?", @@ -1218,27 +1218,27 @@ "Write the amount with a dot if you need decimals, like 100.50": "మీకు 100.50 వంటి దశాంశాలు అవసరమైతే చుక్కతో మొత్తాన్ని వ్రాయండి", "Written on": "న వ్రాయబడింది", "wrote a note": "ఒక నోట్ రాశారు", - "xe\/xem": "కారు\/వీక్షణ", + "xe/xem": "xe/xem", "year": "సంవత్సరం", "Years": "సంవత్సరాలు", "You are here:": "నువ్వు ఇక్కడ ఉన్నావు:", - "You are invited to join Monica": "మోనికాలో చేరడానికి మీరు ఆహ్వానించబడ్డారు", + "You are invited to join Monica": "Monica చేరడానికి మీరు ఆహ్వానించబడ్డారు", "You are receiving this email because we received a password reset request for your account.": "మేము మీ ఖాతా కోసం పాస్‌వర్డ్ రీసెట్ అభ్యర్థనను స్వీకరించినందున మీరు ఈ ఇమెయిల్‌ను స్వీకరిస్తున్నారు.", "you can't even use your current username or password to sign in,": "సైన్ ఇన్ చేయడానికి మీరు మీ ప్రస్తుత వినియోగదారు పేరు లేదా పాస్‌వర్డ్‌ని కూడా ఉపయోగించలేరు,", - "you can't import any data from your current Monica account(yet),": "మీరు మీ ప్రస్తుత మోనికా ఖాతా (ఇంకా) నుండి ఏ డేటాను దిగుమతి చేయలేరు", + "you can't import any data from your current Monica account(yet),": "మీరు మీ ప్రస్తుత Monica ఖాతా (ఇంకా) నుండి ఏ డేటాను దిగుమతి చేయలేరు", "You can add job information to your contacts and manage the companies here in this tab.": "మీరు ఈ ట్యాబ్‌లో మీ పరిచయాలకు ఉద్యోగ సమాచారాన్ని జోడించవచ్చు మరియు కంపెనీలను ఇక్కడ నిర్వహించవచ్చు.", "You can add more account to log in to our service with one click.": "మీరు ఒక క్లిక్‌తో మా సేవకు లాగిన్ చేయడానికి మరిన్ని ఖాతాను జోడించవచ్చు.", "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "మీకు వివిధ ఛానెల్‌ల ద్వారా తెలియజేయబడుతుంది: ఇమెయిల్‌లు, టెలిగ్రామ్ సందేశం, Facebookలో. నువ్వు నిర్ణయించు.", "You can change that at any time.": "మీరు దీన్ని ఎప్పుడైనా మార్చవచ్చు.", - "You can choose how you want Monica to display dates in the application.": "అప్లికేషన్‌లో మోనికా తేదీలను ఎలా ప్రదర్శించాలో మీరు ఎంచుకోవచ్చు.", + "You can choose how you want Monica to display dates in the application.": "అప్లికేషన్‌లో Monica తేదీలను ఎలా ప్రదర్శించాలో మీరు ఎంచుకోవచ్చు.", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "మీ ఖాతాలో ఏ కరెన్సీలను ప్రారంభించాలి మరియు ఏది చేయకూడదో మీరు ఎంచుకోవచ్చు.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "మీ స్వంత అభిరుచి\/సంస్కృతికి అనుగుణంగా పరిచయాలు ఎలా ప్రదర్శించబడాలో మీరు అనుకూలీకరించవచ్చు. బహుశా మీరు బాండ్ జేమ్స్‌కు బదులుగా జేమ్స్ బాండ్‌ని ఉపయోగించాలనుకోవచ్చు. ఇక్కడ, మీరు దానిని ఇష్టానుసారం నిర్వచించవచ్చు.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "మీ స్వంత అభిరుచి/సంస్కృతికి అనుగుణంగా పరిచయాలు ఎలా ప్రదర్శించబడాలో మీరు అనుకూలీకరించవచ్చు. బహుశా మీరు బాండ్ జేమ్స్‌కు బదులుగా జేమ్స్ బాండ్‌ని ఉపయోగించాలనుకోవచ్చు. ఇక్కడ, మీరు దానిని ఇష్టానుసారంగా నిర్వచించవచ్చు.", "You can customize the criteria that let you track your mood.": "మీ మానసిక స్థితిని ట్రాక్ చేయడానికి మిమ్మల్ని అనుమతించే ప్రమాణాలను మీరు అనుకూలీకరించవచ్చు.", "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "మీరు వాల్ట్‌ల మధ్య పరిచయాలను తరలించవచ్చు. ఈ మార్పు తక్షణమే. మీరు భాగమైన వాల్ట్‌లకు మాత్రమే మీరు పరిచయాలను తరలించగలరు. అన్ని పరిచయాల డేటా దానితో తరలించబడుతుంది.", "You cannot remove your own administrator privilege.": "మీరు మీ స్వంత నిర్వాహక అధికారాన్ని తీసివేయలేరు.", "You don’t have enough space left in your account.": "మీ ఖాతాలో మీకు తగినంత స్థలం లేదు.", "You don’t have enough space left in your account. Please upgrade.": "మీ ఖాతాలో మీకు తగినంత స్థలం లేదు. దయచేసి అప్‌గ్రేడ్ చేయండి.", - "You have been invited to join the :team team!": "మీరు :బృంద బృందంలో చేరడానికి ఆహ్వానించబడ్డారు!", + "You have been invited to join the :team team!": "మీరు :team బృందంలో చేరడానికి ఆహ్వానించబడ్డారు!", "You have enabled two factor authentication.": "మీరు రెండు కారకాల ప్రమాణీకరణను ప్రారంభించారు.", "You have not enabled two factor authentication.": "మీరు రెండు కారకాల ప్రమాణీకరణను ప్రారంభించలేదు.", "You have not setup Telegram in your environment variables yet.": "మీరు ఇంకా మీ ఎన్విరాన్మెంట్ వేరియబుల్స్‌లో టెలిగ్రామ్‌ని సెటప్ చేయలేదు.", @@ -1249,7 +1249,7 @@ "You may not delete your personal team.": "మీరు మీ వ్యక్తిగత బృందాన్ని తొలగించలేరు.", "You may not leave a team that you created.": "మీరు సృష్టించిన బృందాన్ని మీరు విడిచిపెట్టలేరు.", "You might need to reload the page to see the changes.": "మార్పులను చూడటానికి మీరు పేజీని మళ్లీ లోడ్ చేయాల్సి రావచ్చు.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "పరిచయాలు ప్రదర్శించబడటానికి మీకు కనీసం ఒక టెంప్లేట్ అవసరం. టెంప్లేట్ లేకుండా, అది ఏ సమాచారాన్ని ప్రదర్శించాలో మోనికాకు తెలియదు.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "పరిచయాలు ప్రదర్శించబడటానికి మీకు కనీసం ఒక టెంప్లేట్ అవసరం. టెంప్లేట్ లేకుండా, అది ఏ సమాచారాన్ని ప్రదర్శించాలో Monica తెలియదు.", "Your account current usage": "మీ ఖాతా ప్రస్తుత వినియోగం", "Your account has been created": "మీ ఖాతా సృష్టించబడింది", "Your account is linked": "మీ ఖాతా లింక్ చేయబడింది", @@ -1259,14 +1259,14 @@ "Your email address is unverified.": "మీ ఇమెయిల్ చిరునామా ధృవీకరించబడలేదు.", "Your life events": "మీ జీవిత సంఘటనలు", "Your mood has been recorded!": "మీ మానసిక స్థితి రికార్డ్ చేయబడింది!", - "Your mood that day": "ఆ రోజు మీ మూడ్", + "Your mood that day": "ఆ రోజు నీ మూడ్", "Your mood that you logged at this date": "ఈ తేదీలో మీరు లాగిన్ చేసిన మీ మానసిక స్థితి", "Your mood this year": "ఈ సంవత్సరం మీ మానసిక స్థితి", "Your name here will be used to add yourself as a contact.": "ఇక్కడ మీ పేరు మిమ్మల్ని పరిచయంగా జోడించుకోవడానికి ఉపయోగించబడుతుంది.", "You wanted to be reminded of the following:": "మీరు ఈ క్రింది వాటిని గుర్తు చేయాలనుకుంటున్నారు:", - "You WILL still have to delete your account on Monica or OfficeLife.": "మీరు ఇప్పటికీ మోనికా లేదా OfficeLifeలో మీ ఖాతాను తొలగించవలసి ఉంటుంది.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "ఓపెన్ సోర్స్ వ్యక్తిగత CRM అయిన Monicaలో ఈ ఇమెయిల్ చిరునామాను ఉపయోగించడానికి మీరు ఆహ్వానించబడ్డారు, కాబట్టి మేము మీకు నోటిఫికేషన్‌లను పంపడానికి దీన్ని ఉపయోగించవచ్చు.", - "ze\/hir": "ఆమెకి", + "You WILL still have to delete your account on Monica or OfficeLife.": "మీరు ఇప్పటికీ Monica లేదా OfficeLifeలో మీ ఖాతాను తొలగించవలసి ఉంటుంది.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "ఓపెన్ సోర్స్ వ్యక్తిగత CRM అయిన Monica ఈ ఇమెయిల్ చిరునామాను ఉపయోగించడానికి మీరు ఆహ్వానించబడ్డారు, కాబట్టి మేము మీకు నోటిఫికేషన్‌లను పంపడానికి దీన్ని ఉపయోగించవచ్చు.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ డేంజర్ జోన్", "🌳 Chalet": "🌳 చాలెట్", "🏠 Secondary residence": "🏠 ద్వితీయ నివాసం", diff --git a/lang/te/pagination.php b/lang/te/pagination.php index e4b61ef4753..ff71379eb23 100644 --- a/lang/te/pagination.php +++ b/lang/te/pagination.php @@ -1,6 +1,6 @@ 'Next ❯', - 'previous' => '❮ Previous', + 'next' => 'తరువాత ❯', + 'previous' => '❮ మునుపటి', ]; diff --git a/lang/te/passwords.php b/lang/te/passwords.php new file mode 100644 index 00000000000..f0cb5403001 --- /dev/null +++ b/lang/te/passwords.php @@ -0,0 +1,9 @@ + 'Your password has been reset.', + 'sent' => 'We have emailed your password reset link.', + 'throttled' => 'Please wait before retrying.', + 'token' => 'This password reset token is invalid.', + 'user' => 'We can\'t find a user with that email address.', +]; diff --git a/lang/te/validation.php b/lang/te/validation.php new file mode 100644 index 00000000000..145d7f68c4c --- /dev/null +++ b/lang/te/validation.php @@ -0,0 +1,215 @@ + 'The :attribute must be accepted.', + 'accepted_if' => 'The :attribute must be accepted when :other is :value.', + 'active_url' => 'The :attribute is not a valid URL.', + 'after' => 'The :attribute must be a date after :date.', + 'after_or_equal' => 'The :attribute must be a date after or equal to :date.', + 'alpha' => 'The :attribute may only contain letters.', + 'alpha_dash' => 'The :attribute may only contain letters, numbers, and dashes.', + 'alpha_num' => 'The :attribute may only contain letters and numbers.', + 'array' => 'The :attribute must be an array.', + 'ascii' => 'The :attribute field must only contain single-byte alphanumeric characters and symbols.', + 'attributes' => [ + 'address' => 'address', + 'age' => 'age', + 'amount' => 'amount', + 'area' => 'area', + 'available' => 'available', + 'birthday' => 'birthday', + 'body' => 'body', + 'city' => 'city', + 'content' => 'content', + 'country' => 'country', + 'created_at' => 'created at', + 'creator' => 'creator', + 'current_password' => 'current password', + 'date' => 'date', + 'date_of_birth' => 'date of birth', + 'day' => 'day', + 'deleted_at' => 'deleted at', + 'description' => 'description', + 'district' => 'district', + 'duration' => 'duration', + 'email' => 'email', + 'excerpt' => 'excerpt', + 'filter' => 'filter', + 'first_name' => 'first name', + 'gender' => 'gender', + 'group' => 'group', + 'hour' => 'hour', + 'image' => 'image', + 'last_name' => 'last name', + 'lesson' => 'lesson', + 'line_address_1' => 'line address 1', + 'line_address_2' => 'line address 2', + 'message' => 'message', + 'middle_name' => 'middle name', + 'minute' => 'minute', + 'mobile' => 'mobile', + 'month' => 'month', + 'name' => 'name', + 'national_code' => 'national code', + 'number' => 'number', + 'password' => 'password', + 'password_confirmation' => 'password confirmation', + 'phone' => 'phone', + 'photo' => 'photo', + 'postal_code' => 'postal code', + 'price' => 'price', + 'province' => 'province', + 'recaptcha_response_field' => 'recaptcha response field', + 'remember' => 'remember', + 'restored_at' => 'restored at', + 'result_text_under_image' => 'result text under image', + 'role' => 'role', + 'second' => 'second', + 'sex' => 'sex', + 'short_text' => 'short text', + 'size' => 'size', + 'state' => 'state', + 'street' => 'street', + 'student' => 'student', + 'subject' => 'subject', + 'teacher' => 'teacher', + 'terms' => 'terms', + 'test_description' => 'test description', + 'test_locale' => 'test locale', + 'test_name' => 'test name', + 'text' => 'text', + 'time' => 'time', + 'title' => 'title', + 'updated_at' => 'updated at', + 'username' => 'username', + 'year' => 'year', + ], + 'before' => 'The :attribute must be a date before :date.', + 'before_or_equal' => 'The :attribute must be a date before or equal to :date.', + 'between' => [ + 'array' => 'The :attribute must have between :min and :max items.', + 'file' => 'The :attribute must be between :min and :max kilobytes.', + 'numeric' => 'The :attribute must be between :min and :max.', + 'string' => 'The :attribute must be between :min and :max characters.', + ], + 'boolean' => 'The :attribute field must be true or false.', + 'can' => 'The :attribute field contains an unauthorized value.', + 'confirmed' => 'The :attribute confirmation does not match.', + 'current_password' => 'The password is incorrect.', + 'date' => 'The :attribute is not a valid date.', + 'date_equals' => 'The :attribute must be a date equal to :date.', + 'date_format' => 'The :attribute does not match the format :format.', + 'decimal' => 'The :attribute field must have :decimal decimal places.', + 'declined' => 'The :attribute must be declined.', + 'declined_if' => 'The :attribute must be declined when :other is :value.', + 'different' => 'The :attribute and :other must be different.', + 'digits' => 'The :attribute must be :digits digits.', + 'digits_between' => 'The :attribute must be between :min and :max digits.', + 'dimensions' => 'The :attribute has invalid image dimensions.', + 'distinct' => 'The :attribute field has a duplicate value.', + 'doesnt_end_with' => 'The :attribute field must not end with one of the following: :values.', + 'doesnt_start_with' => 'The :attribute field must not start with one of the following: :values.', + 'email' => 'The :attribute must be a valid email address.', + 'ends_with' => 'The :attribute must end with one of the following: :values.', + 'enum' => 'The selected :attribute is invalid.', + 'exists' => 'The selected :attribute is invalid.', + 'file' => 'The :attribute must be a file.', + 'filled' => 'The :attribute field is required.', + 'gt' => [ + 'array' => 'The :attribute must have more than :value items.', + 'file' => 'The :attribute must be greater than :value kilobytes.', + 'numeric' => 'The :attribute must be greater than :value.', + 'string' => 'The :attribute must be greater than :value characters.', + ], + 'gte' => [ + 'array' => 'The :attribute must have :value items or more.', + 'file' => 'The :attribute must be greater than or equal :value kilobytes.', + 'numeric' => 'The :attribute must be greater than or equal :value.', + 'string' => 'The :attribute must be greater than or equal :value characters.', + ], + 'image' => 'The :attribute must be an image.', + 'in' => 'The selected :attribute is invalid.', + 'integer' => 'The :attribute must be an integer.', + 'in_array' => 'The :attribute field does not exist in :other.', + 'ip' => 'The :attribute must be a valid IP address.', + 'ipv4' => 'The :attribute must be a valid IPv4 address.', + 'ipv6' => 'The :attribute must be a valid IPv6 address.', + 'json' => 'The :attribute must be a valid JSON string.', + 'lowercase' => 'The :attribute field must be lowercase.', + 'lt' => [ + 'array' => 'The :attribute must have less than :value items.', + 'file' => 'The :attribute must be less than :value kilobytes.', + 'numeric' => 'The :attribute must be less than :value.', + 'string' => 'The :attribute must be less than :value characters.', + ], + 'lte' => [ + 'array' => 'The :attribute must not have more than :value items.', + 'file' => 'The :attribute must be less than or equal :value kilobytes.', + 'numeric' => 'The :attribute must be less than or equal :value.', + 'string' => 'The :attribute must be less than or equal :value characters.', + ], + 'mac_address' => 'The :attribute must be a valid MAC address.', + 'max' => [ + 'array' => 'The :attribute may not have more than :max items.', + 'file' => 'The :attribute may not be greater than :max kilobytes.', + 'numeric' => 'The :attribute may not be greater than :max.', + 'string' => 'The :attribute may not be greater than :max characters.', + ], + 'max_digits' => 'The :attribute field must not have more than :max digits.', + 'mimes' => 'The :attribute must be a file of type: :values.', + 'mimetypes' => 'The :attribute must be a file of type: :values.', + 'min' => [ + 'array' => 'The :attribute must have at least :min items.', + 'file' => 'The :attribute must be at least :min kilobytes.', + 'numeric' => 'The :attribute must be at least :min.', + 'string' => 'The :attribute must be at least :min characters.', + ], + 'min_digits' => 'The :attribute field must have at least :min digits.', + 'missing' => 'The :attribute field must be missing.', + 'missing_if' => 'The :attribute field must be missing when :other is :value.', + 'missing_unless' => 'The :attribute field must be missing unless :other is :value.', + 'missing_with' => 'The :attribute field must be missing when :values is present.', + 'missing_with_all' => 'The :attribute field must be missing when :values are present.', + 'multiple_of' => 'The :attribute must be a multiple of :value.', + 'not_in' => 'The selected :attribute is invalid.', + 'not_regex' => 'The :attribute format is invalid.', + 'numeric' => 'The :attribute must be a number.', + 'password' => [ + 'letters' => 'The :attribute field must contain at least one letter.', + 'mixed' => 'The :attribute field must contain at least one uppercase and one lowercase letter.', + 'numbers' => 'The :attribute field must contain at least one number.', + 'symbols' => 'The :attribute field must contain at least one symbol.', + 'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.', + ], + 'present' => 'The :attribute field must be present.', + 'prohibited' => 'The :attribute field is prohibited.', + 'prohibited_if' => 'The :attribute field is prohibited when :other is :value.', + 'prohibited_unless' => 'The :attribute field is prohibited unless :other is in :values.', + 'prohibits' => 'The :attribute field prohibits :other from being present.', + 'regex' => 'The :attribute format is invalid.', + 'required' => 'The :attribute field is required.', + 'required_array_keys' => 'The :attribute field must contain entries for: :values.', + 'required_if' => 'The :attribute field is required when :other is :value.', + 'required_if_accepted' => 'The :attribute field is required when :other is accepted.', + 'required_unless' => 'The :attribute field is required unless :other is in :values.', + 'required_with' => 'The :attribute field is required when :values is present.', + 'required_without' => 'The :attribute field is required when :values is not present.', + 'required_without_all' => 'The :attribute field is required when none of :values are present.', + 'required_with_all' => 'The :attribute field is required when :values is present.', + 'same' => 'The :attribute and :other must match.', + 'size' => [ + 'array' => 'The :attribute must contain :size items.', + 'file' => 'The :attribute must be :size kilobytes.', + 'numeric' => 'The :attribute must be :size.', + 'string' => 'The :attribute must be :size characters.', + ], + 'starts_with' => 'The :attribute must start with one of the following: :values', + 'string' => 'The :attribute must be a string.', + 'timezone' => 'The :attribute must be a valid zone.', + 'ulid' => 'The :attribute field must be a valid ULID.', + 'unique' => 'The :attribute has already been taken.', + 'uploaded' => 'The :attribute failed to upload.', + 'uppercase' => 'The :attribute field must be uppercase.', + 'url' => 'The :attribute format is invalid.', + 'uuid' => 'The :attribute must be a valid UUID.', +]; diff --git a/lang/tr.json b/lang/tr.json index 5d8192c3fe7..c5a4c24685a 100644 --- a/lang/tr.json +++ b/lang/tr.json @@ -1,10 +1,10 @@ { - "(and :count more error)": "(ve :daha fazla hata say)", - "(and :count more errors)": "(ve :daha fazla hata say)", + "(and :count more error)": "(ve :count hata daha var)", + "(and :count more errors)": "(ve :count hata daha var)", "(Help)": "(Yardım)", - "+ add a contact": "+ Kişi ekle", - "+ add another": "+ başka ekle", - "+ add another photo": "+ Başka bir fotoğraf ekle", + "+ add a contact": "+ kişi ekle", + "+ add another": "+ başkasını ekle", + "+ add another photo": "+ başka bir fotoğraf ekle", "+ add description": "+ açıklama ekle", "+ add distance": "+ mesafe ekle", "+ add emotion": "+ duygu ekle", @@ -13,7 +13,7 @@ "+ add title": "+ başlık ekle", "+ change date": "+ tarihi değiştir", "+ change template": "+ şablonu değiştir", - "+ create a group": "+ Grup oluştur", + "+ create a group": "+ grup oluştur", "+ gender": "+ cinsiyet", "+ last name": "+ soyadı", "+ maiden name": "+ kızlık soyadı", @@ -22,196 +22,196 @@ "+ note": "+ not", "+ number of hours slept": "+ uyuduğu saat sayısı", "+ prefix": "+ önek", - "+ pronoun": "+ eğilim", + "+ pronoun": "+ zamir", "+ suffix": "+ sonek", - ":count contact|:count contacts": ":kişi say|:kişi say", - ":count hour slept|:count hours slept": ":uyku saatini say|:uyku saatini say", - ":count min read": ": minimum okuma sayısı", - ":count post|:count posts": ":gönderi sayısı|:gönderi sayısı", - ":count template section|:count template sections": ":şablon bölümünü say|:şablon bölümlerini say", - ":count word|:count words": ":kelime say|:kelime say", - ":distance km": ": mesafe km", - ":distance miles": ": mesafe mil", - ":file at line :line": ":satırdaki dosya :satır", - ":file in :class at line :line": ":dosya içinde :sınıf satırda :satır", - ":Name called": ": isim arandı", - ":Name called, but I didn’t answer": ":isim aradı ama cevap vermedim", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName sizi, ilişkilerinizi belgelemenize yardımcı olmak için tasarlanmış açık kaynaklı bir kişisel CRM olan Monica'ya katılmaya davet ediyor.", - "Accept Invitation": "Daveti kabul etmek", + ":count contact|:count contacts": ":count kişi", + ":count hour slept|:count hours slept": ":count saat uyudum", + ":count min read": ":count dk. okuma", + ":count post|:count posts": ":count gönderi", + ":count template section|:count template sections": ":count şablon bölümü", + ":count word|:count words": ":count kelime", + ":distance km": ":distance km", + ":distance miles": ":distance mil", + ":file at line :line": ":line satırında :file", + ":file in :class at line :line": ":class içinde :line satırında :file", + ":Name called": ":Name aradı", + ":Name called, but I didn’t answer": ":Name aradı ama cevap vermedim", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName sizi, ilişkilerinizi belgelemenize yardımcı olmak için tasarlanmış açık kaynaklı bir kişisel CRM olan Monica’ya katılmaya davet ediyor.", + "Accept Invitation": "Daveti Kabul Et", "Accept invitation and create your account": "Daveti kabul edin ve hesabınızı oluşturun", "Account and security": "Hesap ve güvenlik", "Account settings": "Hesap ayarları", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Bir iletişim bilgisi tıklanabilir olabilir. Örneğin, bir telefon numarası tıklanabilir ve bilgisayarınızda varsayılan uygulamayı başlatabilir. Eklemekte olduğunuz türün protokolünü bilmiyorsanız, bu alanı atlayabilirsiniz.", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Bir iletişim bilgisi tıklanabilir. Örneğin, bir telefon numarası tıklanabilir ve bilgisayarınızda varsayılan uygulamayı başlatabilir. Eklediğiniz türün protokolünü bilmiyorsanız bu alanı atlamanız yeterlidir.", "Activate": "Etkinleştir", - "Activity feed": "Etkinlik akışı", + "Activity feed": "Etkinlik feed’i", "Activity in this vault": "Bu kasadaki etkinlik", - "Add": "Eklemek", - "add a call reason type": "bir arama nedeni türü ekleyin", - "Add a contact": "kişi ekle", - "Add a contact information": "Bir iletişim bilgisi ekleyin", - "Add a date": "tarih ekle", + "Add": "Ekle", + "add a call reason type": "çağrı nedeni türü ekleyin", + "Add a contact": "Kişi ekle", + "Add a contact information": "İletişim bilgisi ekleyin", + "Add a date": "Tarih ekle", "Add additional security to your account using a security key.": "Bir güvenlik anahtarı kullanarak hesabınıza ek güvenlik ekleyin.", - "Add additional security to your account using two factor authentication.": "İki faktörlü kimlik doğrulamayı kullanarak hesabınıza ek güvenlik ekleyin.", - "Add a document": "belge ekle", + "Add additional security to your account using two factor authentication.": "İki faktörlü kimlik doğrulama kullanarak hesabınıza ek güvenlik ekleyin.", + "Add a document": "Belge ekle", "Add a due date": "Son tarih ekle", - "Add a gender": "cinsiyet ekle", - "Add a gift occasion": "Hediye fırsatı ekle", + "Add a gender": "Cinsiyet ekle", + "Add a gift occasion": "Hediye fırsatı ekleyin", "Add a gift state": "Hediye durumu ekle", - "Add a goal": "hedef ekle", - "Add a group type": "Grup türü ekle", + "Add a goal": "Hedef ekle", + "Add a group type": "Grup türü ekleyin", "Add a header image": "Başlık resmi ekleyin", - "Add a label": "etiket ekle", - "Add a life event": "Bir yaşam olayı ekle", - "Add a life event category": "Bir yaşam olayı kategorisi ekleyin", + "Add a label": "Etiket ekle", + "Add a life event": "Bir yaşam olayı ekleyin", + "Add a life event category": "Yaşam olayı kategorisi ekleyin", "add a life event type": "bir yaşam olayı türü ekleyin", - "Add a module": "modül ekle", + "Add a module": "Modül ekle", "Add an address": "adres Ekle", - "Add an address type": "Bir adres türü ekleyin", + "Add an address type": "Adres türü ekleyin", "Add an email address": "Bir e-posta adresi ekleyin", - "Add an email to be notified when a reminder occurs.": "Bir hatırlatıcı oluştuğunda bilgilendirilmek için bir e-posta ekleyin.", - "Add an entry": "giriş ekle", + "Add an email to be notified when a reminder occurs.": "Bir hatırlatma oluştuğunda bilgilendirilecek bir e-posta ekleyin.", + "Add an entry": "Giriş ekle", "add a new metric": "yeni bir metrik ekle", - "Add a new team member to your team, allowing them to collaborate with you.": "Ekibinize yeni bir ekip üyesi ekleyerek sizinle işbirliği yapmalarını sağlayın.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Bu kişi hakkında doğum tarihi veya ölüm tarihi gibi sizin için önemli olan şeyleri hatırlamak için önemli bir tarih ekleyin.", + "Add a new team member to your team, allowing them to collaborate with you.": "Ekibinize yeni bir ekip üyesi ekleyerek, sizinle işbirliği yapmalarına izin verin.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Bu kişiyle ilgili sizin için önemli olan şeyleri hatırlamak için doğum tarihi veya vefat tarihi gibi önemli bir tarih ekleyin.", "Add a note": "Bir not ekle", "Add another life event": "Başka bir yaşam olayı ekle", - "Add a page": "sayfa ekle", - "Add a parameter": "parametre ekle", - "Add a pet": "evcil hayvan ekle", + "Add a page": "Sayfa ekle", + "Add a parameter": "Bir parametre ekleyin", + "Add a pet": "Evcil hayvan ekle", "Add a photo": "Fotoğraf ekle", - "Add a photo to a journal entry to see it here.": "Burada görmek için günlük girişine bir fotoğraf ekleyin.", - "Add a post template": "Gönderi şablonu ekle", - "Add a pronoun": "zamir ekle", + "Add a photo to a journal entry to see it here.": "Burada görmek için bir günlük girdisine fotoğraf ekleyin.", + "Add a post template": "Gönderi şablonu ekleme", + "Add a pronoun": "Bir zamir ekleyin", "add a reason": "bir sebep ekle", - "Add a relationship": "ilişki ekle", - "Add a relationship group type": "Bir ilişki grubu türü ekleyin", - "Add a relationship type": "Bir ilişki türü ekleyin", - "Add a religion": "din ekle", - "Add a reminder": "hatırlatıcı ekle", + "Add a relationship": "İlişki ekle", + "Add a relationship group type": "İlişki grubu türü ekleme", + "Add a relationship type": "İlişki türü ekleyin", + "Add a religion": "Bir din ekleyin", + "Add a reminder": "Hatırlatıcı ekle", "add a role": "rol ekle", "add a section": "bölüm ekle", "Add a tag": "Etiket ekle", - "Add a task": "görev ekle", - "Add a template": "şablon ekle", + "Add a task": "Görev ekle", + "Add a template": "Şablon ekle", "Add at least one module.": "En az bir modül ekleyin.", - "Add a type": "tür ekle", - "Add a user": "kullanıcı ekle", - "Add a vault": "kasa ekle", + "Add a type": "Tür ekle", + "Add a user": "Kullanıcı ekle", + "Add a vault": "Kasa ekle", "Add date": "Tarih ekle", - "Added.": "Katma.", - "added a contact information": "bir iletişim bilgisi eklendi", - "added an address": "bir adres ekledi", - "added an important date": "önemli bir tarih eklendi", - "added a pet": "evcil hayvan ekledi", + "Added.": "Eklendi.", + "added a contact information": "bir iletişim bilgisi ekledim", + "added an address": "bir adres ekledim", + "added an important date": "önemli bir tarih ekledi", + "added a pet": "bir evcil hayvan ekledim", "added the contact to a group": "kişiyi bir gruba ekledi", "added the contact to a post": "kişiyi bir gönderiye ekledi", - "added the contact to the favorites": "kişiyi sık kullanılanlara ekledi", + "added the contact to the favorites": "kişiyi favorilere ekledi", "Add genders to associate them to contacts.": "Kişilerle ilişkilendirmek için cinsiyetleri ekleyin.", - "Add loan": "Ödünç ekle", - "Add one now": "şimdi bir tane ekle", + "Add loan": "Kredi ekle", + "Add one now": "Şimdi bir tane ekle", "Add photos": "Fotoğraf ekle", "Address": "Adres", - "Addresses": "adresler", + "Addresses": "Adresler", "Address type": "Adres Tipi", - "Address types": "adres türleri", - "Address types let you classify contact addresses.": "Adres türleri, kişi adreslerini sınıflandırmanıza izin verir.", - "Add Team Member": "Takım Üyesi Ekle", + "Address types": "Adres türleri", + "Address types let you classify contact addresses.": "Adres türleri iletişim adreslerini sınıflandırmanıza olanak tanır.", + "Add Team Member": "Ekip Üyesi Ekle", "Add to group": "Gruba ekle", - "Administrator": "yönetici", - "Administrator users can perform any action.": "Yönetici kullanıcılar herhangi bir eylemi gerçekleştirebilir.", + "Administrator": "Yönetici", + "Administrator users can perform any action.": "Yöneticiler herhangi bir eylemi gerçekleştirebilir.", "a father-son relation shown on the father page,": "baba sayfasında gösterilen bir baba-oğul ilişkisi,", "after the next occurence of the date.": "tarihin bir sonraki oluşumundan sonra.", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Grup, iki veya daha fazla kişinin bir araya gelmesidir. Bir aile, bir ev, bir spor kulübü olabilir. Senin için önemli olan ne varsa.", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Grup iki veya daha fazla kişinin bir araya gelmesiyle oluşur. Bir aile, bir ev, bir spor kulübü olabilir. Sizin için önemli olan ne varsa.", "All contacts in the vault": "Kasadaki tüm kişiler", "All files": "Tüm dosyalar", "All groups in the vault": "Kasadaki tüm gruplar", - "All journal metrics in :name": ":name içindeki tüm günlük metrikleri", - "All of the people that are part of this team.": "Bu ekibin bir parçası olan tüm insanlar.", - "All rights reserved.": "Her hakkı saklıdır.", + "All journal metrics in :name": ":Name içindeki tüm günlük metrikleri", + "All of the people that are part of this team.": "Bu ekibin parçası olan tüm kişiler.", + "All rights reserved.": "Tüm hakları saklıdır.", "All tags": "Tüm etiketler", "All the address types": "Tüm adres türleri", "All the best,": "Herşey gönlünce olsun,", "All the call reasons": "Tüm arama nedenleri", - "All the cities": "tüm şehirler", - "All the companies": "tüm şirketler", - "All the contact information types": "Tüm iletişim bilgileri türleri", - "All the countries": "tüm ülkeler", + "All the cities": "Bütün şehirler", + "All the companies": "Tüm şirketler", + "All the contact information types": "Tüm iletişim bilgisi türleri", + "All the countries": "Bütün ülkeler", "All the currencies": "Tüm para birimleri", - "All the files": "tüm dosyalar", - "All the genders": "tüm cinsiyetler", - "All the gift occasions": "Tüm hediye günleri", + "All the files": "Tüm dosyalar", + "All the genders": "Tüm cinsiyetler", + "All the gift occasions": "Tüm hediye durumları", "All the gift states": "Tüm hediye durumları", "All the group types": "Tüm grup türleri", "All the important dates": "Tüm önemli tarihler", "All the important date types used in the vault": "Kasada kullanılan tüm önemli tarih türleri", - "All the journals": "tüm dergiler", + "All the journals": "Tüm dergiler", "All the labels used in the vault": "Kasada kullanılan tüm etiketler", - "All the notes": "tüm notlar", + "All the notes": "Tüm notlar", "All the pet categories": "Tüm evcil hayvan kategorileri", - "All the photos": "tüm fotoğraflar", + "All the photos": "Tüm fotoğraflar", "All the planned reminders": "Planlanan tüm hatırlatıcılar", - "All the pronouns": "tüm zamirler", + "All the pronouns": "Tüm zamirler", "All the relationship types": "Tüm ilişki türleri", - "All the religions": "tüm dinler", + "All the religions": "Bütün dinler", "All the reports": "Tüm raporlar", - "All the slices of life in :name": ":name'deki hayatın tüm dilimleri", + "All the slices of life in :name": ":Name’daki yaşamın tüm dilimleri", "All the tags used in the vault": "Kasada kullanılan tüm etiketler", "All the templates": "Tüm şablonlar", "All the vaults": "Tüm kasalar", "All the vaults in the account": "Hesaptaki tüm kasalar", - "All users and vaults will be deleted immediately,": "Tüm kullanıcılar ve kasalar anında silinecek,", + "All users and vaults will be deleted immediately,": "Tüm kullanıcılar ve kasalar derhal silinecek,", "All users in this account": "Bu hesaptaki tüm kullanıcılar", - "Already registered?": "Zaten kayıtlı?", - "Already used on this page": "Bu sayfada zaten kullanılıyor", + "Already registered?": "Zaten Üye Misiniz?", + "Already used on this page": "Bu sayfada zaten kullanıldı", "A new verification link has been sent to the email address you provided during registration.": "Kayıt sırasında verdiğiniz e-posta adresine yeni bir doğrulama bağlantısı gönderildi.", - "A new verification link has been sent to the email address you provided in your profile settings.": "Profil ayarlarınızda verdiğiniz e-posta adresine yeni bir doğrulama bağlantısı gönderildi.", + "A new verification link has been sent to the email address you provided in your profile settings.": "Profil ayarlarınızda belirttiğiniz e-posta adresine yeni bir doğrulama bağlantısı gönderildi.", "A new verification link has been sent to your email address.": "E-posta adresinize yeni bir doğrulama bağlantısı gönderildi.", "Anniversary": "Yıl dönümü", - "Apartment, suite, etc…": "Daire, süit, vb…", - "API Token": "API Jetonu", - "API Token Permissions": "API Token İzinleri", + "Apartment, suite, etc…": "Apartman dairesi, süit vb.", + "API Token": "API Jeton", + "API Token Permissions": "API Jeton İzinleri", "API Tokens": "API Jetonları", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API belirteçleri, üçüncü taraf hizmetlerinin sizin adınıza uygulamamızla kimlik doğrulaması yapmasına olanak tanır.", - "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Bir gönderi şablonu, bir gönderinin içeriğinin nasıl görüntülenmesi gerektiğini tanımlar. Dilediğiniz kadar şablon tanımlayabilir, hangi gönderide hangi şablonun kullanılacağını seçebilirsiniz.", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API jetonları, üçüncü taraf hizmetlerin sizin adınıza uygulamamızla kimlik doğrulaması yapmasına izin verir.", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Gönderi şablonu, bir gönderinin içeriğinin nasıl görüntülenmesi gerektiğini tanımlar. Dilediğiniz kadar şablon tanımlayabilir, hangi şablonun hangi yazıda kullanılacağını seçebilirsiniz.", "Archive": "Arşiv", "Archive contact": "Kişiyi arşivle", "archived the contact": "kişiyi arşivledi", - "Are you sure? The address will be deleted immediately.": "Emin misin? Adres hemen silinecek.", - "Are you sure? This action cannot be undone.": "Emin misin? Bu işlem geri alınamaz.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Emin misin? Bu, onu kullanan tüm kişiler için bu türdeki tüm arama nedenlerini siler.", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Emin misin? Bu, onu kullanan tüm kişiler için bu türdeki tüm ilişkileri siler.", - "Are you sure? This will delete the contact information permanently.": "Emin misin? Bu, iletişim bilgilerini kalıcı olarak siler.", - "Are you sure? This will delete the document permanently.": "Emin misin? Bu, belgeyi kalıcı olarak siler.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Emin misin? Bu, hedefi ve tüm serileri kalıcı olarak siler.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Emin misin? Bu, adres türlerini tüm kişilerden kaldıracak, ancak kişilerin kendilerini silmeyecektir.", - "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Emin misin? Bu, kişi bilgisi türlerini tüm kişilerden kaldıracak, ancak kişilerin kendilerini silmeyecektir.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Emin misin? Bu, cinsiyetleri tüm kişilerden kaldıracak, ancak kişilerin kendilerini silmeyecektir.", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Emin misin? Bu, şablonu tüm kişilerden kaldıracak, ancak kişilerin kendilerini silmeyecektir.", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Bu takımı silmek istediğinizden emin misiniz? Bir ekip silindiğinde, tüm kaynakları ve verileri kalıcı olarak silinir.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Hesabınızı silmek istediğinizden emin misiniz? Hesabınız silindikten sonra, tüm kaynakları ve verileri kalıcı olarak silinecektir. Hesabınızı kalıcı olarak silmek istediğinizi onaylamak için lütfen şifrenizi girin.", + "Are you sure? The address will be deleted immediately.": "Emin misin? Adres derhal silinecektir.", + "Are you sure? This action cannot be undone.": "Emin misin? Bu eylem geri alınamaz.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Emin misin? Bu, onu kullanan tüm kişiler için bu türdeki tüm arama nedenlerini silecektir.", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Emin misin? Bu, onu kullanan tüm kişiler için bu türdeki tüm ilişkileri silecektir.", + "Are you sure? This will delete the contact information permanently.": "Emin misin? Bu, iletişim bilgilerini kalıcı olarak silecektir.", + "Are you sure? This will delete the document permanently.": "Emin misin? Bu, belgeyi kalıcı olarak silecektir.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Emin misin? Bu, hedefi ve tüm serileri kalıcı olarak silecektir.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Emin misin? Bu, adres türlerini tüm kişilerden kaldıracaktır ancak kişilerin kendisini silmez.", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Emin misin? Bu, kişi bilgisi türlerini tüm kişilerden kaldıracaktır ancak kişilerin kendisini silmez.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Emin misin? Bu, tüm kişilerden cinsiyetleri kaldıracaktır ancak kişilerin kendisini silmez.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Emin misin? Bu, şablonu tüm kişilerden kaldıracaktır ancak kişilerin kendisi silinmeyecektir.", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Bu ekibi silmek istediğinizden emin misiniz? Bir ekip silindiğinde, tüm kaynakları ve verileri kalıcı olarak silinecektir.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Hesabınızı silmek istediğinizden emin misiniz? Hesabınız silindiğinde, tüm kaynakları ve verileri kalıcı olarak silinecektir. Lütfen hesabınızı kalıcı olarak silmek istediğinizi onaylamak için parolanızı girin.", "Are you sure you would like to archive this contact?": "Bu kişiyi arşivlemek istediğinizden emin misiniz?", "Are you sure you would like to delete this API token?": "Bu API jetonunu silmek istediğinizden emin misiniz?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Bu kişiyi silmek istediğinizden emin misiniz? Bu, bu kişi hakkında bildiğimiz her şeyi kaldıracak.", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Bu kişiyi silmek istediğinizden emin misiniz? Bu, bu kişi hakkında bildiğimiz her şeyi ortadan kaldıracak.", "Are you sure you would like to delete this key?": "Bu anahtarı silmek istediğinizden emin misiniz?", - "Are you sure you would like to leave this team?": "Bu takımdan ayrılmak istediğinizden emin misiniz?", + "Are you sure you would like to leave this team?": "Bu kişiyi ekipten çıkarmak istediğinizden emin misiniz?", "Are you sure you would like to remove this person from the team?": "Bu kişiyi ekipten çıkarmak istediğinizden emin misiniz?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Hayattan bir dilim, gönderileri sizin için anlamlı bir şeye göre gruplandırmanıza olanak tanır. Burada görmek için bir gönderiye hayattan bir dilim ekleyin.", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Hayattan bir kesit, gönderileri sizin için anlamlı olan bir şeye göre gruplandırmanıza olanak tanır. Burada görmek için bir gönderiye hayattan bir kesit ekleyin.", "a son-father relation shown on the son page.": "oğul sayfasında gösterilen bir oğul-baba ilişkisi.", "assigned a label": "bir etiket atandı", "Association": "Dernek", - "At": "-de", - "at ": "de", + "At": "Şu tarihte:", + "at ": "en", "Ate": "Yemek yedi", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Bir şablon, kişilerin nasıl görüntülenmesi gerektiğini tanımlar. İstediğiniz kadar şablona sahip olabilirsiniz - bunlar Hesap ayarlarınızda tanımlanmıştır. Ancak, bu kasadaki tüm kişilerinizin varsayılan olarak bu şablona sahip olması için bir varsayılan şablon tanımlamak isteyebilirsiniz.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Sayfalardan bir şablon yapılır ve her sayfada modüller bulunur. Verilerin nasıl görüntüleneceği tamamen size bağlıdır.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Bir şablon, kişilerin nasıl görüntülenmesi gerektiğini tanımlar. İstediğiniz sayıda şablona sahip olabilirsiniz; bunlar Hesap ayarlarınızda tanımlanır. Ancak, bu kasadaki tüm kişilerinizin varsayılan olarak bu şablona sahip olması için varsayılan bir şablon tanımlamak isteyebilirsiniz.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Bir şablon sayfalardan oluşur ve her sayfada modüller bulunur. Verilerin nasıl görüntüleneceği tamamen size bağlıdır.", "Atheist": "Ateist", - "At which time should we send the notification, when the reminder occurs?": "Bildirimi hangi saatte, hatırlatma gerçekleştiğinde göndermeliyiz?", + "At which time should we send the notification, when the reminder occurs?": "Hatırlatma gerçekleştiğinde bildirimi hangi saatte göndermeliyiz?", "Audio-only call": "Yalnızca sesli arama", - "Auto saved a few seconds ago": "Otomatik birkaç saniye önce kaydedildi", + "Auto saved a few seconds ago": "Birkaç saniye önce otomatik olarak kaydedildi", "Available modules:": "Mevcut modüller:", - "Avatar": "avatarı", + "Avatar": "avatar", "Avatars": "Avatarlar", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Devam etmeden önce, size az önce e-posta gönderdiğimiz bağlantıya tıklayarak e-posta adresinizi doğrulayabilir misiniz? E-postayı almadıysanız, size memnuniyetle başka bir e-posta göndeririz.", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Devam etmeden önce, size az önce e-postayla gönderdiğimiz bağlantıya tıklayarak e-posta adresinizi doğrulayabilir misiniz? E-postayı almadıysanız, size memnuniyetle başka bir e-posta göndeririz.", "best friend": "en iyi arkadaş", "Bird": "Kuş", "Birthdate": "Doğum günü", @@ -220,27 +220,27 @@ "boss": "patron", "Bought": "Satın alınmış", "Breakdown of the current usage": "Mevcut kullanımın dökümü", - "brother\/sister": "erkek kardeş\/kız kardeş", + "brother/sister": "erkek kardeş/kız kardeş", "Browser Sessions": "Tarayıcı Oturumları", "Buddhist": "Budist", "Business": "İşletme", "By last updated": "Son güncellemeye göre", "Calendar": "Takvim", "Call reasons": "Arama nedenleri", - "Call reasons let you indicate the reason of calls you make to your contacts.": "Arama nedenleri, kişilerinize yaptığınız aramaların nedenini belirtmenizi sağlar.", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Arama nedenleri, kişilerinize yaptığınız aramaların nedenini belirtmenize olanak tanır.", "Calls": "Aramalar", - "Cancel": "İptal etmek", + "Cancel": "İptal et", "Cancel account": "Hesabı iptal et", - "Cancel all your active subscriptions": "Tüm etkin aboneliklerinizi iptal edin", - "Cancel your account": "hesabınızı iptal edin", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "Diğer kullanıcıları eklemek veya kaldırmak, faturalandırmayı yönetmek ve hesabı kapatmak dahil her şeyi yapabilir.", - "Can do everything, including adding or removing other users.": "Diğer kullanıcıları eklemek veya kaldırmak da dahil olmak üzere her şeyi yapabilir.", - "Can edit data, but can’t manage the vault.": "Verileri düzenleyebilir, ancak kasayı yönetemez.", + "Cancel all your active subscriptions": "Tüm aktif aboneliklerinizi iptal edin", + "Cancel your account": "Hesabınızı iptal edin", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "Diğer kullanıcıları eklemek veya kaldırmak, faturalamayı yönetmek ve hesabı kapatmak dahil her şeyi yapabilir.", + "Can do everything, including adding or removing other users.": "Diğer kullanıcıları eklemek veya kaldırmak dahil her şeyi yapabilir.", + "Can edit data, but can’t manage the vault.": "Verileri düzenleyebilir ancak kasayı yönetemez.", "Can view data, but can’t edit it.": "Verileri görüntüleyebilir ancak düzenleyemez.", "Can’t be moved or deleted": "Taşınamaz veya silinemez", "Cat": "Kedi", "Categories": "Kategoriler", - "Chandler is in beta.": "Chandler beta sürümünde.", + "Chandler is in beta.": "Chandler beta aşamasında.", "Change": "Değiştirmek", "Change date": "Tarihi değiştir", "Change permission": "İzni değiştir", @@ -250,33 +250,33 @@ "child": "çocuk", "Choose": "Seçmek", "Choose a color": "Bir renk seç", - "Choose an existing address": "Mevcut bir adres seçin", + "Choose an existing address": "Mevcut bir adresi seçin", "Choose an existing contact": "Mevcut bir kişiyi seçin", "Choose a template": "Bir şablon seçin", - "Choose a value": "bir değer seçin", - "Chosen type:": "Seçilen tip:", + "Choose a value": "Bir değer seçin", + "Chosen type:": "Seçilen tür:", "Christian": "Hıristiyan", "Christmas": "Noel", "City": "Şehir", "Click here to re-send the verification email.": "Doğrulama e-postasını yeniden göndermek için burayı tıklayın.", "Click on a day to see the details": "Ayrıntıları görmek için bir güne tıklayın", - "Close": "Kapalı", + "Close": "Kapat", "close edit mode": "düzenleme modunu kapat", "Club": "Kulüp", - "Code": "kod", + "Code": "Kod", "colleague": "iş arkadaşı", - "Companies": "şirketler", + "Companies": "Şirketler", "Company name": "Firma Adı", - "Compared to Monica:": "Monica ile karşılaştırıldığında:", + "Compared to Monica:": "Monica’yla karşılaştırıldığında:", "Configure how we should notify you": "Sizi nasıl bilgilendirmemiz gerektiğini yapılandırın", - "Confirm": "Onaylamak", - "Confirm Password": "Şifreyi Onayla", + "Confirm": "Onayla", + "Confirm Password": "Parolayı Onayla", "Connect": "Bağlamak", - "Connected": "bağlı", + "Connected": "Bağlı", "Connect with your security key": "Güvenlik anahtarınızla bağlanın", - "Contact feed": "İletişim akışı", + "Contact feed": "İletişim feed’i", "Contact information": "İletişim bilgileri", - "Contact informations": "iletişim bilgileri", + "Contact informations": "İletişim bilgileri", "Contact information types": "İletişim bilgileri türleri", "Contact name": "Kişi adı", "Contacts": "Kişiler", @@ -284,176 +284,175 @@ "Contacts in this slice": "Bu dilimdeki kişiler", "Contacts will be shown as follow:": "Kişiler aşağıdaki gibi gösterilecektir:", "Content": "İçerik", - "Copied.": "kopyalandı.", + "Copied.": "Kopyalandı.", "Copy": "Kopyala", "Copy value into the clipboard": "Değeri panoya kopyala", "Could not get address book data.": "Adres defteri verileri alınamadı.", "Country": "Ülke", "Couple": "Çift", "cousin": "kuzen", - "Create": "Yaratmak", + "Create": "Oluştur", "Create account": "Hesap oluşturmak", - "Create Account": "Hesap oluşturmak", - "Create a contact": "Bir kişi oluştur", + "Create Account": "Hesap Oluştur", + "Create a contact": "Kişi oluştur", "Create a contact entry for this person": "Bu kişi için bir kişi girişi oluşturun", "Create a journal": "Günlük oluştur", "Create a journal metric": "Günlük metriği oluşturma", "Create a journal to document your life.": "Hayatınızı belgelemek için bir günlük oluşturun.", "Create an account": "Bir hesap oluşturun", - "Create a new address": "yeni bir adres oluştur", - "Create a new team to collaborate with others on projects.": "Projelerde başkalarıyla işbirliği yapmak için yeni bir ekip oluşturun.", - "Create API Token": "API Simgesi Oluşturun", - "Create a post": "gönderi oluştur", - "Create a reminder": "hatırlatıcı oluştur", - "Create a slice of life": "Hayattan bir kesit oluştur", + "Create a new address": "Yeni bir adres oluştur", + "Create a new team to collaborate with others on projects.": "Başkalarıyla projelerde işbirliği yapmak için yeni bir ekip oluşturun.", + "Create API Token": "Api Jetonu Oluştur", + "Create a post": "Gönderi oluştur", + "Create a reminder": "Hatırlatıcı oluştur", + "Create a slice of life": "Bir yaşam dilimi yaratın", "Create at least one page to display contact’s data.": "Kişinin verilerini görüntülemek için en az bir sayfa oluşturun.", - "Create at least one template to use Monica.": "Monica'yı kullanmak için en az bir şablon oluşturun.", - "Create a user": "kullanıcı oluştur", - "Create a vault": "kasa oluştur", + "Create at least one template to use Monica.": "Monica’yı kullanmak için en az bir şablon oluşturun.", + "Create a user": "Kullanıcı oluştur", + "Create a vault": "Kasa oluştur", "Created.": "Oluşturuldu.", - "created a goal": "bir hedef oluşturdu", - "created the contact": "kişiyi oluşturdu", + "created a goal": "bir hedef oluşturdum", + "created the contact": "kişiyi oluşturdum", "Create label": "Etiket oluştur", "Create new label": "Yeni etiket oluştur", "Create new tag": "Yeni etiket oluştur", "Create New Team": "Yeni Ekip Oluştur", - "Create Team": "Takım oluştur", - "Currencies": "para birimleri", + "Create Team": "Ekip Oluştur", + "Currencies": "Para birimleri", "Currency": "Para birimi", "Current default": "Mevcut varsayılan", - "Current language:": "Geçerli dil:", - "Current Password": "Mevcut Şifre", + "Current language:": "Mevcut dil:", + "Current Password": "Mevcut Parola", "Current site used to display maps:": "Haritaları görüntülemek için kullanılan mevcut site:", "Current streak": "Mevcut seri", "Current timezone:": "Geçerli saat dilimi:", "Current way of displaying contact names:": "Kişi adlarını görüntülemenin mevcut yolu:", - "Current way of displaying dates:": "Tarihleri ​​görüntülemenin mevcut yolu:", + "Current way of displaying dates:": "Tarihleri görüntülemenin mevcut yolu:", "Current way of displaying distances:": "Mesafeleri görüntülemenin mevcut yolu:", "Current way of displaying numbers:": "Sayıları görüntülemenin mevcut yolu:", - "Customize how contacts should be displayed": "Kişilerin nasıl görüntülenmesi gerektiğini özelleştirin", - "Custom name order": "Özel ad siparişi", - "Daily affirmation": "Günlük doğrulama", + "Customize how contacts should be displayed": "Kişilerin nasıl görüntüleneceğini özelleştirin", + "Custom name order": "Özel ad sırası", + "Daily affirmation": "Günlük onaylama", "Dashboard": "Gösterge Paneli", "date": "tarih", - "Date of the event": "Etkinlik tarihi", + "Date of the event": "Etkinliğin tarihi", "Date of the event:": "Etkinlik tarihi:", "Date type": "Tarih türü", - "Date types are essential as they let you categorize dates that you add to a contact.": "Bir kişiye eklediğiniz tarihleri ​​kategorilere ayırmanıza izin verdiği için tarih türleri önemlidir.", + "Date types are essential as they let you categorize dates that you add to a contact.": "Tarih türleri, bir kişiye eklediğiniz tarihleri kategorilere ayırmanıza olanak tanıdığından önemlidir.", "Day": "Gün", "day": "gün", "Deactivate": "Devre dışı bırakmak", - "Deceased date": "merhum tarih", + "Deceased date": "Ölüm tarihi", "Default template": "Varsayılan şablon", "Default template to display contacts": "Kişileri görüntülemek için varsayılan şablon", - "Delete": "Silmek", - "Delete Account": "Hesabı sil", + "Delete": "Sil", + "Delete Account": "Hesabı Sil", "Delete a new key": "Yeni bir anahtarı silin", "Delete API Token": "API Jetonunu Sil", "Delete contact": "Kişiyi silmek", - "deleted a contact information": "bir iletişim bilgisini sildi", - "deleted a goal": "bir hedefi sildi", + "deleted a contact information": "bir iletişim bilgisini sildim", + "deleted a goal": "bir hedefi sildim", "deleted an address": "bir adresi sildim", "deleted an important date": "önemli bir tarihi sildim", - "deleted a note": "bir not silindi", - "deleted a pet": "evcil hayvan silindi", - "Deleted author": "Silinen yazar", + "deleted a note": "bir notu sildim", + "deleted a pet": "bir evcil hayvanı sildim", + "Deleted author": "Yazar silindi", "Delete group": "Grubu sil", "Delete journal": "Günlüğü sil", - "Delete Team": "Takımı Sil", - "Delete the address": "adresi sil", - "Delete the photo": "fotoğrafı sil", - "Delete the slice": "dilimi sil", - "Delete the vault": "kasayı sil", - "Delete your account on https:\/\/customers.monicahq.com.": "https:\/\/customers.monicahq.com adresindeki hesabınızı silin.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Kasanın silinmesi, bu kasanın içindeki tüm verilerin sonsuza kadar silinmesi anlamına gelir. Geri dönüş yok. Lütfen emin olun.", + "Delete Team": "Ekibi Sil", + "Delete the address": "Adresi sil", + "Delete the photo": "Fotoğrafı sil", + "Delete the slice": "Dilimi sil", + "Delete the vault": "Kasayı sil", + "Delete your account on https://customers.monicahq.com.": "https://customers.monicahq.com adresindeki hesabınızı silin.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Kasanın silinmesi, bu kasanın içindeki tüm verilerin kalıcı olarak silinmesi anlamına gelir. Geri dönüş yok. Lütfen emin olun.", "Description": "Tanım", - "Detail of a goal": "Bir golün detayı", - "Details in the last year": "Detaylar geçen yıl", - "Disable": "Devre dışı bırakmak", + "Detail of a goal": "Bir hedefin detayı", + "Details in the last year": "Geçen yılın ayrıntıları", + "Disable": "Devre Dışı Bırak", "Disable all": "Hepsini etkisiz hale getir", - "Disconnect": "bağlantıyı kes", + "Disconnect": "Bağlantıyı kes", "Discuss partnership": "Ortaklığı tartışın", - "Discuss recent purchases": "Son satın alımları tartışın", + "Discuss recent purchases": "Son satın alma işlemlerini tartışın", "Dismiss": "Azletmek", - "Display help links in the interface to help you (English only)": "Size yardımcı olması için arayüzde yardım bağlantılarını görüntüleyin (yalnızca İngilizce)", + "Display help links in the interface to help you (English only)": "Size yardımcı olmak için arayüzde yardım bağlantılarını görüntüleyin (yalnızca İngilizce)", "Distance": "Mesafe", "Documents": "Belgeler", "Dog": "Köpek", - "Done.": "Tamamlamak.", + "Done.": "Bitti.", "Download": "İndirmek", "Download as vCard": "vCard olarak indir", - "Drank": "içti", + "Drank": "içtim", "Drove": "Sürdü", - "Due and upcoming tasks": "Zamanı gelen ve yaklaşan görevler", + "Due and upcoming tasks": "Vadesi gelen ve yaklaşan görevler", "Edit": "Düzenlemek", "edit": "düzenlemek", - "Edit a contact": "Bir kişiyi düzenle", - "Edit a journal": "Günlük düzenleme", - "Edit a post": "Bir gönderiyi düzenle", - "edited a note": "bir notu düzenledi", + "Edit a contact": "Kişiyi düzenleme", + "Edit a journal": "Günlüğü düzenleme", + "Edit a post": "Bir yayını düzenleme", + "edited a note": "bir notu düzenledim", "Edit group": "Grubu düzenle", "Edit journal": "Günlüğü düzenle", "Edit journal information": "Günlük bilgilerini düzenle", - "Edit journal metrics": "Günlük ölçümlerini düzenle", + "Edit journal metrics": "Günlük metriklerini düzenle", "Edit names": "Adları düzenle", "Editor": "Editör", - "Editor users have the ability to read, create, and update.": "Editör kullanıcıları okuma, oluşturma ve güncelleme yeteneğine sahiptir.", + "Editor users have the ability to read, create, and update.": "Editörler okuma, oluşturma ve güncelleme yapabilir.", "Edit post": "Gönderiyi düzenle", "Edit Profile": "Profili Düzenle", "Edit slice of life": "Yaşam dilimini düzenle", - "Edit the group": "grubu düzenle", + "Edit the group": "Grubu düzenle", "Edit the slice of life": "Yaşam dilimini düzenleyin", - "Email": "E-posta", + "Email": "E-Posta", "Email address": "E-posta adresi", "Email address to send the invitation to": "Davetiyenin gönderileceği e-posta adresi", - "Email Password Reset Link": "E-posta Şifre Sıfırlama Bağlantısı", - "Enable": "Olanak vermek", + "Email Password Reset Link": "Parola Sıfırlama Bağlantısını Gönder", + "Enable": "Etkinleştir", "Enable all": "Hepsini etkinleştir", - "Ensure your account is using a long, random password to stay secure.": "Hesabınızın güvende kalması için uzun, rastgele bir parola kullandığından emin olun.", - "Enter a number from 0 to 100000. No decimals.": "0 ile 100000 arasında bir sayı girin. Ondalık basamak yok.", + "Ensure your account is using a long, random password to stay secure.": "Hesabınızın güvenliğini korumak için uzun, rastgele karakterlerden oluşan bir parola kullandığınızdan emin olun.", + "Enter a number from 0 to 100000. No decimals.": "0’dan 100000’e kadar bir sayı girin. Ondalık sayı yok.", "Events this month": "Bu ayki etkinlikler", "Events this week": "Bu haftaki etkinlikler", "Events this year": "Bu yılki etkinlikler", "Every": "Her", "ex-boyfriend": "eski erkek arkadaş", "Exception:": "İstisna:", - "Existing company": "mevcut şirket", - "External connections": "Dış bağlantılar", + "Existing company": "Mevcut şirket", + "External connections": "Harici bağlantılar", + "Facebook": "Facebook", "Family": "Aile", "Family summary": "Aile özeti", "Favorites": "Favoriler", "Female": "Dişi", "Files": "Dosyalar", - "Filter": "filtre", + "Filter": "Filtre", "Filter list or create a new label": "Listeyi filtreleyin veya yeni bir etiket oluşturun", "Filter list or create a new tag": "Listeyi filtreleyin veya yeni bir etiket oluşturun", "Find a contact in this vault": "Bu kasada bir kişi bulun", - "Finish enabling two factor authentication.": "İki faktörlü kimlik doğrulamayı etkinleştirmeyi bitirin.", + "Finish enabling two factor authentication.": "İki faktörlü kimlik doğrulamayı etkinleştirmeyi tamamlayın.", "First name": "İlk adı", "First name Last name": "İsim soyisim", - "First name Last name (nickname)": "Adı Soyadı (takma ad)", + "First name Last name (nickname)": "Ad Soyadı (takma ad)", "Fish": "Balık", "Food preferences": "Yemek tercihleri", "for": "için", "For:": "İçin:", "For advice": "Tavsiye için", - "Forbidden": "Yasaklı", - "Forgot password?": "Parolanızı mı unuttunuz?", + "Forbidden": "Yasak", "Forgot your password?": "Parolanızı mı unuttunuz?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Parolanızı mı unuttunuz? Sorun değil. Sadece bize e-posta adresinizi bildirin ve size yeni bir tane seçmenize izin verecek bir şifre sıfırlama bağlantısını e-posta ile gönderelim.", - "For your security, please confirm your password to continue.": "Güvenliğiniz için lütfen devam etmek için şifrenizi onaylayın.", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Parolanızı mı unuttunuz? Sorun değil. Sadece e-posta adresinizi bize söyleyin size yeni parolanızı belirleyebileceğiniz bir parola sıfırlama linki gönderelim.", + "For your security, please confirm your password to continue.": "Güvenliğiniz için lütfen devam etmek için parolanızı onaylayın.", "Found": "Kurmak", "Friday": "Cuma", - "Friend": "arkadaş", + "Friend": "Arkadaş", "friend": "arkadaş", - "From A to Z": "A'dan z'ye", - "From Z to A": "Z'den A'ya", + "From A to Z": "A’dan z’ye", + "From Z to A": "Z’den A’ya", "Gender": "Cinsiyet", "Gender and pronoun": "Cinsiyet ve zamir", "Genders": "Cinsiyetler", - "Gift center": "hediye merkezi", - "Gift occasions": "Hediye durumlar", - "Gift occasions let you categorize all your gifts.": "Hediye günleri, tüm hediyelerinizi kategorilere ayırmanıza olanak tanır.", + "Gift occasions": "Hediye günleri", + "Gift occasions let you categorize all your gifts.": "Hediye etkinlikleri, tüm hediyelerinizi kategorilere ayırmanıza olanak tanır.", "Gift states": "Hediye durumları", "Gift states let you define the various states for your gifts.": "Hediye durumları, hediyeleriniz için çeşitli durumları tanımlamanıza olanak tanır.", "Give this email address a name": "Bu e-posta adresine bir ad verin", @@ -464,135 +463,136 @@ "Google Maps": "Google Haritalar", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Haritalar en iyi doğruluğu ve ayrıntıları sunar, ancak gizlilik açısından ideal değildir.", "Got fired": "Kovulmak", - "Go to page :page": "Sayfaya git: sayfa", + "Go to page :page": ":Page sayfasına git", "grand child": "büyük çocuk", "grand parent": "büyük ebeveyn", "Great! You have accepted the invitation to join the :team team.": "Harika! :team ekibine katılma davetini kabul ettiniz.", - "Group journal entries together with slices of life.": "Günlük girişlerini hayattan dilimlerle birlikte gruplandırın.", + "Group journal entries together with slices of life.": "Günlük girişlerini yaşam dilimleriyle birlikte gruplayın.", "Groups": "Gruplar", - "Groups let you put your contacts together in a single place.": "Gruplar, kişilerinizi tek bir yerde bir araya getirmenizi sağlar.", + "Groups let you put your contacts together in a single place.": "Gruplar, kişilerinizi tek bir yerde bir araya getirmenize olanak tanır.", "Group type": "Grup türü", - "Group type: :name": "Grup türü: :isim", + "Group type: :name": "Grup türü: :name", "Group types": "Grup türleri", - "Group types let you group people together.": "Grup türleri, insanları bir arada gruplamanıza olanak tanır.", - "Had a promotion": "promosyon vardı", + "Group types let you group people together.": "Grup türleri, insanları bir arada gruplandırmanıza olanak tanır.", + "Had a promotion": "Promosyon vardı", "Hamster": "Hamster", "Have a great day,": "İyi günler,", - "he\/him": "o", + "he/him": "o / o", "Hello!": "Merhaba!", "Help": "Yardım", - "Hi :name": "merhaba :isim", - "Hinduist": "Hindu", + "Hi :name": "Merhaba :name", + "Hinduist": "Hinduist", "History of the notification sent": "Gönderilen bildirimin geçmişi", "Hobbies": "Hobiler", "Home": "Ev", "Horse": "Atış", "How are you?": "Nasılsın?", - "How could I have done this day better?": "Bu günü nasıl daha iyi yapabilirdim?", + "How could I have done this day better?": "Bu günü nasıl daha iyi geçirebilirdim?", "How did you feel?": "Nasıl hissettin?", "How do you feel right now?": "Şu an nasıl hissediyorsun?", - "however, there are many, many new features that didn't exist before.": "ancak, daha önce olmayan pek çok yeni özellik var.", - "How much money was lent?": "Ne kadar borç verildi?", + "however, there are many, many new features that didn't exist before.": "ancak daha önce mevcut olmayan pek çok yeni özellik var.", + "How much money was lent?": "Ne kadar para ödünç verildi?", "How much was lent?": "Ne kadar ödünç verildi?", - "How often should we remind you about this date?": "Size bu tarihi ne sıklıkla hatırlatmalıyız?", - "How should we display dates": "Tarihleri ​​nasıl göstermeliyiz?", + "How often should we remind you about this date?": "Bu tarihi size ne sıklıkla hatırlatmamız gerekiyor?", + "How should we display dates": "Tarihleri nasıl göstermeliyiz", "How should we display distance values": "Mesafe değerlerini nasıl göstermeliyiz?", "How should we display numerical values": "Sayısal değerleri nasıl göstermeliyiz?", - "I agree to the :terms and :policy": ":şartlar ve :policy'yi kabul ediyorum", - "I agree to the :terms_of_service and :privacy_policy": ":terms_of_service ve :privacy_policy'yi kabul ediyorum", + "I agree to the :terms and :policy": ":Terms ve :policy’yi kabul ediyorum", + "I agree to the :terms_of_service and :privacy_policy": ":Terms_of_service ve :privacy_policy’yi kabul ediyorum", "I am grateful for": "için müteşekkirim", "I called": "aradım", - "I called, but :name didn’t answer": "aradım ama :isim cevap vermedi", + "I called, but :name didn’t answer": "Aradım ama :name yanıt vermedi", "Idea": "Fikir", - "I don’t know the name": "adını bilmiyorum", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Gerekirse, tüm cihazlarınızda diğer tüm tarayıcı oturumlarınızdan çıkış yapabilirsiniz. Son seanslarınızdan bazıları aşağıda listelenmiştir; ancak, bu liste kapsamlı olmayabilir. Hesabınızın ele geçirildiğini düşünüyorsanız, şifrenizi de güncellemelisiniz.", - "If the date is in the past, the next occurence of the date will be next year.": "Tarih geçmişteyse, tarihin bir sonraki oluşumu gelecek yıl olacaktır.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\" düğmesini tıklamada sorun yaşıyorsanız, aşağıdaki URL'yi kopyalayıp yapıştırın\nweb tarayıcınıza:", - "If you already have an account, you may accept this invitation by clicking the button below:": "Zaten bir hesabınız varsa, aşağıdaki düğmeyi tıklayarak bu daveti kabul edebilirsiniz:", - "If you did not create an account, no further action is required.": "Bir hesap oluşturmadıysanız başka bir işlem yapmanıza gerek yoktur.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Bu ekibe davet almayı beklemiyorsanız, bu e-postayı silebilirsiniz.", - "If you did not request a password reset, no further action is required.": "Parola sıfırlama talebinde bulunmadıysanız başka bir işlem yapmanız gerekmez.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Hesabınız yoksa aşağıdaki butona tıklayarak hesap oluşturabilirsiniz. Bir hesap oluşturduktan sonra, ekip davetini kabul etmek için bu e-postadaki davet kabul düğmesine tıklayabilirsiniz:", - "If you’ve received this invitation by mistake, please discard it.": "Bu davetiyeyi yanlışlıkla aldıysanız, lütfen atın.", - "I know the exact date, including the year": "Yıl da dahil olmak üzere kesin tarihi biliyorum.", - "I know the name": "adını biliyorum", + "I don’t know the name": "Adını bilmiyorum", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Gerekirse, tüm cihazlarınızda diğer tüm tarayıcı oturumlarınızdan çıkış yapabilirsiniz. Son oturumlarınızdan bazıları aşağıda listelenmiştir; ancak, bu liste kapsamlı olmayabilir. Hesabınızın ele geçirildiğini düşünüyorsanız, parolanızı da güncellemelisiniz.", + "If the date is in the past, the next occurence of the date will be next year.": "Tarih geçmişte ise, tarihin bir sonraki oluşumu gelecek yıl olacaktır.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\" butonuna tıklamakta sorun yaşıyorsanız, aşağıdaki bağlantıyı kopyalayıp\ntarayıcınıza yapıştırın:", + "If you already have an account, you may accept this invitation by clicking the button below:": "Zaten bir hesabınız varsa, aşağıdaki butona tıklayarak bu daveti kabul edebilirsiniz:", + "If you did not create an account, no further action is required.": "Bir hesap oluşturmadıysanız, başka bir işlem yapmanıza gerek yoktur.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Bu ekibe davet almayı beklemiyorsanız, bu e-postayı yok sayabilirsiniz.", + "If you did not request a password reset, no further action is required.": "Bir parola sıfırlama talebinde bulunmadıysanız, başka bir işlem yapmanıza gerek yoktur.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Bir hesabınız yoksa, aşağıdaki butona tıklayarak bir tane oluşturabilirsiniz. Bir hesap oluşturduktan sonra, ekip davetini kabul etmek için bu e-postadaki daveti kabul et butonuna tıklayabilirsiniz:", + "If you’ve received this invitation by mistake, please discard it.": "Bu davetiyeyi yanlışlıkla aldıysanız lütfen atın.", + "I know the exact date, including the year": "Yıl da dahil olmak üzere kesin tarihi biliyorum", + "I know the name": "Adını biliyorum", "Important dates": "Önemli tarihler", "Important date summary": "Önemli tarih özeti", "in": "içinde", "Information": "Bilgi", - "Information from Wikipedia": "Wikipedia'dan bilgi", + "Information from Wikipedia": "Wikipedia’dan bilgi", "in love with": "birine aşık olmak", "Inspirational post": "İlham verici yazı", + "Invalid JSON was returned from the route.": "Yoldan geçersiz JSON döndürüldü.", "Invitation sent": "Davet gönderildi", - "Invite a new user": "yeni bir kullanıcı davet et", + "Invite a new user": "Yeni bir kullanıcı davet et", "Invite someone": "Birini davet etmek", - "I only know a number of years (an age, for example)": "Ben sadece yılların sayısını biliyorum (örneğin bir yaş)", - "I only know the day and month, not the year": "Sadece günü ve ayı biliyorum, yılı değil", - "it misses some of the features, the most important ones being the API and gift management,": "en önemlileri API ve hediye yönetimi olan bazı özellikleri kaçırıyor,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Görünüşe göre hesapta henüz şablon yok. Lütfen önce hesabınıza en az bir şablon ekleyin, ardından bu şablonu bu kişiyle ilişkilendirin.", + "I only know a number of years (an age, for example)": "Sadece birkaç yılı biliyorum (örneğin bir yaş)", + "I only know the day and month, not the year": "Yılı değil sadece günü ve ayı biliyorum", + "it misses some of the features, the most important ones being the API and gift management,": "API ve hediye yönetimi olmak üzere en önemlileri olan bazı özellikleri kaçırıyor.", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Hesapta henüz şablon yok gibi görünüyor. Lütfen önce hesabınıza en az bir şablon ekleyin, ardından bu şablonu bu kişiyle ilişkilendirin.", "Jew": "Yahudi", "Job information": "İş bilgisi", "Job position": "İş pozisyonu", "Journal": "Günlük", "Journal entries": "günlük girişleri", "Journal metrics": "Günlük ölçümleri", - "Journal metrics let you track data accross all your journal entries.": "Günlük ölçümleri, tüm günlük girişlerinizdeki verileri izlemenizi sağlar.", + "Journal metrics let you track data accross all your journal entries.": "Günlük ölçümleri, tüm günlük girişlerinizdeki verileri izlemenize olanak tanır.", "Journals": "Dergiler", - "Just because": "sadece çünkü", + "Just because": "sırf çünkü", "Just to say hello": "Sadece merhaba de", "Key name": "Anahtar adı", "kilometers (km)": "kilometre (km)", - "km": "km", + "km": "kilometre", "Label:": "Etiket:", "Labels": "Etiketler", - "Labels let you classify contacts using a system that matters to you.": "Etiketler, sizin için önemli olan bir sistemi kullanarak kişileri sınıflandırmanızı sağlar.", + "Labels let you classify contacts using a system that matters to you.": "Etiketler, sizin için önemli olan bir sistemi kullanarak kişileri sınıflandırmanıza olanak tanır.", "Language of the application": "Uygulamanın dili", - "Last active": "Son aktif", - "Last active :date": "Son aktif : tarih", + "Last active": "Son aktiflik", + "Last active :date": "Son aktif :date", "Last name": "Soy isim", "Last name First name": "Soyad ad", "Last updated": "Son güncelleme", - "Last used": "Son kullanılan", - "Last used :date": "Son kullanılan: tarih", - "Leave": "Ayrılmak", - "Leave Team": "Takımdan Ayrıl", + "Last used": "Son kullanım", + "Last used :date": "Son kullanılan :date", + "Leave": "Ayrıl", + "Leave Team": "Ekipten Ayrıl", "Life": "Hayat", "Life & goals": "Hayat amacı", "Life events": "Yaşam olayları", - "Life events let you document what happened in your life.": "Yaşam olayları, yaşamınızda olanları belgelemenizi sağlar.", + "Life events let you document what happened in your life.": "Yaşam olayları hayatınızda olanları belgelemenizi sağlar.", "Life event types:": "Yaşam olayı türleri:", "Life event types and categories": "Yaşam olayı türleri ve kategorileri", - "Life metrics": "Yaşam ölçütleri", - "Life metrics let you track metrics that are important to you.": "Yaşam ölçümleri, sizin için önemli olan ölçümleri izlemenizi sağlar.", - "Link to documentation": "Belgelere bağlantı", - "List of addresses": "adres listesi", + "Life metrics": "Yaşam ölçümleri", + "Life metrics let you track metrics that are important to you.": "Yaşam metrikleri, sizin için önemli olan metrikleri izlemenize olanak tanır.", + "LinkedIn": "LinkedIn", + "List of addresses": "Adres listesi", "List of addresses of the contacts in the vault": "Kasadaki kişilerin adreslerinin listesi", "List of all important dates": "Tüm önemli tarihlerin listesi", "Loading…": "Yükleniyor…", "Load previous entries": "Önceki girişleri yükle", "Loans": "Krediler", "Locale default: :value": "Yerel ayar varsayılanı: :value", - "Log a call": "bir aramayı kaydet", + "Log a call": "Bir çağrıyı günlüğe kaydet", "Log details": "Günlük ayrıntıları", "logged the mood": "ruh halini kaydetti", - "Log in": "Giriş yapmak", - "Login": "Giriş yapmak", + "Log in": "Giriş yap", + "Login": "Giriş Yap", "Login with:": "İle giriş:", "Log Out": "Çıkış Yap", "Logout": "Çıkış Yap", - "Log Out Other Browser Sessions": "Diğer Tarayıcı Oturumlarını Kapatın", + "Log Out Other Browser Sessions": "Diğer Tarayıcılardaki Oturumları Sonlandır", "Longest streak": "En uzun seri", "Love": "Aşk", "loved by": "tarafından sevilen", "lover": "sevgili", - "Made from all over the world. We ❤️ you.": "Dünyanın her yerinden yapılmıştır. Biz ❤️ sizi.", + "Made from all over the world. We ❤️ you.": "Dünyanın her yerinden yapılmıştır. Biz seni ❤️.", "Maiden name": "Kızlık soyadı", "Male": "Erkek", - "Manage Account": "Hesabı yönet", + "Manage Account": "Hesabı Yönet", "Manage accounts you have linked to your Customers account.": "Müşteriler hesabınıza bağladığınız hesapları yönetin.", "Manage address types": "Adres türlerini yönet", - "Manage and log out your active sessions on other browsers and devices.": "Diğer tarayıcılarda ve cihazlarda etkin oturumlarınızı yönetin ve oturumunuzu kapatın.", - "Manage API Tokens": "API Belirteçlerini Yönetin", + "Manage and log out your active sessions on other browsers and devices.": "Diğer tarayıcılarda ve cihazlardaki aktif oturumlarınızı yönetin ve oturumları kapatın.", + "Manage API Tokens": "API Jetonlarını Yönetin", "Manage call reasons": "Arama nedenlerini yönet", "Manage contact information types": "İletişim bilgisi türlerini yönetin", "Manage currencies": "Para birimlerini yönet", @@ -605,138 +605,139 @@ "Manage post templates": "Gönderi şablonlarını yönet", "Manage pronouns": "Zamirleri yönet", "Manager": "Müdür", - "Manage relationship types": "İlişki türlerini yönetme", + "Manage relationship types": "İlişki türlerini yönet", "Manage religions": "Dinleri yönet", "Manage Role": "Rolü Yönet", "Manage storage": "Depolamayı yönet", "Manage Team": "Ekibi Yönet", "Manage templates": "Şablonları yönet", "Manage users": "Kullanıcıları Yönet", - "Maybe one of these contacts?": "Belki bu kişilerden biri?", + "Mastodon": "Mastodon", + "Maybe one of these contacts?": "Belki bu bağlantılardan biri?", "mentor": "akıl hocası", "Middle name": "İkinci ad", "miles": "mil", "miles (mi)": "mil (mil)", "Modules in this page": "Bu sayfadaki modüller", "Monday": "Pazartesi", - "Monica. All rights reserved. 2017 — :date.": "Monica. Her hakkı saklıdır. 2017 — : tarih.", - "Monica is open source, made by hundreds of people from all around the world.": "Monica, dünyanın her yerinden yüzlerce insan tarafından yapılmış açık kaynaklıdır.", - "Monica was made to help you document your life and your social interactions.": "Monica, hayatınızı ve sosyal etkileşimlerinizi belgelemenize yardımcı olmak için yapıldı.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Her hakkı saklıdır. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica, dünyanın her yerinden yüzlerce insan tarafından yapılmış açık kaynaktır.", + "Monica was made to help you document your life and your social interactions.": "Monica hayatınızı ve sosyal etkileşimlerinizi belgelemenize yardımcı olmak için yapıldı.", "Month": "Ay", "month": "ay", - "Mood in the year": "Yıldaki ruh hali", + "Mood in the year": "Yıl içindeki ruh hali", "Mood tracking events": "Ruh hali izleme etkinlikleri", "Mood tracking parameters": "Ruh hali izleme parametreleri", "More details": "Daha fazla detay", "More errors": "Daha fazla hata", "Move contact": "Kişiyi taşı", "Muslim": "Müslüman", - "Name": "İsim", + "Name": "Ad", "Name of the pet": "Evcil hayvanın adı", - "Name of the reminder": "hatırlatıcının adı", + "Name of the reminder": "Hatırlatıcının adı", "Name of the reverse relationship": "Ters ilişkinin adı", - "Nature of the call": "aramanın niteliği", - "nephew\/niece": "yeğen\/yeğen", - "New Password": "Yeni Şifre", - "New to Monica?": "Monica'da yeni misiniz?", + "Nature of the call": "Çağrının niteliği", + "nephew/niece": "yeğen/yeğen", + "New Password": "Yeni Parola", + "New to Monica?": "Monica’da yeni misin?", "Next": "Sonraki", "Nickname": "Takma ad", "nickname": "Takma ad", - "No cities have been added yet in any contact’s addresses.": "Henüz herhangi bir kişinin adresine şehir eklenmemiş.", - "No contacts found.": "Kişi bulunamadı.", - "No countries have been added yet in any contact’s addresses.": "Henüz herhangi bir kişinin adresine ülke eklenmemiş.", + "No cities have been added yet in any contact’s addresses.": "Henüz herhangi bir kişinin adresine şehir eklenmedi.", + "No contacts found.": "Hiçbir kişi bulunamadı.", + "No countries have been added yet in any contact’s addresses.": "Henüz herhangi bir kişinin adresine ülke eklenmedi.", "No dates in this month.": "Bu ay tarih yok.", "No description yet.": "Henüz açıklama yok.", "No groups found.": "Grup bulunamadı.", "No keys registered yet": "Henüz kayıtlı anahtar yok", "No labels yet.": "Henüz etiket yok.", "No life event types yet.": "Henüz yaşam olayı türü yok.", - "No notes found.": "Not bulunamadı.", + "No notes found.": "Hiçbir not bulunamadı.", "No results found": "Sonuç bulunamadı", "No role": "Rol yok", "No roles yet.": "Henüz rol yok.", "No tasks.": "Görev yok.", - "Notes": "notlar", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Bir modülü bir sayfadan kaldırmanın, iletişim sayfalarınızdaki gerçek verileri silmeyeceğini unutmayın. Basitçe gizleyecektir.", + "Notes": "Notlar", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Bir sayfadan bir modülü kaldırmanın, iletişim sayfalarınızdaki gerçek verileri silmeyeceğini unutmayın. Sadece gizleyecektir.", "Not Found": "Bulunamadı", "Notification channels": "Bildirim kanalları", "Notification sent": "Bildirim gönderildi", - "Not set": "ayarlanmadı", + "Not set": "Ayarlanmadı", "No upcoming reminders.": "Yaklaşan hatırlatıcı yok.", - "Number of hours slept": "Uyuduğunuz saat sayısı", + "Number of hours slept": "Uyuduğu saat sayısı", "Numerical value": "Sayısal değer", - "of": "ile ilgili", - "Offered": "sunulan", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Bir ekip silindiğinde, tüm kaynakları ve verileri kalıcı olarak silinir. Bu takımı silmeden önce, lütfen bu takımla ilgili saklamak istediğiniz tüm verileri veya bilgileri indirin.", + "of": "-den", + "Offered": "Sunulan", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Bir ekip silindiğinde, tüm kaynakları ve verileri kalıcı olarak silinecektir. Bu ekibi silmeden önce, lütfen bu ekiple ilgili saklamak istediğiniz tüm verileri veya bilgileri indirin.", "Once you cancel,": "İptal ettiğinizde,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Aşağıdaki Kurulum düğmesine tıkladığınızda, size vereceğimiz düğme ile Telegram'ı açmanız gerekecektir. Bu, Monica Telegram botunu sizin için bulacaktır.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Hesabınız silindikten sonra, tüm kaynakları ve verileri kalıcı olarak silinecektir. Hesabınızı silmeden önce, lütfen saklamak istediğiniz tüm verileri veya bilgileri indirin.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Aşağıdaki Kurulum butonuna tıkladıktan sonra size vereceğimiz buton ile Telegram’ı açmanız gerekecektir. Bu sizin için Monica Telegram botunu bulacaktır.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Hesabınız silindiğinde, tüm kaynakları ve verileri kalıcı olarak silinecektir. Hesabınızı silmeden önce lütfen saklamak istediğiniz tüm verileri veya bilgileri indirin.", "Only once, when the next occurence of the date occurs.": "Yalnızca bir kez, tarihin bir sonraki oluşumu gerçekleştiğinde.", "Oops! Something went wrong.": "Hata! Bir şeyler yanlış gitti.", "Open Street Maps": "Sokak Haritalarını Aç", "Open Street Maps is a great privacy alternative, but offers less details.": "Açık Sokak Haritaları harika bir gizlilik alternatifidir ancak daha az ayrıntı sunar.", - "Open Telegram to validate your identity": "Kimliğinizi doğrulamak için Telegram'ı açın", + "Open Telegram to validate your identity": "Kimliğinizi doğrulamak için Telegram’ı açın", "optional": "isteğe bağlı", "Or create a new one": "Veya yeni bir tane oluşturun", "Or filter by type": "Veya türe göre filtreleyin", - "Or remove the slice": "Veya dilimi çıkarın", + "Or remove the slice": "Veya dilimi kaldırın", "Or reset the fields": "Veya alanları sıfırlayın", "Other": "Diğer", - "Out of respect and appreciation": "saygı ve takdir dışında", - "Page Expired": "Sayfanın Süresi Doldu", + "Out of respect and appreciation": "Saygı ve takdir nedeniyle", + "Page Expired": "Sayfa zaman aşımına uğradı", "Pages": "Sayfalar", - "Pagination Navigation": "Sayfalandırma Gezintisi", - "Parent": "ebeveyn", + "Pagination Navigation": "Sayfalandırma Çubuğu", + "Parent": "Ebeveyn", "parent": "ebeveyn", "Participants": "Katılımcılar", "Partner": "Ortak", "Part of": "Parçası", - "Password": "Şifre", + "Password": "Parola", "Payment Required": "ödeme gerekli", - "Pending Team Invitations": "Bekleyen Ekip Davetleri", - "per\/per": "için \/ için", - "Permanently delete this team.": "Bu ekibi kalıcı olarak silin.", - "Permanently delete your account.": "Hesabınızı kalıcı olarak silin.", - "Permission for :name": ":name için izin", + "Pending Team Invitations": "Bekleyen Ekip Davetiyeleri", + "per/per": "başına/başına", + "Permanently delete this team.": "Bu ekibi kalıcı olarak sil", + "Permanently delete your account.": "Hesabını kalıcı olarak sil", + "Permission for :name": ":Name için izin", "Permissions": "İzinler", "Personal": "Kişisel", - "Personalize your account": "hesabınızı kişiselleştirin", + "Personalize your account": "Hesabınızı kişiselleştirin", "Pet categories": "Evcil hayvan kategorileri", - "Pet categories let you add types of pets that contacts can add to their profile.": "Evcil hayvan kategorileri, kişilerin profillerine ekleyebileceği evcil hayvan türleri eklemenizi sağlar.", + "Pet categories let you add types of pets that contacts can add to their profile.": "Evcil hayvan kategorileri, kişilerin profillerine ekleyebileceği evcil hayvan türlerini eklemenizi sağlar.", "Pet category": "Evcil hayvan kategorisi", "Pets": "Evcil Hayvanlar", "Phone": "Telefon", - "Photo": "Fotoğraf", + "Photo": "Resim", "Photos": "Fotoğraflar", - "Played basketball": "basketbol oynadı", - "Played golf": "golf oynadı", + "Played basketball": "Basketbol oynadım", + "Played golf": "Golf oynadım", "Played soccer": "Futbol oynadı", "Played tennis": "Tenis oynadı", "Please choose a template for this new post": "Lütfen bu yeni gönderi için bir şablon seçin", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Monica'ya bu kişinin nasıl görüntülenmesi gerektiğini anlatmak için lütfen aşağıdan bir şablon seçin. Şablonlar, iletişim sayfasında hangi verilerin görüntülenmesi gerektiğini tanımlamanıza olanak tanır.", - "Please click the button below to verify your email address.": "E-posta adresinizi doğrulamak için lütfen aşağıdaki düğmeyi tıklayın.", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Monica’ya bu kişinin nasıl görüntülenmesi gerektiğini anlatmak için lütfen aşağıdan bir şablon seçin. Şablonlar, iletişim sayfasında hangi verilerin görüntüleneceğini tanımlamanıza olanak tanır.", + "Please click the button below to verify your email address.": "E-posta adresinizi doğrulamak için lütfen aşağıdaki butona tıklayın.", "Please complete this form to finalize your account.": "Hesabınızı sonlandırmak için lütfen bu formu doldurun.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Lütfen acil kurtarma kodlarınızdan birini girerek hesabınıza erişimi onaylayın.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Girişinizi onaylamak için lütfen hesap kurtarma kodlarınızdan birini girin.", "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Lütfen kimlik doğrulayıcı uygulamanız tarafından sağlanan kimlik doğrulama kodunu girerek hesabınıza erişimi onaylayın.", "Please confirm access to your account by validating your security key.": "Lütfen güvenlik anahtarınızı doğrulayarak hesabınıza erişimi onaylayın.", - "Please copy your new API token. For your security, it won't be shown again.": "Lütfen yeni API belirtecinizi kopyalayın. Güvenliğiniz için tekrar gösterilmeyecektir.", - "Please copy your new API token. For your security, it won’t be shown again.": "Lütfen yeni API belirtecinizi kopyalayın. Güvenliğiniz için tekrar gösterilmeyecektir.", - "Please enter at least 3 characters to initiate a search.": "Bir arama başlatmak için lütfen en az 3 karakter girin.", + "Please copy your new API token. For your security, it won't be shown again.": "Lütfen yeni API jetonunuzu kopyalayın. Güvenliğiniz için bir daha gösterilmeyecek.", + "Please copy your new API token. For your security, it won’t be shown again.": "Lütfen yeni API belirtecinizi kopyalayın. Güvenliğiniz için bir daha gösterilmeyecektir.", + "Please enter at least 3 characters to initiate a search.": "Aramayı başlatmak için lütfen en az 3 karakter girin.", "Please enter your password to cancel the account": "Hesabı iptal etmek için lütfen şifrenizi girin", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Tüm cihazlarınızda diğer tarayıcı oturumlarınızdan çıkmak istediğinizi onaylamak için lütfen şifrenizi girin.", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Tüm cihazlarınızda diğer tarayıcı oturumlarınızdan çıkmak istediğinizi onaylamak için lütfen parolanızı girin.", "Please indicate the contacts": "Lütfen kişileri belirtin", - "Please join Monica": "Lütfen Monica'ya katılın", - "Please provide the email address of the person you would like to add to this team.": "Lütfen bu ekibe eklemek istediğiniz kişinin e-posta adresini girin.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Bu özellik ve hangi değişkenlere erişiminiz olduğu hakkında daha fazla bilgi edinmek için lütfen belgelerimizi<\/link> okuyun.", + "Please join Monica": "Lütfen Monica’ya katılın", + "Please provide the email address of the person you would like to add to this team.": "Lütfen bu ekibe eklemek istediğiniz kişinin e-posta adresini belirtin.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Bu özellik ve hangi değişkenlere erişebildiğiniz hakkında daha fazla bilgi edinmek için lütfen belgelerimizi okuyun.", "Please select a page on the left to load modules.": "Modülleri yüklemek için lütfen soldan bir sayfa seçin.", - "Please type a few characters to create a new label.": "Yeni bir etiket oluşturmak için lütfen birkaç karakter girin.", - "Please type a few characters to create a new tag.": "Yeni bir etiket oluşturmak için lütfen birkaç karakter girin.", + "Please type a few characters to create a new label.": "Yeni bir etiket oluşturmak için lütfen birkaç karakter yazın.", + "Please type a few characters to create a new tag.": "Yeni bir etiket oluşturmak için lütfen birkaç karakter yazın.", "Please validate your email address": "Lütfen e-posta adresinizi doğrulayın", "Please verify your email address": "Lütfen email adresini doğrula", "Postal code": "Posta Kodu", "Post metrics": "Gönderi ölçümleri", "Posts": "Gönderiler", - "Posts in your journals": "Dergilerinizdeki gönderiler", + "Posts in your journals": "Günlüklerinizdeki yazılar", "Post templates": "Gönderi şablonları", "Prefix": "Önek", "Previous": "Öncesi", @@ -744,87 +745,87 @@ "Privacy Policy": "Gizlilik Politikası", "Profile": "Profil", "Profile and security": "Profil ve güvenlik", - "Profile Information": "profil bilgisi", - "Profile of :name": ":name profili", - "Profile page of :name": ":name adlı kullanıcının profil sayfası", - "Pronoun": "eğilimlidirler", - "Pronouns": "zamirler", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Zamirler temelde ismimizden ayrı olarak kendimizi nasıl tanımladığımızdır. Birinin sohbette sizden nasıl bahsettiğidir.", - "protege": "koruyucu", + "Profile Information": "Profil Bilgileri", + "Profile of :name": ":Name profili", + "Profile page of :name": ":Name profil sayfası", + "Pronoun": "Zamir", + "Pronouns": "Zamirler", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Zamirler temel olarak ismimizden ayrı olarak kendimizi nasıl tanımladığımızdır. Birinin konuşma sırasında sizden bu şekilde bahsetmesi.", + "protege": "himaye altındaki kimse", "Protocol": "Protokol", - "Protocol: :name": "Protokol: :isim", + "Protocol: :name": "Protokol: :name", "Province": "Vilayet", - "Quick facts": "Hızlı gerçekler", - "Quick facts let you document interesting facts about a contact.": "Hızlı bilgiler, bir kişiyle ilgili ilginç gerçekleri belgelemenizi sağlar.", - "Quick facts template": "Hızlı bilgiler şablonu", + "Quick facts": "Kısa bilgiler", + "Quick facts let you document interesting facts about a contact.": "Hızlı gerçekler, bir kişiyle ilgili ilginç gerçekleri belgelemenize olanak tanır.", + "Quick facts template": "Kısa bilgiler şablonu", "Quit job": "İsten ayrilmak", "Rabbit": "Tavşan", "Ran": "Koştu", "Rat": "Fare", - "Read :count time|Read :count times": "Oku :zamanı say|Oku :kezleri say", - "Record a loan": "borç kaydı", + "Read :count time|Read :count times": ":count kez oku", + "Record a loan": "Kredi kaydetme", "Record your mood": "Ruh halinizi kaydedin", - "Recovery Code": "Kurtarma kodu", + "Recovery Code": "Kurtarma Kodu", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Dünyanın neresinde olursanız olun, tarihlerin kendi saat diliminizde görüntülenmesini sağlayın.", - "Regards": "Saygılarımızla", - "Regenerate Recovery Codes": "Kurtarma Kodlarını Yeniden Oluşturun", - "Register": "Kayıt olmak", - "Register a new key": "yeni bir anahtar kaydedin", + "Regards": "En iyi dileklerle", + "Regenerate Recovery Codes": "Kurtarma Kodunu Tekrar Üret", + "Register": "Kayıt Ol", + "Register a new key": "Yeni bir anahtar kaydedin", "Register a new key.": "Yeni bir anahtar kaydedin.", "Regular post": "Normal gönderi", - "Regular user": "normal kullanıcı", - "Relationships": "ilişkiler", - "Relationship types": "ilişki türleri", + "Regular user": "Düzenli kullanıcı", + "Relationships": "İlişkiler", + "Relationship types": "İlişki türleri", "Relationship types let you link contacts and document how they are connected.": "İlişki türleri, kişileri bağlamanıza ve nasıl bağlandıklarını belgelemenize olanak tanır.", "Religion": "Din", "Religions": "Dinler", "Religions is all about faith.": "Dinler tamamen inançla ilgilidir.", - "Remember me": "Beni Hatırla", - "Reminder for :name": ":name için hatırlatıcı", + "Remember me": "Beni hatırla", + "Reminder for :name": ":Name için hatırlatıcı", "Reminders": "Hatırlatıcılar", "Reminders for the next 30 days": "Önümüzdeki 30 gün için hatırlatıcılar", "Remind me about this date every year": "Bana her yıl bu tarihi hatırlat", - "Remind me about this date just once, in one year from now": "Bana bu tarihi sadece bir kez hatırlat, bundan bir yıl sonra", - "Remove": "Kaldırmak", + "Remind me about this date just once, in one year from now": "Bu tarihi bana bir yıl sonra yalnızca bir kez hatırlat", + "Remove": "Kaldır", "Remove avatar": "Avatarı kaldır", "Remove cover image": "Kapak resmini kaldır", - "removed a label": "bir etiketi kaldırdı", - "removed the contact from a group": "kişiyi bir gruptan kaldırdı", - "removed the contact from a post": "kişiyi bir gönderiden kaldırdı", - "removed the contact from the favorites": "kişiyi favorilerden kaldırdı", - "Remove Photo": "Fotoğrafı kaldır", - "Remove Team Member": "Ekip Üyesi Kaldır", + "removed a label": "bir etiketi kaldırdım", + "removed the contact from a group": "kişiyi gruptan kaldırdı", + "removed the contact from a post": "kişiyi bir yayından kaldırdım", + "removed the contact from the favorites": "kişiyi favorilerden kaldırdım", + "Remove Photo": "Resmi Kaldır", + "Remove Team Member": "Ekip Üyesini Kaldır", "Rename": "Yeniden isimlendirmek", "Reports": "Raporlar", "Reptile": "Sürüngen", - "Resend Verification Email": "Doğrulama e-postasını tekrar gönder", - "Reset Password": "Şifreyi yenile", - "Reset Password Notification": "Şifre Bildirimini Sıfırla", + "Resend Verification Email": "Onay Mailini Tekrar Gönder", + "Reset Password": "Parolayı Sıfırla", + "Reset Password Notification": "Parola Sıfırlama Bildirimi", "results": "sonuçlar", - "Retry": "yeniden dene", + "Retry": "Yeniden dene", "Revert": "Geri al", - "Rode a bike": "bisiklet sürdü", - "Role": "rol", + "Rode a bike": "Bisiklet sürdüm", + "Role": "Rol", "Roles:": "Roller:", - "Roomates": "Emekleme", + "Roomates": "Oda arkadaşları", "Saturday": "Cumartesi", - "Save": "Kaydetmek", + "Save": "Kaydet", "Saved.": "Kaydedildi.", - "Saving in progress": "Kaydetme devam ediyor", - "Searched": "arandı", + "Saving in progress": "Kaydetme işlemi devam ediyor", + "Searched": "Aranan", "Searching…": "Aranıyor…", - "Search something": "bir şey ara", - "Search something in the vault": "Kasada bir şey ara", + "Search something": "Bir şey arayın", + "Search something in the vault": "Kasada bir şey arayın", "Sections:": "Bölümler:", "Security keys": "Güvenlik anahtarları", - "Select a group or create a new one": "Bir grup seçin veya yeni bir grup oluşturun", + "Select a group or create a new one": "Bir grup seçin veya yeni bir tane oluşturun", "Select A New Photo": "Yeni Bir Fotoğraf Seçin", "Select a relationship type": "Bir ilişki türü seçin", "Send invitation": "Davetiye gönder", - "Send test": "testi gönder", - "Sent at :time": "Şu saatte gönderildi: saat", - "Server Error": "Server hatası", - "Service Unavailable": "hizmet kullanılamıyor", + "Send test": "Testi gönder", + "Sent at :time": ":time tarihinde gönderildi", + "Server Error": "Sunucu Hatası", + "Service Unavailable": "Hizmet Kullanılamıyor", "Set as default": "Varsayılan olarak ayarla", "Set as favorite": "Favori olarak ayarla", "Settings": "Ayarlar", @@ -832,124 +833,122 @@ "Setup": "Kurmak", "Setup Key": "Kurulum Anahtarı", "Setup Key:": "Kurulum Anahtarı:", - "Setup Telegram": "Telgrafı Kur", - "she\/her": "o \/ onu", + "Setup Telegram": "Telegram’ı Kur", + "she/her": "o", "Shintoist": "Şintoist", "Show Calendar tab": "Takvim sekmesini göster", "Show Companies tab": "Şirketler sekmesini göster", "Show completed tasks (:count)": "Tamamlanan görevleri göster (:count)", "Show Files tab": "Dosyalar sekmesini göster", "Show Groups tab": "Gruplar sekmesini göster", - "Showing": "gösteriliyor", - "Showing :count of :total results": "Gösterilen :count of :total sonuçlar", - "Showing :first to :last of :total results": "Gösterilen :ilk ila :son :toplam sonuçlar", + "Showing": "Gösteri", + "Showing :count of :total results": ":total sonuçtan :count tanesi gösteriliyor", + "Showing :first to :last of :total results": ":total sonuçtan :first - :last arası gösteriliyor", "Show Journals tab": "Günlükler sekmesini göster", "Show Recovery Codes": "Kurtarma Kodlarını Göster", - "Show Reports tab": "Raporları Göster sekmesi", + "Show Reports tab": "Raporlar sekmesini göster", "Show Tasks tab": "Görevler sekmesini göster", "significant other": "hayat arkadaşı", "Sign in to your account": "hesabınıza giriş yapın", "Sign up for an account": "Bir hesap için kaydolun", "Sikh": "Sih", - "Slept :count hour|Slept :count hours": "Uyudu :saati say|Uyku :saati say", + "Slept :count hour|Slept :count hours": ":count saat uyudum", "Slice of life": "Hayattan bir parça", - "Slices of life": "hayattan dilimler", + "Slices of life": "Hayatın dilimleri", "Small animal": "Küçük hayvan", "Social": "Sosyal", - "Some dates have a special type that we will use in the software to calculate an age.": "Bazı tarihlerin, yaş hesaplamak için yazılımda kullanacağımız özel bir türü vardır.", - "Sort contacts": "Kişileri sırala", + "Some dates have a special type that we will use in the software to calculate an age.": "Bazı tarihlerin yazılımda yaş hesaplamak için kullanacağımız özel bir türü vardır.", "So… it works 😼": "Yani… işe yarıyor 😼", "Sport": "Spor", "spouse": "eş", "Statistics": "İstatistik", "Storage": "Depolamak", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Bu kurtarma kodlarını güvenli bir parola yöneticisinde saklayın. İki faktörlü kimlik doğrulama cihazınızın kaybolması durumunda, hesabınıza erişimi kurtarmak için kullanılabilirler.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Bu kurtarma kodlarını güvenli bir parola yöneticisinde saklayın. İki faktörlü kimlik doğrulama cihazınız kaybolursa hesabınıza erişimi kurtarmak için kullanılabilirler.", "Submit": "Göndermek", "subordinate": "ast", - "Suffix": "sonek", + "Suffix": "son ek", "Summary": "Özet", "Sunday": "Pazar", - "Switch role": "Rol değiştir", + "Switch role": "Rolü değiştir", "Switch Teams": "Ekip Değiştir", - "Tabs visibility": "Sekme görünürlüğü", + "Tabs visibility": "Sekmelerin görünürlüğü", "Tags": "Etiketler", "Tags let you classify journal posts using a system that matters to you.": "Etiketler, sizin için önemli olan bir sistemi kullanarak günlük gönderilerini sınıflandırmanıza olanak tanır.", "Taoist": "Taocu", "Tasks": "Görevler", - "Team Details": "Takım Detayları", - "Team Invitation": "Takım Davetiyesi", - "Team Members": "Takım üyeleri", - "Team Name": "Takım adı", - "Team Owner": "Takım Sahibi", - "Team Settings": "Takım Ayarları", + "Team Details": "Ekip Detayları", + "Team Invitation": "Ekip Davetiyesi", + "Team Members": "Ekip Üyeleri", + "Team Name": "Ekip İsmi", + "Team Owner": "Ekip Sahibi", + "Team Settings": "Ekip Ayarları", "Telegram": "Telgraf", "Templates": "Şablonlar", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Şablonlar, kişilerinizde hangi verilerin görüntülenmesi gerektiğini özelleştirmenizi sağlar. Dilediğiniz kadar şablon tanımlayabilir, hangi kontakta hangi şablonun kullanılacağını seçebilirsiniz.", - "Terms of Service": "Kullanım Şartları", - "Test email for Monica": "Monica için test e-postası", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Şablonlar, kişilerinizde hangi verilerin görüntüleneceğini özelleştirmenize olanak tanır. Dilediğiniz kadar şablon tanımlayabilir, hangi şablonun hangi kişide kullanılacağını seçebilirsiniz.", + "Terms of Service": "Hizmet Koşulları", + "Test email for Monica": "Monica için e-postayı test edin", "Test email sent!": "Test e-postası gönderildi!", "Thanks,": "Teşekkürler,", - "Thanks for giving Monica a try": "Monica'yı denediğiniz için teşekkürler", - "Thanks for giving Monica a try.": "Monica'ya bir şans verdiğin için teşekkürler.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Üye olduğunuz için teşekkürler! Başlamadan önce, size az önce e-posta gönderdiğimiz bağlantıya tıklayarak e-posta adresinizi doğrulayabilir misiniz? E-postayı almadıysanız, size memnuniyetle başka bir e-posta göndeririz.", - "The :attribute must be at least :length characters.": ":attribute en az :length karakterlerinden oluşmalıdır.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute en az :length karakterlerden oluşmalı ve en az bir sayı içermelidir.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute en az :length karakterlerden oluşmalı ve en az bir özel karakter içermelidir.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute en az :length karakterlerden oluşmalı ve en az bir özel karakter ve bir sayı içermelidir.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute en az :length karakterlerden oluşmalı ve en az bir büyük harf, bir sayı ve bir özel karakter içermelidir.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute en az :length karakterlerden oluşmalı ve en az bir büyük harf karakter içermelidir.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute en az :length karakterlerden oluşmalı ve en az bir büyük harf ve bir sayı içermelidir.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute en az :length karakterlerden oluşmalı ve en az bir büyük harf ve bir özel karakter içermelidir.", - "The :attribute must be a valid role.": ":attribute geçerli bir rol olmalıdır.", - "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Hesabın verileri 30 gün içinde sunucularımızdan ve 60 gün içinde tüm yedeklerden kalıcı olarak silinecektir.", + "Thanks for giving Monica a try.": "Monica’yı denediğiniz için teşekkürler.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Üye olduğunuz için teşekkürler! Başlamadan önce, size az önce e-postayla gönderdiğimiz bağlantıya tıklayarak e-posta adresinizi doğrulayabilir misiniz? E-postayı almadıysanız, size memnuniyetle başka bir e-posta göndeririz.", + "The :attribute must be at least :length characters.": ":Attribute en az :length karakterli olmalı.", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute en az :length karakterli olmalı ve en az bir sayı içermelidir.", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute en az :length karakterli olmalı ve en az bir özel karakter içermelidir", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute en az :length karakterli olmalı ve en az bir özel karakter ve bir sayı içermelidir.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute en az :length karakterli olmalı ve en az birer büyük harf, sayı ve özel karakter içermelidir", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute en az :length karakterli olmalı ve en az bir büyük harf içermelidir", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute en az :length karakterli olmalı ve en az birer büyük harf ve sayı içermelidir", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute en az :length karakterli olmalı ve en az birer büyük harf ve özel karakter içermelidir", + "The :attribute must be a valid role.": ":Attribute geçerli bir rol olmalıdır.", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Hesabın verileri 30 gün içinde sunucularımızdan ve 60 gün içinde tüm yedeklemelerden kalıcı olarak silinecektir.", "The address type has been created": "Adres türü oluşturuldu", "The address type has been deleted": "Adres türü silindi", "The address type has been updated": "Adres türü güncellendi", - "The call has been created": "çağrı oluşturuldu", - "The call has been deleted": "arama silindi", + "The call has been created": "Çağrı oluşturuldu", + "The call has been deleted": "Çağrı silindi", "The call has been edited": "Çağrı düzenlendi", - "The call reason has been created": "Arama nedeni oluşturuldu", + "The call reason has been created": "Çağrı nedeni oluşturuldu", "The call reason has been deleted": "Arama nedeni silindi", "The call reason has been updated": "Çağrı nedeni güncellendi", - "The call reason type has been created": "Arama nedeni türü oluşturuldu", + "The call reason type has been created": "Çağrı nedeni türü oluşturuldu", "The call reason type has been deleted": "Arama nedeni türü silindi", "The call reason type has been updated": "Arama nedeni türü güncellendi", - "The channel has been added": "kanal eklendi", - "The channel has been updated": "kanal güncellendi", + "The channel has been added": "Kanal eklendi", + "The channel has been updated": "Kanal güncellendi", "The contact does not belong to any group yet.": "Kişi henüz herhangi bir gruba ait değil.", - "The contact has been added": "kişi eklendi", - "The contact has been deleted": "kişi silindi", + "The contact has been added": "Kişi eklendi", + "The contact has been deleted": "Kişi silindi", "The contact has been edited": "Kişi düzenlendi", "The contact has been removed from the group": "Kişi gruptan kaldırıldı", "The contact information has been created": "İletişim bilgileri oluşturuldu", - "The contact information has been deleted": "iletişim bilgileri silinmiştir", + "The contact information has been deleted": "İletişim bilgileri silindi", "The contact information has been edited": "İletişim bilgileri düzenlendi", "The contact information type has been created": "İletişim bilgileri türü oluşturuldu", - "The contact information type has been deleted": "İletişim bilgileri türü silindi", + "The contact information type has been deleted": "İletişim bilgisi türü silindi", "The contact information type has been updated": "İletişim bilgileri türü güncellendi", "The contact is archived": "Kişi arşivlendi", "The currencies have been updated": "Para birimleri güncellendi", "The currency has been updated": "Para birimi güncellendi", - "The date has been added": "tarih eklendi", - "The date has been deleted": "tarih silindi", - "The date has been updated": "tarih güncellendi", - "The document has been added": "belge eklendi", - "The document has been deleted": "belge silindi", + "The date has been added": "Tarih eklendi", + "The date has been deleted": "Tarih silindi", + "The date has been updated": "Tarih güncellendi", + "The document has been added": "Belge eklendi", + "The document has been deleted": "Belge silindi", "The email address has been deleted": "E-posta adresi silindi", "The email has been added": "E-posta eklendi", "The email is already taken. Please choose another one.": "E-posta zaten alınmış. Lütfen başka birini seçiniz.", - "The gender has been created": "Cinsiyet oluşturuldu", + "The gender has been created": "Cinsiyet yaratıldı", "The gender has been deleted": "Cinsiyet silindi", "The gender has been updated": "Cinsiyet güncellendi", - "The gift occasion has been created": "Hediye fırsatı oluşturuldu", + "The gift occasion has been created": "Hediye fırsatı yaratıldı", "The gift occasion has been deleted": "Hediye fırsatı silindi", "The gift occasion has been updated": "Hediye fırsatı güncellendi", "The gift state has been created": "Hediye durumu oluşturuldu", "The gift state has been deleted": "Hediye durumu silindi", "The gift state has been updated": "Hediye durumu güncellendi", "The given data was invalid.": "Verilen veriler geçersizdi.", - "The goal has been created": "hedef oluşturuldu", - "The goal has been deleted": "hedef silindi", + "The goal has been created": "Hedef oluşturuldu", + "The goal has been deleted": "Hedef silindi", "The goal has been edited": "Hedef düzenlendi", "The group has been added": "Grup eklendi", "The group has been deleted": "Grup silindi", @@ -957,328 +956,328 @@ "The group type has been created": "Grup türü oluşturuldu", "The group type has been deleted": "Grup türü silindi", "The group type has been updated": "Grup türü güncellendi", - "The important dates in the next 12 months": "Önümüzdeki 12 aydaki önemli tarihler", + "The important dates in the next 12 months": "Önümüzdeki 12 ayın önemli tarihleri", "The job information has been saved": "İş bilgileri kaydedildi", - "The journal lets you document your life with your own words.": "Günlük, hayatınızı kendi kelimelerinizle belgelemenizi sağlar.", - "The keys to manage uploads have not been set in this Monica instance.": "Karşıya yüklemeleri yönetme anahtarları bu Monica örneğinde ayarlanmadı.", - "The label has been added": "etiket eklendi", - "The label has been created": "etiket oluşturuldu", - "The label has been deleted": "etiket silindi", + "The journal lets you document your life with your own words.": "Günlük, hayatınızı kendi sözlerinizle belgelemenizi sağlar.", + "The keys to manage uploads have not been set in this Monica instance.": "Yüklemeleri yönetmeye yönelik anahtarlar bu Monica örneğinde ayarlanmadı.", + "The label has been added": "Etiket eklendi", + "The label has been created": "Etiket oluşturuldu", + "The label has been deleted": "Etiket silindi", "The label has been updated": "Etiket güncellendi", - "The life metric has been created": "Yaşam metriği oluşturuldu", + "The life metric has been created": "Yaşam ölçüsü oluşturuldu", "The life metric has been deleted": "Yaşam metriği silindi", "The life metric has been updated": "Yaşam metriği güncellendi", "The loan has been created": "Kredi oluşturuldu", "The loan has been deleted": "Kredi silindi", "The loan has been edited": "Kredi düzenlendi", - "The loan has been settled": "borç halledildi", - "The loan is an object": "Borç bir nesnedir", - "The loan is monetary": "Borç parasaldır", - "The module has been added": "modül eklendi", - "The module has been removed": "modül kaldırıldı", + "The loan has been settled": "Kredi halledildi", + "The loan is an object": "Kredi bir nesnedir", + "The loan is monetary": "Kredi parasaldır", + "The module has been added": "Modül eklendi", + "The module has been removed": "Modül kaldırıldı", "The note has been created": "Not oluşturuldu", - "The note has been deleted": "not silindi", + "The note has been deleted": "Not silindi", "The note has been edited": "Not düzenlendi", - "The notification has been sent": "bildirim gönderildi", + "The notification has been sent": "Bildirim gönderildi", "The operation either timed out or was not allowed.": "İşlem ya zaman aşımına uğradı ya da izin verilmedi.", - "The page has been added": "sayfa eklendi", - "The page has been deleted": "sayfa silindi", - "The page has been updated": "sayfa güncellendi", - "The password is incorrect.": "Şifre yanlış.", + "The page has been added": "Sayfa eklendi", + "The page has been deleted": "Sayfa silindi", + "The page has been updated": "Sayfa güncellendi", + "The password is incorrect.": "Parola hatalı.", "The pet category has been created": "Evcil hayvan kategorisi oluşturuldu", "The pet category has been deleted": "Evcil hayvan kategorisi silindi", - "The pet category has been updated": "Evcil hayvan kategorisi güncellendi.", - "The pet has been added": "evcil hayvan eklendi", - "The pet has been deleted": "evcil hayvan silindi", + "The pet category has been updated": "Evcil hayvan kategorisi güncellendi", + "The pet has been added": "Evcil hayvan eklendi", + "The pet has been deleted": "Evcil hayvan silindi", "The pet has been edited": "Evcil hayvan düzenlendi", - "The photo has been added": "fotoğraf eklendi", - "The photo has been deleted": "fotoğraf silindi", - "The position has been saved": "Pozisyon kaydedildi", + "The photo has been added": "Fotoğraf eklendi", + "The photo has been deleted": "Fotoğraf silindi", + "The position has been saved": "Konum kaydedildi", "The post template has been created": "Gönderi şablonu oluşturuldu", "The post template has been deleted": "Gönderi şablonu silindi", "The post template has been updated": "Gönderi şablonu güncellendi", "The pronoun has been created": "Zamir oluşturuldu", "The pronoun has been deleted": "Zamir silindi", "The pronoun has been updated": "Zamir güncellendi", - "The provided password does not match your current password.": "Sağlanan parola mevcut parolanızla eşleşmiyor.", - "The provided password was incorrect.": "Sağlanan şifre yanlıştı.", - "The provided two factor authentication code was invalid.": "Sağlanan iki faktörlü kimlik doğrulama kodu geçersizdi.", + "The provided password does not match your current password.": "Belirtilen parola mevcut parolanızla eşleşmiyor.", + "The provided password was incorrect.": "Belirtilen parola yanlış.", + "The provided two factor authentication code was invalid.": "Belirtilen iki faktörlü kimlik doğrulama kodu geçersiz.", "The provided two factor recovery code was invalid.": "Sağlanan iki faktörlü kurtarma kodu geçersizdi.", "There are no active addresses yet.": "Henüz aktif adres yok.", - "There are no calls logged yet.": "Henüz kayıtlı arama yok.", - "There are no contact information yet.": "Henüz bir iletişim bilgisi yok.", + "There are no calls logged yet.": "Henüz kayıtlı bir çağrı yok.", + "There are no contact information yet.": "Henüz iletişim bilgisi yok.", "There are no documents yet.": "Henüz belge yok.", - "There are no events on that day, future or past.": "O gün, gelecekte veya geçmişte hiçbir olay yoktur.", + "There are no events on that day, future or past.": "O güne, geleceğe veya geçmişe ait hiçbir olay yoktur.", "There are no files yet.": "Henüz dosya yok.", - "There are no goals yet.": "Henüz gol yok.", - "There are no journal metrics.": "Günlük ölçümleri yok.", + "There are no goals yet.": "Henüz hedef yok.", + "There are no journal metrics.": "Günlük ölçümü yok.", "There are no loans yet.": "Henüz kredi yok.", "There are no notes yet.": "Henüz not yok.", "There are no other users in this account.": "Bu hesapta başka kullanıcı yok.", "There are no pets yet.": "Henüz evcil hayvan yok.", "There are no photos yet.": "Henüz fotoğraf yok.", - "There are no posts yet.": "Henüz yazı yok.", + "There are no posts yet.": "Henüz hiç gönderi yok.", "There are no quick facts here yet.": "Burada henüz hızlı gerçekler yok.", "There are no relationships yet.": "Henüz bir ilişki yok.", "There are no reminders yet.": "Henüz hatırlatıcı yok.", "There are no tasks yet.": "Henüz görev yok.", - "There are no templates in the account. Go to the account settings to create one.": "Hesapta şablon yok. Hesap oluşturmak için hesap ayarlarına gidin.", - "There is no activity yet.": "Henüz etkinlik yok.", - "There is no currencies in this account.": "Bu hesapta para birimi bulunmamaktadır.", - "The relationship has been added": "ilişki eklendi", - "The relationship has been deleted": "ilişki silindi", + "There are no templates in the account. Go to the account settings to create one.": "Hesapta şablon yok. Bir hesap oluşturmak için hesap ayarlarına gidin.", + "There is no activity yet.": "Henüz bir aktivite yok.", + "There is no currencies in this account.": "Bu hesapta herhangi bir para birimi bulunmamaktadır.", + "The relationship has been added": "İlişki eklendi", + "The relationship has been deleted": "İlişki silindi", "The relationship type has been created": "İlişki türü oluşturuldu", "The relationship type has been deleted": "İlişki türü silindi", "The relationship type has been updated": "İlişki türü güncellendi", - "The religion has been created": "Din yaratıldı.", + "The religion has been created": "Din yaratıldı", "The religion has been deleted": "Din silindi", "The religion has been updated": "Din güncellendi", "The reminder has been created": "Hatırlatıcı oluşturuldu", - "The reminder has been deleted": "hatırlatıcı silindi", + "The reminder has been deleted": "Hatırlatıcı silindi", "The reminder has been edited": "Hatırlatıcı düzenlendi", + "The response is not a streamed response.": "Yanıt akışlı bir yanıt değil.", + "The response is not a view.": "Yanıt bir görünüm değildir.", "The role has been created": "Rol oluşturuldu", - "The role has been deleted": "rol silindi", + "The role has been deleted": "Rol silindi", "The role has been updated": "Rol güncellendi", - "The section has been created": "bölüm oluşturuldu", - "The section has been deleted": "bölüm silindi", - "The section has been updated": "bölüm güncellendi", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Bu kişiler ekibinize davet edildi ve bir davet e-postası gönderildi. E-posta davetini kabul ederek ekibe katılabilirler.", - "The tag has been added": "etiket eklendi", - "The tag has been created": "etiket oluşturuldu", - "The tag has been deleted": "etiket silindi", - "The tag has been updated": "etiket güncellendi", - "The task has been created": "görev oluşturuldu", - "The task has been deleted": "görev silindi", - "The task has been edited": "görev düzenlendi", - "The team's name and owner information.": "Takımın adı ve sahibi bilgileri.", + "The section has been created": "Bölüm oluşturuldu", + "The section has been deleted": "Bölüm silindi", + "The section has been updated": "Bölüm güncellendi", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Bu kişiler ekibinize davet edildi ve bir davet e-postası gönderildi. E-posta davetiyesini kabul ederek ekibe katılabilirler.", + "The tag has been added": "Etiket eklendi", + "The tag has been created": "Etiket oluşturuldu", + "The tag has been deleted": "Etiket silindi", + "The tag has been updated": "Etiket güncellendi", + "The task has been created": "Görev oluşturuldu", + "The task has been deleted": "Görev silindi", + "The task has been edited": "Görev düzenlendi", + "The team's name and owner information.": "Ekibin adı ve sahip bilgileri.", "The Telegram channel has been deleted": "Telegram kanalı silindi", "The template has been created": "Şablon oluşturuldu", - "The template has been deleted": "şablon silindi", + "The template has been deleted": "Şablon silindi", "The template has been set": "Şablon ayarlandı", "The template has been updated": "Şablon güncellendi", "The test email has been sent": "Test e-postası gönderildi", - "The type has been created": "tür oluşturuldu", - "The type has been deleted": "tür silindi", + "The type has been created": "Tür oluşturuldu", + "The type has been deleted": "Tür silindi", "The type has been updated": "Tür güncellendi", - "The user has been added": "kullanıcı eklendi", - "The user has been deleted": "kullanıcı silindi", - "The user has been removed": "kullanıcı kaldırıldı", - "The user has been updated": "kullanıcı güncellendi", + "The user has been added": "Kullanıcı eklendi", + "The user has been deleted": "Kullanıcı silindi", + "The user has been removed": "Kullanıcı kaldırıldı", + "The user has been updated": "Kullanıcı güncellendi", "The vault has been created": "Kasa oluşturuldu", - "The vault has been deleted": "kasa silindi", + "The vault has been deleted": "Kasa silindi", "The vault have been updated": "Kasa güncellendi", - "they\/them": "onlar \/ onlar", + "they/them": "onlar / onlar", "This address is not active anymore": "Bu adres artık aktif değil", "This device": "Bu cihaz", - "This email is a test email to check if Monica can send an email to this email address.": "Bu e-posta, Monica'nın bu e-posta adresine bir e-posta gönderip gönderemeyeceğini kontrol etmek için gönderilen bir deneme e-postasıdır.", - "This is a secure area of the application. Please confirm your password before continuing.": "Bu, uygulamanın güvenli bir alanıdır. Devam etmeden önce lütfen şifrenizi onaylayın.", - "This is a test email": "Bu bir test e-postasıdır", + "This email is a test email to check if Monica can send an email to this email address.": "Bu e-posta, Monica’nın bu e-posta adresine e-posta gönderip gönderemeyeceğini kontrol etmek için kullanılan bir test e-postasıdır.", + "This is a secure area of the application. Please confirm your password before continuing.": "Bu uygulamanın güvenli bir alandır. Lütfen devam etmeden önce parolanızı onaylayın.", + "This is a test email": "Bu bir deneme e-postasıdır", "This is a test notification for :name": "Bu, :name için bir test bildirimidir", - "This key is already registered. It’s not necessary to register it again.": "Bu anahtar zaten kayıtlı. Tekrar kaydettirmek gerekli değildir.", + "This key is already registered. It’s not necessary to register it again.": "Bu anahtar zaten kayıtlı. Tekrar kayıt olmanıza gerek yoktur.", "This link will open in a new tab": "Bu bağlantı yeni bir sekmede açılacak", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Bu sayfa, geçmişte bu kanalda gönderilmiş olan tüm bildirimleri gösterir. Öncelikle, kurduğunuz bildirimi almamanız durumunda hata ayıklamanın bir yolu olarak hizmet eder.", - "This password does not match our records.": "Bu şifre kayıtlarımızla eşleşmiyor.", - "This password reset link will expire in :count minutes.": "Bu parola sıfırlama bağlantısının süresi dakika sayısı kadar dolacak.", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Bu sayfa geçmişte bu kanala gönderilen tüm bildirimleri gösterir. Öncelikle, ayarladığınız bildirimi almamanız durumunda hata ayıklamanın bir yolu olarak hizmet eder.", + "This password does not match our records.": "Parolanız kayıtlarımızla eşleşmiyor.", + "This password reset link will expire in :count minutes.": "Bu parola sıfırlama bağlantısının geçerliliği :count dakika sonra sona erecek.", "This post has no content yet.": "Bu yazının henüz içeriği yok.", "This provider is already associated with another account": "Bu sağlayıcı zaten başka bir hesapla ilişkilendirilmiş", - "This site is open source.": "Bu site açık kaynaklıdır.", + "This site is open source.": "Bu site açık kaynaktır.", "This template will define what information are displayed on a contact page.": "Bu şablon, bir iletişim sayfasında hangi bilgilerin görüntüleneceğini tanımlayacaktır.", - "This user already belongs to the team.": "Bu kullanıcı zaten ekibe ait.", - "This user has already been invited to the team.": "Bu kullanıcı ekibe zaten davet edildi.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Bu kullanıcı, hesabınızın bir parçası olacak, ancak siz onlara özel erişim vermediğiniz sürece bu hesaptaki tüm kasalara erişemeyecektir. Bu kişi kasa da oluşturabilecektir.", + "This user already belongs to the team.": "Bu kullanıcı zaten ekibe katılmış.", + "This user has already been invited to the team.": "Bu kullanıcı zaten ekibe davet edildi.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Bu kullanıcı hesabınızın bir parçası olacak ancak siz onlara özel erişim izni vermediğiniz sürece bu hesaptaki tüm kasalara erişim sağlayamayacaktır. Bu kişi aynı zamanda kasalar da oluşturabilecek.", "This will immediately:": "Bu hemen:", - "Three things that happened today": "Bugün olan üç şey", + "Three things that happened today": "Bugün yaşanan üç şey", "Thursday": "Perşembe", "Timezone": "Saat dilimi", "Title": "Başlık", - "to": "ile", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "İki faktörlü kimlik doğrulamayı etkinleştirmeyi tamamlamak için telefonunuzun kimlik doğrulayıcı uygulamasını kullanarak aşağıdaki QR kodunu tarayın veya kurulum anahtarını girin ve oluşturulan OTP kodunu sağlayın.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "İki faktörlü kimlik doğrulamayı etkinleştirmeyi tamamlamak için, telefonunuzun kimlik doğrulayıcı uygulamasını kullanarak aşağıdaki QR kodunu tarayın veya kurulum anahtarını girin ve oluşturulan OTP kodunu sağlayın.", - "Toggle navigation": "Gezinmeyi değiştir", - "To hear their story": "Hikayelerini duymak için", - "Token Name": "Belirteç Adı", - "Token name (for your reference only)": "Belirteç adı (yalnızca referansınız için)", - "Took a new job": "yeni bir iş aldı", + "to": "a", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "İki faktörlü kimlik doğrulamayı etkinleştirmeyi tamamlamak için telefonunuzun kimlik doğrulama uygulamasını kullanarak aşağıdaki QR kodunu tarayın veya kurulum anahtarını girin ve oluşturulan OTP kodunu sağlayın.", + "Toggle navigation": "Menüyü Aç/Kapat", + "To hear their story": "Hikayelerini dinlemek için", + "Token Name": "Jeton İsmi", + "Token name (for your reference only)": "Belirteç adı (yalnızca referans amaçlı)", + "Took a new job": "Yeni bir işe girdi", "Took the bus": "Otobüsü kullandı", - "Took the metro": "metroya bindim", - "Too Many Requests": "Çok fazla istek", + "Took the metro": "Metroya bindim", + "Too Many Requests": "Çok Fazla İstek", "To see if they need anything": "Bir şeye ihtiyaçları olup olmadığını görmek için", "To start, you need to create a vault.": "Başlamak için bir kasa oluşturmanız gerekir.", "Total:": "Toplam:", - "Total streaks": "Toplam çizgi", - "Track a new metric": "Yeni bir metrik izleme", + "Total streaks": "Toplam seriler", + "Track a new metric": "Yeni bir metriği izleme", "Transportation": "Toplu taşıma", "Tuesday": "Salı", "Two-factor Confirmation": "İki Faktörlü Doğrulama", "Two Factor Authentication": "İki Faktörlü Kimlik Doğrulama", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "İki faktörlü kimlik doğrulama artık etkin. Telefonunuzun kimlik doğrulayıcı uygulamasını kullanarak aşağıdaki QR kodunu tarayın veya kurulum anahtarını girin.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "İki faktörlü kimlik doğrulama artık etkin. Telefonunuzun kimlik doğrulayıcı uygulamasını kullanarak aşağıdaki QR kodunu tarayın veya kurulum anahtarını girin.", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "İki faktörlü kimlik doğrulama şimdi etkinleştirildi. Telefonunuzun kimlik doğrulama uygulamasını kullanarak aşağıdaki QR kodunu tarayın veya kurulum anahtarını girin.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "İki faktörlü kimlik doğrulama artık etkindir. Telefonunuzun kimlik doğrulama uygulamasını kullanarak aşağıdaki QR kodunu tarayın veya kurulum anahtarını girin.", "Type": "Tip", "Type:": "Tip:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica bot ile görüşmede herhangi bir şey yazın. Örneğin \"başlangıç\" olabilir.", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica botuyla yaptığınız görüşmeye herhangi bir şey yazın. Örneğin ’başlangıç’ olabilir.", "Types": "Türler", "Type something": "Birşeyler yaz", "Unarchive contact": "Kişiyi arşivden çıkar", "unarchived the contact": "kişiyi arşivden çıkardı", - "Unauthorized": "Yetkisiz", - "uncle\/aunt": "amca hala", + "Unauthorized": "İzinsiz", + "uncle/aunt": "amca/hala", "Undefined": "Tanımsız", - "Unexpected error on login.": "Girişte beklenmeyen hata.", + "Unexpected error on login.": "Oturum açma sırasında beklenmeyen hata.", "Unknown": "Bilinmeyen", "unknown action": "bilinmeyen eylem", "Unknown age": "Bilinmeyen yaş", - "Unknown contact name": "Bilinmeyen kişi adı", "Unknown name": "Bilinmeyen isim", "Update": "Güncelleme", "Update a key.": "Bir anahtarı güncelleyin.", - "updated a contact information": "bir iletişim bilgisi güncellendi", - "updated a goal": "bir hedef güncellendi", - "updated an address": "bir adres güncellendi", - "updated an important date": "önemli bir tarih güncellendi", - "updated a pet": "evcil hayvan güncellendi", - "Updated on :date": "Güncelleme tarihi: tarih", - "updated the avatar of the contact": "kişinin avatarını güncelledi", + "updated a contact information": "bir iletişim bilgisini güncelledi", + "updated a goal": "bir hedefi güncelledim", + "updated an address": "bir adresi güncelledi", + "updated an important date": "önemli bir tarihi güncelledim", + "updated a pet": "bir evcil hayvanı güncelledim", + "Updated on :date": ":date tarihinde güncellendi", + "updated the avatar of the contact": "kişinin avatarı güncellendi", "updated the contact information": "iletişim bilgilerini güncelledi", "updated the job information": "iş bilgilerini güncelledi", - "updated the religion": "din güncellendi", - "Update Password": "Şifre güncelle", + "updated the religion": "dini güncelledim", + "Update Password": "Parolayı Güncelle", "Update your account's profile information and email address.": "Hesabınızın profil bilgilerini ve e-posta adresini güncelleyin.", - "Update your account’s profile information and email address.": "Hesabınızın profil bilgilerini ve e-posta adresini güncelleyin.", "Upload photo as avatar": "Fotoğrafı avatar olarak yükle", "Use": "Kullanmak", "Use an authentication code": "Bir kimlik doğrulama kodu kullanın", - "Use a recovery code": "Bir kurtarma kodu kullanın", - "Use a security key (Webauthn, or FIDO) to increase your account security.": "Hesap güvenliğinizi artırmak için bir güvenlik anahtarı (Webauthn veya FIDO) kullanın.", + "Use a recovery code": "Kurtarma kodu kullan", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "Hesabınızın güvenliğini artırmak için bir güvenlik anahtarı (Webauthn veya FIDO) kullanın.", "User preferences": "Kullanıcı tercihleri", "Users": "Kullanıcılar", "User settings": "Kullanıcı ayarları", "Use the following template for this contact": "Bu kişi için aşağıdaki şablonu kullanın", - "Use your password": "şifrenizi kullanın", + "Use your password": "Şifrenizi kullanın", "Use your security key": "Güvenlik anahtarınızı kullanın", "Validating key…": "Anahtar doğrulanıyor…", "Value copied into your clipboard": "Değer panonuza kopyalandı", "Vaults contain all your contacts data.": "Kasalar tüm kişi verilerinizi içerir.", - "Vault settings": "kasa ayarları", - "ve\/ver": "ve\/ver", + "Vault settings": "Kasa ayarları", + "ve/ver": "ve/ver", "Verification email sent": "Doğrulama e-postası gönderildi", "Verified": "Doğrulandı", - "Verify Email Address": "E-posta Adresini doğrulayın", + "Verify Email Address": "E-posta Adresini Doğrula", "Verify this email address": "Bu e-posta adresini doğrulayın", - "Version :version — commit [:short](:url).": "Versiyon :version — [:short](:url) kaydet.", - "Via Telegram": "Telgraf ile", + "Version :version — commit [:short](:url).": "Sürüm :version — işleme [:short](:url).", + "Via Telegram": "Telegram aracılığıyla", "Video call": "Görüntülü arama", "View": "Görüş", "View all": "Hepsini gör", "View details": "Detayları göster", - "Viewer": "görüntüleyici", + "Viewer": "Görüntüleyici", "View history": "Geçmişi görüntüle", "View log": "Günlüğü görüntüle", "View on map": "Haritada görüntüle", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica'nın (uygulamanın) sizi tanıması için birkaç saniye bekleyin. İşe yarayıp yaramadığını görmek için size sahte bir bildirim göndereceğiz.", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica’nın (uygulamanın) sizi tanıması için birkaç saniye bekleyin. İşe yarayıp yaramadığını görmek için size sahte bir bildirim göndereceğiz.", "Waiting for key…": "Anahtar bekleniyor…", "Walked": "Yürüdü", - "Wallpaper": "duvar kağıdı", + "Wallpaper": "Duvar kağıdı", "Was there a reason for the call?": "Aramanın bir nedeni var mıydı?", "Watched a movie": "Bir film izledim", - "Watched a tv show": "Bir tv programı izledim", + "Watched a tv show": "Bir televizyon programı izledim", "Watched TV": "TV izledi", - "Watch Netflix every day": "Netflix'i her gün izleyin", + "Watch Netflix every day": "Netflix’i her gün izleyin", "Ways to connect": "Bağlanma yolları", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn yalnızca güvenli bağlantıları destekler. Lütfen bu sayfayı https şemasıyla yükleyin.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Onlara bir ilişki ve onun ters ilişkisi diyoruz. Tanımladığınız her ilişki için, onun karşılığını tanımlamanız gerekir.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Biz bunlara ilişki diyoruz ve bunun tersi de var. Tanımladığınız her ilişkinin karşılığını tanımlamanız gerekir.", "Wedding": "Düğün", "Wednesday": "Çarşamba", "We hope you'll like it.": "Beğeneceğinizi umuyoruz.", - "We hope you will like what we’ve done.": "Umarız yaptıklarımızı beğenirsiniz.", - "Welcome to Monica.": "Monica'ya hoş geldiniz.", - "Went to a bar": "bir bara gittim", - "We support Markdown to format the text (bold, lists, headings, etc…).": "Metni biçimlendirmek için Markdown'ı destekliyoruz (kalın, listeler, başlıklar, vb…).", - "We were unable to find a registered user with this email address.": "Bu e-posta adresine sahip kayıtlı bir kullanıcı bulamadık.", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Bu e-posta adresine bildirim gönderebilmemiz için önce onaylamanız gereken bir e-posta göndereceğiz.", + "We hope you will like what we’ve done.": "Yaptıklarımızı beğeneceğinizi umuyoruz.", + "Welcome to Monica.": "Monica’ya hoş geldiniz.", + "Went to a bar": "Bir bara gittim", + "We support Markdown to format the text (bold, lists, headings, etc…).": "Metni biçimlendirmek için Markdown’ı destekliyoruz (kalın, listeler, başlıklar vb.).", + "We were unable to find a registered user with this email address.": "Bu e-posta adresiyle kayıtlı bir kullanıcı bulamadık.", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Bu e-posta adresine, bu adrese bildirim gönderebilmemiz için onaylamanız gereken bir e-posta göndereceğiz.", "What happens now?": "Şimdi ne olacak?", "What is the loan?": "Kredi nedir?", - "What permission should :name have?": ":name hangi izinlere sahip olmalıdır?", - "What permission should the user have?": "Kullanıcının hangi izni olmalıdır?", + "What permission should :name have?": ":Name hangi izne sahip olmalı?", + "What permission should the user have?": "Kullanıcının hangi izne sahip olması gerekir?", + "Whatsapp": "Naber", "What should we use to display maps?": "Haritaları görüntülemek için ne kullanmalıyız?", - "What would make today great?": "Bugünü harika yapan ne?", - "When did the call happened?": "Arama ne zaman oldu?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "İki faktörlü kimlik doğrulama etkinleştirildiğinde, kimlik doğrulama sırasında sizden güvenli, rastgele bir belirteç istenir. Bu belirteci, telefonunuzun Google Authenticator uygulamasından alabilirsiniz.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "İki faktörlü kimlik doğrulama etkinleştirildiğinde, kimlik doğrulama sırasında sizden güvenli, rastgele bir belirteç istenir. Bu belirteci, telefonunuzun Doğrulayıcı uygulamasından alabilirsiniz.", + "What would make today great?": "Bugünü harika yapan şey ne olurdu?", + "When did the call happened?": "Çağrı ne zaman gerçekleşti?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "İki faktörlü kimlik doğrulama etkinleştirildiğinde, kimlik doğrulama sırasında güvenli ve rastgele bir belirteç girmeniz istenir. Bu belirteci, telefonunuzun Google Authenticator uygulamasından alabilirsiniz.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "İki faktörlü kimlik doğrulama etkinleştirildiğinde, kimlik doğrulama sırasında sizden güvenli, rastgele bir belirteç istenecektir. Bu jetonu telefonunuzun Authenticator uygulamasından alabilirsiniz.", "When was the loan made?": "Kredi ne zaman verildi?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "İki kişi arasında bir ilişki, örneğin bir baba-oğul ilişkisi tanımladığınızda, Monica her kişi için bir tane olmak üzere iki ilişki oluşturur:", - "Which email address should we send the notification to?": "Bildirimi hangi e-posta adresine gönderelim?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "İki kişi arasında bir ilişki (örneğin bir baba-oğul ilişkisi) tanımladığınızda Monica, her kişi için bir tane olmak üzere iki ilişki oluşturur:", + "Which email address should we send the notification to?": "Bildirimi hangi e-posta adresine göndermeliyiz?", "Who called?": "Kim aradı?", "Who makes the loan?": "Krediyi kim veriyor?", - "Whoops!": "Hay aksi!", - "Whoops! Something went wrong.": "Hay aksi! Bir şeyler yanlış gitti.", + "Whoops!": "Hoppala!", + "Whoops! Something went wrong.": "Eyvaaah! Bir şeyler ters gitti.", "Who should we invite in this vault?": "Bu kasaya kimi davet etmeliyiz?", - "Who the loan is for?": "Kredi kimin için?", - "Wish good day": "iyi günler dilerim", + "Who the loan is for?": "Kredi kime veriliyor?", + "Wish good day": "İyi günler diliyorum", "Work": "İş", - "Write the amount with a dot if you need decimals, like 100.50": "100.50 gibi ondalık sayılara ihtiyacınız varsa, miktarı bir nokta ile yazın.", + "Write the amount with a dot if you need decimals, like 100.50": "100,50 gibi ondalık sayılara ihtiyacınız varsa tutarı nokta ile yazın", "Written on": "Üzerine yazılmış", "wrote a note": "bir not yazdı", - "xe\/xem": "araba\/görünüm", + "xe/xem": "xe/xem", "year": "yıl", - "Years": "yıl", + "Years": "Yıllar", "You are here:": "Buradasınız:", - "You are invited to join Monica": "Monica'ya katılmaya davetlisiniz", - "You are receiving this email because we received a password reset request for your account.": "Bu e-postayı, hesabınız için bir şifre sıfırlama talebi aldığımız için alıyorsunuz.", + "You are invited to join Monica": "Monica’ya katılmaya davetlisiniz", + "You are receiving this email because we received a password reset request for your account.": "Hesabınız adına bir parola sıfırlama talebi aldığımız için bu e-postayı alıyorsunuz.", "you can't even use your current username or password to sign in,": "oturum açmak için mevcut kullanıcı adınızı veya şifrenizi bile kullanamazsınız,", - "you can't import any data from your current Monica account(yet),": "mevcut Monica hesabınızdan (henüz) herhangi bir veriyi içe aktaramazsınız,", - "You can add job information to your contacts and manage the companies here in this tab.": "Kişilerinize iş bilgilerini ekleyebilir ve şirketleri bu sekmede yönetebilirsiniz.", - "You can add more account to log in to our service with one click.": "Tek tıkla hizmetimize giriş yapmak için daha fazla hesap ekleyebilirsiniz.", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Farklı kanallar aracılığıyla bilgilendirilebilirsiniz: e-postalar, bir Telegram mesajı, Facebook'ta. Sen karar ver.", + "you can't import any data from your current Monica account(yet),": "mevcut Monica hesabınızdan (henüz) hiçbir veriyi içe aktaramazsınız,", + "You can add job information to your contacts and manage the companies here in this tab.": "Bu sekmede kişilerinize iş bilgilerini ekleyebilir ve şirketleri yönetebilirsiniz.", + "You can add more account to log in to our service with one click.": "Hizmetimize giriş yapmak için tek tıklamayla daha fazla hesap ekleyebilirsiniz.", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Farklı kanallar aracılığıyla bilgilendirilebilirsiniz: e-postalar, Telegram mesajı, Facebook. Sen karar ver.", "You can change that at any time.": "Bunu istediğiniz zaman değiştirebilirsiniz.", - "You can choose how you want Monica to display dates in the application.": "Monica'nın uygulamada tarihleri ​​nasıl göstermesini istediğinizi seçebilirsiniz.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Hesabınızda hangi para birimlerinin etkinleştirileceğini ve hangilerinin etkinleştirilemeyeceğini seçebilirsiniz.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Kişilerin nasıl görüntüleneceğini kendi zevkinize\/kültürünüze göre özelleştirebilirsiniz. Belki de Bond James yerine James Bond kullanmak istersiniz. Burada, istediğiniz gibi tanımlayabilirsiniz.", - "You can customize the criteria that let you track your mood.": "Ruh halinizi takip etmenizi sağlayan kriterleri özelleştirebilirsiniz.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Kişileri kasalar arasında taşıyabilirsiniz. Bu değişiklik hemen gerçekleşir. Kişileri yalnızca parçası olduğunuz kasalara taşıyabilirsiniz. Tüm kişi verileri onunla birlikte hareket edecektir.", + "You can choose how you want Monica to display dates in the application.": "Monica’nın uygulamada tarihleri nasıl görüntülemesini istediğinizi seçebilirsiniz.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Hesabınızda hangi para birimlerinin etkinleştirileceğini ve hangisinin etkinleştirilmeyeceğini seçebilirsiniz.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Kişilerin nasıl görüntülenmesi gerektiğini kendi zevkinize/kültürünüze göre özelleştirebilirsiniz. Belki Bond James yerine James Bond’u kullanmak istersiniz. Burada dilediğiniz gibi tanımlayabilirsiniz.", + "You can customize the criteria that let you track your mood.": "Ruh halinizi takip etmenize olanak tanıyan kriterleri özelleştirebilirsiniz.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Kişileri kasalar arasında taşıyabilirsiniz. Bu değişiklik anında gerçekleşir. Kişileri yalnızca parçası olduğunuz kasalara taşıyabilirsiniz. Tüm kişi verileri onunla birlikte taşınacaktır.", "You cannot remove your own administrator privilege.": "Kendi yönetici ayrıcalığınızı kaldıramazsınız.", "You don’t have enough space left in your account.": "Hesabınızda yeterli alan kalmadı.", "You don’t have enough space left in your account. Please upgrade.": "Hesabınızda yeterli alan kalmadı. Lütfen yükseltin.", - "You have been invited to join the :team team!": ":team ekibine katılmaya davet edildiniz!", + "You have been invited to join the :team team!": ":Team ekibine katılmaya davet edildiniz!", "You have enabled two factor authentication.": "İki faktörlü kimlik doğrulamayı etkinleştirdiniz.", "You have not enabled two factor authentication.": "İki faktörlü kimlik doğrulamayı etkinleştirmediniz.", - "You have not setup Telegram in your environment variables yet.": "Telegram'ı henüz ortam değişkenlerinizde kurmadınız.", + "You have not setup Telegram in your environment variables yet.": "Henüz ortam değişkenlerinizde Telegram’ı kurmadınız.", "You haven’t received a notification in this channel yet.": "Bu kanalda henüz bir bildirim almadınız.", - "You haven’t setup Telegram yet.": "Henüz Telegram'ı kurmadınız.", - "You may accept this invitation by clicking the button below:": "Aşağıdaki düğmeyi tıklayarak bu daveti kabul edebilirsiniz:", - "You may delete any of your existing tokens if they are no longer needed.": "Artık gerekli değilse, mevcut belirteçlerinizden herhangi birini silebilirsiniz.", + "You haven’t setup Telegram yet.": "Henüz Telegram’ı kurmadınız.", + "You may accept this invitation by clicking the button below:": "Aşağıdaki butona tıklayarak bu daveti kabul edebilirsiniz:", + "You may delete any of your existing tokens if they are no longer needed.": "Artık ihtiyaç duyulmuyorsa mevcut jetonlarınızdan herhangi birini silebilirsiniz.", "You may not delete your personal team.": "Kişisel ekibinizi silemezsiniz.", - "You may not leave a team that you created.": "Oluşturduğunuz bir ekipten ayrılamazsınız.", + "You may not leave a team that you created.": "Kendi oluşturduğunuz bir ekipten ayrılamazsınız.", "You might need to reload the page to see the changes.": "Değişiklikleri görmek için sayfayı yeniden yüklemeniz gerekebilir.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Kişilerin görüntülenmesi için en az bir şablona ihtiyacınız var. Bir şablon olmadan, Monica hangi bilgileri göstermesi gerektiğini bilemez.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Kişilerin görüntülenmesi için en az bir şablona ihtiyacınız var. Monica şablon olmadan hangi bilgiyi göstermesi gerektiğini bilemez.", "Your account current usage": "Hesabınızın mevcut kullanımı", "Your account has been created": "Hesabınız oluşturuldu", - "Your account is linked": "hesabınız bağlandı", - "Your account limits": "Hesap limitleriniz", + "Your account is linked": "Hesabınız bağlı", + "Your account limits": "Hesap sınırlarınız", "Your account will be closed immediately,": "Hesabınız derhal kapatılacaktır,", - "Your browser doesn’t currently support WebAuthn.": "Tarayıcınız şu anda WebAuthn'u desteklemiyor.", + "Your browser doesn’t currently support WebAuthn.": "Tarayıcınız şu anda WebAuthn’u desteklemiyor.", "Your email address is unverified.": "E-posta adresiniz doğrulanmadı.", - "Your life events": "Yaşam olaylarınız", + "Your life events": "Hayatınızdaki olaylar", "Your mood has been recorded!": "Ruh haliniz kaydedildi!", - "Your mood that day": "O günkü ruh halin", - "Your mood that you logged at this date": "Bu tarihte giriş yaptığınız ruh haliniz", - "Your mood this year": "Bu yılki ruh haliniz", - "Your name here will be used to add yourself as a contact.": "Buradaki adınız, kendinizi bir kişi olarak eklemek için kullanılacaktır.", + "Your mood that day": "O günkü ruh haliniz", + "Your mood that you logged at this date": "Bu tarihte kaydettiğiniz ruh haliniz", + "Your mood this year": "Bu seneki ruh haliniz", + "Your name here will be used to add yourself as a contact.": "Buradaki adınız kendinizi kişi olarak eklemek için kullanılacaktır.", "You wanted to be reminded of the following:": "Aşağıdakilerin hatırlatılmasını istediniz:", - "You WILL still have to delete your account on Monica or OfficeLife.": "Yine de Monica veya OfficeLife'taki hesabınızı silmeniz GEREKMEKTEDİR.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Bu e-posta adresini açık kaynaklı bir kişisel CRM olan Monica'da kullanmaya davet edildiniz, böylece size bildirim göndermek için kullanabiliriz.", - "ze\/hir": "ona", + "You WILL still have to delete your account on Monica or OfficeLife.": "Monica veya OfficeLife’daki hesabınızı yine de silmeniz gerekecek.", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Bu e-posta adresini açık kaynaklı bir kişisel CRM olan Monica’da kullanmaya davet edildiniz, böylece size bildirim göndermek için kullanabiliriz.", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ Tehlikeli bölge", "🌳 Chalet": "🌳 Dağ evi", - "🏠 Secondary residence": "🏠 İkinci konut", + "🏠 Secondary residence": "🏠 İkincil ikamet", "🏡 Home": "🏡 Ana Sayfa", - "🏢 Work": "🏢 Çalışmak", + "🏢 Work": "🏢Çalışmak", "🔔 Reminder: :label for :contactName": "🔔 Hatırlatma: :contactName için :label", - "😀 Good": "😀 İyi", + "😀 Good": "😀 Güzel", "😁 Positive": "😁 Olumlu", "😐 Meh": "😐 Meh", "😔 Bad": "😔 Kötü", "😡 Negative": "😡 Olumsuz", - "😩 Awful": "😩 korkunç", + "😩 Awful": "😩 Berbat", "😶‍🌫️ Neutral": "😶‍🌫️ Nötr", "🥳 Awesome": "🥳 Harika" } \ No newline at end of file diff --git a/lang/tr/pagination.php b/lang/tr/pagination.php index a9dbac22dc4..6de33cae9d7 100644 --- a/lang/tr/pagination.php +++ b/lang/tr/pagination.php @@ -1,6 +1,6 @@ 'Sonrakiler »', - 'previous' => '« Öncekiler', + 'next' => 'Sonrakiler ❯', + 'previous' => '❮ Öncekiler', ]; diff --git a/lang/tr/validation.php b/lang/tr/validation.php index a1fc2a4e410..eb71c3024ce 100644 --- a/lang/tr/validation.php +++ b/lang/tr/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute mutlaka :min - :max karakter arasında olmalıdır.', ], 'boolean' => ':Attribute sadece doğru veya yanlış olmalıdır.', + 'can' => ':Attribute alanı yetkisiz bir değer içeriyor.', 'confirmed' => ':Attribute tekrarı eşleşmiyor.', 'current_password' => 'Parola hatalı.', 'date' => ':Attribute geçerli bir tarih değil.', diff --git a/lang/ur.json b/lang/ur.json index 908f77381c3..e7d2ea3803b 100644 --- a/lang/ur.json +++ b/lang/ur.json @@ -1,6 +1,6 @@ { - "(and :count more error)": "(اور :مزید غلطی شمار کریں)", - "(and :count more errors)": "(اور :مزید غلطیاں شمار کریں)", + "(and :count more error)": "(اور :count مزید غلطی)", + "(and :count more errors)": "(اور :count مزید غلطیاں)", "(Help)": "(مدد)", "+ add a contact": "+ ایک رابطہ شامل کریں۔", "+ add another": "+ دوسرا شامل کریں۔", @@ -22,22 +22,22 @@ "+ note": "+ نوٹ", "+ number of hours slept": "+ سونے کے گھنٹوں کی تعداد", "+ prefix": "+ سابقہ", - "+ pronoun": "+ رجحان", + "+ pronoun": "+ ضمیر", "+ suffix": "+ لاحقہ", - ":count contact|:count contacts": "رابطہ شمار کریں", - ":count hour slept|:count hours slept": ":count hour slept|:count hour sleep", - ":count min read": ": گنتی منٹ پڑھیں", - ":count post|:count posts": ": کاؤنٹ پوسٹ |: پوسٹس شمار کریں۔", - ":count template section|:count template sections": ":کاؤنٹ ٹیمپلیٹ سیکشن|:سانچہ سیکشن شمار کریں۔", - ":count word|:count words": ":count word|:لفظ گنیں۔", - ":distance km": ":فاصلہ کلومیٹر", - ":distance miles": ": فاصلہ میل", - ":file at line :line": ":file at line :line", - ":file in :class at line :line": ":file in :class at line :line", - ":Name called": ": نام کہا جاتا ہے۔", - ":Name called, but I didn’t answer": ":نام پکارا، لیکن میں نے جواب نہیں دیا۔", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName آپ کو مونیکا میں شامل ہونے کی دعوت دیتا ہے، ایک اوپن سورس ذاتی CRM، جو آپ کے تعلقات کو دستاویز کرنے میں آپ کی مدد کرنے کے لیے ڈیزائن کیا گیا ہے۔", - "Accept Invitation": "دعوت قبول کریں۔", + ":count contact|:count contacts": ":count رابطہ|:count رابطے", + ":count hour slept|:count hours slept": ":count گھنٹہ سو گیا۔|:count گھنٹے سوتے تھے۔", + ":count min read": ":count منٹ پڑھا۔", + ":count post|:count posts": ":count پوسٹ|:count پوسٹس", + ":count template section|:count template sections": ":count ٹیمپلیٹ سیکشن|:count ٹیمپلیٹ سیکشنز", + ":count word|:count words": ":count لفظ|:count الفاظ", + ":distance km": ":distance کلومیٹر", + ":distance miles": ":distance میل", + ":file at line :line": "لائن :line پر :file", + ":file in :class at line :line": "لائن :line پر :class میں :file", + ":Name called": ":Name نے کال کی۔", + ":Name called, but I didn’t answer": ":Name نے کال کی، لیکن میں نے جواب نہیں دیا۔", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName آپ کو Monica میں شامل ہونے کی دعوت دیتا ہے، ایک اوپن سورس پرسنل CRM، جو آپ کے تعلقات کو دستاویز کرنے میں آپ کی مدد کے لیے ڈیزائن کیا گیا ہے۔", + "Accept Invitation": "قبول دعوت", "Accept invitation and create your account": "دعوت قبول کریں اور اپنا اکاؤنٹ بنائیں", "Account and security": "اکاؤنٹ اور سیکیورٹی", "Account settings": "اکاؤنٹ کی ترتیبات", @@ -45,13 +45,13 @@ "Activate": "محرک کریں", "Activity feed": "سرگرمی فیڈ", "Activity in this vault": "اس والٹ میں سرگرمی", - "Add": "شامل کریں۔", + "Add": "شامل کریں", "add a call reason type": "کال کی وجہ کی قسم شامل کریں۔", "Add a contact": "ایک رابطہ شامل کریں۔", "Add a contact information": "رابطہ کی معلومات شامل کریں۔", "Add a date": "ایک تاریخ شامل کریں۔", "Add additional security to your account using a security key.": "سیکیورٹی کلید کا استعمال کرتے ہوئے اپنے اکاؤنٹ میں اضافی سیکیورٹی شامل کریں۔", - "Add additional security to your account using two factor authentication.": "دو عنصر کی توثیق کا استعمال کرتے ہوئے اپنے اکاؤنٹ میں اضافی سیکیورٹی شامل کریں۔", + "Add additional security to your account using two factor authentication.": "اضافی سیکورٹی کے لئے آپ کے اکاؤنٹ کا استعمال کرتے ہوئے دو عنصر کی تصدیق.", "Add a document": "ایک دستاویز شامل کریں۔", "Add a due date": "ایک مقررہ تاریخ شامل کریں۔", "Add a gender": "ایک جنس شامل کریں۔", @@ -71,7 +71,7 @@ "Add an email to be notified when a reminder occurs.": "یاد دہانی آنے پر مطلع کرنے کے لیے ایک ای میل شامل کریں۔", "Add an entry": "ایک اندراج شامل کریں۔", "add a new metric": "ایک نیا میٹرک شامل کریں۔", - "Add a new team member to your team, allowing them to collaborate with you.": "اپنی ٹیم میں ایک نیا ٹیم ممبر شامل کریں، انہیں آپ کے ساتھ تعاون کرنے کی اجازت دے کر۔", + "Add a new team member to your team, allowing them to collaborate with you.": "شامل ایک نئی ٹیم کے رکن کے لئے آپ کی ٹیم کی اجازت دیتا ہے ان کے ساتھ تعاون کرنے کے لئے آپ کو.", "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "یہ یاد رکھنے کے لیے ایک اہم تاریخ شامل کریں کہ اس شخص کے بارے میں آپ کے لیے کیا اہم ہے، جیسے کہ تاریخ پیدائش یا وفات کی تاریخ۔", "Add a note": "ایک نوٹ شامل کریں۔", "Add another life event": "زندگی کا ایک اور واقعہ شامل کریں۔", @@ -98,7 +98,7 @@ "Add a user": "ایک صارف شامل کریں۔", "Add a vault": "ایک والٹ شامل کریں۔", "Add date": "تاریخ شامل کریں۔", - "Added.": "شامل کیا گیا۔", + "Added.": "شامل کر دیا گیا.", "added a contact information": "رابطے کی معلومات شامل کیں۔", "added an address": "ایک پتہ شامل کیا", "added an important date": "ایک اہم تاریخ شامل کی", @@ -115,26 +115,26 @@ "Address type": "پتہ کی قسم", "Address types": "پتے کی اقسام", "Address types let you classify contact addresses.": "پتے کی قسمیں آپ کو رابطے کے پتوں کی درجہ بندی کرنے دیتی ہیں۔", - "Add Team Member": "ٹیم ممبر شامل کریں۔", + "Add Team Member": "شامل ٹیم کے رکن", "Add to group": "گروپ میں شامل کریں۔", "Administrator": "ایڈمنسٹریٹر", - "Administrator users can perform any action.": "ایڈمنسٹریٹر صارفین کوئی بھی عمل انجام دے سکتے ہیں۔", + "Administrator users can perform any action.": "ایڈمنسٹریٹر صارفین کو انجام دے سکتے ہیں کسی بھی کارروائی کی ہے.", "a father-son relation shown on the father page,": "باپ کے صفحے پر باپ بیٹے کا رشتہ دکھایا گیا ہے،", "after the next occurence of the date.": "تاریخ کے اگلے واقعہ کے بعد۔", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "ایک گروپ دو یا دو سے زیادہ افراد ایک ساتھ ہوتا ہے۔ یہ ایک خاندان، ایک گھریلو، ایک کھیل کلب ہو سکتا ہے. جو بھی آپ کے لیے اہم ہے۔", "All contacts in the vault": "والٹ میں تمام رابطے", "All files": "تمام فائلیں", "All groups in the vault": "والٹ میں تمام گروپس", - "All journal metrics in :name": "تمام جرنل میٹرکس :نام میں", - "All of the people that are part of this team.": "وہ تمام لوگ جو اس ٹیم کا حصہ ہیں۔", - "All rights reserved.": "جملہ حقوق محفوظ ہیں.", + "All journal metrics in :name": ":Name میں تمام جرنل میٹرکس", + "All of the people that are part of this team.": "تمام ہے کہ لوگوں کی اس ٹیم کا حصہ.", + "All rights reserved.": "تمام حقوق محفوظ ہیں.", "All tags": "تمام ٹیگز", "All the address types": "ایڈریس کی تمام اقسام", "All the best,": "اللہ بہلا کرے،", "All the call reasons": "کال کی تمام وجوہات", "All the cities": "تمام شہر", "All the companies": "تمام کمپنیاں", - "All the contact information types": "رابطہ کی معلومات کی تمام اقسام", + "All the contact information types": "رابطے کی معلومات کی تمام اقسام", "All the countries": "تمام ممالک", "All the currencies": "تمام کرنسیاں", "All the files": "تمام فائلیں۔", @@ -145,7 +145,7 @@ "All the important dates": "تمام اہم تاریخیں۔", "All the important date types used in the vault": "والٹ میں استعمال ہونے والی تمام اہم تاریخ کی اقسام", "All the journals": "تمام جرائد", - "All the labels used in the vault": "والٹ میں استعمال ہونے والے تمام لیبل", + "All the labels used in the vault": "والٹ میں استعمال ہونے والے تمام لیبلز", "All the notes": "تمام نوٹ", "All the pet categories": "پالتو جانوروں کی تمام اقسام", "All the photos": "تمام تصاویر", @@ -161,7 +161,7 @@ "All the vaults in the account": "اکاؤنٹ میں تمام والٹس", "All users and vaults will be deleted immediately,": "تمام صارفین اور والٹس کو فوری طور پر حذف کر دیا جائے گا،", "All users in this account": "اس اکاؤنٹ کے تمام صارفین", - "Already registered?": "پہلے سے رجسٹرڈ ہیں؟", + "Already registered?": "پہلے سے رجسٹرڈ ؟", "Already used on this page": "اس صفحہ پر پہلے ہی استعمال ہو چکا ہے۔", "A new verification link has been sent to the email address you provided during registration.": "ایک نیا تصدیقی لنک اس ای میل ایڈریس پر بھیج دیا گیا ہے جو آپ نے رجسٹریشن کے دوران فراہم کیا تھا۔", "A new verification link has been sent to the email address you provided in your profile settings.": "ایک نیا تصدیقی لنک اس ای میل ایڈریس پر بھیجا گیا ہے جو آپ نے اپنی پروفائل کی ترتیبات میں فراہم کیا ہے۔", @@ -169,9 +169,9 @@ "Anniversary": "سالگرہ", "Apartment, suite, etc…": "اپارٹمنٹ، سویٹ، وغیرہ…", "API Token": "API ٹوکن", - "API Token Permissions": "API ٹوکن کی اجازتیں۔", - "API Tokens": "API ٹوکنز", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API ٹوکن تیسرے فریق کی خدمات کو آپ کی طرف سے ہماری درخواست کے ساتھ تصدیق کرنے کی اجازت دیتے ہیں۔", + "API Token Permissions": "API کے ٹوکن کی اجازت", + "API Tokens": "API ٹوکن", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API کے ٹوکن کی اجازت تیسری پارٹی کی خدمات کی توثیق کرنے کے لئے ہماری درخواست آپ کی جانب سے.", "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "پوسٹ ٹیمپلیٹ اس بات کی وضاحت کرتا ہے کہ پوسٹ کا مواد کس طرح ظاہر ہونا چاہیے۔ آپ جتنے چاہیں ٹیمپلیٹس کی وضاحت کر سکتے ہیں، اور منتخب کر سکتے ہیں کہ کون سا ٹیمپلیٹ کس پوسٹ پر استعمال کیا جائے۔", "Archive": "محفوظ شدہ دستاویزات", "Archive contact": "آرکائیو رابطہ", @@ -183,18 +183,18 @@ "Are you sure? This will delete the contact information permanently.": "کیا تمہیں یقین ہے؟ یہ رابطے کی معلومات کو مستقل طور پر حذف کر دے گا۔", "Are you sure? This will delete the document permanently.": "کیا تمہیں یقین ہے؟ یہ دستاویز کو مستقل طور پر حذف کر دے گا۔", "Are you sure? This will delete the goal and all the streaks permanently.": "کیا تمہیں یقین ہے؟ اس سے مقصد اور تمام لکیریں مستقل طور پر حذف ہو جائیں گی۔", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "کیا تمہیں یقین ہے؟ یہ تمام رابطوں سے ایڈریس کی اقسام کو ہٹا دے گا، لیکن خود روابط حذف نہیں کرے گا۔", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "کیا تمہیں یقین ہے؟ یہ تمام رابطوں سے پتے کی اقسام کو ہٹا دے گا، لیکن خود رابطے حذف نہیں کرے گا۔", "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "کیا تمہیں یقین ہے؟ یہ تمام رابطوں سے رابطے کی معلومات کی اقسام کو ہٹا دے گا، لیکن خود روابط حذف نہیں کرے گا۔", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "کیا تمہیں یقین ہے؟ یہ تمام رابطوں سے جنسوں کو ہٹا دے گا، لیکن خود روابط کو حذف نہیں کرے گا۔", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "کیا تمہیں یقین ہے؟ یہ تمام رابطوں سے ٹیمپلیٹ کو ہٹا دے گا، لیکن خود روابط کو حذف نہیں کرے گا۔", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "کیا آپ واقعی اس ٹیم کو حذف کرنا چاہتے ہیں؟ ٹیم کے حذف ہونے کے بعد، اس کے تمام وسائل اور ڈیٹا مستقل طور پر حذف ہو جائیں گے۔", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "کیا آپ واقعی اپنا اکاؤنٹ حذف کرنا چاہتے ہیں؟ آپ کا اکاؤنٹ حذف ہونے کے بعد، اس کے تمام وسائل اور ڈیٹا مستقل طور پر حذف ہو جائیں گے۔ براہ کرم اس بات کی تصدیق کے لیے اپنا پاس ورڈ درج کریں کہ آپ اپنا اکاؤنٹ مستقل طور پر حذف کرنا چاہتے ہیں۔", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "ہیں آپ کو اس بات کا یقین آپ کو خارج کرنا چاہتے ہیں اس کی ٹیم? ایک بار ایک ٹیم سے خارج کر دیا ہے, اس کے تمام وسائل اور اعداد و شمار ہو جائے گا مستقل طور پر خارج کر دیا.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "آپ چاہتے ہیں کو خارج کرنے کے لئے آپ کے اکاؤنٹ? ایک بار جب آپ کے اکاؤنٹ کو خارج کر دیا, اس کے تمام وسائل اور اعداد و شمار ہو جائے گا مستقل طور پر خارج کر دیا. براہ مہربانی آپ اپنا پاس ورڈ درج کرنے کے لئے اس بات کی تصدیق کرنے کے لئے چاہتے ہیں کو مستقل طور پر آپ کے اکاؤنٹ کو خارج.", "Are you sure you would like to archive this contact?": "کیا آپ واقعی اس رابطے کو آرکائیو کرنا چاہیں گے؟", - "Are you sure you would like to delete this API token?": "کیا آپ واقعی اس API ٹوکن کو حذف کرنا چاہیں گے؟", + "Are you sure you would like to delete this API token?": "ہیں آپ کو اس بات کا یقین کرنے کے لئے چاہتے ہیں کو خارج کر دیں یہ API ٹوکن?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "کیا آپ واقعی اس رابطے کو حذف کرنا چاہیں گے؟ اس سے وہ سب کچھ ہٹ جائے گا جو ہم اس رابطے کے بارے میں جانتے ہیں۔", "Are you sure you would like to delete this key?": "کیا آپ واقعی اس کلید کو حذف کرنا چاہیں گے؟", - "Are you sure you would like to leave this team?": "کیا آپ واقعی اس ٹیم کو چھوڑنا چاہیں گے؟", - "Are you sure you would like to remove this person from the team?": "کیا آپ واقعی اس شخص کو ٹیم سے ہٹانا چاہیں گے؟", + "Are you sure you would like to leave this team?": "کیا آپ کو یقین ہے کہ آپ گا کی طرح چھوڑنے کے لئے اس کی ٹیم?", + "Are you sure you would like to remove this person from the team?": "ہیں آپ کو اس بات کا یقین آپ کو اس کو دور کرنا چاہتے شخص کی ٹیم کی طرف سے?", "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "زندگی کا ایک ٹکڑا آپ کو اپنے لیے معنی خیز چیز کے ذریعے گروپ پوسٹس کی اجازت دیتا ہے۔ اسے یہاں دیکھنے کے لیے ایک پوسٹ میں زندگی کا ایک ٹکڑا شامل کریں۔", "a son-father relation shown on the son page.": "بیٹے کے صفحے پر بیٹا باپ کا رشتہ دکھایا گیا ہے۔", "assigned a label": "ایک لیبل تفویض کیا", @@ -220,16 +220,16 @@ "boss": "باس", "Bought": "خریدا", "Breakdown of the current usage": "موجودہ استعمال کی خرابی۔", - "brother\/sister": "بھائی بہن", - "Browser Sessions": "براؤزر سیشنز", - "Buddhist": "بدھ مت", + "brother/sister": "بھائی/بہن", + "Browser Sessions": "براؤزر کے سیشن", + "Buddhist": "بدھسٹ", "Business": "کاروبار", "By last updated": "آخری بار اپ ڈیٹ کر کے", "Calendar": "کیلنڈر", "Call reasons": "کال کی وجوہات", "Call reasons let you indicate the reason of calls you make to your contacts.": "کال کی وجوہات آپ کو اپنے رابطوں کو کال کرنے کی وجہ بتانے دیتی ہیں۔", "Calls": "کالز", - "Cancel": "منسوخ کریں۔", + "Cancel": "منسوخ", "Cancel account": "اکاؤنٹ منسوخ کریں۔", "Cancel all your active subscriptions": "اپنی تمام فعال سبسکرپشنز منسوخ کریں۔", "Cancel your account": "اپنا اکاؤنٹ منسوخ کریں۔", @@ -260,18 +260,18 @@ "City": "شہر", "Click here to re-send the verification email.": "تصدیقی ای میل دوبارہ بھیجنے کے لیے یہاں کلک کریں۔", "Click on a day to see the details": "تفصیلات دیکھنے کے لیے ایک دن پر کلک کریں۔", - "Close": "بند کریں", + "Close": "بند", "close edit mode": "ترمیم موڈ بند کریں", "Club": "کلب", "Code": "کوڈ", "colleague": "ساتھی", "Companies": "کمپنیاں", "Company name": "کمپنی کا نام", - "Compared to Monica:": "مونیکا کے مقابلے:", + "Compared to Monica:": "Monica کے مقابلے:", "Configure how we should notify you": "ترتیب دیں کہ ہم آپ کو کیسے مطلع کریں۔", - "Confirm": "تصدیق کریں۔", - "Confirm Password": "پاس ورڈ کی تصدیق کریں۔", - "Connect": "جڑیں", + "Confirm": "اس بات کی تصدیق", + "Confirm Password": "پاس ورڈ کی توثیق کریں", + "Connect": "جڑیں۔", "Connected": "جڑا ہوا", "Connect with your security key": "اپنی سیکیورٹی کلید سے منسلک ہوں۔", "Contact feed": "فیڈ سے رابطہ کریں۔", @@ -291,7 +291,7 @@ "Country": "ملک", "Couple": "جوڑے", "cousin": "کزن", - "Create": "بنانا", + "Create": "تخلیق", "Create account": "اکاؤنٹ بنائیں", "Create Account": "اکاؤنٹ بنائیں", "Create a contact": "ایک رابطہ بنائیں", @@ -301,28 +301,28 @@ "Create a journal to document your life.": "اپنی زندگی کو دستاویز کرنے کے لیے ایک جریدہ بنائیں۔", "Create an account": "کھاتا کھولیں", "Create a new address": "ایک نیا پتہ بنائیں", - "Create a new team to collaborate with others on projects.": "پروجیکٹس پر دوسروں کے ساتھ تعاون کرنے کے لیے ایک نئی ٹیم بنائیں۔", - "Create API Token": "API ٹوکن بنائیں", + "Create a new team to collaborate with others on projects.": "بنانے کے ، ایک نئی ٹیم کے ساتھ تعاون کرنے کے لئے دوسروں کے منصوبوں پر.", + "Create API Token": "پیدا API ٹوکن", "Create a post": "ایک پوسٹ بنائیں", "Create a reminder": "ایک یاد دہانی بنائیں", "Create a slice of life": "زندگی کا ایک ٹکڑا بنائیں", "Create at least one page to display contact’s data.": "رابطے کا ڈیٹا ظاہر کرنے کے لیے کم از کم ایک صفحہ بنائیں۔", - "Create at least one template to use Monica.": "مونیکا کو استعمال کرنے کے لیے کم از کم ایک ٹیمپلیٹ بنائیں۔", + "Create at least one template to use Monica.": "Monica کو استعمال کرنے کے لیے کم از کم ایک ٹیمپلیٹ بنائیں۔", "Create a user": "ایک صارف بنائیں", "Create a vault": "ایک والٹ بنائیں", - "Created.": "بنایا", + "Created.": "پیدا ہوتا ہے.", "created a goal": "ایک مقصد بنایا", "created the contact": "رابطہ بنایا", "Create label": "لیبل بنائیں", "Create new label": "نیا لیبل بنائیں", "Create new tag": "نیا ٹیگ بنائیں", "Create New Team": "نئی ٹیم بنائیں", - "Create Team": "ٹیم بنائیں", + "Create Team": "تخلیق ٹیم", "Currencies": "کرنسیاں", "Currency": "کرنسی", "Current default": "موجودہ ڈیفالٹ", "Current language:": "موجودہ زبان:", - "Current Password": "موجودہ خفیہ لفظ", + "Current Password": "موجودہ پاس ورڈ", "Current site used to display maps:": "موجودہ سائٹ جو نقشے ظاہر کرنے کے لیے استعمال ہوتی ہے:", "Current streak": "موجودہ سلسلہ", "Current timezone:": "موجودہ ٹائم زون:", @@ -345,10 +345,10 @@ "Deceased date": "وفات کی تاریخ", "Default template": "ڈیفالٹ ٹیمپلیٹ", "Default template to display contacts": "رابطوں کو ظاہر کرنے کے لیے ڈیفالٹ ٹیمپلیٹ", - "Delete": "حذف کریں۔", - "Delete Account": "کھاتہ مٹا دو", + "Delete": "کو حذف کریں", + "Delete Account": "اکاؤنٹ کو حذف کریں", "Delete a new key": "ایک نئی کلید کو حذف کریں۔", - "Delete API Token": "API ٹوکن کو حذف کریں۔", + "Delete API Token": "کو حذف API ٹوکن", "Delete contact": "رابطہ حذف کریں۔", "deleted a contact information": "ایک رابطے کی معلومات کو حذف کر دیا", "deleted a goal": "ایک مقصد کو حذف کر دیا", @@ -359,17 +359,17 @@ "Deleted author": "حذف شدہ مصنف", "Delete group": "گروپ کو حذف کریں۔", "Delete journal": "جریدہ حذف کریں۔", - "Delete Team": "ٹیم کو حذف کریں۔", + "Delete Team": "کو حذف ٹیم", "Delete the address": "پتہ حذف کریں۔", "Delete the photo": "تصویر کو حذف کریں۔", "Delete the slice": "ٹکڑا حذف کریں۔", "Delete the vault": "والٹ کو حذف کریں۔", - "Delete your account on https:\/\/customers.monicahq.com.": "https:\/\/customers.monicahq.com پر اپنا اکاؤنٹ حذف کریں۔", + "Delete your account on https://customers.monicahq.com.": "https://customers.monicahq.com پر اپنا اکاؤنٹ حذف کریں۔", "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "والٹ کو حذف کرنے کا مطلب ہے کہ اس والٹ کے اندر موجود تمام ڈیٹا کو ہمیشہ کے لیے حذف کر دیا جائے۔ پیچھے مڑنے کی کوئی صورت نہیں ہے۔ براہ کرم یقین رکھیں۔", "Description": "تفصیل", "Detail of a goal": "مقصد کی تفصیل", "Details in the last year": "پچھلے سال کی تفصیلات", - "Disable": "غیر فعال کریں۔", + "Disable": "غیر فعال", "Disable all": "سبھی کو غیر فعال کریں۔", "Disconnect": "منقطع کرنا", "Discuss partnership": "شراکت داری پر تبادلہ خیال کریں۔", @@ -379,7 +379,7 @@ "Distance": "فاصلے", "Documents": "دستاویزات", "Dog": "کتا", - "Done.": "ہو گیا", + "Done.": "کیا جاتا ہے.", "Download": "ڈاؤن لوڈ کریں", "Download as vCard": "vCard کے بطور ڈاؤن لوڈ کریں۔", "Drank": "پیا۔", @@ -397,7 +397,7 @@ "Edit journal metrics": "جرنل میٹرکس میں ترمیم کریں۔", "Edit names": "ناموں میں ترمیم کریں۔", "Editor": "ایڈیٹر", - "Editor users have the ability to read, create, and update.": "ایڈیٹر صارفین کو پڑھنے، تخلیق کرنے اور اپ ڈیٹ کرنے کی صلاحیت ہے۔", + "Editor users have the ability to read, create, and update.": "ایڈیٹر صارفین کو پڑھنے کے لئے کی صلاحیت, تخلیق, اور اپ ڈیٹ.", "Edit post": "پوسٹ میں ترمیم کریں۔", "Edit Profile": "پروفائل میں ترمیم کریں", "Edit slice of life": "زندگی کے ٹکڑے میں ترمیم کریں۔", @@ -406,10 +406,10 @@ "Email": "ای میل", "Email address": "ای میل اڈریس", "Email address to send the invitation to": "دعوت نامہ بھیجنے کے لیے ای میل ایڈریس", - "Email Password Reset Link": "ای میل پاس ورڈ ری سیٹ لنک", - "Enable": "فعال", + "Email Password Reset Link": "ای میل کے پاس ورڈ ری سیٹ لنک", + "Enable": "چالو", "Enable all": "سبھی کو فعال کریں۔", - "Ensure your account is using a long, random password to stay secure.": "یقینی بنائیں کہ آپ کا اکاؤنٹ محفوظ رہنے کے لیے ایک لمبا، بے ترتیب پاس ورڈ استعمال کر رہا ہے۔", + "Ensure your account is using a long, random password to stay secure.": "کو یقینی بنانے کے آپ کے اکاؤنٹ کا استعمال کرتے ہوئے ایک طویل, بے ترتیب پاس ورڈ رہنے کے لئے محفوظ ہے.", "Enter a number from 0 to 100000. No decimals.": "0 سے 100000 تک نمبر درج کریں۔ کوئی اعشاریہ نہیں۔", "Events this month": "اس مہینے کے واقعات", "Events this week": "اس ہفتے کے واقعات", @@ -419,6 +419,7 @@ "Exception:": "رعایت:", "Existing company": "موجودہ کمپنی", "External connections": "بیرونی روابط", + "Facebook": "فیس بک", "Family": "خاندان", "Family summary": "خاندانی خلاصہ", "Favorites": "پسندیدہ", @@ -437,21 +438,19 @@ "for": "کے لیے", "For:": "کے لیے:", "For advice": "مشورہ کے لیے", - "Forbidden": "ممنوعہ", - "Forgot password?": "پاسورڈ بھول گے؟", - "Forgot your password?": "اپنا پاس ورڈ بھول گئے؟", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "اپنا پاس ورڈ بھول گئے؟ کوئی مسئلہ نہیں. بس ہمیں اپنا ای میل پتہ بتائیں اور ہم آپ کو پاس ورڈ دوبارہ ترتیب دینے کا لنک ای میل کریں گے جو آپ کو ایک نیا منتخب کرنے کی اجازت دے گا۔", - "For your security, please confirm your password to continue.": "اپنی سیکیورٹی کے لیے، براہ کرم جاری رکھنے کے لیے اپنے پاس ورڈ کی تصدیق کریں۔", + "Forbidden": "حرام", + "Forgot your password?": "پاسورڈ بھول گئے ؟", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "پاسورڈ بھول گئے ؟ کوئی مسئلہ نہیں. صرف ہمیں پتہ ہے کہ آپ کے ای میل ایڈریس اور ہم نے آپ کو ای میل ایک پاس ورڈ ری سیٹ کریں کے لنک کی اجازت دے گا کہ آپ کو منتخب کرنے کے لئے ایک نئی ایک.", + "For your security, please confirm your password to continue.": "آپ کی سیکورٹی کے لئے, براہ مہربانی اس بات کی تصدیق آپ کے پاس ورڈ کے لئے جاری رکھنے کے لئے.", "Found": "ملا", "Friday": "جمعہ", "Friend": "دوست", "friend": "دوست", "From A to Z": "A سے Z تک", - "From Z to A": "Z سے ​​A تک", + "From Z to A": "Z سے A تک", "Gender": "صنف", "Gender and pronoun": "جنس اور ضمیر", "Genders": "جنس", - "Gift center": "گفٹ سینٹر", "Gift occasions": "تحفے کے مواقع", "Gift occasions let you categorize all your gifts.": "تحفے کے مواقع آپ کو اپنے تمام تحائف کی درجہ بندی کرنے دیتے ہیں۔", "Gift states": "گفٹ اسٹیٹس", @@ -464,25 +463,25 @@ "Google Maps": "گوگل نقشہ جات", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps بہترین درستگی اور تفصیلات پیش کرتا ہے، لیکن رازداری کے نقطہ نظر سے یہ مثالی نہیں ہے۔", "Got fired": "نوکری سے برخاست ہو جانا", - "Go to page :page": "صفحہ پر جائیں: صفحہ", + "Go to page :page": "صفحہ پر جانے کے :page", "grand child": "پوتا", "grand parent": "دادا والدین", - "Great! You have accepted the invitation to join the :team team.": "زبردست! آپ نے ٹیم ٹیم میں شامل ہونے کی دعوت قبول کر لی ہے۔", - "Group journal entries together with slices of life.": "زندگی کے ٹکڑوں کے ساتھ گروپ جرنل اندراجات۔", + "Great! You have accepted the invitation to join the :team team.": "عظیم! آپ نے دعوت قبول کر لی شامل کرنے کے لئے :team ٹیم.", + "Group journal entries together with slices of life.": "گروپ جرنل اندراجات زندگی کے ٹکڑوں کے ساتھ۔", "Groups": "گروپس", "Groups let you put your contacts together in a single place.": "گروپس آپ کو اپنے رابطوں کو ایک جگہ پر رکھنے دیتے ہیں۔", "Group type": "گروپ کی قسم", - "Group type: :name": "گروپ کی قسم: نام", + "Group type: :name": "گروپ کی قسم: :name", "Group types": "گروپ کی اقسام", "Group types let you group people together.": "گروپ کی قسمیں آپ کو لوگوں کو ایک ساتھ گروپ کرنے دیتی ہیں۔", "Had a promotion": "پروموشن ہوا تھا۔", "Hamster": "ہیمسٹر", "Have a great day,": "آپ کا دن اچھا گزرے،", - "he\/him": "وہ\/وہ", + "he/him": "وہ/وہ", "Hello!": "ہیلو!", "Help": "مدد", - "Hi :name": "ہیلو: نام", - "Hinduist": "ہندو", + "Hi :name": "ہیلو :name", + "Hinduist": "ہندو پرست", "History of the notification sent": "بھیجے گئے نوٹیفکیشن کی تاریخ", "Hobbies": "شوق", "Home": "گھر", @@ -496,23 +495,23 @@ "How much was lent?": "کتنا قرضہ دیا گیا؟", "How often should we remind you about this date?": "ہمیں آپ کو اس تاریخ کے بارے میں کتنی بار یاد دلانا چاہیے؟", "How should we display dates": "ہمیں تاریخیں کیسے ظاہر کرنی چاہئیں", - "How should we display distance values": "ہمیں فاصلے کی اقدار کو کیسے ظاہر کرنا چاہئے؟", + "How should we display distance values": "ہمیں فاصلے کی قدروں کو کیسے ظاہر کرنا چاہئے؟", "How should we display numerical values": "ہمیں عددی اقدار کو کیسے ظاہر کرنا چاہئے۔", - "I agree to the :terms and :policy": "میں :شرائط اور :پالیسی سے اتفاق کرتا ہوں۔", - "I agree to the :terms_of_service and :privacy_policy": "میں :terms_of_service اور :privacy_policy سے اتفاق کرتا ہوں۔", + "I agree to the :terms and :policy": "میں :terms اور :policy سے متفق ہوں", + "I agree to the :terms_of_service and :privacy_policy": "میں اتفاق کرتا ہوں کے لئے :terms_of_service اور :privacy_policy", "I am grateful for": "میں شکر گزار ہوں۔", "I called": "میں نے بلایا", - "I called, but :name didn’t answer": "میں نے فون کیا، لیکن نام نے جواب نہیں دیا۔", + "I called, but :name didn’t answer": "میں نے کال کی، لیکن :name نے جواب نہیں دیا۔", "Idea": "خیال", "I don’t know the name": "میں نام نہیں جانتا", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "اگر ضروری ہو تو، آپ اپنے تمام آلات پر اپنے تمام دیگر براؤزر سیشنز سے لاگ آؤٹ کر سکتے ہیں۔ آپ کے حالیہ سیشنز میں سے کچھ ذیل میں درج ہیں۔ تاہم، یہ فہرست مکمل نہیں ہوسکتی ہے۔ اگر آپ کو لگتا ہے کہ آپ کے اکاؤنٹ سے سمجھوتہ کیا گیا ہے، تو آپ کو اپنا پاس ورڈ بھی اپ ڈیٹ کرنا چاہیے۔", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "اگر ضروری ہو تو, آپ کر سکتے ہیں لاگ ان سے باہر سب آپ کی دیگر براؤزر سیشن کے تمام بھر میں آپ کے آلات. کچھ آپ کے حالیہ سیشن ذیل میں درج ہیں; تاہم, اس فہرست میں نہیں ہو سکتا جامع. اگر آپ محسوس کرتے ہیں آپ کے اکاؤنٹ سے سمجھوتہ کیا گیا ہے, آپ کو بھی آپ کے پاس ورڈ کو اپ ڈیٹ.", "If the date is in the past, the next occurence of the date will be next year.": "اگر تاریخ ماضی میں ہے، تو تاریخ کا اگلا واقعہ اگلے سال ہوگا۔", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "اگر آپ کو \":actionText\" بٹن پر کلک کرنے میں پریشانی ہو رہی ہے تو نیچے URL کو کاپی اور پیسٹ کریں۔\nآپ کے ویب براؤزر میں:", - "If you already have an account, you may accept this invitation by clicking the button below:": "اگر آپ کے پاس پہلے سے ہی ایک اکاؤنٹ ہے، تو آپ نیچے دیئے گئے بٹن پر کلک کر کے اس دعوت کو قبول کر سکتے ہیں:", - "If you did not create an account, no further action is required.": "اگر آپ نے اکاؤنٹ نہیں بنایا تو مزید کارروائی کی ضرورت نہیں ہے۔", - "If you did not expect to receive an invitation to this team, you may discard this email.": "اگر آپ کو اس ٹیم کو دعوت نامہ موصول ہونے کی توقع نہیں تھی، تو آپ اس ای میل کو مسترد کر سکتے ہیں۔", - "If you did not request a password reset, no further action is required.": "اگر آپ نے پاس ورڈ دوبارہ ترتیب دینے کی درخواست نہیں کی ہے تو مزید کارروائی کی ضرورت نہیں ہے۔", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "اگر آپ کے پاس اکاؤنٹ نہیں ہے تو، آپ نیچے دیئے گئے بٹن پر کلک کر کے اکاؤنٹ بنا سکتے ہیں۔ ایک اکاؤنٹ بنانے کے بعد، آپ ٹیم کی دعوت قبول کرنے کے لیے اس ای میل میں دعوت قبول کرنے کے بٹن پر کلک کر سکتے ہیں:", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "اگر آپ کو مصیبت پر کلک کرنے \":actionText\" کے بٹن پر, کاپی اور پیسٹ ذیل یو آر ایل\nمیں آپ کے ویب براؤزر:", + "If you already have an account, you may accept this invitation by clicking the button below:": "اگر آپ پہلے سے ہی ایک اکاؤنٹ ہے, آپ کو قبول کر سکتے ہیں اس دعوت کے بٹن پر کلک کر کے نیچے:", + "If you did not create an account, no further action is required.": "اگر آپ کو پیدا نہیں کیا ایک اکاؤنٹ, کوئی مزید کارروائی کی ضرورت ہے.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "اگر آپ کو توقع نہیں تھی کے لئے ایک دعوت نامہ موصول کرنے کے لئے اس کی ٹیم, آپ کر سکتے ہیں ضائع کر دیں اس ای میل.", + "If you did not request a password reset, no further action is required.": "اگر آپ نے ایک پاسورڈ ری سیٹ کی درخواست نہیں کی تو، مزید کارروائی کی ضرورت نہیں ہے.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "اگر آپ کو ایک اکاؤنٹ نہیں ہے تو, آپ کو پیدا کر سکتے ہیں ایک بٹن پر کلک کر کے نیچے. بنانے کے بعد ایک اکاؤنٹ ہے, آپ کو کلک کر سکتے ہیں دعوت کی قبولیت کے بٹن میں اس ای میل کو قبول کرنے کے لئے ٹیم کی دعوت:", "If you’ve received this invitation by mistake, please discard it.": "اگر آپ کو یہ دعوت غلطی سے موصول ہوئی ہے، تو براہ کرم اسے رد کر دیں۔", "I know the exact date, including the year": "مجھے صحیح تاریخ معلوم ہے، بشمول سال", "I know the name": "میں نام جانتا ہوں۔", @@ -523,6 +522,7 @@ "Information from Wikipedia": "ویکیپیڈیا سے معلومات", "in love with": "پیار میں", "Inspirational post": "متاثر کن پوسٹ", + "Invalid JSON was returned from the route.": "غلط JSON راستے سے واپس کر دیا گیا تھا۔", "Invitation sent": "دعوت نامہ بھیج دیا گیا۔", "Invite a new user": "ایک نئے صارف کو مدعو کریں۔", "Invite someone": "کسی کو مدعو کریں۔", @@ -547,40 +547,40 @@ "Labels": "لیبلز", "Labels let you classify contacts using a system that matters to you.": "لیبلز آپ کو ایسے سسٹم کا استعمال کرتے ہوئے رابطوں کی درجہ بندی کرنے دیتے ہیں جو آپ کے لیے اہم ہے۔", "Language of the application": "درخواست کی زبان", - "Last active": "آخری فعال", - "Last active :date": "آخری فعال: تاریخ", + "Last active": "گزشتہ فعال", + "Last active :date": "آخری فعال :date", "Last name": "آخری نام", "Last name First name": "آخری نام پہلا نام", "Last updated": "آخری بار اپ ڈیٹ کیا گیا۔", - "Last used": "آخری بار استعمال کیا گیا۔", - "Last used :date": "آخری بار استعمال کیا گیا: تاریخ", - "Leave": "چھوڑو", - "Leave Team": "ٹیم چھوڑ دو", + "Last used": "آخری بار استعمال کیا", + "Last used :date": "آخری بار استعمال کیا گیا :date", + "Leave": "چھوڑ دو", + "Leave Team": "چھوڑ کر ٹیم", "Life": "زندگی", "Life & goals": "زندگی کے مقاصد", "Life events": "زندگی کے واقعات", "Life events let you document what happened in your life.": "زندگی کے واقعات آپ کو دستاویز کرنے دیتے ہیں کہ آپ کی زندگی میں کیا ہوا ہے۔", "Life event types:": "زندگی کے واقعات کی اقسام:", "Life event types and categories": "زندگی کے واقعات کی اقسام اور زمرے", - "Life metrics": "لائف میٹرکس", + "Life metrics": "زندگی کی پیمائش", "Life metrics let you track metrics that are important to you.": "لائف میٹرکس آپ کو ان میٹرکس کو ٹریک کرنے دیتی ہیں جو آپ کے لیے اہم ہیں۔", - "Link to documentation": "دستاویزات سے لنک کریں۔", + "LinkedIn": "LinkedIn", "List of addresses": "پتوں کی فہرست", "List of addresses of the contacts in the vault": "والٹ میں رابطوں کے پتوں کی فہرست", "List of all important dates": "تمام اہم تاریخوں کی فہرست", "Loading…": "لوڈ ہو رہا ہے…", "Load previous entries": "پچھلی اندراجات لوڈ کریں۔", "Loans": "قرضے", - "Locale default: :value": "مقامی ڈیفالٹ: :value", + "Locale default: :value": "لوکل ڈیفالٹ: :value", "Log a call": "کال لاگ ان کریں۔", "Log details": "لاگ تفصیلات", "logged the mood": "موڈ کو لاگو کیا", - "Log in": "لاگ ان کریں", + "Log in": "میں لاگ ان کریں", "Login": "لاگ ان کریں", "Login with:": "کے ساتھ لاگ ان:", - "Log Out": "لاگ آوٹ", + "Log Out": "باہر لاگ ان کریں", "Logout": "لاگ آوٹ", - "Log Out Other Browser Sessions": "دوسرے براؤزر سیشن سے لاگ آؤٹ کریں۔", + "Log Out Other Browser Sessions": "لاگ آؤٹ دیگر براؤزر سیشن", "Longest streak": "سب سے طویل سلسلہ", "Love": "محبت", "loved by": "کی طرف سے پیار کیا", @@ -591,8 +591,8 @@ "Manage Account": "اکاؤنٹ کا انتظام", "Manage accounts you have linked to your Customers account.": "ان اکاؤنٹس کا نظم کریں جنہیں آپ نے اپنے صارفین کے اکاؤنٹ سے منسلک کیا ہے۔", "Manage address types": "ایڈریس کی اقسام کا نظم کریں۔", - "Manage and log out your active sessions on other browsers and devices.": "دوسرے براؤزرز اور آلات پر اپنے فعال سیشنز کا نظم کریں اور لاگ آؤٹ کریں۔", - "Manage API Tokens": "API ٹوکنز کا نظم کریں۔", + "Manage and log out your active sessions on other browsers and devices.": "انتظام کریں اور لاگ آؤٹ آپ کے فعال سیشن پر دیگر براؤزرز اور آلات.", + "Manage API Tokens": "کا انتظام API ٹوکن", "Manage call reasons": "کال کی وجوہات کا نظم کریں۔", "Manage contact information types": "رابطے کی معلومات کی اقسام کا نظم کریں۔", "Manage currencies": "کرنسیوں کا نظم کریں۔", @@ -607,11 +607,12 @@ "Manager": "مینیجر", "Manage relationship types": "تعلقات کی اقسام کا نظم کریں۔", "Manage religions": "مذاہب کا انتظام کریں۔", - "Manage Role": "کردار کا نظم کریں۔", + "Manage Role": "انتظام کے کردار", "Manage storage": "اسٹوریج کا انتظام کریں۔", - "Manage Team": "ٹیم کا انتظام کریں۔", + "Manage Team": "ٹیم کو منظم", "Manage templates": "ٹیمپلیٹس کا نظم کریں۔", "Manage users": "صارفین کا نظم کریں۔", + "Mastodon": "مستوڈن", "Maybe one of these contacts?": "شاید ان رابطوں میں سے ایک؟", "mentor": "اتالیق", "Middle name": "درمیانی نام", @@ -619,13 +620,13 @@ "miles (mi)": "میل (میل)", "Modules in this page": "اس صفحہ میں ماڈیولز", "Monday": "پیر", - "Monica. All rights reserved. 2017 — :date.": "مونیکا۔ جملہ حقوق محفوظ ہیں. 2017 — : تاریخ۔", - "Monica is open source, made by hundreds of people from all around the world.": "مونیکا اوپن سورس ہے، جسے دنیا بھر سے سینکڑوں لوگوں نے بنایا ہے۔", - "Monica was made to help you document your life and your social interactions.": "مونیکا کو آپ کی زندگی اور آپ کے سماجی تعاملات کو دستاویز کرنے میں مدد کے لیے بنایا گیا تھا۔", + "Monica. All rights reserved. 2017 — :date.": "Monica۔ جملہ حقوق محفوظ ہیں. 2017 — :date۔", + "Monica is open source, made by hundreds of people from all around the world.": "Monica اوپن سورس ہے، جسے دنیا بھر سے سینکڑوں لوگوں نے بنایا ہے۔", + "Monica was made to help you document your life and your social interactions.": "Monica کو آپ کی زندگی اور آپ کے سماجی تعاملات کو دستاویز کرنے میں مدد کے لیے بنایا گیا تھا۔", "Month": "مہینہ", "month": "مہینہ", "Mood in the year": "سال میں موڈ", - "Mood tracking events": "موڈ سے باخبر رہنے والے واقعات", + "Mood tracking events": "موڈ سے باخبر رہنے کے واقعات", "Mood tracking parameters": "موڈ ٹریکنگ پیرامیٹرز", "More details": "مزید تفصیلات", "More errors": "مزید غلطیاں", @@ -636,16 +637,16 @@ "Name of the reminder": "یاد دہانی کا نام", "Name of the reverse relationship": "معکوس تعلق کا نام", "Nature of the call": "کال کی نوعیت", - "nephew\/niece": "بھتیجا بھتیجی", + "nephew/niece": "بھتیجا/بھتیجی", "New Password": "نیا پاس ورڈ", - "New to Monica?": "مونیکا کے لیے نئے ہیں؟", + "New to Monica?": "Monica کے لیے نئے ہیں؟", "Next": "اگلے", "Nickname": "عرفی نام", "nickname": "عرفی نام", "No cities have been added yet in any contact’s addresses.": "کسی بھی رابطے کے پتے میں ابھی تک کوئی شہر شامل نہیں کیا گیا ہے۔", "No contacts found.": "کوئی رابطے نہیں ملے۔", "No countries have been added yet in any contact’s addresses.": "کسی بھی رابطے کے پتے میں ابھی تک کوئی ملک شامل نہیں کیا گیا ہے۔", - "No dates in this month.": "اس مہینے میں کوئی تاریخ نہیں۔", + "No dates in this month.": "اس مہینے میں کوئی تاریخ نہیں ہے۔", "No description yet.": "ابھی تک کوئی تفصیل نہیں۔", "No groups found.": "کوئی گروپ نہیں ملا۔", "No keys registered yet": "ابھی تک کوئی چابیاں رجسٹر نہیں ہوئی ہیں۔", @@ -658,7 +659,7 @@ "No tasks.": "کوئی کام نہیں۔", "Notes": "نوٹس", "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "نوٹ کریں کہ کسی صفحہ سے ماڈیول ہٹانے سے آپ کے رابطہ صفحات پر موجود اصل ڈیٹا حذف نہیں ہوگا۔ یہ صرف اسے چھپا دے گا۔", - "Not Found": "نہیں ملا", + "Not Found": "نہیں پایا", "Notification channels": "نوٹیفکیشن چینلز", "Notification sent": "اطلاع بھیج دی گئی۔", "Not set": "سیٹ نہیں ہے", @@ -667,10 +668,10 @@ "Numerical value": "عددی قدر", "of": "کی", "Offered": "پیشکش کی", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "ٹیم کے حذف ہونے کے بعد، اس کے تمام وسائل اور ڈیٹا مستقل طور پر حذف ہو جائیں گے۔ اس ٹیم کو حذف کرنے سے پہلے، براہ کرم اس ٹیم سے متعلق کوئی بھی ڈیٹا یا معلومات ڈاؤن لوڈ کریں جسے آپ برقرار رکھنا چاہتے ہیں۔", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "ایک بار ایک ٹیم سے خارج کر دیا ہے, اس کے تمام وسائل اور اعداد و شمار ہو جائے گا مستقل طور پر خارج کر دیا. اس سے پہلے حذف کر رہا ہے اس کی ٹیم, ڈاؤن لوڈ کریں کسی بھی ڈیٹا یا معلومات کے بارے میں اس کی ٹیم ہے کہ آپ کی خواہش کو برقرار رکھنے کے لئے.", "Once you cancel,": "ایک بار جب آپ منسوخ کر دیں،", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "نیچے دیے گئے سیٹ اپ بٹن پر کلک کرنے کے بعد، آپ کو اس بٹن کے ساتھ ٹیلیگرام کھولنا پڑے گا جو ہم آپ کو فراہم کریں گے۔ یہ آپ کے لیے مونیکا ٹیلیگرام بوٹ کو تلاش کرے گا۔", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "آپ کا اکاؤنٹ حذف ہونے کے بعد، اس کے تمام وسائل اور ڈیٹا مستقل طور پر حذف ہو جائیں گے۔ اپنا اکاؤنٹ حذف کرنے سے پہلے، براہ کرم کوئی بھی ڈیٹا یا معلومات ڈاؤن لوڈ کریں جسے آپ برقرار رکھنا چاہتے ہیں۔", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "نیچے دیے گئے سیٹ اپ بٹن پر کلک کرنے کے بعد، آپ کو اس بٹن کے ساتھ ٹیلیگرام کھولنا پڑے گا جو ہم آپ کو فراہم کریں گے۔ یہ آپ کے لیے Monica ٹیلیگرام بوٹ تلاش کرے گا۔", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "ایک بار جب آپ کے اکاؤنٹ کو خارج کر دیا, اس کے تمام وسائل اور اعداد و شمار ہو جائے گا مستقل طور پر خارج کر دیا. اس سے پہلے حذف کرنے سے آپ کے اکاؤنٹ, براہ مہربانی ڈاؤن لوڈ ، اتارنا کسی بھی ڈیٹا یا معلومات کو کہ آپ کی خواہش کو برقرار رکھنے کے لئے.", "Only once, when the next occurence of the date occurs.": "صرف ایک بار، جب تاریخ کا اگلا واقعہ ہوتا ہے۔", "Oops! Something went wrong.": "افوہ! کچھ غلط ہو گیا.", "Open Street Maps": "Street Maps کھولیں۔", @@ -683,7 +684,7 @@ "Or reset the fields": "یا فیلڈز کو ری سیٹ کریں۔", "Other": "دیگر", "Out of respect and appreciation": "احترام اور تعریف سے باہر", - "Page Expired": "صفحہ کی میعاد ختم ہوگئی", + "Page Expired": "صفحہ کی میعاد ختم ہو", "Pages": "صفحات", "Pagination Navigation": "صفحہ بندی نیویگیشن", "Parent": "والدین", @@ -693,12 +694,12 @@ "Part of": "کا حصہ", "Password": "پاس ورڈ", "Payment Required": "ادائیگی کی ضرورت ہے۔", - "Pending Team Invitations": "زیر التواء ٹیم کے دعوت نامے۔", - "per\/per": "کے لیے\/کے لیے", - "Permanently delete this team.": "اس ٹیم کو مستقل طور پر حذف کریں۔", - "Permanently delete your account.": "اپنا اکاؤنٹ مستقل طور پر حذف کریں۔", - "Permission for :name": "کے لیے اجازت :نام", - "Permissions": "اجازتیں", + "Pending Team Invitations": "زیر التواء ٹیم کے دعوت نامے", + "per/per": "فی/فی", + "Permanently delete this team.": "مستقل طور پر خارج کر دیں اس کی ٹیم.", + "Permanently delete your account.": "مستقل طور پر آپ کے اکاؤنٹ کو خارج.", + "Permission for :name": ":Name کے لیے اجازت", + "Permissions": "اجازت", "Personal": "ذاتی", "Personalize your account": "اپنے اکاؤنٹ کو ذاتی بنائیں", "Pet categories": "پالتو جانوروں کے زمرے", @@ -713,21 +714,21 @@ "Played soccer": "فٹ بال کھیلا۔", "Played tennis": "ٹینس کھیلا۔", "Please choose a template for this new post": "براہ کرم اس نئی پوسٹ کے لیے ایک ٹیمپلیٹ منتخب کریں۔", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "مونیکا کو بتانے کے لیے براہ کرم ذیل میں سے ایک ٹیمپلیٹ کا انتخاب کریں کہ یہ رابطہ کیسے ظاہر ہونا چاہیے۔ ٹیمپلیٹس آپ کو اس بات کی وضاحت کرنے دیتے ہیں کہ کون سا ڈیٹا رابطہ صفحہ پر ظاہر ہونا چاہیے۔", - "Please click the button below to verify your email address.": "اپنے ای میل ایڈریس کی تصدیق کے لیے براہ کرم نیچے دیئے گئے بٹن پر کلک کریں۔", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Monica کو بتانے کے لیے براہ کرم ذیل میں سے ایک ٹیمپلیٹ کا انتخاب کریں کہ یہ رابطہ کیسے ظاہر ہونا چاہیے۔ ٹیمپلیٹس آپ کو وضاحت کرنے دیتے ہیں کہ کون سا ڈیٹا رابطہ صفحہ پر ظاہر ہونا چاہیے۔", + "Please click the button below to verify your email address.": "براہ مہربانی ذیل بٹن پر کلک کریں کی تصدیق کرنے کے لئے آپ کے ای میل ایڈریس.", "Please complete this form to finalize your account.": "اپنے اکاؤنٹ کو حتمی شکل دینے کے لیے براہ کرم اس فارم کو مکمل کریں۔", - "Please confirm access to your account by entering one of your emergency recovery codes.": "براہ کرم اپنے ایمرجنسی ریکوری کوڈز میں سے ایک درج کرکے اپنے اکاؤنٹ تک رسائی کی تصدیق کریں۔", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "براہ کرم اپنی تصدیق کنندہ درخواست کے ذریعہ فراہم کردہ توثیقی کوڈ درج کرکے اپنے اکاؤنٹ تک رسائی کی تصدیق کریں۔", + "Please confirm access to your account by entering one of your emergency recovery codes.": "براہ مہربانی تصدیق کریں تک رسائی کرنے کے لئے آپ کے اکاؤنٹ میں داخل ہونے کی طرف سے آپ کے ہنگامی وصولی کوڈ.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "براہ مہربانی تصدیق کریں تک رسائی کرنے کے لئے آپ کے اکاؤنٹ میں داخل ہونے کی طرف سے تصدیق کے کوڈ کی طرف سے فراہم کردہ اپنے authenticator درخواست ہے.", "Please confirm access to your account by validating your security key.": "براہ کرم اپنی سیکیورٹی کلید کی توثیق کرکے اپنے اکاؤنٹ تک رسائی کی تصدیق کریں۔", - "Please copy your new API token. For your security, it won't be shown again.": "براہ کرم اپنا نیا API ٹوکن کاپی کریں۔ آپ کی سیکیورٹی کے لیے، اسے دوبارہ نہیں دکھایا جائے گا۔", + "Please copy your new API token. For your security, it won't be shown again.": "براہ مہربانی کاپی آپ کے نئے API کے ٹوکن. آپ کی سیکورٹی کے لئے, یہ نہیں دکھایا جائے گا ایک بار پھر.", "Please copy your new API token. For your security, it won’t be shown again.": "براہ کرم اپنا نیا API ٹوکن کاپی کریں۔ آپ کی سیکیورٹی کے لیے، اسے دوبارہ نہیں دکھایا جائے گا۔", "Please enter at least 3 characters to initiate a search.": "براہ کرم تلاش شروع کرنے کے لیے کم از کم 3 حروف درج کریں۔", "Please enter your password to cancel the account": "اکاؤنٹ منسوخ کرنے کے لیے براہ کرم اپنا پاس ورڈ درج کریں۔", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "براہ کرم اس بات کی تصدیق کرنے کے لیے اپنا پاس ورڈ درج کریں کہ آپ اپنے تمام آلات پر اپنے دوسرے براؤزر سیشنز سے لاگ آؤٹ کرنا چاہتے ہیں۔", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "براہ مہربانی آپ اپنا پاس ورڈ درج کرنے کے لئے اس بات کی تصدیق کرنے کے لئے چاہتے ہیں لاگ ان کریں آپ کی دیگر براؤزر سیشن کے تمام بھر میں آپ کے آلات.", "Please indicate the contacts": "براہ کرم رابطوں کی نشاندہی کریں۔", - "Please join Monica": "براہ کرم مونیکا میں شامل ہوں۔", - "Please provide the email address of the person you would like to add to this team.": "براہ کرم اس شخص کا ای میل پتہ فراہم کریں جسے آپ اس ٹیم میں شامل کرنا چاہتے ہیں۔", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "اس خصوصیت کے بارے میں مزید جاننے کے لیے براہ کرم ہماری دستاویزات<\/link> پڑھیں، اور آپ کو کن متغیرات تک رسائی حاصل ہے۔", + "Please join Monica": "براہ کرم Monica میں شامل ہوں۔", + "Please provide the email address of the person you would like to add to this team.": "فراہم کریں ای میل ایڈریس کا شخص آپ کو پسند کرے گا کرنے کے لئے شامل کرنے کے لئے اس کی ٹیم.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "اس خصوصیت کے بارے میں مزید جاننے کے لیے براہ کرم ہماری دستاویزات پڑھیں، اور آپ کو کن متغیرات تک رسائی حاصل ہے۔", "Please select a page on the left to load modules.": "براہ کرم ماڈیول لوڈ کرنے کے لیے بائیں جانب ایک صفحہ منتخب کریں۔", "Please type a few characters to create a new label.": "نیا لیبل بنانے کے لیے براہ کرم چند حروف ٹائپ کریں۔", "Please type a few characters to create a new tag.": "نیا ٹیگ بنانے کے لیے براہ کرم چند حروف ٹائپ کریں۔", @@ -744,31 +745,31 @@ "Privacy Policy": "رازداری کی پالیسی", "Profile": "پروفائل", "Profile and security": "پروفائل اور سیکیورٹی", - "Profile Information": "ذاتی معلومات", - "Profile of :name": "کا پروفائل: نام", - "Profile page of :name": "پروفائل کا صفحہ :name", - "Pronoun": "وہ رجحان رکھتے ہیں", + "Profile Information": "پروفائل کی معلومات", + "Profile of :name": ":Name کا پروفائل", + "Profile page of :name": ":Name کا پروفائل صفحہ", + "Pronoun": "ضمیر", "Pronouns": "ضمیر", "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "ضمیر بنیادی طور پر یہ ہیں کہ ہم اپنے نام کے علاوہ خود کو کس طرح پہچانتے ہیں۔ اس طرح کوئی شخص گفتگو میں آپ کا حوالہ دیتا ہے۔", "protege": "حامی", "Protocol": "پروٹوکول", - "Protocol: :name": "پروٹوکول : : نام", + "Protocol: :name": "پروٹوکول: :name", "Province": "صوبہ", "Quick facts": "فوری حقائق", "Quick facts let you document interesting facts about a contact.": "فوری حقائق آپ کو کسی رابطے کے بارے میں دلچسپ حقائق کی دستاویز کرنے دیتے ہیں۔", - "Quick facts template": "فوری حقائق کا سانچہ", + "Quick facts template": "فوری حقائق کا ٹیمپلیٹ", "Quit job": "نوکری چھوڑ دو", "Rabbit": "خرگوش", "Ran": "بھاگا۔", "Rat": "چوہا", - "Read :count time|Read :count times": "پڑھیں : گنتی وقت | پڑھیں : گنتی اوقات", + "Read :count time|Read :count times": ":count بار پڑھیں|:count بار پڑھیں", "Record a loan": "قرض ریکارڈ کریں۔", "Record your mood": "اپنے موڈ کو ریکارڈ کریں۔", - "Recovery Code": "ریکوری کوڈ", + "Recovery Code": "وصولی کے کوڈ", "Regardless of where you are located in the world, have dates displayed in your own timezone.": "اس سے قطع نظر کہ آپ دنیا میں کہاں ہیں، تاریخیں آپ کے اپنے ٹائم زون میں دکھائی دیں۔", - "Regards": "حوالے", - "Regenerate Recovery Codes": "ریکوری کوڈز کو دوبارہ تخلیق کریں۔", - "Register": "رجسٹر کریں۔", + "Regards": "کے حوالے", + "Regenerate Recovery Codes": "دوبارہ وصولی کے کوڈ", + "Register": "رجسٹر کریں", "Register a new key": "ایک نئی کلید رجسٹر کریں۔", "Register a new key.": "ایک نئی کلید رجسٹر کریں۔", "Regular post": "باقاعدہ پوسٹ", @@ -779,8 +780,8 @@ "Religion": "مذہب", "Religions": "مذاہب", "Religions is all about faith.": "مذاہب کا تعلق ایمان سے ہے۔", - "Remember me": "مجھے پہچانتے ہو", - "Reminder for :name": "یاد دہانی برائے :name", + "Remember me": "مجھے یاد رکھیں", + "Reminder for :name": ":Name کے لیے یاد دہانی", "Reminders": "یاد دہانیاں", "Reminders for the next 30 days": "اگلے 30 دنوں کے لیے یاد دہانیاں", "Remind me about this date every year": "مجھے ہر سال اس تاریخ کے بارے میں یاد دلائیں۔", @@ -792,24 +793,24 @@ "removed the contact from a group": "ایک گروپ سے رابطہ ہٹا دیا", "removed the contact from a post": "ایک پوسٹ سے رابطہ ہٹا دیا", "removed the contact from the favorites": "پسندیدہ سے رابطہ ہٹا دیا", - "Remove Photo": "تصویر ہٹا دیں۔", - "Remove Team Member": "ٹیم ممبر کو ہٹا دیں۔", + "Remove Photo": "دور تصویر", + "Remove Team Member": "دور کی ٹیم کے رکن", "Rename": "نام تبدیل کریں۔", "Reports": "رپورٹس", "Reptile": "رینگنے والا جانور", - "Resend Verification Email": "توثیقی ای میل دوبارہ بھیجیں۔", + "Resend Verification Email": "پھر بھیجیں ای میل کی توثیق", "Reset Password": "پاس ورڈ ری سیٹ", - "Reset Password Notification": "پاس ورڈ نوٹیفکیشن کو دوبارہ ترتیب دیں۔", + "Reset Password Notification": "پاس ورڈ کی اطلاع دوبارہ ترتیب دیں", "results": "نتائج", "Retry": "دوبارہ کوشش کریں۔", "Revert": "واپس لوٹنا", "Rode a bike": "موٹر سائیکل پر سوار ہوئے۔", "Role": "کردار", "Roles:": "کردار:", - "Roomates": "رینگنا", + "Roomates": "روم میٹس", "Saturday": "ہفتہ", - "Save": "محفوظ کریں۔", - "Saved.": "محفوظ کیا گیا۔", + "Save": "کو بچانے کے", + "Saved.": "بچا لیا.", "Saving in progress": "محفوظ کرنا جاری ہے۔", "Searched": "تلاش کیا", "Searching…": "تلاش کر رہا ہے…", @@ -818,13 +819,13 @@ "Sections:": "حصے:", "Security keys": "سیکیورٹی کیز", "Select a group or create a new one": "ایک گروپ منتخب کریں یا ایک نیا بنائیں", - "Select A New Photo": "ایک نئی تصویر منتخب کریں۔", + "Select A New Photo": "ایک نئی تصویر کو منتخب کریں", "Select a relationship type": "رشتے کی قسم منتخب کریں۔", "Send invitation": "دعوت نامہ بھیج دیں", "Send test": "ٹیسٹ بھیجیں۔", - "Sent at :time": "بھیجا گیا:وقت", - "Server Error": "سرور کی خرابی۔", - "Service Unavailable": "سروس میسر نہیں", + "Sent at :time": ":time پر بھیجا گیا", + "Server Error": "سرور کی خرابی", + "Service Unavailable": "سروس دستیاب نہیں", "Set as default": "ڈیفالٹ کے طور پر مقرر", "Set as favorite": "پسندیدہ کے طور پر سیٹ کریں۔", "Settings": "ترتیبات", @@ -833,74 +834,72 @@ "Setup Key": "سیٹ اپ کلید", "Setup Key:": "سیٹ اپ کلید:", "Setup Telegram": "ٹیلیگرام سیٹ اپ کریں۔", - "she\/her": "وہ\/وہ", + "she/her": "وہ/وہ", "Shintoist": "شنٹوسٹ", "Show Calendar tab": "کیلنڈر ٹیب دکھائیں۔", - "Show Companies tab": "کمپنیاں ٹیب دکھائیں۔", - "Show completed tasks (:count)": "مکمل کام دکھائیں (: شمار)", + "Show Companies tab": "کمپنیز ٹیب دکھائیں۔", + "Show completed tasks (:count)": "مکمل شدہ کام دکھائیں (:count)", "Show Files tab": "فائلز ٹیب دکھائیں۔", "Show Groups tab": "گروپ ٹیب دکھائیں۔", - "Showing": "دکھا رہا ہے۔", - "Showing :count of :total results": "دکھا رہا ہے :مجموعی نتائج کی تعداد", - "Showing :first to :last of :total results": "دکھا رہا ہے :پہلے سے :آخری کے :کل نتائج", + "Showing": "دکھا", + "Showing :count of :total results": ":total میں سے :count نتائج دکھا رہے ہیں۔", + "Showing :first to :last of :total results": ":total نتائج میں سے :first سے :last تک دکھا رہا ہے۔", "Show Journals tab": "جرنل ٹیب دکھائیں۔", - "Show Recovery Codes": "ریکوری کوڈز دکھائیں۔", + "Show Recovery Codes": "شو کی وصولی کے کوڈ", "Show Reports tab": "رپورٹس ٹیب دکھائیں۔", "Show Tasks tab": "ٹاسکس ٹیب دکھائیں۔", "significant other": "اہم دوسرے", "Sign in to your account": "اپنے اکاؤنٹ میں سائن ان کریں۔", "Sign up for an account": "ایک اکاؤنٹ کے لیے سائن اپ کریں۔", "Sikh": "سکھ", - "Slept :count hour|Slept :count hours": "سویا : گنتی کا گھنٹہ | نیند : گنتی گھنٹے", + "Slept :count hour|Slept :count hours": ":count گھنٹہ سویا۔|:count گھنٹے سوئے۔", "Slice of life": "زندگی کا ٹکڑا", "Slices of life": "زندگی کے ٹکڑے", "Small animal": "چھوٹا جانور", "Social": "سماجی", "Some dates have a special type that we will use in the software to calculate an age.": "کچھ تاریخوں کی ایک خاص قسم ہوتی ہے جسے ہم سافٹ ویئر میں عمر کا حساب لگانے کے لیے استعمال کریں گے۔", - "Sort contacts": "رابطوں کو ترتیب دیں۔", "So… it works 😼": "تو… یہ کام کرتا ہے 😼", "Sport": "کھیل", "spouse": "شریک حیات", "Statistics": "شماریات", "Storage": "ذخیرہ", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "ان ریکوری کوڈز کو ایک محفوظ پاس ورڈ مینیجر میں اسٹور کریں۔ ان کا استعمال آپ کے اکاؤنٹ تک رسائی کی بازیابی کے لیے کیا جا سکتا ہے اگر آپ کا دو فیکٹر توثیق کرنے والا آلہ گم ہو جائے۔", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "دکان ان کی وصولی کوڈ میں ایک محفوظ پاس ورڈ مینیجر. وہ استعمال کیا جا سکتا ہے کی وصولی کے لئے تک رسائی حاصل کرنے کے لئے آپ کے اکاؤنٹ میں آپ کے دو عنصر کی تصدیق کے آلہ کھو دیا ہے.", "Submit": "جمع کرائیں", "subordinate": "ماتحت", "Suffix": "لاحقہ", "Summary": "خلاصہ", "Sunday": "اتوار", "Switch role": "کردار تبدیل کریں۔", - "Switch Teams": "ٹیمیں سوئچ کریں۔", + "Switch Teams": "سوئچ ٹیموں", "Tabs visibility": "ٹیبز کی مرئیت", "Tags": "ٹیگز", "Tags let you classify journal posts using a system that matters to you.": "ٹیگز آپ کو ایسے سسٹم کا استعمال کرتے ہوئے جرنل پوسٹس کی درجہ بندی کرنے دیتے ہیں جو آپ کے لیے اہم ہے۔", "Taoist": "تاؤسٹ", "Tasks": "کام", "Team Details": "ٹیم کی تفصیلات", - "Team Invitation": "ٹیم کی دعوت", - "Team Members": "ٹیم کے افراد", - "Team Name": "گروہ کا نام", - "Team Owner": "ٹیم کا مالک", + "Team Invitation": "ٹیم دعوت", + "Team Members": "ٹیم کے ارکان", + "Team Name": "ٹیم کے نام", + "Team Owner": "ٹیم کے مالک", "Team Settings": "ٹیم کی ترتیبات", "Telegram": "ٹیلی گرام", "Templates": "ٹیمپلیٹس", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "ٹیمپلیٹس آپ کو اپنی مرضی کے مطابق بنانے دیتے ہیں کہ آپ کے رابطوں پر کون سا ڈیٹا ڈسپلے ہونا چاہیے۔ آپ جتنے چاہیں ٹیمپلیٹس کی وضاحت کر سکتے ہیں، اور منتخب کر سکتے ہیں کہ کون سا ٹیمپلیٹ کس رابطے پر استعمال کیا جائے۔", "Terms of Service": "سروس کی شرائط", - "Test email for Monica": "مونیکا کے لیے ای میل کی جانچ کریں۔", + "Test email for Monica": "Monica کے لیے ای میل کی جانچ کریں۔", "Test email sent!": "ٹیسٹ ای میل بھیج دیا گیا!", "Thanks,": "شکریہ،", - "Thanks for giving Monica a try": "مونیکا کو آزمانے کا شکریہ", - "Thanks for giving Monica a try.": "مونیکا کو آزمانے کا شکریہ۔", + "Thanks for giving Monica a try.": "Monica کو آزمانے کا شکریہ۔", "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "سائن اپ کرنے کے لیے شکریہ! شروع کرنے سے پہلے، کیا آپ اس لنک پر کلک کر کے اپنے ای میل ایڈریس کی تصدیق کر سکتے ہیں جو ہم نے ابھی آپ کو ای میل کیا ہے؟ اگر آپ کو ای میل موصول نہیں ہوئی تو ہم خوشی سے آپ کو ایک اور بھیجیں گے۔", - "The :attribute must be at least :length characters.": ":attribute کم از کم :length حروف کا ہونا چاہیے۔", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute کم از کم :length حروف کا ہونا چاہیے اور اس میں کم از کم ایک نمبر ہونا چاہیے۔", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute کم از کم :length حروف کا ہونا چاہیے اور اس میں کم از کم ایک خاص حرف ہونا چاہیے۔", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute کم از کم :length حروف کا ہونا چاہیے اور اس میں کم از کم ایک خاص حرف اور ایک نمبر ہونا چاہیے۔", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute کم از کم :length حروف کا ہونا چاہیے اور اس میں کم از کم ایک بڑے حرف، ایک عدد، اور ایک خاص حرف ہونا چاہیے۔", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute کم از کم :length حروف کا ہونا چاہیے اور کم از کم ایک بڑے حروف پر مشتمل ہونا چاہیے۔", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute کم از کم :length حروف کا ہونا چاہیے اور اس میں کم از کم ایک بڑے حرف اور ایک نمبر ہونا چاہیے۔", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute کم از کم :length حروف کا ہونا چاہیے اور اس میں کم از کم ایک بڑے حروف اور ایک خاص حرف ہونا چاہیے۔", - "The :attribute must be a valid role.": ":attribute ایک درست کردار ہونا چاہیے۔", + "The :attribute must be at least :length characters.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف.", + "The :attribute must be at least :length characters and contain at least one number.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف اور کم از کم پر مشتمل ایک بڑی تعداد.", + "The :attribute must be at least :length characters and contain at least one special character.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف پر مشتمل ہے اور کم از کم ایک خاص کردار ہے.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف اور کم از کم پر مشتمل ایک خصوصی کردار اور ایک بڑی تعداد.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف پر مشتمل ہے اور کم از کم ایک بڑے کردار کی ایک بڑی تعداد ، اور ایک خاص کردار ہے.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف پر مشتمل ہے اور کم از کم ایک بڑے کردار ہے.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف پر مشتمل ہے اور کم از کم ایک بڑے کردار اور ایک بڑی تعداد.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "اس :attribute ہونا ضروری ہے کم از کم :length حروف پر مشتمل ہے اور کم از کم ایک بڑے کردار کے ایک خاص کردار ہے.", + "The :attribute must be a valid role.": "میں :attribute ہونا ضروری ہے ایک درست کردار.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "اکاؤنٹ کا ڈیٹا ہمارے سرورز سے 30 دن کے اندر اور تمام بیک اپس سے 60 دنوں کے اندر مستقل طور پر حذف کر دیا جائے گا۔", "The address type has been created": "ایڈریس کی قسم بنائی گئی ہے۔", "The address type has been deleted": "ایڈریس کی قسم حذف کر دی گئی ہے۔", @@ -931,7 +930,7 @@ "The currencies have been updated": "کرنسیوں کو اپ ڈیٹ کر دیا گیا ہے۔", "The currency has been updated": "کرنسی کو اپ ڈیٹ کر دیا گیا ہے۔", "The date has been added": "تاریخ شامل کر دی گئی ہے۔", - "The date has been deleted": "تاریخ حذف کر دی گئی ہے۔", + "The date has been deleted": "تاریخ کو حذف کر دیا گیا ہے۔", "The date has been updated": "تاریخ کو اپ ڈیٹ کر دیا گیا ہے۔", "The document has been added": "دستاویز شامل کر دی گئی ہے۔", "The document has been deleted": "دستاویز کو حذف کر دیا گیا ہے۔", @@ -958,9 +957,9 @@ "The group type has been deleted": "گروپ کی قسم کو حذف کر دیا گیا ہے۔", "The group type has been updated": "گروپ کی قسم کو اپ ڈیٹ کر دیا گیا ہے۔", "The important dates in the next 12 months": "اگلے 12 مہینوں میں اہم تاریخیں۔", - "The job information has been saved": "ملازمت کی معلومات کو محفوظ کر لیا گیا ہے۔", + "The job information has been saved": "ملازمت کی معلومات محفوظ کر لی گئی ہیں۔", "The journal lets you document your life with your own words.": "جریدہ آپ کو اپنی زندگی کو اپنے الفاظ کے ساتھ دستاویز کرنے دیتا ہے۔", - "The keys to manage uploads have not been set in this Monica instance.": "اس مونیکا مثال میں اپ لوڈز کو منظم کرنے کی کلیدیں سیٹ نہیں کی گئی ہیں۔", + "The keys to manage uploads have not been set in this Monica instance.": "اس Monica مثال میں اپ لوڈز کو منظم کرنے کی کلیدیں سیٹ نہیں کی گئی ہیں۔", "The label has been added": "لیبل شامل کر دیا گیا ہے۔", "The label has been created": "لیبل بنایا گیا ہے۔", "The label has been deleted": "لیبل کو حذف کر دیا گیا ہے۔", @@ -968,10 +967,10 @@ "The life metric has been created": "لائف میٹرک بنایا گیا ہے۔", "The life metric has been deleted": "لائف میٹرک کو حذف کر دیا گیا ہے۔", "The life metric has been updated": "لائف میٹرک کو اپ ڈیٹ کر دیا گیا ہے۔", - "The loan has been created": "قرضہ بن گیا ہے۔", - "The loan has been deleted": "قرض کو حذف کر دیا گیا ہے۔", + "The loan has been created": "قرضہ بنایا گیا ہے۔", + "The loan has been deleted": "قرض حذف کر دیا گیا ہے۔", "The loan has been edited": "قرض میں ترمیم کی گئی ہے۔", - "The loan has been settled": "قرضہ طے پا گیا ہے۔", + "The loan has been settled": "قرضہ طے ہو چکا ہے۔", "The loan is an object": "قرض ایک چیز ہے۔", "The loan is monetary": "قرض مالیاتی ہے۔", "The module has been added": "ماڈیول شامل کر دیا گیا ہے۔", @@ -1000,9 +999,9 @@ "The pronoun has been created": "ضمیر بنایا گیا ہے۔", "The pronoun has been deleted": "ضمیر حذف کر دیا گیا ہے۔", "The pronoun has been updated": "ضمیر کو اپ ڈیٹ کر دیا گیا ہے۔", - "The provided password does not match your current password.": "فراہم کردہ پاس ورڈ آپ کے موجودہ پاس ورڈ سے مماثل نہیں ہے۔", - "The provided password was incorrect.": "فراہم کردہ پاس ورڈ غلط تھا۔", - "The provided two factor authentication code was invalid.": "فراہم کردہ دو فیکٹر تصدیقی کوڈ غلط تھا۔", + "The provided password does not match your current password.": "فراہم کردہ پاس ورڈ سے مماثل نہیں ہے آپ کے موجودہ پاس ورڈ.", + "The provided password was incorrect.": "فراہم کردہ پاس ورڈ غلط تھا.", + "The provided two factor authentication code was invalid.": "فراہم کردہ دو عنصر کی تصدیق کے کوڈ باطل بھى كيا ہے.", "The provided two factor recovery code was invalid.": "فراہم کردہ دو فیکٹر ریکوری کوڈ غلط تھا۔", "There are no active addresses yet.": "ابھی تک کوئی فعال پتے نہیں ہیں۔", "There are no calls logged yet.": "ابھی تک کوئی کال لاگ ان نہیں ہے۔", @@ -1013,7 +1012,7 @@ "There are no goals yet.": "ابھی تک کوئی اہداف نہیں ہیں۔", "There are no journal metrics.": "کوئی جرنل میٹرکس نہیں ہیں۔", "There are no loans yet.": "ابھی تک کوئی قرضے نہیں ہیں۔", - "There are no notes yet.": "ابھی تک کوئی نوٹ نہیں ہے۔", + "There are no notes yet.": "ابھی تک کوئی نوٹس نہیں ہیں۔", "There are no other users in this account.": "اس اکاؤنٹ میں کوئی اور صارف نہیں ہے۔", "There are no pets yet.": "ابھی تک کوئی پالتو جانور نہیں ہے۔", "There are no photos yet.": "ابھی تک کوئی تصاویر نہیں ہیں۔", @@ -1036,13 +1035,15 @@ "The reminder has been created": "یاد دہانی بنائی گئی ہے۔", "The reminder has been deleted": "یاد دہانی کو حذف کر دیا گیا ہے۔", "The reminder has been edited": "یاد دہانی میں ترمیم کر دی گئی ہے۔", + "The response is not a streamed response.": "جواب ایک سلسلہ وار جواب نہیں ہے۔", + "The response is not a view.": "ردعمل ایک نقطہ نظر نہیں ہے.", "The role has been created": "کردار بنایا گیا ہے۔", "The role has been deleted": "کردار کو حذف کر دیا گیا ہے۔", "The role has been updated": "کردار کو اپ ڈیٹ کر دیا گیا ہے۔", "The section has been created": "سیکشن بنایا گیا ہے۔", "The section has been deleted": "سیکشن کو حذف کر دیا گیا ہے۔", "The section has been updated": "سیکشن کو اپ ڈیٹ کر دیا گیا ہے۔", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "ان لوگوں کو آپ کی ٹیم میں مدعو کیا گیا ہے اور انہیں دعوتی ای میل بھیجا گیا ہے۔ وہ ای میل کی دعوت قبول کر کے ٹیم میں شامل ہو سکتے ہیں۔", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "ان لوگوں کو مدعو کیا گیا ہے کرنے کے لئے آپ کی ٹیم اور بھیج دیا گیا ہے ایک دعوت نامہ ای میل. ہو سکتا ہے کہ وہ ٹیم میں شامل ہونے کی طرف سے قبول ای میل کی دعوت.", "The tag has been added": "ٹیگ شامل کر دیا گیا ہے۔", "The tag has been created": "ٹیگ بنا دیا گیا ہے۔", "The tag has been deleted": "ٹیگ کو حذف کر دیا گیا ہے۔", @@ -1050,15 +1051,15 @@ "The task has been created": "ٹاسک بنایا گیا ہے۔", "The task has been deleted": "کام کو حذف کر دیا گیا ہے۔", "The task has been edited": "کام میں ترمیم کی گئی ہے۔", - "The team's name and owner information.": "ٹیم کا نام اور مالک کی معلومات۔", - "The Telegram channel has been deleted": "ٹیلیگرام چینل کو حذف کر دیا گیا ہے۔", + "The team's name and owner information.": "ٹیم کا نام اور مالک کے بارے میں معلومات.", + "The Telegram channel has been deleted": "ٹیلی گرام چینل کو حذف کر دیا گیا ہے۔", "The template has been created": "ٹیمپلیٹ بنایا گیا ہے۔", "The template has been deleted": "ٹیمپلیٹ کو حذف کر دیا گیا ہے۔", "The template has been set": "سانچہ ترتیب دیا گیا ہے۔", "The template has been updated": "ٹیمپلیٹ کو اپ ڈیٹ کر دیا گیا ہے۔", "The test email has been sent": "ٹیسٹ ای میل بھیج دیا گیا ہے۔", "The type has been created": "قسم بنائی گئی ہے۔", - "The type has been deleted": "قسم کو حذف کر دیا گیا ہے۔", + "The type has been deleted": "قسم حذف کر دی گئی ہے۔", "The type has been updated": "قسم کو اپ ڈیٹ کر دیا گیا ہے۔", "The user has been added": "صارف کو شامل کیا گیا ہے۔", "The user has been deleted": "صارف کو حذف کر دیا گیا ہے۔", @@ -1067,41 +1068,40 @@ "The vault has been created": "والٹ بنایا گیا ہے۔", "The vault has been deleted": "والٹ کو حذف کر دیا گیا ہے۔", "The vault have been updated": "والٹ کو اپ ڈیٹ کر دیا گیا ہے۔", - "they\/them": "وہ انہیں", + "they/them": "وہ/انہیں", "This address is not active anymore": "یہ پتہ اب فعال نہیں ہے۔", - "This device": "یہ ڈیوائس", - "This email is a test email to check if Monica can send an email to this email address.": "یہ ای میل ایک آزمائشی ای میل ہے کہ آیا مونیکا اس ای میل پتے پر ای میل بھیج سکتی ہے۔", - "This is a secure area of the application. Please confirm your password before continuing.": "یہ درخواست کا ایک محفوظ علاقہ ہے۔ براہ کرم جاری رکھنے سے پہلے اپنے پاس ورڈ کی تصدیق کریں۔", + "This device": "یہ آلہ", + "This email is a test email to check if Monica can send an email to this email address.": "یہ ای میل ایک آزمائشی ای میل ہے کہ آیا Monica اس ای میل پتے پر ای میل بھیج سکتی ہے۔", + "This is a secure area of the application. Please confirm your password before continuing.": "یہ ایک محفوظ علاقے کی درخواست ہے. براہ مہربانی تصدیق کریں آپ کے پاس ورڈ جاری رکھنے سے پہلے.", "This is a test email": "یہ ایک ٹیسٹ ای میل ہے۔", - "This is a test notification for :name": "یہ ایک ٹیسٹ نوٹیفکیشن ہے :name", + "This is a test notification for :name": "یہ :name کے لیے ایک جانچ کی اطلاع ہے", "This key is already registered. It’s not necessary to register it again.": "یہ کلید پہلے سے رجسٹرڈ ہے۔ اسے دوبارہ رجسٹر کرنا ضروری نہیں ہے۔", - "This link will open in a new tab": "یہ لنک ایک نئے ٹیب میں کھل جائے گا۔", + "This link will open in a new tab": "یہ لنک ایک نئے ٹیب میں کھلے گا۔", "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "یہ صفحہ وہ تمام اطلاعات دکھاتا ہے جو ماضی میں اس چینل میں بھیجی گئی ہیں۔ یہ بنیادی طور پر ڈیبگ کرنے کے طریقے کے طور پر کام کرتا ہے اگر آپ کو اطلاع موصول نہیں ہوتی ہے جو آپ نے ترتیب دی ہے۔", - "This password does not match our records.": "یہ پاس ورڈ ہمارے ریکارڈ سے میل نہیں کھاتا۔", - "This password reset link will expire in :count minutes.": "یہ پاس ورڈ دوبارہ ترتیب دینے کا لنک :count منٹ میں ختم ہو جائے گا۔", + "This password does not match our records.": "اس کے پاس ورڈ مطابقت نہیں ہے ہمارے ریکارڈ.", + "This password reset link will expire in :count minutes.": "اس کے پاس ورڈ ری سیٹ لنک میں ختم ہو جائے گی :count منٹ.", "This post has no content yet.": "اس پوسٹ میں ابھی تک کوئی مواد نہیں ہے۔", "This provider is already associated with another account": "یہ فراہم کنندہ پہلے ہی کسی دوسرے اکاؤنٹ سے وابستہ ہے۔", "This site is open source.": "یہ سائٹ اوپن سورس ہے۔", - "This template will define what information are displayed on a contact page.": "یہ ٹیمپلیٹ اس بات کی وضاحت کرے گا کہ رابطہ صفحہ پر کون سی معلومات ظاہر کی جاتی ہیں۔", - "This user already belongs to the team.": "یہ صارف پہلے سے ہی ٹیم سے تعلق رکھتا ہے۔", - "This user has already been invited to the team.": "اس صارف کو پہلے ہی ٹیم میں مدعو کیا جا چکا ہے۔", + "This template will define what information are displayed on a contact page.": "یہ ٹیمپلیٹ اس بات کی وضاحت کرے گا کہ رابطہ صفحہ پر کون سی معلومات ظاہر ہوتی ہیں۔", + "This user already belongs to the team.": "یہ صارف پہلے ہی سے تعلق رکھتا ہے ، ٹیم.", + "This user has already been invited to the team.": "یہ صارف پہلے ہی مدعو کرنے کے لئے ٹیم.", "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "یہ صارف آپ کے اکاؤنٹ کا حصہ ہو گا، لیکن اسے اس اکاؤنٹ کے تمام والٹس تک رسائی حاصل نہیں ہو گی جب تک کہ آپ انہیں مخصوص رسائی نہ دیں۔ یہ شخص والٹ بھی بنا سکے گا۔", "This will immediately:": "یہ فوری طور پر کرے گا:", "Three things that happened today": "تین چیزیں جو آج ہوئیں", "Thursday": "جمعرات", "Timezone": "ٹائم زون", "Title": "عنوان", - "to": "کو", + "to": "کرنے کے لئے", "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "دو عنصر کی تصدیق کو فعال کرنے کے لیے، اپنے فون کی تصدیق کنندہ ایپلیکیشن کا استعمال کرتے ہوئے درج ذیل QR کوڈ کو اسکین کریں یا سیٹ اپ کلید درج کریں اور تیار کردہ OTP کوڈ فراہم کریں۔", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "دو عنصر کی توثیق کو فعال کرنے کے لیے، اپنے فون کی تصدیق کنندہ ایپلیکیشن کا استعمال کرتے ہوئے درج ذیل QR کوڈ کو اسکین کریں یا سیٹ اپ کلید درج کریں اور تیار کردہ OTP کوڈ فراہم کریں۔", - "Toggle navigation": "نیویگیشن ٹوگل کریں۔", + "Toggle navigation": "ٹوگل مواد", "To hear their story": "ان کی کہانی سننے کے لیے", - "Token Name": "ٹوکن کا نام", + "Token Name": "ٹوکن کے نام", "Token name (for your reference only)": "ٹوکن کا نام (صرف آپ کے حوالہ کے لیے)", "Took a new job": "نئی نوکری لی", "Took the bus": "بس پکڑ لی", "Took the metro": "میٹرو لے لی", - "Too Many Requests": "بہت ساری درخواستیں", + "Too Many Requests": "بہت سے درخواستوں", "To see if they need anything": "یہ دیکھنے کے لیے کہ انہیں کسی چیز کی ضرورت ہے۔", "To start, you need to create a vault.": "شروع کرنے کے لیے، آپ کو ایک والٹ بنانے کی ضرورت ہے۔", "Total:": "کل:", @@ -1115,19 +1115,18 @@ "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "دو عنصر کی توثیق اب فعال ہے۔ اپنے فون کی تصدیق کنندہ ایپلیکیشن کا استعمال کرتے ہوئے درج ذیل QR کوڈ کو اسکین کریں یا سیٹ اپ کلید درج کریں۔", "Type": "قسم", "Type:": "قسم:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "مونیکا بوٹ کے ساتھ گفتگو میں کچھ بھی ٹائپ کریں۔ مثال کے طور پر یہ 'شروع' ہوسکتا ہے۔", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Monica بوٹ کے ساتھ گفتگو میں کچھ بھی ٹائپ کریں۔ مثال کے طور پر یہ ’شروع’ ہوسکتا ہے۔", "Types": "اقسام", "Type something": "کچھ ٹائپ کریں۔", "Unarchive contact": "رابطہ کو غیر محفوظ کریں۔", "unarchived the contact": "رابطہ کو غیر محفوظ کر دیا گیا۔", "Unauthorized": "غیر مجاز", - "uncle\/aunt": "چچا چاچی", + "uncle/aunt": "چچا/چاچی", "Undefined": "غیر متعینہ", "Unexpected error on login.": "لاگ ان پر غیر متوقع خرابی۔", "Unknown": "نامعلوم", "unknown action": "نامعلوم کارروائی", "Unknown age": "نامعلوم عمر", - "Unknown contact name": "نامعلوم رابطہ نام", "Unknown name": "نامعلوم نام", "Update": "اپ ڈیٹ", "Update a key.": "ایک کلید کو اپ ڈیٹ کریں۔", @@ -1136,18 +1135,17 @@ "updated an address": "ایک پتہ اپ ڈیٹ کیا", "updated an important date": "ایک اہم تاریخ کو اپ ڈیٹ کیا۔", "updated a pet": "ایک پالتو جانور کو اپ ڈیٹ کیا", - "Updated on :date": "تاریخ کو اپ ڈیٹ کیا گیا۔", + "Updated on :date": ":date کو اپ ڈیٹ کیا گیا", "updated the avatar of the contact": "رابطے کے اوتار کو اپ ڈیٹ کیا۔", "updated the contact information": "رابطے کی معلومات کو اپ ڈیٹ کیا", "updated the job information": "ملازمت کی معلومات کو اپ ڈیٹ کیا", "updated the religion": "مذہب کو اپ ڈیٹ کیا", - "Update Password": "پاس ورڈ اپ ڈیٹ کریں۔", - "Update your account's profile information and email address.": "اپنے اکاؤنٹ کی پروفائل کی معلومات اور ای میل ایڈریس کو اپ ڈیٹ کریں۔", - "Update your account’s profile information and email address.": "اپنے اکاؤنٹ کی پروفائل کی معلومات اور ای میل ایڈریس کو اپ ڈیٹ کریں۔", + "Update Password": "پاس ورڈ کو اپ ڈیٹ", + "Update your account's profile information and email address.": "اپ ڈیٹ کریں آپ کی اکاؤنٹ کے پروفائل کی معلومات اور ای میل ایڈریس.", "Upload photo as avatar": "تصویر بطور اوتار اپ لوڈ کریں۔", "Use": "استعمال کریں۔", - "Use an authentication code": "ایک تصدیقی کوڈ استعمال کریں۔", - "Use a recovery code": "ریکوری کوڈ استعمال کریں۔", + "Use an authentication code": "استعمال کی تصدیق کے کوڈ", + "Use a recovery code": "استعمال وصولی کے کوڈ", "Use a security key (Webauthn, or FIDO) to increase your account security.": "اپنے اکاؤنٹ کی سیکیورٹی بڑھانے کے لیے سیکیورٹی کلید (Webauthn، یا FIDO) استعمال کریں۔", "User preferences": "صارف کی ترجیحات", "Users": "صارفین", @@ -1159,7 +1157,7 @@ "Value copied into your clipboard": "قدر آپ کے کلپ بورڈ میں کاپی ہو گئی۔", "Vaults contain all your contacts data.": "والٹس میں آپ کے تمام رابطوں کا ڈیٹا ہوتا ہے۔", "Vault settings": "والٹ کی ترتیبات", - "ve\/ver": "اور\/دینا", + "ve/ver": "ve/ver", "Verification email sent": "تصدیقی ای میل بھیجی گئی۔", "Verified": "تصدیق شدہ", "Verify Email Address": "ای میل ایڈریس کی تصدیق کریں", @@ -1174,7 +1172,7 @@ "View history": "تاریخ دیکھیں", "View log": "لاگ دیکھیں", "View on map": "نقشے پر دیکھیں", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "مونیکا (درخواست) آپ کو پہچاننے کے لیے چند سیکنڈ انتظار کریں۔ ہم آپ کو یہ دیکھنے کے لیے ایک جعلی اطلاع بھیجیں گے کہ آیا یہ کام کرتا ہے۔", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Monica (درخواست) آپ کو پہچاننے کے لیے چند سیکنڈ انتظار کریں۔ ہم آپ کو یہ دیکھنے کے لیے ایک جعلی اطلاع بھیجیں گے کہ آیا یہ کام کرتا ہے۔", "Waiting for key…": "چابی کا انتظار کر رہا ہے…", "Walked": "چہل قدمی کی۔", "Wallpaper": "وال پیپر", @@ -1185,27 +1183,28 @@ "Watch Netflix every day": "ہر روز Netflix دیکھیں", "Ways to connect": "جڑنے کے طریقے", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn صرف محفوظ کنکشنز کو سپورٹ کرتا ہے۔ براہ کرم اس صفحہ کو https اسکیم کے ساتھ لوڈ کریں۔", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "ہم انہیں ایک رشتہ کہتے ہیں، اور اس کا الٹا رشتہ۔ ہر تعلق کے لیے جو آپ بیان کرتے ہیں، آپ کو اس کے ہم منصب کی وضاحت کرنے کی ضرورت ہے۔", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "ہم انہیں رشتہ کہتے ہیں، اور اس کا الٹا رشتہ۔ ہر تعلق کے لیے جو آپ بیان کرتے ہیں، آپ کو اس کے ہم منصب کی وضاحت کرنے کی ضرورت ہے۔", "Wedding": "شادی", "Wednesday": "بدھ", "We hope you'll like it.": "ہمیں امید ہے کہ آپ کو یہ پسند آئے گا۔", - "We hope you will like what we’ve done.": "ہم امید کرتے ہیں کہ آپ کو پسند آئے گا جو ہم نے کیا ہے۔", - "Welcome to Monica.": "مونیکا میں خوش آمدید۔", + "We hope you will like what we’ve done.": "ہمیں امید ہے کہ آپ کو پسند آئے گا جو ہم نے کیا ہے۔", + "Welcome to Monica.": "Monica میں خوش آمدید۔", "Went to a bar": "ایک بار میں گیا۔", - "We support Markdown to format the text (bold, lists, headings, etc…).": "ہم متن کو فارمیٹ کرنے کے لیے مارک ڈاؤن کی حمایت کرتے ہیں (بولڈ، فہرستیں، عنوانات، وغیرہ...)۔", - "We were unable to find a registered user with this email address.": "ہم اس ای میل ایڈریس کے ساتھ رجسٹرڈ صارف تلاش کرنے سے قاصر تھے۔", + "We support Markdown to format the text (bold, lists, headings, etc…).": "ہم متن کو فارمیٹ کرنے کے لیے مارک ڈاؤن کی حمایت کرتے ہیں (بولڈ، فہرستیں، عنوانات، وغیرہ…)۔", + "We were unable to find a registered user with this email address.": "ہم قابل نہیں تھے کو تلاش کرنے کے لئے ایک رجسٹرڈ صارف کے ساتھ اس ای میل ایڈریس.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "ہم اس ای میل پتے پر ایک ای میل بھیجیں گے جس کی آپ کو تصدیق کرنی ہوگی اس سے پہلے کہ ہم اس پتے پر اطلاعات بھیج سکیں۔", "What happens now?": "اب کیا ہوگا؟", "What is the loan?": "قرض کیا ہے؟", - "What permission should :name have?": "کیا اجازت ہونی چاہیے :name؟", + "What permission should :name have?": ":Name کو کیا اجازت ہونی چاہیے؟", "What permission should the user have?": "صارف کو کیا اجازت ہونی چاہیے؟", + "Whatsapp": "واٹس ایپ", "What should we use to display maps?": "ہمیں نقشے دکھانے کے لیے کیا استعمال کرنا چاہیے؟", "What would make today great?": "آج کا دن کیا اچھا بنائے گا؟", "When did the call happened?": "کال کب ہوئی؟", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "جب دو عنصر کی توثیق کو فعال کیا جاتا ہے، تو آپ کو تصدیق کے دوران ایک محفوظ، بے ترتیب ٹوکن کے لیے کہا جائے گا۔ آپ اس ٹوکن کو اپنے فون کی Google Authenticator ایپلیکیشن سے بازیافت کر سکتے ہیں۔", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "جب دو عنصر کی تصدیق کے چالو حالت میں ہے, آپ کو ہو جائے گا کی حوصلہ افزائی کے لئے ایک محفوظ ، بے ترتیب ٹوکن کے دوران تصدیق. آپ کر سکتے ہیں حاصل یہ ٹوکن کی طرف سے آپ کے فون کی گوگل Authenticator درخواست ہے.", "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "جب دو عنصر کی توثیق کو فعال کیا جاتا ہے، تو آپ کو تصدیق کے دوران ایک محفوظ، بے ترتیب ٹوکن کے لیے کہا جائے گا۔ آپ اس ٹوکن کو اپنے فون کی Authenticator ایپلیکیشن سے بازیافت کر سکتے ہیں۔", "When was the loan made?": "قرض کب دیا گیا؟", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "جب آپ دو رابطوں کے درمیان تعلق کی وضاحت کرتے ہیں، مثال کے طور پر باپ بیٹے کا رشتہ، مونیکا دو تعلقات بناتی ہے، ایک ہر رابطے کے لیے:", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "جب آپ دو رابطوں کے درمیان تعلق کی وضاحت کرتے ہیں، مثال کے طور پر باپ بیٹے کا رشتہ، Monica دو تعلقات بناتی ہے، ایک ہر رابطے کے لیے:", "Which email address should we send the notification to?": "ہمیں کس ای میل ایڈریس پر اطلاع بھیجنی چاہیے؟", "Who called?": "کس نے بلایا؟", "Who makes the loan?": "قرض کون دیتا ہے؟", @@ -1218,40 +1217,38 @@ "Write the amount with a dot if you need decimals, like 100.50": "اگر آپ کو اعشاریہ کی ضرورت ہو تو ڈاٹ کے ساتھ رقم لکھیں، جیسے 100.50", "Written on": "پر لکھا گیا۔", "wrote a note": "ایک نوٹ لکھا", - "xe\/xem": "کار \/ منظر", + "xe/xem": "xe/xem", "year": "سال", "Years": "سال", "You are here:": "آپ یہاں ہیں:", - "You are invited to join Monica": "آپ کو مونیکا میں شامل ہونے کی دعوت دی جاتی ہے۔", - "You are receiving this email because we received a password reset request for your account.": "آپ کو یہ ای میل اس لیے موصول ہو رہی ہے کیونکہ ہمیں آپ کے اکاؤنٹ کے لیے پاس ورڈ دوبارہ ترتیب دینے کی درخواست موصول ہوئی ہے۔", + "You are invited to join Monica": "آپ کو Monica میں شامل ہونے کی دعوت دی جاتی ہے۔", + "You are receiving this email because we received a password reset request for your account.": "آپ کو یہ ای میل موصول ہو رہا ہے کیونکہ ہم نے آپ کے اکاؤنٹ کے پاس پاسورٹ ری سیٹ کی درخواست موصول ہوئی ہے.", "you can't even use your current username or password to sign in,": "آپ سائن ان کرنے کے لیے اپنا موجودہ صارف نام یا پاس ورڈ بھی استعمال نہیں کر سکتے،", - "you can't even use your current username or password to sign in, ": "آپ سائن ان کرنے کے لیے اپنا موجودہ صارف نام یا پاس ورڈ بھی استعمال نہیں کر سکتے،", - "you can't import any data from your current Monica account(yet),": "آپ اپنے موجودہ مونیکا اکاؤنٹ (ابھی تک) سے کوئی ڈیٹا درآمد نہیں کر سکتے ہیں،", - "you can't import any data from your current Monica account(yet), ": "آپ اپنے موجودہ مونیکا اکاؤنٹ (ابھی تک) سے کوئی ڈیٹا درآمد نہیں کر سکتے ہیں،", + "you can't import any data from your current Monica account(yet),": "آپ اپنے موجودہ Monica اکاؤنٹ (ابھی تک) سے کوئی ڈیٹا درآمد نہیں کر سکتے،", "You can add job information to your contacts and manage the companies here in this tab.": "آپ اپنے رابطوں میں ملازمت کی معلومات شامل کر سکتے ہیں اور یہاں اس ٹیب میں کمپنیوں کا نظم کر سکتے ہیں۔", "You can add more account to log in to our service with one click.": "آپ ایک کلک کے ساتھ ہماری سروس میں لاگ ان کرنے کے لیے مزید اکاؤنٹ شامل کر سکتے ہیں۔", "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "آپ کو مختلف چینلز کے ذریعے مطلع کیا جا سکتا ہے: ای میلز، ایک ٹیلیگرام پیغام، فیس بک پر۔ تم فیصلہ کرو.", "You can change that at any time.": "آپ اسے کسی بھی وقت تبدیل کر سکتے ہیں۔", - "You can choose how you want Monica to display dates in the application.": "آپ انتخاب کر سکتے ہیں کہ آپ مونیکا کو درخواست میں تاریخیں کیسے دکھانا چاہتے ہیں۔", + "You can choose how you want Monica to display dates in the application.": "آپ انتخاب کر سکتے ہیں کہ آپ Monica کو درخواست میں تاریخیں کیسے دکھانا چاہتے ہیں۔", "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "آپ انتخاب کر سکتے ہیں کہ آپ کے اکاؤنٹ میں کون سی کرنسیوں کو فعال کیا جانا چاہیے، اور کون سی نہیں۔", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "آپ اپنی مرضی کے مطابق کر سکتے ہیں کہ آپ کے اپنے ذائقہ\/ثقافت کے مطابق رابطوں کو کیسے ظاہر کیا جائے۔ شاید آپ بانڈ جیمز کی بجائے جیمز بانڈ استعمال کرنا چاہیں گے۔ یہاں، آپ اپنی مرضی سے اس کی تعریف کر سکتے ہیں۔", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "آپ اپنی مرضی کے مطابق کر سکتے ہیں کہ آپ کے اپنے ذائقہ/ثقافت کے مطابق رابطوں کو کیسے ظاہر کیا جانا چاہیے۔ شاید آپ بانڈ جیمز کے بجائے جیمز بانڈ استعمال کرنا چاہیں گے۔ یہاں، آپ اپنی مرضی سے اس کی تعریف کر سکتے ہیں۔", "You can customize the criteria that let you track your mood.": "آپ اس معیار کو اپنی مرضی کے مطابق بنا سکتے ہیں جو آپ کو اپنے موڈ کو ٹریک کرنے دیتا ہے۔", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "آپ رابطوں کو والٹ کے درمیان منتقل کر سکتے ہیں۔ یہ تبدیلی فوری ہے۔ آپ رابطوں کو صرف ان والٹس میں منتقل کر سکتے ہیں جس کا آپ حصہ ہیں۔ تمام رابطوں کا ڈیٹا اس کے ساتھ منتقل ہو جائے گا۔", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "آپ رابطوں کو والٹ کے درمیان منتقل کر سکتے ہیں۔ یہ تبدیلی فوری ہے۔ آپ رابطوں کو صرف ان والٹس میں منتقل کر سکتے ہیں جن کا آپ حصہ ہیں۔ تمام رابطوں کا ڈیٹا اس کے ساتھ منتقل ہو جائے گا۔", "You cannot remove your own administrator privilege.": "آپ اپنے ایڈمنسٹریٹر کے استحقاق کو نہیں ہٹا سکتے۔", "You don’t have enough space left in your account.": "آپ کے اکاؤنٹ میں کافی جگہ باقی نہیں ہے۔", "You don’t have enough space left in your account. Please upgrade.": "آپ کے اکاؤنٹ میں کافی جگہ باقی نہیں ہے۔ براہ کرم اپ گریڈ کریں۔", - "You have been invited to join the :team team!": "آپ کو ٹیم ٹیم میں شامل ہونے کے لیے مدعو کیا گیا ہے!", - "You have enabled two factor authentication.": "آپ نے دو عنصر کی توثیق کو فعال کیا ہے۔", - "You have not enabled two factor authentication.": "آپ نے دو عنصر کی توثیق کو فعال نہیں کیا ہے۔", + "You have been invited to join the :team team!": "آپ کو مدعو کیا گیا ہے میں شامل ہونے کے لئے :team ٹیم!", + "You have enabled two factor authentication.": "آپ کو چالو حالت میں ہے دو عنصر کی تصدیق.", + "You have not enabled two factor authentication.": "آپ کو فعال نہیں دو عنصر کی تصدیق.", "You have not setup Telegram in your environment variables yet.": "آپ نے ابھی تک اپنے ماحول کے متغیرات میں ٹیلیگرام سیٹ اپ نہیں کیا ہے۔", "You haven’t received a notification in this channel yet.": "آپ کو ابھی تک اس چینل میں کوئی اطلاع موصول نہیں ہوئی ہے۔", "You haven’t setup Telegram yet.": "آپ نے ابھی تک ٹیلیگرام سیٹ اپ نہیں کیا ہے۔", "You may accept this invitation by clicking the button below:": "آپ نیچے دیئے گئے بٹن پر کلک کر کے اس دعوت کو قبول کر سکتے ہیں:", - "You may delete any of your existing tokens if they are no longer needed.": "آپ اپنے موجودہ ٹوکنز میں سے کسی کو حذف کر سکتے ہیں اگر ان کی مزید ضرورت نہیں ہے۔", - "You may not delete your personal team.": "آپ اپنی ذاتی ٹیم کو حذف نہیں کرسکتے ہیں۔", - "You may not leave a team that you created.": "آپ اپنی بنائی ہوئی ٹیم کو نہیں چھوڑ سکتے۔", + "You may delete any of your existing tokens if they are no longer needed.": "آپ حذف کر سکتے ہیں آپ کے کسی بھی موجودہ ٹوکن وہ کر رہے ہیں تو اب ضرورت نہیں.", + "You may not delete your personal team.": "آپ نہیں کر سکتے ہیں کو خارج کر دیں آپ کی ذاتی کی ٹیم.", + "You may not leave a team that you created.": "آپ کو چھوڑ نہیں کر سکتے ہیں کہ ایک ٹیم پیدا.", "You might need to reload the page to see the changes.": "تبدیلیاں دیکھنے کے لیے آپ کو صفحہ کو دوبارہ لوڈ کرنے کی ضرورت پڑ سکتی ہے۔", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "رابطوں کو ظاہر کرنے کے لیے آپ کو کم از کم ایک ٹیمپلیٹ کی ضرورت ہے۔ ٹیمپلیٹ کے بغیر، مونیکا کو معلوم نہیں ہوگا کہ اسے کون سی معلومات ظاہر کرنی چاہیے۔", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "رابطوں کو ظاہر کرنے کے لیے آپ کو کم از کم ایک ٹیمپلیٹ کی ضرورت ہے۔ ٹیمپلیٹ کے بغیر، Monica کو معلوم نہیں ہوگا کہ اسے کون سی معلومات ظاہر کرنی چاہیے۔", "Your account current usage": "آپ کے اکاؤنٹ کا موجودہ استعمال", "Your account has been created": "آپکا اکاؤنٹ بنا دیا گیا ہے", "Your account is linked": "آپ کا اکاؤنٹ منسلک ہے۔", @@ -1265,16 +1262,16 @@ "Your mood that you logged at this date": "آپ کا مزاج جو آپ نے اس تاریخ پر لاگ ان کیا ہے۔", "Your mood this year": "اس سال آپ کا مزاج", "Your name here will be used to add yourself as a contact.": "یہاں آپ کا نام اپنے آپ کو بطور رابطہ شامل کرنے کے لیے استعمال کیا جائے گا۔", - "You wanted to be reminded of the following:": "آپ درج ذیل کی یاد دلانا چاہتے تھے:", - "You WILL still have to delete your account on Monica or OfficeLife.": "آپ کو اب بھی مونیکا یا آفس لائف پر اپنا اکاؤنٹ حذف کرنا پڑے گا۔", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "آپ کو یہ ای میل ایڈریس مونیکا میں استعمال کرنے کے لیے مدعو کیا گیا ہے، جو ایک اوپن سورس ذاتی CRM ہے، لہذا ہم اسے آپ کو اطلاعات بھیجنے کے لیے استعمال کر سکتے ہیں۔", - "ze\/hir": "اس کو", + "You wanted to be reminded of the following:": "آپ مندرجہ ذیل کی یاد دلانا چاہتے تھے:", + "You WILL still have to delete your account on Monica or OfficeLife.": "آپ کو اب بھی Monica یا آفس لائف پر اپنا اکاؤنٹ حذف کرنا پڑے گا۔", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "آپ کو یہ ای میل ایڈریس Monica میں استعمال کرنے کے لیے مدعو کیا گیا ہے، جو ایک اوپن سورس ذاتی CRM ہے، لہذا ہم آپ کو اطلاعات بھیجنے کے لیے اس کا استعمال کر سکتے ہیں۔", + "ze/hir": "ze/hir", "⚠️ Danger zone": "⚠️ خطرہ زون", "🌳 Chalet": "🌳 چیلیٹ", "🏠 Secondary residence": "🏠 ثانوی رہائش گاہ", "🏡 Home": "🏡 گھر", "🏢 Work": "🏢 کام", - "🔔 Reminder: :label for :contactName": "🔔 یاد دہانی: :label for :contactName", + "🔔 Reminder: :label for :contactName": "🔔 یاد دہانی: :contactName کے لیے :label", "😀 Good": "😀 اچھا", "😁 Positive": "😁 مثبت", "😐 Meh": "😐 مہ", diff --git a/lang/ur/pagination.php b/lang/ur/pagination.php index db56423b470..288286130dd 100644 --- a/lang/ur/pagination.php +++ b/lang/ur/pagination.php @@ -1,6 +1,6 @@ 'آئندہ »', - 'previous' => '« گزشتہ', + 'next' => 'آئندہ ❯', + 'previous' => '❮ گزشتہ', ]; diff --git a/lang/ur/validation.php b/lang/ur/validation.php index 98b5316b324..5fc3780c46c 100644 --- a/lang/ur/validation.php +++ b/lang/ur/validation.php @@ -93,6 +93,7 @@ 'string' => ':Attribute لازماً :min اور :max کریکٹرز کے درمیان ہو۔', ], 'boolean' => ':Attribute لازماً درست یا غلط ہونا چاہیے۔', + 'can' => ':Attribute فیلڈ میں ایک غیر مجاز قدر شامل ہے۔', 'confirmed' => ':Attribute تصدیق سے مطابقت نہیں رکھتا۔', 'current_password' => 'پاس ورڈ غلط ہے۔', 'date' => ':Attribute قابلِ قبول تاریخ نہیں ہے۔', diff --git a/lang/vi.json b/lang/vi.json index de6e0badea7..9ea83f303d1 100644 --- a/lang/vi.json +++ b/lang/vi.json @@ -1,10 +1,10 @@ { - "(and :count more error)": "(và :đếm thêm lỗi)", - "(and :count more errors)": "(và :đếm nhiều lỗi hơn)", + "(and :count more error)": "(và :count lỗi khác)", + "(and :count more errors)": "(và :count lỗi khác)", "(Help)": "(Giúp đỡ)", - "+ add a contact": "+ Thêm một số liên lạc", + "+ add a contact": "+ thêm một liên hệ", "+ add another": "+ thêm cái khác", - "+ add another photo": "+ Thêm ảnh khác", + "+ add another photo": "+ thêm một bức ảnh khác", "+ add description": "+ thêm mô tả", "+ add distance": "+ thêm khoảng cách", "+ add emotion": "+ thêm cảm xúc", @@ -13,124 +13,124 @@ "+ add title": "+ thêm tiêu đề", "+ change date": "+ thay đổi ngày", "+ change template": "+ thay đổi mẫu", - "+ create a group": "+ Tạo nhóm", + "+ create a group": "+ tạo nhóm", "+ gender": "+ giới tính", "+ last name": "+ họ", "+ maiden name": "+ tên thời con gái", "+ middle name": "+ tên đệm", "+ nickname": "+ biệt danh", - "+ note": "+ lưu ý", + "+ note": "+ ghi chú", "+ number of hours slept": "+ số giờ ngủ", "+ prefix": "+ tiền tố", - "+ pronoun": "+ xu hướng", + "+ pronoun": "+ đại từ", "+ suffix": "+ hậu tố", - ":count contact|:count contacts": ":đếm số liên lạc|:đếm số liên lạc", - ":count hour slept|:count hours slept": ":đếm giờ ngủ|:đếm giờ ngủ", - ":count min read": ": đếm phút đọc", - ":count post|:count posts": ":đếm bài|:đếm bài", - ":count template section|:count template sections": ":đếm phần mẫu|:đếm phần mẫu", - ":count word|:count words": ":đếm từ|:đếm từ", - ":distance km": ":khoảng cách km", - ":distance miles": ": dặm đường", + ":count contact|:count contacts": ":count liên hệ", + ":count hour slept|:count hours slept": "ngủ :count tiếng", + ":count min read": ":count phút đọc", + ":count post|:count posts": ":count bài đăng", + ":count template section|:count template sections": ":count phần mẫu", + ":count word|:count words": ":count từ", + ":distance km": ":distance km", + ":distance miles": ":distance dặm", ":file at line :line": ":file tại dòng :line", ":file in :class at line :line": ":file trong :class tại dòng :line", - ":Name called": ": tên được gọi", - ":Name called, but I didn’t answer": ":gọi tên nhưng tôi không trả lời", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName mời bạn tham gia Monica, một CRM cá nhân mã nguồn mở, được thiết kế để giúp bạn ghi lại các mối quan hệ của mình.", - "Accept Invitation": "Chấp nhận lời mời", + ":Name called": ":Name đã gọi", + ":Name called, but I didn’t answer": ":Name đã gọi nhưng tôi không trả lời", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName mời bạn tham gia Monica, một CRM cá nhân nguồn mở, được thiết kế để giúp bạn ghi lại các mối quan hệ của mình.", + "Accept Invitation": "Chấp Nhận Lời Mời", "Accept invitation and create your account": "Chấp nhận lời mời và tạo tài khoản của bạn", "Account and security": "Tài khoản và bảo mật", "Account settings": "Cài đặt tài khoản", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Một thông tin liên lạc có thể được bấm. Chẳng hạn, có thể nhấp vào một số điện thoại và khởi chạy ứng dụng mặc định trong máy tính của bạn. Nếu bạn không biết giao thức cho loại bạn đang thêm, bạn chỉ cần bỏ qua trường này.", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "Một thông tin liên lạc có thể nhấp vào được. Ví dụ: bạn có thể nhấp vào một số điện thoại và khởi chạy ứng dụng mặc định trong máy tính của mình. Nếu bạn không biết giao thức cho loại bạn đang thêm, bạn có thể bỏ qua trường này.", "Activate": "Kích hoạt", - "Activity feed": "nguồn cấp dữ liệu hoạt động", - "Activity in this vault": "Hoạt động trong hầm này", - "Add": "Thêm vào", - "add a call reason type": "thêm một loại lý do cuộc gọi", + "Activity feed": "Nguồn cấp dữ liệu hoạt động", + "Activity in this vault": "Hoạt động trong vault này", + "Add": "Thêm", + "add a call reason type": "thêm loại lý do cuộc gọi", "Add a contact": "Thêm một liên hệ", - "Add a contact information": "Thêm một thông tin liên lạc", - "Add a date": "thêm một ngày", + "Add a contact information": "Thêm thông tin liên hệ", + "Add a date": "Thêm một ngày", "Add additional security to your account using a security key.": "Thêm bảo mật bổ sung cho tài khoản của bạn bằng khóa bảo mật.", - "Add additional security to your account using two factor authentication.": "Thêm bảo mật bổ sung cho tài khoản của bạn bằng xác thực hai yếu tố.", - "Add a document": "Thêm một tài liệu", - "Add a due date": "Thêm ngày đáo hạn", + "Add additional security to your account using two factor authentication.": "Thêm bảo mật bổ sung cho tài khoản của bạn bằng cách sử dụng xác minh hai yếu tố.", + "Add a document": "Thêm tài liệu", + "Add a due date": "Thêm ngày đến hạn", "Add a gender": "Thêm giới tính", - "Add a gift occasion": "Thêm một dịp tặng quà", + "Add a gift occasion": "Thêm dịp tặng quà", "Add a gift state": "Thêm trạng thái quà tặng", - "Add a goal": "Thêm một mục tiêu", + "Add a goal": "Thêm mục tiêu", "Add a group type": "Thêm loại nhóm", "Add a header image": "Thêm hình ảnh tiêu đề", "Add a label": "Thêm nhãn", "Add a life event": "Thêm một sự kiện cuộc sống", "Add a life event category": "Thêm danh mục sự kiện trong đời", - "add a life event type": "thêm một loại sự kiện cuộc sống", + "add a life event type": "thêm loại sự kiện cuộc sống", "Add a module": "Thêm một mô-đun", "Add an address": "Thêm một địa chỉ", - "Add an address type": "Thêm một loại địa chỉ", + "Add an address type": "Thêm loại địa chỉ", "Add an email address": "Thêm địa chỉ email", - "Add an email to be notified when a reminder occurs.": "Thêm một email để được thông báo khi có lời nhắc.", + "Add an email to be notified when a reminder occurs.": "Thêm email để được thông báo khi có lời nhắc.", "Add an entry": "Thêm một mục", - "add a new metric": "thêm một số liệu mới", - "Add a new team member to your team, allowing them to collaborate with you.": "Thêm thành viên nhóm mới vào nhóm của bạn, cho phép họ cộng tác với bạn.", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Thêm một ngày quan trọng để ghi nhớ những điều quan trọng đối với bạn về người này, chẳng hạn như ngày sinh hoặc ngày mất.", + "add a new metric": "thêm số liệu mới", + "Add a new team member to your team, allowing them to collaborate with you.": "Thêm một thành viên nhóm mới vào nhóm của bạn, cho phép họ cộng tác với bạn.", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "Thêm một ngày quan trọng để ghi nhớ những điều quan trọng với bạn về người này, chẳng hạn như ngày sinh hoặc ngày mất.", "Add a note": "Thêm một lưu ý", - "Add another life event": "Thêm một sự kiện khác trong cuộc sống", - "Add a page": "thêm một trang", + "Add another life event": "Thêm một sự kiện cuộc sống khác", + "Add a page": "Thêm một trang", "Add a parameter": "Thêm một tham số", - "Add a pet": "Thêm một con vật cưng", - "Add a photo": "thêm ảnh", - "Add a photo to a journal entry to see it here.": "Thêm một bức ảnh vào một mục tạp chí để xem nó ở đây.", + "Add a pet": "Thêm thú cưng", + "Add a photo": "Thêm ảnh", + "Add a photo to a journal entry to see it here.": "Thêm ảnh vào mục nhật ký để xem nó ở đây.", "Add a post template": "Thêm mẫu bài đăng", "Add a pronoun": "Thêm một đại từ", "add a reason": "thêm một lý do", - "Add a relationship": "Thêm một mối quan hệ", - "Add a relationship group type": "Thêm loại nhóm quan hệ", - "Add a relationship type": "Thêm một loại mối quan hệ", + "Add a relationship": "Thêm mối quan hệ", + "Add a relationship group type": "Thêm loại nhóm mối quan hệ", + "Add a relationship type": "Thêm loại mối quan hệ", "Add a religion": "Thêm một tôn giáo", "Add a reminder": "Thêm lời nhắc", "add a role": "thêm một vai trò", "add a section": "thêm một phần", "Add a tag": "Thêm một đánh dấu", - "Add a task": "Thêm một nhiệm vụ", - "Add a template": "Thêm một mẫu", + "Add a task": "Thêm nhiệm vụ", + "Add a template": "Thêm mẫu", "Add at least one module.": "Thêm ít nhất một mô-đun.", - "Add a type": "thêm một loại", + "Add a type": "Thêm một loại", "Add a user": "Thêm người dùng", "Add a vault": "Thêm một kho tiền", - "Add date": "thêm ngày", - "Added.": "Thêm.", - "added a contact information": "đã thêm một thông tin liên lạc", + "Add date": "Thêm ngày", + "Added.": "Đã thêm.", + "added a contact information": "đã thêm thông tin liên hệ", "added an address": "đã thêm một địa chỉ", "added an important date": "đã thêm một ngày quan trọng", - "added a pet": "đã thêm một con vật cưng", + "added a pet": "đã thêm thú cưng", "added the contact to a group": "đã thêm liên hệ vào một nhóm", - "added the contact to a post": "đã thêm liên hệ vào một bài đăng", + "added the contact to a post": "đã thêm liên hệ vào bài viết", "added the contact to the favorites": "đã thêm liên hệ vào mục yêu thích", - "Add genders to associate them to contacts.": "Thêm giới tính để liên kết chúng với danh bạ.", + "Add genders to associate them to contacts.": "Thêm giới tính để liên kết họ với danh bạ.", "Add loan": "Thêm khoản vay", - "Add one now": "Thêm một bây giờ", + "Add one now": "Thêm một cái bây giờ", "Add photos": "Thêm ảnh", "Address": "Địa chỉ", - "Addresses": "địa chỉ", - "Address type": "loại địa chỉ", - "Address types": "các loại địa chỉ", + "Addresses": "Địa chỉ", + "Address type": "Loại địa chỉ", + "Address types": "Các loại địa chỉ", "Address types let you classify contact addresses.": "Các loại địa chỉ cho phép bạn phân loại địa chỉ liên hệ.", - "Add Team Member": "Thêm thành viên nhóm", + "Add Team Member": "Thêm thành viên", "Add to group": "Thêm vào nhóm", - "Administrator": "Người quản lý", - "Administrator users can perform any action.": "Người dùng quản trị viên có thể thực hiện bất kỳ hành động nào.", - "a father-son relation shown on the father page,": "một mối quan hệ cha con được hiển thị trên trang cha,", + "Administrator": "Administrator", + "Administrator users can perform any action.": "Administrator có thể thực hiện bất kì hành động nào.", + "a father-son relation shown on the father page,": "mối quan hệ cha-con được hiển thị trên trang cha,", "after the next occurence of the date.": "sau lần xuất hiện tiếp theo của ngày.", "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "Một nhóm là hai hoặc nhiều người cùng nhau. Đó có thể là một gia đình, một hộ gia đình, một câu lạc bộ thể thao. Bất cứ điều gì là quan trọng với bạn.", - "All contacts in the vault": "Tất cả địa chỉ liên hệ trong kho tiền", - "All files": "Tất cả các tệp", - "All groups in the vault": "Tất cả các nhóm trong hầm", - "All journal metrics in :name": "Tất cả các chỉ số tạp chí trong :name", - "All of the people that are part of this team.": "Tất cả những người là một phần của đội này.", - "All rights reserved.": "Đã đăng ký Bản quyền.", + "All contacts in the vault": "Tất cả địa chỉ liên hệ trong vault", + "All files": "Tất cả các tập tin", + "All groups in the vault": "Tất cả các nhóm trong vault", + "All journal metrics in :name": "Tất cả số liệu tạp chí trong :name", + "All of the people that are part of this team.": "Tất cả người có trong nhóm.", + "All rights reserved.": "Đã đăng kí bản quyền", "All tags": "Tất cả các thẻ", "All the address types": "Tất cả các loại địa chỉ", - "All the best,": "Tất cả những điều tốt nhất,", + "All the best,": "Mọi điều tốt đẹp nhất,", "All the call reasons": "Tất cả các lý do cuộc gọi", "All the cities": "Tất cả các thành phố", "All the companies": "Tất cả các công ty", @@ -138,80 +138,80 @@ "All the countries": "Tất cả quốc gia", "All the currencies": "Tất cả các loại tiền tệ", "All the files": "Tất cả các tệp tin", - "All the genders": "Tất cả các giới tính", + "All the genders": "Tất cả giới tính", "All the gift occasions": "Tất cả các dịp tặng quà", "All the gift states": "Tất cả các trạng thái quà tặng", "All the group types": "Tất cả các loại nhóm", - "All the important dates": "Tất cả các ngày quan trọng", + "All the important dates": "Tất cả những ngày quan trọng", "All the important date types used in the vault": "Tất cả các loại ngày quan trọng được sử dụng trong vault", "All the journals": "Tất cả các tạp chí", - "All the labels used in the vault": "Tất cả các nhãn được sử dụng trong kho tiền", + "All the labels used in the vault": "Tất cả các nhãn được sử dụng trong vault", "All the notes": "Tất cả các ghi chú", - "All the pet categories": "Tất cả các loại vật nuôi", - "All the photos": "tất cả các bức ảnh", - "All the planned reminders": "Tất cả các lời nhắc theo kế hoạch", + "All the pet categories": "Tất cả các loại thú cưng", + "All the photos": "Tất cả các bức ảnh", + "All the planned reminders": "Tất cả lời nhắc theo kế hoạch", "All the pronouns": "Tất cả các đại từ", "All the relationship types": "Tất cả các loại mối quan hệ", "All the religions": "Tất cả các tôn giáo", "All the reports": "Tất cả các báo cáo", - "All the slices of life in :name": "Tất cả các lát cắt của cuộc sống trong :name", - "All the tags used in the vault": "Tất cả các thẻ được sử dụng trong kho tiền", + "All the slices of life in :name": "Tất cả những mảnh ghép cuộc sống trong :name", + "All the tags used in the vault": "Tất cả các thẻ được sử dụng trong vault", "All the templates": "Tất cả các mẫu", "All the vaults": "Tất cả các hầm", - "All the vaults in the account": "Tất cả các hầm trong tài khoản", - "All users and vaults will be deleted immediately,": "Tất cả người dùng và kho tiền sẽ bị xóa ngay lập tức,", + "All the vaults in the account": "Tất cả các kho tiền trong tài khoản", + "All users and vaults will be deleted immediately,": "Tất cả người dùng và vault sẽ bị xóa ngay lập tức,", "All users in this account": "Tất cả người dùng trong tài khoản này", "Already registered?": "Đã đăng ký?", "Already used on this page": "Đã được sử dụng trên trang này", "A new verification link has been sent to the email address you provided during registration.": "Một liên kết xác minh mới đã được gửi đến địa chỉ email bạn đã cung cấp trong quá trình đăng ký.", - "A new verification link has been sent to the email address you provided in your profile settings.": "Một liên kết xác minh mới đã được gửi đến địa chỉ email bạn đã cung cấp trong cài đặt hồ sơ của mình.", + "A new verification link has been sent to the email address you provided in your profile settings.": "Một liên kết xác minh mới đã được gửi đến địa chỉ email được bạn cung cấp trong cài đặt hồ sơ của mình.", "A new verification link has been sent to your email address.": "Một liên kết xác minh mới đã được gửi đến địa chỉ email của bạn.", "Anniversary": "Dịp kỉ niệm", - "Apartment, suite, etc…": "Căn hộ, căn hộ, vv…", - "API Token": "Mã thông báo API", - "API Token Permissions": "Quyền đối với mã thông báo API", - "API Tokens": "Mã thông báo API", - "API tokens allow third-party services to authenticate with our application on your behalf.": "Mã thông báo API cho phép các dịch vụ của bên thứ ba thay mặt bạn xác thực với ứng dụng của chúng tôi.", + "Apartment, suite, etc…": "Căn hộ, dãy phòng, v.v…", + "API Token": "API Token", + "API Token Permissions": "Quyền hạn API Token", + "API Tokens": "API Tokens", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API token cho phép các dịch vụ của bên thứ ba thay mặt bạn xác thực ứng dụng của chúng tôi.", "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "Mẫu bài đăng xác định cách hiển thị nội dung của bài đăng. Bạn có thể xác định bao nhiêu mẫu tùy thích và chọn mẫu nào sẽ được sử dụng cho bài đăng nào.", "Archive": "Lưu trữ", "Archive contact": "Lưu trữ liên hệ", - "archived the contact": "lưu trữ liên lạc", + "archived the contact": "đã lưu trữ liên hệ", "Are you sure? The address will be deleted immediately.": "Bạn có chắc không? Địa chỉ sẽ bị xóa ngay lập tức.", "Are you sure? This action cannot be undone.": "Bạn có chắc không? Hành động này không thể được hoàn tác.", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Bạn có chắc không? Thao tác này sẽ xóa tất cả các lý do cuộc gọi thuộc loại này đối với tất cả những người liên hệ đang sử dụng nó.", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "Bạn có chắc không? Thao tác này sẽ xóa tất cả lý do cuộc gọi thuộc loại này đối với tất cả những người liên hệ đang sử dụng nó.", "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "Bạn có chắc không? Thao tác này sẽ xóa tất cả các mối quan hệ thuộc loại này đối với tất cả các liên hệ đang sử dụng nó.", - "Are you sure? This will delete the contact information permanently.": "Bạn có chắc không? Thao tác này sẽ xóa thông tin liên hệ vĩnh viễn.", + "Are you sure? This will delete the contact information permanently.": "Bạn có chắc không? Điều này sẽ xóa thông tin liên lạc vĩnh viễn.", "Are you sure? This will delete the document permanently.": "Bạn có chắc không? Điều này sẽ xóa tài liệu vĩnh viễn.", - "Are you sure? This will delete the goal and all the streaks permanently.": "Bạn có chắc không? Thao tác này sẽ xóa vĩnh viễn mục tiêu và tất cả các vệt.", - "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Bạn có chắc không? Thao tác này sẽ xóa các loại địa chỉ khỏi tất cả các liên hệ nhưng sẽ không xóa chính các liên hệ đó.", + "Are you sure? This will delete the goal and all the streaks permanently.": "Bạn có chắc không? Điều này sẽ xóa mục tiêu và tất cả các đường sọc vĩnh viễn.", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "Bạn có chắc không? Thao tác này sẽ xóa các loại địa chỉ khỏi tất cả địa chỉ liên hệ nhưng sẽ không xóa chính địa chỉ liên hệ đó.", "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "Bạn có chắc không? Thao tác này sẽ xóa các loại thông tin liên hệ khỏi tất cả các liên hệ nhưng sẽ không xóa chính các liên hệ đó.", - "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Bạn có chắc không? Thao tác này sẽ xóa giới tính khỏi tất cả các liên hệ nhưng sẽ không xóa chính các liên hệ đó.", - "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Bạn có chắc không? Thao tác này sẽ xóa mẫu khỏi tất cả các liên hệ nhưng sẽ không xóa chính các liên hệ đó.", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "Bạn có chắc không? Thao tác này sẽ xóa giới tính khỏi tất cả địa chỉ liên hệ nhưng sẽ không xóa chính địa chỉ liên hệ đó.", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "Bạn có chắc không? Thao tác này sẽ xóa mẫu khỏi tất cả địa chỉ liên hệ nhưng sẽ không xóa chính địa chỉ liên hệ đó.", "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "Bạn có chắc chắn muốn xóa nhóm này không? Khi một nhóm bị xóa, tất cả tài nguyên và dữ liệu của nhóm đó sẽ bị xóa vĩnh viễn.", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Bạn có chắc rằng bạn muốn xóa tài khoản của bạn? Sau khi tài khoản của bạn bị xóa, tất cả tài nguyên và dữ liệu của tài khoản đó sẽ bị xóa vĩnh viễn. Vui lòng nhập mật khẩu của bạn để xác nhận bạn muốn xóa vĩnh viễn tài khoản của mình.", - "Are you sure you would like to archive this contact?": "Bạn có chắc chắn muốn lưu trữ liên hệ này không?", - "Are you sure you would like to delete this API token?": "Bạn có chắc chắn muốn xóa mã thông báo API này không?", - "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Bạn có chắc chắn muốn xóa liên hệ này? Thao tác này sẽ xóa mọi thứ chúng tôi biết về liên hệ này.", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "Bạn có chắc rằng bạn muốn xóa tài khoản của bạn? Khi tài khoản của bạn bị xóa, tất cả tài nguyên và dữ liệu của tài khoản đó sẽ bị xóa vĩnh viễn. Vui lòng nhập mật khẩu của bạn để xác nhận rằng bạn muốn xóa vĩnh viễn tài khoản của mình.", + "Are you sure you would like to archive this contact?": "Bạn có chắc chắn muốn lưu trữ địa chỉ liên hệ này không?", + "Are you sure you would like to delete this API token?": "Bạn có chắc chắn muốn xóa API token này không?", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "Bạn có chắc chắn muốn xóa địa chỉ liên hệ này không? Điều này sẽ xóa mọi thứ chúng tôi biết về liên hệ này.", "Are you sure you would like to delete this key?": "Bạn có chắc chắn muốn xóa khóa này không?", - "Are you sure you would like to leave this team?": "Bạn có chắc chắn muốn rời khỏi đội này?", + "Are you sure you would like to leave this team?": "Bạn có chắc chắn muốn rời nhóm này không?", "Are you sure you would like to remove this person from the team?": "Bạn có chắc chắn muốn xóa người này khỏi nhóm không?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "Một lát cắt cuộc sống cho phép bạn nhóm các bài đăng theo nội dung nào đó có ý nghĩa với bạn. Thêm một lát cắt của cuộc sống trong một bài viết để xem nó ở đây.", - "a son-father relation shown on the son page.": "một mối quan hệ cha con được hiển thị trên trang son.", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "A slice of life cho phép bạn nhóm các bài đăng theo nội dung nào đó có ý nghĩa đối với bạn. Thêm một phần cuộc sống vào bài viết để xem nó ở đây.", + "a son-father relation shown on the son page.": "mối quan hệ cha-con được hiển thị trên trang con trai.", "assigned a label": "được gán nhãn", "Association": "Sự kết hợp", "At": "Tại", "at ": "Tại", "Ate": "Ăn", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Mẫu xác định cách hiển thị danh bạ. Bạn có thể có bao nhiêu mẫu tùy thích - chúng được xác định trong cài đặt Tài khoản của bạn. Tuy nhiên, bạn có thể muốn xác định một mẫu mặc định để tất cả các địa chỉ liên hệ của bạn trong vault này đều có mẫu này theo mặc định.", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Một mẫu được tạo thành từ các trang và trong mỗi trang có các mô-đun. Cách dữ liệu được hiển thị hoàn toàn tùy thuộc vào bạn.", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "Một mẫu xác định cách hiển thị các liên hệ. Bạn có thể có bao nhiêu mẫu tùy thích - chúng được xác định trong cài đặt Tài khoản của bạn. Tuy nhiên, bạn có thể muốn xác định một mẫu mặc định để tất cả các liên hệ của bạn trong vault này đều có mẫu này theo mặc định.", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "Một mẫu được tạo thành từ các trang và trong mỗi trang có các mô-đun. Cách dữ liệu được hiển thị hoàn toàn phụ thuộc vào bạn.", "Atheist": "người vô thần", - "At which time should we send the notification, when the reminder occurs?": "Chúng ta nên gửi thông báo vào thời điểm nào, nhắc nhở xảy ra vào thời điểm nào?", + "At which time should we send the notification, when the reminder occurs?": "Chúng ta nên gửi thông báo vào thời điểm nào khi lời nhắc xảy ra?", "Audio-only call": "Cuộc gọi chỉ có âm thanh", - "Auto saved a few seconds ago": "Đã lưu tự động vài giây trước", + "Auto saved a few seconds ago": "Tự động lưu vài giây trước", "Available modules:": "Các mô-đun có sẵn:", "Avatar": "hình đại diện", - "Avatars": "hình đại diện", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Trước khi tiếp tục, bạn có thể xác minh địa chỉ email của mình bằng cách nhấp vào liên kết chúng tôi vừa gửi cho bạn qua email không? Nếu bạn không nhận được email, chúng tôi sẽ sẵn lòng gửi cho bạn một email khác.", + "Avatars": "Hình đại diện", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "Trước khi tiếp tục, bạn có thể xác minh địa chỉ email của mình bằng cách nhấp vào liên kết mà chúng tôi vừa gửi qua email cho bạn không? Nếu bạn không nhận được email, chúng tôi sẽ sẵn lòng gửi cho bạn một email khác.", "best friend": "bạn tốt nhất", "Bird": "Chim", "Birthdate": "Ngày sinh", @@ -220,23 +220,23 @@ "boss": "ông chủ", "Bought": "Mua", "Breakdown of the current usage": "Phân tích mức sử dụng hiện tại", - "brother\/sister": "anh chị em", - "Browser Sessions": "Phiên trình duyệt", + "brother/sister": "anh chị/em", + "Browser Sessions": "Phiên làm việc Trình duyệt", "Buddhist": "Phật tử", "Business": "Việc kinh doanh", "By last updated": "Theo cập nhật lần cuối", "Calendar": "Lịch", - "Call reasons": "lý do cuộc gọi", - "Call reasons let you indicate the reason of calls you make to your contacts.": "Lý do cuộc gọi cho phép bạn cho biết lý do cuộc gọi mà bạn thực hiện với các số liên lạc của mình.", - "Calls": "cuộc gọi", - "Cancel": "Hủy bỏ", + "Call reasons": "Lý do gọi", + "Call reasons let you indicate the reason of calls you make to your contacts.": "Lý do cuộc gọi cho phép bạn cho biết lý do cuộc gọi bạn thực hiện đến các liên hệ của mình.", + "Calls": "Cuộc gọi", + "Cancel": "Hủy", "Cancel account": "Hủy tài khoản", - "Cancel all your active subscriptions": "Hủy tất cả các đăng ký đang hoạt động của bạn", + "Cancel all your active subscriptions": "Hủy tất cả đăng ký đang hoạt động của bạn", "Cancel your account": "Hủy tài khoản của bạn", "Can do everything, including adding or removing other users, managing billing and closing the account.": "Có thể làm mọi thứ, bao gồm thêm hoặc xóa người dùng khác, quản lý thanh toán và đóng tài khoản.", - "Can do everything, including adding or removing other users.": "Có thể làm mọi thứ, kể cả thêm hoặc xóa người dùng khác.", - "Can edit data, but can’t manage the vault.": "Có thể chỉnh sửa dữ liệu nhưng không thể quản lý kho tiền.", - "Can view data, but can’t edit it.": "Có thể xem dữ liệu, nhưng không thể chỉnh sửa nó.", + "Can do everything, including adding or removing other users.": "Có thể làm mọi thứ, bao gồm thêm hoặc xóa người dùng khác.", + "Can edit data, but can’t manage the vault.": "Có thể chỉnh sửa dữ liệu nhưng không thể quản lý vault.", + "Can view data, but can’t edit it.": "Có thể xem dữ liệu nhưng không thể chỉnh sửa dữ liệu.", "Can’t be moved or deleted": "Không thể di chuyển hoặc xóa", "Cat": "Con mèo", "Categories": "Thể loại", @@ -244,7 +244,7 @@ "Change": "Thay đổi", "Change date": "Thay đổi ngày", "Change permission": "Thay đổi quyền", - "Changes saved": "Đã lưu các thay đổi", + "Changes saved": "Đã lưu thay đổi", "Change template": "Thay đổi mẫu", "Child": "Đứa trẻ", "child": "đứa trẻ", @@ -255,70 +255,70 @@ "Choose a template": "Chọn một mẫu", "Choose a value": "Chọn một giá trị", "Chosen type:": "Loại đã chọn:", - "Christian": "Thiên chúa giáo", + "Christian": "Cơ Đốc giáo", "Christmas": "Giáng sinh", "City": "Thành phố", - "Click here to re-send the verification email.": "Nhấp vào đây để gửi lại email xác minh.", - "Click on a day to see the details": "Bấm vào một ngày để xem chi tiết", + "Click here to re-send the verification email.": "Click vào đây để gửi lại email xác minh.", + "Click on a day to see the details": "Click vào ngày để xem chi tiết", "Close": "Đóng", "close edit mode": "đóng chế độ chỉnh sửa", "Club": "Câu lạc bộ", - "Code": "Mã số", + "Code": "Mã", "colleague": "đồng nghiệp", "Companies": "Các công ty", "Company name": "Tên công ty", "Compared to Monica:": "So với Monica:", - "Configure how we should notify you": "Định cấu hình cách chúng tôi sẽ thông báo cho bạn", + "Configure how we should notify you": "Định cấu hình cách chúng tôi thông báo cho bạn", "Confirm": "Xác nhận", - "Confirm Password": "Xác nhận mật khẩu", + "Confirm Password": "Xác Nhận Mật Khẩu", "Connect": "Kết nối", - "Connected": "kết nối", + "Connected": "Đã kết nối", "Connect with your security key": "Kết nối với khóa bảo mật của bạn", - "Contact feed": "nguồn cấp dữ liệu liên hệ", + "Contact feed": "Nguồn cấp dữ liệu liên hệ", "Contact information": "Thông tin liên lạc", "Contact informations": "Thông tin liên hệ", "Contact information types": "Các loại thông tin liên hệ", "Contact name": "Tên Liên lạc", "Contacts": "Liên lạc", "Contacts in this post": "Liên hệ trong bài viết này", - "Contacts in this slice": "Liên hệ trong lát cắt này", + "Contacts in this slice": "Địa chỉ liên hệ trong phần này", "Contacts will be shown as follow:": "Danh bạ sẽ được hiển thị như sau:", "Content": "Nội dung", "Copied.": "Đã sao chép.", "Copy": "Sao chép", - "Copy value into the clipboard": "Sao chép giá trị vào khay nhớ tạm", + "Copy value into the clipboard": "Sao chép giá trị vào clipboard", "Could not get address book data.": "Không thể lấy dữ liệu sổ địa chỉ.", "Country": "Quốc gia", "Couple": "Cặp đôi", "cousin": "anh em họ", - "Create": "Tạo nên", + "Create": "Thêm", "Create account": "Tạo tài khoản", - "Create Account": "Tạo tài khoản", + "Create Account": "Tạo Tài Khoản", "Create a contact": "Tạo một liên hệ", - "Create a contact entry for this person": "Tạo mục liên hệ cho người này", - "Create a journal": "Tạo nhật ký", - "Create a journal metric": "Tạo một số liệu tạp chí", + "Create a contact entry for this person": "Tạo một mục liên hệ cho người này", + "Create a journal": "Tạo một tạp chí", + "Create a journal metric": "Tạo số liệu tạp chí", "Create a journal to document your life.": "Tạo một tạp chí để ghi lại cuộc sống của bạn.", "Create an account": "Tạo một tài khoản", "Create a new address": "Tạo một địa chỉ mới", "Create a new team to collaborate with others on projects.": "Tạo một nhóm mới để cộng tác với những người khác trong các dự án.", - "Create API Token": "Tạo mã thông báo API", + "Create API Token": "Tạo API Token", "Create a post": "Tạo một bài đăng", "Create a reminder": "Tạo lời nhắc", - "Create a slice of life": "Tạo một lát cắt của cuộc sống", + "Create a slice of life": "Tạo một lát cắt cuộc sống", "Create at least one page to display contact’s data.": "Tạo ít nhất một trang để hiển thị dữ liệu của liên hệ.", "Create at least one template to use Monica.": "Tạo ít nhất một mẫu để sử dụng Monica.", "Create a user": "Tạo người dùng", "Create a vault": "Tạo một kho tiền", - "Created.": "Tạo.", + "Created.": "Đã thêm.", "created a goal": "đã tạo ra một mục tiêu", "created the contact": "đã tạo liên hệ", "Create label": "Tạo nhãn", "Create new label": "Tạo nhãn mới", "Create new tag": "Tạo thẻ mới", - "Create New Team": "Tạo nhóm mới", + "Create New Team": "Tạo Nhóm mới", "Create Team": "Tạo nhóm", - "Currencies": "tiền tệ", + "Currencies": "Tiền tệ", "Currency": "Tiền tệ", "Current default": "Mặc định hiện tại", "Current language:": "Ngôn ngữ hiện tại:", @@ -332,42 +332,42 @@ "Current way of displaying numbers:": "Cách hiển thị số hiện tại:", "Customize how contacts should be displayed": "Tùy chỉnh cách hiển thị danh bạ", "Custom name order": "Thứ tự tên tùy chỉnh", - "Daily affirmation": "khẳng định hàng ngày", - "Dashboard": "bảng điều khiển", + "Daily affirmation": "Khẳng định hàng ngày", + "Dashboard": "Bảng điều khiển", "date": "ngày", - "Date of the event": "Ngày của sự kiện", - "Date of the event:": "Ngày của sự kiện:", - "Date type": "loại ngày", - "Date types are essential as they let you categorize dates that you add to a contact.": "Các loại ngày rất cần thiết vì chúng cho phép bạn phân loại ngày mà bạn thêm vào một liên hệ.", + "Date of the event": "Ngày diễn ra sự kiện", + "Date of the event:": "Ngày diễn ra sự kiện:", + "Date type": "Loại ngày", + "Date types are essential as they let you categorize dates that you add to a contact.": "Loại ngày rất cần thiết vì chúng cho phép bạn phân loại ngày mà bạn thêm vào liên hệ.", "Day": "Ngày", "day": "ngày", - "Deactivate": "hủy kích hoạt", - "Deceased date": "ngày chết", - "Default template": "mẫu mặc định", + "Deactivate": "Vô hiệu hóa", + "Deceased date": "Ngày mất", + "Default template": "Mẫu mặc định", "Default template to display contacts": "Mẫu mặc định để hiển thị danh bạ", - "Delete": "Xóa bỏ", - "Delete Account": "Xóa tài khoản", + "Delete": "Xóa", + "Delete Account": "Xóa Tài khoản", "Delete a new key": "Xóa khóa mới", - "Delete API Token": "Xóa mã thông báo API", + "Delete API Token": "Xóa API Token", "Delete contact": "Xóa liên lạc", "deleted a contact information": "đã xóa thông tin liên hệ", "deleted a goal": "đã xóa một mục tiêu", "deleted an address": "đã xóa một địa chỉ", "deleted an important date": "đã xóa một ngày quan trọng", "deleted a note": "đã xóa một ghi chú", - "deleted a pet": "đã xóa một con vật cưng", + "deleted a pet": "đã xóa thú cưng", "Deleted author": "Đã xóa tác giả", "Delete group": "Xóa nhóm", "Delete journal": "Xóa tạp chí", - "Delete Team": "Xóa nhóm", + "Delete Team": "Xóa Nhóm", "Delete the address": "Xóa địa chỉ", "Delete the photo": "Xóa ảnh", "Delete the slice": "Xóa lát cắt", "Delete the vault": "Xóa kho tiền", - "Delete your account on https:\/\/customers.monicahq.com.": "Xóa tài khoản của bạn trên https:\/\/customers.monicahq.com.", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Xóa kho tiền có nghĩa là xóa vĩnh viễn tất cả dữ liệu bên trong kho tiền này. Không có quay trở lại. Hãy chắc chắn.", + "Delete your account on https://customers.monicahq.com.": "Xóa tài khoản của bạn trên https://customers.monicahq.com.", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "Xóa vault có nghĩa là xóa tất cả dữ liệu bên trong vault này mãi mãi. Không có quay trở lại. Xin hãy chắc chắn.", "Description": "Sự miêu tả", - "Detail of a goal": "Chi tiết mục tiêu", + "Detail of a goal": "Chi tiết về một mục tiêu", "Details in the last year": "Chi tiết trong năm qua", "Disable": "Vô hiệu hóa", "Disable all": "Vô hiệu hóa tất cả", @@ -375,7 +375,7 @@ "Discuss partnership": "Thảo luận về quan hệ đối tác", "Discuss recent purchases": "Thảo luận về các giao dịch mua gần đây", "Dismiss": "Miễn nhiệm", - "Display help links in the interface to help you (English only)": "Hiển thị các liên kết trợ giúp trong giao diện để giúp bạn (chỉ có tiếng Anh)", + "Display help links in the interface to help you (English only)": "Hiển thị link trợ giúp trong giao diện để giúp bạn (chỉ có tiếng Anh)", "Distance": "Khoảng cách", "Documents": "Các tài liệu", "Dog": "Chó", @@ -388,73 +388,72 @@ "Edit": "Biên tập", "edit": "biên tập", "Edit a contact": "Chỉnh sửa liên hệ", - "Edit a journal": "Chỉnh sửa nhật ký", + "Edit a journal": "Chỉnh sửa một tạp chí", "Edit a post": "Chỉnh sửa bài đăng", - "edited a note": "đã chỉnh sửa ghi chú", + "edited a note": "đã chỉnh sửa một ghi chú", "Edit group": "Chỉnh sửa nhóm", "Edit journal": "Chỉnh sửa tạp chí", "Edit journal information": "Chỉnh sửa thông tin tạp chí", "Edit journal metrics": "Chỉnh sửa số liệu tạp chí", - "Edit names": "chỉnh sửa tên", - "Editor": "biên tập viên", - "Editor users have the ability to read, create, and update.": "Người dùng biên tập có khả năng đọc, tạo và cập nhật.", + "Edit names": "Chỉnh sửa tên", + "Editor": "Editor", + "Editor users have the ability to read, create, and update.": "Editor có quyền đọc, thêm, cập nhật.", "Edit post": "Chỉnh sửa bài", - "Edit Profile": "Chỉnh sửa hồ sơ", + "Edit Profile": "Sửa Hồ Sơ", "Edit slice of life": "Chỉnh sửa lát cắt cuộc sống", - "Edit the group": "chỉnh sửa nhóm", + "Edit the group": "Chỉnh sửa nhóm", "Edit the slice of life": "Chỉnh sửa lát cắt cuộc sống", - "Email": "E-mail", + "Email": "Email", "Email address": "Địa chỉ email", "Email address to send the invitation to": "Địa chỉ email để gửi lời mời đến", - "Email Password Reset Link": "Liên kết đặt lại mật khẩu email", - "Enable": "Cho phép", + "Email Password Reset Link": "Email khôi phục mật khẩu", + "Enable": "Kích hoạt", "Enable all": "Cho phép tất cả", "Ensure your account is using a long, random password to stay secure.": "Đảm bảo tài khoản của bạn đang sử dụng mật khẩu dài, ngẫu nhiên để giữ an toàn.", "Enter a number from 0 to 100000. No decimals.": "Nhập một số từ 0 đến 100000. Không có số thập phân.", - "Events this month": "Sự kiện tháng này", + "Events this month": "Sự kiện trong tháng này", "Events this week": "Sự kiện tuần này", "Events this year": "Sự kiện năm nay", "Every": "Mọi", "ex-boyfriend": "bạn trai cũ", "Exception:": "Ngoại lệ:", - "Existing company": "công ty hiện tại", - "External connections": "kết nối bên ngoài", + "Existing company": "Công ty hiện tại", + "External connections": "Kết nối bên ngoài", + "Facebook": "Facebook", "Family": "Gia đình", - "Family summary": "tóm tắt gia đình", - "Favorites": "yêu thích", + "Family summary": "Tóm tắt gia đình", + "Favorites": "Yêu thích", "Female": "Nữ giới", "Files": "Các tập tin", "Filter": "Lọc", "Filter list or create a new label": "Lọc danh sách hoặc tạo nhãn mới", "Filter list or create a new tag": "Lọc danh sách hoặc tạo thẻ mới", - "Find a contact in this vault": "Tìm một liên hệ trong hầm này", - "Finish enabling two factor authentication.": "Hoàn tất kích hoạt xác thực hai yếu tố.", + "Find a contact in this vault": "Tìm người liên hệ trong vault này", + "Finish enabling two factor authentication.": "Hoàn tất việc bật xác minh hai yếu tố.", "First name": "Tên đầu tiên", - "First name Last name": "Tên Họ", + "First name Last name": "Họ và tên", "First name Last name (nickname)": "Tên Họ (biệt danh)", "Fish": "Cá", "Food preferences": "Sở thích ăn uống", "for": "vì", "For:": "Vì:", - "For advice": "để được tư vấn", - "Forbidden": "Cấm", - "Forgot password?": "Quên mật khẩu?", + "For advice": "Để được tư vấn", + "Forbidden": "Cấm Truy Cập", "Forgot your password?": "Quên mật khẩu?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Quên mật khẩu? Không có gì. Chỉ cần cho chúng tôi biết địa chỉ email của bạn và chúng tôi sẽ gửi email cho bạn liên kết đặt lại mật khẩu cho phép bạn chọn một mật khẩu mới.", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "Quên mật khẩu? Không vấn đề gì. Chỉ cần cho chúng tôi biết địa chỉ email của bạn và chúng tôi sẽ gửi cho bạn một liên kết đặt lại mật khẩu qua email cho phép bạn chọn một mật khẩu mới.", "For your security, please confirm your password to continue.": "Để bảo mật cho bạn, vui lòng xác nhận mật khẩu của bạn để tiếp tục.", "Found": "Thành lập", "Friday": "Thứ sáu", - "Friend": "người bạn", + "Friend": "Bạn bè", "friend": "người bạn", "From A to Z": "Từ A đến Z", "From Z to A": "Từ Z đến A", "Gender": "Giới tính", "Gender and pronoun": "Giới tính và đại từ", - "Genders": "giới tính", - "Gift center": "trung tâm quà tặng", - "Gift occasions": "dịp tặng quà", + "Genders": "Giới tính", + "Gift occasions": "Dịp tặng quà", "Gift occasions let you categorize all your gifts.": "Các dịp tặng quà cho phép bạn phân loại tất cả quà tặng của mình.", - "Gift states": "trạng thái quà tặng", + "Gift states": "Trạng thái quà tặng", "Gift states let you define the various states for your gifts.": "Trạng thái quà tặng cho phép bạn xác định các trạng thái khác nhau cho quà tặng của mình.", "Give this email address a name": "Đặt tên cho địa chỉ email này", "Goals": "Bàn thắng", @@ -462,165 +461,167 @@ "godchild": "con nuôi", "godparent": "cha mẹ đỡ đầu", "Google Maps": "bản đồ Google", - "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps cung cấp độ chính xác và chi tiết tốt nhất, nhưng nó không lý tưởng từ quan điểm bảo mật.", - "Got fired": "bị sa thải", - "Go to page :page": "Tới trang :trang", - "grand child": "đứa cháu lớn", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "Google Maps cung cấp độ chính xác và chi tiết tốt nhất nhưng nó không lý tưởng từ quan điểm bảo mật.", + "Got fired": "Bị sa thải", + "Go to page :page": "Tới trang :page", + "grand child": "cháu nội", "grand parent": "ông bà", - "Great! You have accepted the invitation to join the :team team.": "Tuyệt vời! Bạn đã chấp nhận lời mời tham gia nhóm :team.", - "Group journal entries together with slices of life.": "Nhóm các mục nhật ký cùng với các lát cắt của cuộc sống.", + "Great! You have accepted the invitation to join the :team team.": "Tuyệt! Bạn đã chấp nhận lời mời tham gia vào nhóm :team.", + "Group journal entries together with slices of life.": "Nhóm các mục nhật ký lại với nhau bằng những lát cắt của cuộc sống.", "Groups": "Các nhóm", - "Groups let you put your contacts together in a single place.": "Các nhóm cho phép bạn tập hợp các liên hệ của mình ở một nơi duy nhất.", - "Group type": "loại nhóm", - "Group type: :name": "Loại nhóm: :tên", - "Group types": "các loại nhóm", + "Groups let you put your contacts together in a single place.": "Nhóm cho phép bạn tập hợp các liên hệ của mình ở một nơi duy nhất.", + "Group type": "Loại nhóm", + "Group type: :name": "Loại nhóm: :name", + "Group types": "Các loại nhóm", "Group types let you group people together.": "Các loại nhóm cho phép bạn nhóm mọi người lại với nhau.", "Had a promotion": "Đã có khuyến mãi", "Hamster": "chuột đồng", "Have a great day,": "Có một ngày tuyệt vời,", - "he\/him": "anh ấy \/ anh ấy", + "he/him": "anh ấy / anh ấy", "Hello!": "Xin chào!", "Help": "Giúp đỡ", - "Hi :name": "Xin chào tên", + "Hi :name": "Xin chào :name", "Hinduist": "Ấn Độ giáo", - "History of the notification sent": "Lịch sử gửi thông báo", + "History of the notification sent": "Lịch sử thông báo đã gửi", "Hobbies": "Sở thích", "Home": "Trang chủ", "Horse": "Ngựa", "How are you?": "Bạn có khỏe không?", - "How could I have done this day better?": "Làm thế nào tôi có thể làm ngày hôm nay tốt hơn?", + "How could I have done this day better?": "Làm sao tôi có thể làm tốt hơn ngày hôm nay?", "How did you feel?": "Bạn cảm thấy thế nào?", "How do you feel right now?": "Bây giờ bạn cảm thấy thế nào?", - "however, there are many, many new features that didn't exist before.": "tuy nhiên, có rất nhiều tính năng mới không tồn tại trước đây.", - "How much money was lent?": "Bao nhiêu tiền đã được cho vay?", + "however, there are many, many new features that didn't exist before.": "tuy nhiên, có rất nhiều tính năng mới chưa từng tồn tại trước đây.", + "How much money was lent?": "Đã cho vay bao nhiêu tiền?", "How much was lent?": "Đã cho vay bao nhiêu?", "How often should we remind you about this date?": "Chúng tôi nên nhắc bạn về ngày này bao lâu một lần?", - "How should we display dates": "Làm thế nào chúng ta nên hiển thị ngày", + "How should we display dates": "Chúng ta nên hiển thị ngày như thế nào", "How should we display distance values": "Chúng ta nên hiển thị giá trị khoảng cách như thế nào", "How should we display numerical values": "Chúng ta nên hiển thị các giá trị số như thế nào", - "I agree to the :terms and :policy": "Tôi đồng ý với :điều khoản và :chính sách", + "I agree to the :terms and :policy": "Tôi đồng ý với :terms và :policy", "I agree to the :terms_of_service and :privacy_policy": "Tôi đồng ý với :terms_of_service và :privacy_policy", "I am grateful for": "Tôi biết ơn", "I called": "tôi đã gọi", - "I called, but :name didn’t answer": "Tôi đã gọi, nhưng :name không trả lời", + "I called, but :name didn’t answer": "Tôi đã gọi nhưng :name không trả lời", "Idea": "Ý tưởng", - "I don’t know the name": "tôi không biết tên", + "I don’t know the name": "Tôi không biết tên", "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "Nếu cần, bạn có thể đăng xuất khỏi tất cả các phiên trình duyệt khác trên tất cả các thiết bị của mình. Một số phiên gần đây của bạn được liệt kê bên dưới; tuy nhiên, danh sách này có thể không đầy đủ. Nếu bạn cảm thấy tài khoản của mình đã bị xâm phạm, bạn cũng nên cập nhật mật khẩu của mình.", - "If the date is in the past, the next occurence of the date will be next year.": "Nếu ngày đó là trong quá khứ, thì lần xuất hiện tiếp theo của ngày này sẽ là năm sau.", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Nếu bạn gặp sự cố khi nhấp vào nút \":actionText\", hãy sao chép và dán URL bên dưới\nvào trình duyệt web của bạn:", - "If you already have an account, you may accept this invitation by clicking the button below:": "Nếu bạn đã có tài khoản, bạn có thể chấp nhận lời mời này bằng cách nhấp vào nút bên dưới:", - "If you did not create an account, no further action is required.": "Nếu bạn không tạo tài khoản, bạn không cần thực hiện thêm hành động nào.", - "If you did not expect to receive an invitation to this team, you may discard this email.": "Nếu bạn không muốn nhận được lời mời tham gia nhóm này, bạn có thể hủy email này.", - "If you did not request a password reset, no further action is required.": "Nếu bạn không yêu cầu đặt lại mật khẩu thì không cần thực hiện thêm hành động nào.", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Nếu chưa có tài khoản, bạn có thể tạo một tài khoản bằng cách nhấp vào nút bên dưới. Sau khi tạo tài khoản, bạn có thể nhấp vào nút chấp nhận lời mời trong email này để chấp nhận lời mời của nhóm:", - "If you’ve received this invitation by mistake, please discard it.": "Nếu bạn nhận được lời mời này do nhầm lẫn, vui lòng hủy nó.", - "I know the exact date, including the year": "Tôi biết chính xác ngày, bao gồm cả năm", - "I know the name": "tôi biết tên", + "If the date is in the past, the next occurence of the date will be next year.": "Nếu ngày nằm trong quá khứ thì lần xuất hiện tiếp theo của ngày đó sẽ là vào năm sau.", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "Nếu bạn gặp vấn đề khi click vào nút \":actionText\", hãy sao chép dán địa chỉ bên dưới\nvào trình duyệt web của bạn:", + "If you already have an account, you may accept this invitation by clicking the button below:": "Nếu bạn đã có tài khoản, bạn có thể chấp nhận lời mời này bằng cách bấm vào nút bên dưới:", + "If you did not create an account, no further action is required.": "Nếu bạn không đăng ký tài khoản này, bạn không cần thực hiện thêm hành động nào.", + "If you did not expect to receive an invitation to this team, you may discard this email.": "Nếu bạn không muốn chấp nhận lời mời, bạn có thể bỏ qua email này.", + "If you did not request a password reset, no further action is required.": "Nếu bạn không yêu cầu đặt lại mật khẩu, bạn không cần thực hiện thêm hành động nào.", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "Nếu bạn không có tài khoản, bạn có thể tạo ngày bằng cách bấm vào nút bên dưới. Sau khi tài khoản được tạo, bạn có thể bấm vào nút chấp nhận để đồng ý tham gia vào nhóm:", + "If you’ve received this invitation by mistake, please discard it.": "Nếu bạn vô tình nhận được lời mời này, vui lòng hủy nó.", + "I know the exact date, including the year": "Tôi biết chính xác ngày tháng, kể cả năm", + "I know the name": "Tôi biết tên", "Important dates": "Những ngày quan trọng", "Important date summary": "Tóm tắt ngày quan trọng", "in": "TRONG", "Information": "Thông tin", "Information from Wikipedia": "Thông tin từ Wikipedia", "in love with": "yêu", - "Inspirational post": "bài truyền cảm hứng", + "Inspirational post": "bài đăng đầy cảm hứng", + "Invalid JSON was returned from the route.": "JSON không hợp lệ đã được trả về từ tuyến đường.", "Invitation sent": "Đã gửi lời mời", "Invite a new user": "Mời người dùng mới", "Invite someone": "Mời ai đó", - "I only know a number of years (an age, for example)": "Tôi chỉ biết một số năm (ví dụ như một độ tuổi)", + "I only know a number of years (an age, for example)": "Tôi chỉ biết một số năm (ví dụ một độ tuổi)", "I only know the day and month, not the year": "Tôi chỉ biết ngày và tháng, không biết năm", - "it misses some of the features, the most important ones being the API and gift management,": "nó thiếu một số tính năng, những tính năng quan trọng nhất là API và quản lý quà tặng,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Có vẻ như chưa có mẫu nào trong tài khoản. Vui lòng thêm ít nhất mẫu vào tài khoản của bạn trước, sau đó liên kết mẫu này với liên hệ này.", - "Jew": "người do thái", - "Job information": "Thông tin công việc", + "it misses some of the features, the most important ones being the API and gift management,": "nó thiếu một số tính năng, những tính năng quan trọng nhất là quản lý API và quà tặng,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "Có vẻ như chưa có mẫu nào trong tài khoản. Vui lòng thêm ít nhất mẫu vào tài khoản của bạn trước, sau đó liên kết mẫu này với địa chỉ liên hệ này.", + "Jew": "người Do Thái", + "Job information": "Thông tin việc làm", "Job position": "Vị trí công việc", "Journal": "tạp chí", "Journal entries": "mục tạp chí", "Journal metrics": "Số liệu tạp chí", - "Journal metrics let you track data accross all your journal entries.": "Số liệu tạp chí cho phép bạn theo dõi dữ liệu trên tất cả các mục nhật ký của mình.", + "Journal metrics let you track data accross all your journal entries.": "Số liệu nhật ký cho phép bạn theo dõi dữ liệu trên tất cả các mục nhật ký của mình.", "Journals": "tạp chí", "Just because": "Chỉ vì", "Just to say hello": "Chỉ để nói xin chào", - "Key name": "tên khóa", + "Key name": "Tên khóa", "kilometers (km)": "km (km)", "km": "km", "Label:": "Nhãn:", - "Labels": "nhãn", - "Labels let you classify contacts using a system that matters to you.": "Nhãn cho phép bạn phân loại các liên hệ bằng hệ thống quan trọng với bạn.", + "Labels": "Nhãn", + "Labels let you classify contacts using a system that matters to you.": "Nhãn cho phép bạn phân loại người liên hệ bằng hệ thống quan trọng đối với bạn.", "Language of the application": "Ngôn ngữ của ứng dụng", - "Last active": "hoạt động lần cuối", - "Last active :date": "Hoạt động lần cuối: ngày", + "Last active": "Hoạt động lần cuối", + "Last active :date": "Hoạt động lần cuối :date", "Last name": "Họ", "Last name First name": "Họ và tên", "Last updated": "Cập nhật mới nhất", - "Last used": "sử dụng lần cuối", - "Last used :date": "Sử dụng lần cuối: ngày", - "Leave": "Rời khỏi", - "Leave Team": "Rời nhóm", + "Last used": "Sử dụng lần cuối", + "Last used :date": "Lần sử dụng gần đây nhất là :date", + "Leave": "Rời", + "Leave Team": "Rời Nhóm", "Life": "Mạng sống", "Life & goals": "Cuộc sống & mục tiêu", - "Life events": "sự kiện cuộc sống", + "Life events": "Sự kiện cuộc sống", "Life events let you document what happened in your life.": "Sự kiện cuộc sống cho phép bạn ghi lại những gì đã xảy ra trong cuộc sống của bạn.", - "Life event types:": "Các loại sự kiện trong đời:", - "Life event types and categories": "Các loại và danh mục sự kiện trong đời", - "Life metrics": "số liệu cuộc sống", - "Life metrics let you track metrics that are important to you.": "Số liệu cuộc sống cho phép bạn theo dõi các số liệu quan trọng đối với bạn.", - "Link to documentation": "Liên kết đến tài liệu", + "Life event types:": "Các loại sự kiện cuộc sống:", + "Life event types and categories": "Các loại và danh mục sự kiện cuộc sống", + "Life metrics": "Số liệu cuộc sống", + "Life metrics let you track metrics that are important to you.": "Các thước đo cuộc sống cho phép bạn theo dõi các thước đo quan trọng đối với bạn.", + "LinkedIn": "LinkedIn", "List of addresses": "Danh sách địa chỉ", - "List of addresses of the contacts in the vault": "Danh sách địa chỉ của những người liên hệ trong kho tiền", + "List of addresses of the contacts in the vault": "Danh sách địa chỉ liên lạc trong vault", "List of all important dates": "Danh sách tất cả các ngày quan trọng", "Loading…": "Đang tải…", "Load previous entries": "Tải các mục trước đó", - "Loans": "cho vay", - "Locale default: :value": "Ngôn ngữ mặc định: :value", + "Loans": "Khoản vay", + "Locale default: :value": "Mặc định ngôn ngữ: :value", "Log a call": "Đăng nhập cuộc gọi", "Log details": "Chi tiết nhật ký", "logged the mood": "ghi lại tâm trạng", "Log in": "Đăng nhập", "Login": "Đăng nhập", "Login with:": "Đăng nhập với:", - "Log Out": "Đăng xuất", + "Log Out": "Đăng Xuất", "Logout": "Đăng xuất", - "Log Out Other Browser Sessions": "Đăng xuất Các phiên trình duyệt khác", - "Longest streak": "vệt dài nhất", + "Log Out Other Browser Sessions": "Đăng Xuất Khỏi Các Phiên Trình Duyệt Khác", + "Longest streak": "Chuỗi dài nhất", "Love": "Yêu", - "loved by": "yêu bởi", + "loved by": "được yêu thích bởi", "lover": "người yêu", "Made from all over the world. We ❤️ you.": "Được làm từ khắp nơi trên thế giới. Chúng tôi ❤️ bạn.", - "Maiden name": "tên thời con gái", + "Maiden name": "Tên thời con gái", "Male": "Nam giới", - "Manage Account": "Quản lý tài khoản", + "Manage Account": "Quản lý Tài khoản", "Manage accounts you have linked to your Customers account.": "Quản lý các tài khoản bạn đã liên kết với tài khoản Khách hàng của mình.", "Manage address types": "Quản lý các loại địa chỉ", - "Manage and log out your active sessions on other browsers and devices.": "Quản lý và đăng xuất các phiên hoạt động của bạn trên các trình duyệt và thiết bị khác.", - "Manage API Tokens": "Quản lý mã thông báo API", + "Manage and log out your active sessions on other browsers and devices.": "Quản lý và đăng xuất khỏi các phiên hoạt động của bạn trên các trình duyệt và thiết bị khác.", + "Manage API Tokens": "Quản lý API Token", "Manage call reasons": "Quản lý lý do cuộc gọi", "Manage contact information types": "Quản lý các loại thông tin liên hệ", "Manage currencies": "Quản lý tiền tệ", - "Manage genders": "quản lý giới tính", + "Manage genders": "Quản lý giới tính", "Manage gift occasions": "Quản lý các dịp tặng quà", "Manage gift states": "Quản lý trạng thái quà tặng", "Manage group types": "Quản lý các loại nhóm", "Manage modules": "Quản lý mô-đun", "Manage pet categories": "Quản lý danh mục thú cưng", - "Manage post templates": "Quản lý mẫu bài viết", - "Manage pronouns": "quản lý đại từ", + "Manage post templates": "Quản lý mẫu bài đăng", + "Manage pronouns": "Quản lý đại từ", "Manager": "Giám đốc", - "Manage relationship types": "Quản lý các loại quan hệ", - "Manage religions": "quản lý tôn giáo", - "Manage Role": "Quản lý vai trò", + "Manage relationship types": "Quản lý các loại mối quan hệ", + "Manage religions": "Quản lý tôn giáo", + "Manage Role": "Quản lý Vai trò", "Manage storage": "Quản lý lưu trữ", - "Manage Team": "quản lý nhóm", + "Manage Team": "Quản lý Nhóm", "Manage templates": "Quản lý mẫu", - "Manage users": "quản lý người dùng", - "Maybe one of these contacts?": "Có lẽ một trong những địa chỉ liên lạc?", + "Manage users": "Quản lý người dùng", + "Mastodon": "voi răng mấu", + "Maybe one of these contacts?": "Có lẽ một trong những liên hệ này?", "mentor": "người hướng dẫn", "Middle name": "Tên đệm", "miles": "dặm", - "miles (mi)": "dặm (dặm)", + "miles (mi)": "dặm (mi)", "Modules in this page": "Các mô-đun trong trang này", "Monday": "Thứ hai", - "Monica. All rights reserved. 2017 — :date.": "Mônica. Đã đăng ký Bản quyền. 2017 — :ngày.", - "Monica is open source, made by hundreds of people from all around the world.": "Monica là mã nguồn mở, được tạo bởi hàng trăm người từ khắp nơi trên thế giới.", + "Monica. All rights reserved. 2017 — :date.": "Monica. Đã đăng ký Bản quyền. 2017 — :date.", + "Monica is open source, made by hundreds of people from all around the world.": "Monica là nguồn mở, được tạo ra bởi hàng trăm người từ khắp nơi trên thế giới.", "Monica was made to help you document your life and your social interactions.": "Monica được tạo ra để giúp bạn ghi lại cuộc sống và các tương tác xã hội của mình.", "Month": "Tháng", "month": "tháng", @@ -632,59 +633,59 @@ "Move contact": "Di chuyển liên hệ", "Muslim": "Hồi", "Name": "Tên", - "Name of the pet": "Tên thú cưng", + "Name of the pet": "Tên của thú cưng", "Name of the reminder": "Tên nhắc nhở", "Name of the reverse relationship": "Tên của mối quan hệ ngược lại", "Nature of the call": "Bản chất của cuộc gọi", - "nephew\/niece": "cháu trai\/cháu gái", - "New Password": "mật khẩu mới", - "New to Monica?": "Mới đến với Monica?", + "nephew/niece": "cháu trai/cháu gái", + "New Password": "Mật khẩu mới", + "New to Monica?": "Mới đối với Monica?", "Next": "Kế tiếp", "Nickname": "Tên nick", "nickname": "tên nick", "No cities have been added yet in any contact’s addresses.": "Chưa có thành phố nào được thêm vào bất kỳ địa chỉ liên hệ nào.", - "No contacts found.": "Không tìm thấy liên hệ nào.", + "No contacts found.": "Không tìm thấy địa chỉ liên hệ nào.", "No countries have been added yet in any contact’s addresses.": "Chưa có quốc gia nào được thêm vào bất kỳ địa chỉ liên hệ nào.", "No dates in this month.": "Không có ngày nào trong tháng này.", - "No description yet.": "Chưa có mô tả nào.", + "No description yet.": "Chưa có mô tả.", "No groups found.": "Không tìm thấy nhóm nào.", - "No keys registered yet": "Chưa có khóa nào được đăng ký", - "No labels yet.": "Chưa có nhãn nào.", + "No keys registered yet": "Chưa có chìa khóa nào được đăng ký", + "No labels yet.": "Chưa có nhãn.", "No life event types yet.": "Chưa có loại sự kiện cuộc sống nào.", "No notes found.": "Không tìm thấy ghi chú nào.", "No results found": "không có kết quả nào được tìm thấy", "No role": "Không có vai trò", - "No roles yet.": "Chưa có vai diễn nào.", + "No roles yet.": "Chưa có vai trò nào.", "No tasks.": "Không có nhiệm vụ.", - "Notes": "ghi chú", - "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Lưu ý rằng việc xóa mô-đun khỏi trang sẽ không xóa dữ liệu thực tế trên các trang liên hệ của bạn. Nó sẽ chỉ đơn giản là ẩn nó.", - "Not Found": "Không tìm thấy", - "Notification channels": "kênh thông báo", + "Notes": "Ghi chú", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "Lưu ý rằng việc xóa mô-đun khỏi một trang sẽ không xóa dữ liệu thực tế trên trang liên hệ của bạn. Nó chỉ đơn giản là sẽ ẩn nó.", + "Not Found": "Không Tìm Thấy", + "Notification channels": "Kênh thông báo", "Notification sent": "Đã gửi thông báo", "Not set": "Không được thiết lập", "No upcoming reminders.": "Không có lời nhắc sắp tới.", - "Number of hours slept": "Số giờ đã ngủ", + "Number of hours slept": "Số giờ ngủ", "Numerical value": "Giá trị số", - "of": "của", + "of": "trong", "Offered": "Ngỏ ý", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Khi một nhóm bị xóa, tất cả tài nguyên và dữ liệu của nhóm đó sẽ bị xóa vĩnh viễn. Trước khi xóa nhóm này, vui lòng tải xuống bất kỳ dữ liệu hoặc thông tin nào liên quan đến nhóm này mà bạn muốn giữ lại.", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "Khi một nhóm bị xóa, tất cả tài nguyên và dữ liệu của nhóm đó sẽ bị xóa vĩnh viễn. Trước khi xóa nhóm này, vui lòng tải xuống bất kì dữ liệu hoặc thông tin nào liên quan đến nhóm này mà bạn muốn giữ lại.", "Once you cancel,": "Sau khi bạn hủy,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Sau khi nhấp vào nút Thiết lập bên dưới, bạn sẽ phải mở Telegram bằng nút mà chúng tôi cung cấp cho bạn. Thao tác này sẽ định vị bot Monica Telegram cho bạn.", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Sau khi tài khoản của bạn bị xóa, tất cả tài nguyên và dữ liệu của tài khoản đó sẽ bị xóa vĩnh viễn. Trước khi xóa tài khoản của bạn, vui lòng tải xuống bất kỳ dữ liệu hoặc thông tin nào bạn muốn giữ lại.", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "Sau khi nhấp vào nút Thiết lập bên dưới, bạn sẽ phải mở Telegram bằng nút chúng tôi sẽ cung cấp cho bạn. Điều này sẽ xác định vị trí bot Monica Telegram cho bạn.", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "Khi tài khoản của bạn bị xóa, tất cả tài nguyên và dữ liệu của tài khoản đó sẽ bị xóa vĩnh viễn. Trước khi xóa tài khoản của bạn, vui lòng tải xuống bất kì dữ liệu hoặc thông tin nào bạn muốn giữ lại.", "Only once, when the next occurence of the date occurs.": "Chỉ một lần, khi lần xuất hiện tiếp theo của ngày xảy ra.", - "Oops! Something went wrong.": "Ối! Đã xảy ra sự cố.", + "Oops! Something went wrong.": "Ối! Đã xảy ra lỗi.", "Open Street Maps": "Mở bản đồ đường phố", - "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps là một lựa chọn thay thế tuyệt vời về quyền riêng tư, nhưng cung cấp ít chi tiết hơn.", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps là một lựa chọn thay thế tuyệt vời về quyền riêng tư nhưng cung cấp ít chi tiết hơn.", "Open Telegram to validate your identity": "Mở Telegram để xác thực danh tính của bạn", "optional": "không bắt buộc", - "Or create a new one": "Hoặc tạo mới", + "Or create a new one": "Hoặc tạo một cái mới", "Or filter by type": "Hoặc lọc theo loại", - "Or remove the slice": "Hoặc loại bỏ các lát", + "Or remove the slice": "Hoặc loại bỏ lát", "Or reset the fields": "Hoặc đặt lại các trường", "Other": "Khác", "Out of respect and appreciation": "Vì sự tôn trọng và đánh giá cao", - "Page Expired": "Trang đã hết hạn", - "Pages": "trang", + "Page Expired": "Trang Đã Hết Hạn", + "Pages": "Trang", "Pagination Navigation": "Điều hướng phân trang", "Parent": "Cha mẹ", "parent": "cha mẹ", @@ -693,214 +694,212 @@ "Part of": "Một phần của", "Password": "Mật khẩu", "Payment Required": "yêu cầu thanh toán", - "Pending Team Invitations": "Lời mời nhóm đang chờ xử lý", - "per\/per": "cho cho", + "Pending Team Invitations": "Lời Mời Của Nhóm Chờ Xử Lý", + "per/per": "mỗi/mỗi", "Permanently delete this team.": "Xóa vĩnh viễn nhóm này.", "Permanently delete your account.": "Xóa vĩnh viễn tài khoản của bạn.", - "Permission for :name": "Giấy phép cho: tên", - "Permissions": "Quyền", + "Permission for :name": "Quyền dành cho :name", + "Permissions": "Quyền hạn", "Personal": "Riêng tư", "Personalize your account": "Cá nhân hóa tài khoản của bạn", - "Pet categories": "danh mục thú cưng", + "Pet categories": "Danh mục thú cưng", "Pet categories let you add types of pets that contacts can add to their profile.": "Danh mục thú cưng cho phép bạn thêm các loại thú cưng mà người liên hệ có thể thêm vào hồ sơ của họ.", - "Pet category": "danh mục thú cưng", + "Pet category": "Danh mục thú cưng", "Pets": "Vật nuôi", "Phone": "Điện thoại", - "Photo": "hình chụp", - "Photos": "ảnh", + "Photo": "Ảnh", + "Photos": "Ảnh", "Played basketball": "Chơi bóng rổ", "Played golf": "Chơi gôn", "Played soccer": "Đã chơi đá bóng", "Played tennis": "Đa chơi tennis", - "Please choose a template for this new post": "Vui lòng chọn một mẫu cho bài viết mới này", + "Please choose a template for this new post": "Vui lòng chọn mẫu cho bài viết mới này", "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "Vui lòng chọn một mẫu bên dưới để cho Monica biết cách hiển thị liên hệ này. Mẫu cho phép bạn xác định dữ liệu nào sẽ được hiển thị trên trang liên hệ.", - "Please click the button below to verify your email address.": "Vui lòng nhấp vào nút bên dưới để xác minh địa chỉ email của bạn.", - "Please complete this form to finalize your account.": "Vui lòng hoàn thành biểu mẫu này để hoàn tất tài khoản của bạn.", - "Please confirm access to your account by entering one of your emergency recovery codes.": "Vui lòng xác nhận quyền truy cập vào tài khoản của bạn bằng cách nhập một trong các mã khôi phục khẩn cấp của bạn.", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Vui lòng xác nhận quyền truy cập vào tài khoản của bạn bằng cách nhập mã xác thực do ứng dụng xác thực của bạn cung cấp.", + "Please click the button below to verify your email address.": "Vui lòng click vào nút bên dưới để xác minh địa chỉ email của bạn.", + "Please complete this form to finalize your account.": "Vui lòng hoàn tất biểu mẫu này để hoàn tất tài khoản của bạn.", + "Please confirm access to your account by entering one of your emergency recovery codes.": "Vui lòng xác nhận quyền truy cập vào tài khoản của bạn bằng cách nhập một trong các mã khôi phục khẩn cấp.", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "Vui lòng xác nhận quyền truy cập vào tài khoản của bạn bằng cách nhập mã xác minh được cung cấp bởi ứng dụng xác minh của bạn.", "Please confirm access to your account by validating your security key.": "Vui lòng xác nhận quyền truy cập vào tài khoản của bạn bằng cách xác thực khóa bảo mật của bạn.", - "Please copy your new API token. For your security, it won't be shown again.": "Vui lòng sao chép mã thông báo API mới của bạn. Để bảo mật cho bạn, nó sẽ không được hiển thị lại.", + "Please copy your new API token. For your security, it won't be shown again.": "Vui lòng lưu lại API token. Vì mục đích bảo mật, nó sẽ không được hiển thị lại lần nữa.", "Please copy your new API token. For your security, it won’t be shown again.": "Vui lòng sao chép mã thông báo API mới của bạn. Để bảo mật cho bạn, nó sẽ không được hiển thị lại.", "Please enter at least 3 characters to initiate a search.": "Vui lòng nhập ít nhất 3 ký tự để bắt đầu tìm kiếm.", "Please enter your password to cancel the account": "Vui lòng nhập mật khẩu của bạn để hủy tài khoản", "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "Vui lòng nhập mật khẩu của bạn để xác nhận rằng bạn muốn đăng xuất khỏi các phiên trình duyệt khác trên tất cả các thiết bị của mình.", - "Please indicate the contacts": "Vui lòng cho biết địa chỉ liên hệ", - "Please join Monica": "Hãy tham gia với Monica", - "Please provide the email address of the person you would like to add to this team.": "Vui lòng cung cấp địa chỉ email của người mà bạn muốn thêm vào nhóm này.", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "Vui lòng đọc tài liệu<\/link> của chúng tôi để biết thêm về tính năng này và những biến bạn có quyền truy cập.", - "Please select a page on the left to load modules.": "Vui lòng chọn một trang bên trái để tải các mô-đun.", + "Please indicate the contacts": "Hãy cho biết địa chỉ liên lạc", + "Please join Monica": "Hãy tham gia cùng Monica", + "Please provide the email address of the person you would like to add to this team.": "Vui lòng cung cấp địa chỉ email của người bạn muốn thêm vào nhóm này.", + "Please read our documentation to know more about this feature, and which variables you have access to.": "Vui lòng đọc tài liệu của chúng tôi để biết thêm về tính năng này và những biến bạn có quyền truy cập.", + "Please select a page on the left to load modules.": "Vui lòng chọn một trang ở bên trái để tải các mô-đun.", "Please type a few characters to create a new label.": "Vui lòng nhập một vài ký tự để tạo nhãn mới.", "Please type a few characters to create a new tag.": "Vui lòng nhập một vài ký tự để tạo thẻ mới.", - "Please validate your email address": "Vui lòng xác thực địa chỉ email của bạn", + "Please validate your email address": "Vui lòng xác nhận địa chỉ email của bạn", "Please verify your email address": "Vui lòng xác nhận địa chỉ email", "Postal code": "mã bưu điện", - "Post metrics": "Số liệu bài đăng", + "Post metrics": "Đăng số liệu", "Posts": "bài viết", - "Posts in your journals": "Bài đăng trên tạp chí của bạn", - "Post templates": "Mẫu bài đăng", + "Posts in your journals": "Bài viết trong tạp chí của bạn", + "Post templates": "Đăng mẫu", "Prefix": "Tiếp đầu ngữ", "Previous": "Trước", - "Previous addresses": "địa chỉ trước đây", - "Privacy Policy": "Chính sách bảo mật", + "Previous addresses": "Địa chỉ trước đây", + "Privacy Policy": "Điều Khoản Riêng Tư", "Profile": "Hồ sơ", "Profile and security": "Hồ sơ và bảo mật", "Profile Information": "Thông tin cá nhân", - "Profile of :name": "Hồ sơ của :tên", + "Profile of :name": "Hồ sơ của :name", "Profile page of :name": "Trang hồ sơ của :name", - "Pronoun": "Họ có xu hướng", - "Pronouns": "đại từ", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Đại từ về cơ bản là cách chúng ta xác định bản thân ngoài tên của chúng ta. Đó là cách ai đó đề cập đến bạn trong cuộc trò chuyện.", - "protege": "người bảo trợ", - "Protocol": "giao thức", - "Protocol: :name": "Giao thức: :tên", + "Pronoun": "Đại từ", + "Pronouns": "Đại từ", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "Đại từ về cơ bản là cách chúng ta nhận dạng bản thân ngoài tên của mình. Đó là cách ai đó đề cập đến bạn trong cuộc trò chuyện.", + "protege": "người bảo hộ", + "Protocol": "Giao thức", + "Protocol: :name": "Giao thức: :name", "Province": "Tỉnh", "Quick facts": "Thông tin nhanh", - "Quick facts let you document interesting facts about a contact.": "Thông tin nhanh cho phép bạn ghi lại những thông tin thú vị về một liên hệ.", + "Quick facts let you document interesting facts about a contact.": "Thông tin nhanh cho phép bạn ghi lại thông tin thú vị về một liên hệ.", "Quick facts template": "Mẫu thông tin nhanh", "Quit job": "Nghỉ việc", "Rabbit": "Con thỏ", "Ran": "Đã chạy", "Rat": "Con chuột", - "Read :count time|Read :count times": "Đọc : đếm thời gian|Đọc : đếm thời gian", - "Record a loan": "Ghi lại một khoản vay", + "Read :count time|Read :count times": "Đọc :count lần", + "Record a loan": "Ghi lại khoản vay", "Record your mood": "Ghi lại tâm trạng của bạn", "Recovery Code": "Mã khôi phục", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Bất kể bạn đang ở đâu trên thế giới, hãy hiển thị ngày theo múi giờ của riêng bạn.", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "Bất kể bạn ở đâu trên thế giới, hãy hiển thị ngày theo múi giờ của riêng bạn.", "Regards": "Trân trọng", - "Regenerate Recovery Codes": "Tạo lại mã khôi phục", + "Regenerate Recovery Codes": "Tạo mã khôi phục", "Register": "Đăng ký", "Register a new key": "Đăng ký khóa mới", - "Register a new key.": "Đăng ký khóa mới.", - "Regular post": "bài đăng thường xuyên", + "Register a new key.": "Đăng ký một chìa khóa mới.", + "Regular post": "Bài đăng thường xuyên", "Regular user": "Người sử dụng thường xuyên", "Relationships": "Các mối quan hệ", "Relationship types": "Các loại mối quan hệ", "Relationship types let you link contacts and document how they are connected.": "Các loại mối quan hệ cho phép bạn liên kết các liên hệ và ghi lại cách chúng được kết nối.", "Religion": "Tôn giáo", - "Religions": "tôn giáo", + "Religions": "Tôn giáo", "Religions is all about faith.": "Tôn giáo là tất cả về đức tin.", - "Remember me": "nhớ tôi", - "Reminder for :name": "Nhắc nhở cho: tên", - "Reminders": "nhắc nhở", + "Remember me": "Ghi nhớ", + "Reminder for :name": "Lời nhắc cho :name", + "Reminders": "Lời nhắc", "Reminders for the next 30 days": "Lời nhắc trong 30 ngày tới", "Remind me about this date every year": "Nhắc tôi về ngày này hàng năm", "Remind me about this date just once, in one year from now": "Nhắc tôi về ngày này chỉ một lần, trong một năm kể từ bây giờ", - "Remove": "Di dời", + "Remove": "Xoá", "Remove avatar": "Xóa hình đại diện", "Remove cover image": "Xóa ảnh bìa", "removed a label": "đã xóa nhãn", "removed the contact from a group": "đã xóa liên hệ khỏi một nhóm", "removed the contact from a post": "đã xóa liên hệ khỏi bài đăng", "removed the contact from the favorites": "đã xóa liên hệ khỏi mục yêu thích", - "Remove Photo": "Gỡ bỏ hình", - "Remove Team Member": "Xóa thành viên nhóm", + "Remove Photo": "Xóa ảnh", + "Remove Team Member": "Xóa thành viên khỏi nhóm", "Rename": "Đổi tên", "Reports": "Báo cáo", - "Reptile": "bò sát", - "Resend Verification Email": "Gửi lại email xác minh", - "Reset Password": "Đặt lại mật khẩu", - "Reset Password Notification": "Đặt lại thông báo mật khẩu", + "Reptile": "Bò sát", + "Resend Verification Email": "Gửi lại email xác thực", + "Reset Password": "Đặt Lại Mật Khẩu", + "Reset Password Notification": "Thông Báo Đặt Lại Mật Khẩu", "results": "kết quả", "Retry": "Thử lại", - "Revert": "hoàn nguyên", - "Rode a bike": "Cưỡi một chiếc xe đạp", + "Revert": "Hoàn nguyên", + "Rode a bike": "Đi xe đạp", "Role": "Vai trò", "Roles:": "Vai trò:", - "Roomates": "bò", + "Roomates": "Bạn cùng phòng", "Saturday": "Thứ bảy", - "Save": "Cứu", + "Save": "Lưu", "Saved.": "Đã lưu.", "Saving in progress": "Đang lưu", - "Searched": "tìm kiếm", + "Searched": "Đã tìm kiếm", "Searching…": "Đang tìm kiếm…", "Search something": "Tìm kiếm thứ gì đó", "Search something in the vault": "Tìm kiếm thứ gì đó trong kho tiền", "Sections:": "Phần:", - "Security keys": "khóa bảo mật", + "Security keys": "Khóa bảo mật", "Select a group or create a new one": "Chọn một nhóm hoặc tạo một nhóm mới", - "Select A New Photo": "Chọn Ảnh Mới", - "Select a relationship type": "Chọn một loại mối quan hệ", + "Select A New Photo": "Chọn một ảnh mới", + "Select a relationship type": "Chọn loại mối quan hệ", "Send invitation": "Gửi lời mời", "Send test": "Gửi bài kiểm tra", - "Sent at :time": "Gửi lúc: thời gian", - "Server Error": "Lỗi máy chủ", - "Service Unavailable": "dịch vụ Không sẵn có", + "Sent at :time": "Đã gửi vào lúc :time", + "Server Error": "Máy Chủ Gặp Sự Cố", + "Service Unavailable": "Dịch Vụ Không Khả Dụng", "Set as default": "Đặt làm mặc định", "Set as favorite": "Đặt làm mục yêu thích", "Settings": "Cài đặt", "Settle": "Ổn định", "Setup": "Cài đặt", - "Setup Key": "Khóa cài đặt", + "Setup Key": "Khoá Thiết Lập", "Setup Key:": "Khóa cài đặt:", "Setup Telegram": "Thiết lập Telegram", - "she\/her": "cô ấy \/ cô ấy", + "she/her": "cô ấy/cô ấy", "Shintoist": "Thần đạo", "Show Calendar tab": "Hiển thị tab Lịch", "Show Companies tab": "Hiển thị tab Công ty", "Show completed tasks (:count)": "Hiển thị các nhiệm vụ đã hoàn thành (:count)", "Show Files tab": "Hiển thị tab Tệp", "Show Groups tab": "Hiển thị tab Nhóm", - "Showing": "Hiển thị", - "Showing :count of :total results": "Đang hiển thị :count of :total results", - "Showing :first to :last of :total results": "Hiển thị :đầu tiên đến :cuối cùng của :total kết quả", + "Showing": "Đang hiển thị", + "Showing :count of :total results": "Đang hiển thị :count trong số :total kết quả", + "Showing :first to :last of :total results": "Hiển thị :first đến :last trong số :total kết quả", "Show Journals tab": "Hiển thị tab Tạp chí", - "Show Recovery Codes": "Hiển thị mã khôi phục", + "Show Recovery Codes": "Xem mã khôi phục", "Show Reports tab": "Hiển thị tab Báo cáo", "Show Tasks tab": "Hiển thị tab Nhiệm vụ", - "significant other": "quan trọng khác", + "significant other": "ý nghĩa khác", "Sign in to your account": "đăng nhập vào tài khoản của bạn", "Sign up for an account": "Đăng kí một tài khoản", "Sikh": "đạo Sikh", - "Slept :count hour|Slept :count hours": "Đã ngủ: đếm giờ|Đã ngủ: đếm giờ", + "Slept :count hour|Slept :count hours": "Ngủ :count tiếng", "Slice of life": "Khia cạnh cuộc sống", - "Slices of life": "Những lát cắt của cuộc sống", + "Slices of life": "Những lát cắt cuộc sống", "Small animal": "Con thú nhỏ", "Social": "Xã hội", "Some dates have a special type that we will use in the software to calculate an age.": "Một số ngày có một loại đặc biệt mà chúng tôi sẽ sử dụng trong phần mềm để tính tuổi.", - "Sort contacts": "Sắp xếp danh bạ", "So… it works 😼": "Vì vậy… nó hoạt động 😼", "Sport": "Thể thao", "spouse": "vợ chồng", "Statistics": "Số liệu thống kê", "Storage": "Kho", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Lưu trữ các mã khôi phục này trong trình quản lý mật khẩu an toàn. Chúng có thể được sử dụng để khôi phục quyền truy cập vào tài khoản của bạn nếu thiết bị xác thực hai yếu tố của bạn bị mất.", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "Lưu trữ các mã khôi phục này trong trình quản lý mật khẩu an toàn. Chúng có thể được sử dụng để khôi phục quyền truy cập vào tài khoản của bạn nếu thiết bị xác minh hai yếu tố của bạn bị mất.", "Submit": "Nộp", "subordinate": "cấp dưới", - "Suffix": "hậu tố", + "Suffix": "Hậu tố", "Summary": "Bản tóm tắt", "Sunday": "Chủ nhật", "Switch role": "Chuyển đổi vai trò", - "Switch Teams": "Chuyển đội", - "Tabs visibility": "khả năng hiển thị tab", - "Tags": "thẻ", - "Tags let you classify journal posts using a system that matters to you.": "Thẻ cho phép bạn phân loại các bài đăng trên tạp chí bằng một hệ thống quan trọng đối với bạn.", - "Taoist": "đạo sĩ", - "Tasks": "nhiệm vụ", - "Team Details": "Chi tiết đội", - "Team Invitation": "Lời mời đội", - "Team Members": "Thành viên của nhóm", - "Team Name": "Tên nhóm", - "Team Owner": "Chủ nhóm", - "Team Settings": "Cài đặt nhóm", + "Switch Teams": "Đổi Nhóm", + "Tabs visibility": "Khả năng hiển thị tab", + "Tags": "Thẻ", + "Tags let you classify journal posts using a system that matters to you.": "Thẻ cho phép bạn phân loại các bài đăng trên tạp chí bằng hệ thống quan trọng đối với bạn.", + "Taoist": "Đạo giáo", + "Tasks": "Nhiệm vụ", + "Team Details": "Chi Tiết Nhóm", + "Team Invitation": "Mời Vào Nhóm", + "Team Members": "Thành Viên Nhóm", + "Team Name": "Tên Nhóm", + "Team Owner": "Trưởng Nhóm", + "Team Settings": "Cài Đặt Nhóm", "Telegram": "điện tín", - "Templates": "mẫu", + "Templates": "Mẫu", "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "Mẫu cho phép bạn tùy chỉnh dữ liệu nào sẽ được hiển thị trên danh bạ của bạn. Bạn có thể xác định bao nhiêu mẫu tùy thích và chọn mẫu nào sẽ được sử dụng cho liên hệ nào.", - "Terms of Service": "Điều khoản dịch vụ", - "Test email for Monica": "Kiểm tra email cho Monica", + "Terms of Service": "Điều Khoản Dịch Vụ", + "Test email for Monica": "Email kiểm tra cho Monica", "Test email sent!": "Đã gửi email kiểm tra!", "Thanks,": "Cảm ơn,", - "Thanks for giving Monica a try": "Cảm ơn vì đã cho Monica dùng thử", - "Thanks for giving Monica a try.": "Cảm ơn vì đã cho Monica dùng thử.", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Cảm ơn bạn đã đăng ký! Trước khi bắt đầu, bạn có thể xác minh địa chỉ email của mình bằng cách nhấp vào liên kết chúng tôi vừa gửi cho bạn qua email không? Nếu bạn không nhận được email, chúng tôi sẽ sẵn lòng gửi cho bạn một email khác.", - "The :attribute must be at least :length characters.": ":attribute phải có ít nhất :length ký tự.", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute phải có ít nhất :length ký tự và chứa ít nhất một số.", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute phải có ít nhất :length ký tự và chứa ít nhất một ký tự đặc biệt.", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute phải có ít nhất :length ký tự và chứa ít nhất một ký tự đặc biệt và một số.", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute phải có ít nhất các ký tự :length và chứa ít nhất một ký tự viết hoa, một số và một ký tự đặc biệt.", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute phải có ít nhất các ký tự :length và chứa ít nhất một ký tự viết hoa.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute phải có ít nhất các ký tự :length và chứa ít nhất một ký tự viết hoa và một số.", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute phải có ít nhất các ký tự :length và chứa ít nhất một ký tự viết hoa và một ký tự đặc biệt.", - "The :attribute must be a valid role.": ":attribute phải là một vai trò hợp lệ.", + "Thanks for giving Monica a try.": "Cảm ơn vì đã cho Monica thử.", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "Cảm ơn bạn đã đăng ký! Trước khi bắt đầu, bạn có thể xác minh địa chỉ email của mình bằng cách nhấp vào liên kết chúng tôi vừa gửi qua email cho bạn không? Nếu bạn không nhận được email, chúng tôi sẽ sẵn lòng gửi cho bạn một email khác.", + "The :attribute must be at least :length characters.": "Trường :attribute phải có ít nhất :length kí tự.", + "The :attribute must be at least :length characters and contain at least one number.": "Trường :attribute phải có ít nhất :length kí tự và chứa ít nhất một chữ số.", + "The :attribute must be at least :length characters and contain at least one special character.": "Trường :attribute phải có ít nhất :length kí tự và phải chứa ít nhất một kí tự đặc biệt.", + "The :attribute must be at least :length characters and contain at least one special character and one number.": "Trường :attribute phải có ít nhất :length kí tự và chứ ít nhất một kí tự đặc biệt và một chữ số.", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "Trường :attribute phải có ít nhất :length kí tự và phải chứa ít nhất một chữ cái viết hoa, một chữ số, và một kí tự đặc biệt.", + "The :attribute must be at least :length characters and contain at least one uppercase character.": "Trường :attribute phải có ít nhất :length kí tự và phải chứa ít nhất một chữ cái viết hoa.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "Trường :attribute phải có ít nhất :length kí tự và chứa ít nhất một chữ cái viết hoa và một chữ số.", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "Trường :attribute phải có ít nhất :length kí tự và chứa ít nhất một chữ cái viết hoa và một kí tự đặc biệt.", + "The :attribute must be a valid role.": "Trường :attribute phải là một vai trò hợp lệ.", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "Dữ liệu của tài khoản sẽ bị xóa vĩnh viễn khỏi máy chủ của chúng tôi trong vòng 30 ngày và khỏi tất cả các bản sao lưu trong vòng 60 ngày.", "The address type has been created": "Loại địa chỉ đã được tạo", "The address type has been deleted": "Loại địa chỉ đã bị xóa", @@ -914,12 +913,12 @@ "The call reason type has been created": "Loại lý do cuộc gọi đã được tạo", "The call reason type has been deleted": "Loại lý do cuộc gọi đã bị xóa", "The call reason type has been updated": "Loại lý do cuộc gọi đã được cập nhật", - "The channel has been added": "Kênh đã được thêm vào", + "The channel has been added": "Kênh đã được thêm", "The channel has been updated": "Kênh đã được cập nhật", "The contact does not belong to any group yet.": "Liên hệ chưa thuộc về bất kỳ nhóm nào.", - "The contact has been added": "Liên hệ đã được thêm vào", + "The contact has been added": "Liên hệ đã được thêm", "The contact has been deleted": "Liên hệ đã bị xóa", - "The contact has been edited": "Liên hệ đã được chỉnh sửa", + "The contact has been edited": "Địa chỉ liên hệ đã được chỉnh sửa", "The contact has been removed from the group": "Liên hệ đã bị xóa khỏi nhóm", "The contact information has been created": "Thông tin liên hệ đã được tạo", "The contact information has been deleted": "Thông tin liên hệ đã bị xóa", @@ -927,31 +926,31 @@ "The contact information type has been created": "Loại thông tin liên hệ đã được tạo", "The contact information type has been deleted": "Loại thông tin liên hệ đã bị xóa", "The contact information type has been updated": "Loại thông tin liên hệ đã được cập nhật", - "The contact is archived": "Liên hệ được lưu trữ", + "The contact is archived": "Địa chỉ liên hệ đã được lưu trữ", "The currencies have been updated": "Các loại tiền tệ đã được cập nhật", - "The currency has been updated": "Đơn vị tiền tệ đã được cập nhật", - "The date has been added": "Ngày đã được thêm vào", + "The currency has been updated": "Tiền tệ đã được cập nhật", + "The date has been added": "Ngày đã được thêm", "The date has been deleted": "Ngày đã bị xóa", "The date has been updated": "Ngày đã được cập nhật", "The document has been added": "Tài liệu đã được thêm vào", "The document has been deleted": "Tài liệu đã bị xóa", "The email address has been deleted": "Địa chỉ email đã bị xóa", - "The email has been added": "Email đã được thêm vào", + "The email has been added": "Email đã được thêm", "The email is already taken. Please choose another one.": "Email đã được sử dụng. Vui lòng chọn cái khác.", "The gender has been created": "Giới tính đã được tạo", "The gender has been deleted": "Giới tính đã bị xóa", "The gender has been updated": "Giới tính đã được cập nhật", "The gift occasion has been created": "Dịp tặng quà đã được tạo ra", - "The gift occasion has been deleted": "Sự kiện tặng quà đã bị xóa", - "The gift occasion has been updated": "Các dịp quà tặng đã được cập nhật", + "The gift occasion has been deleted": "Dịp tặng quà đã bị xóa", + "The gift occasion has been updated": "Dịp tặng quà đã được cập nhật", "The gift state has been created": "Trạng thái quà tặng đã được tạo", "The gift state has been deleted": "Trạng thái quà tặng đã bị xóa", "The gift state has been updated": "Trạng thái quà tặng đã được cập nhật", - "The given data was invalid.": "Dữ liệu đã cho không hợp lệ.", + "The given data was invalid.": "Dữ liệu nhận được không hợp lệ.", "The goal has been created": "Mục tiêu đã được tạo", "The goal has been deleted": "Mục tiêu đã bị xóa", "The goal has been edited": "Mục tiêu đã được chỉnh sửa", - "The group has been added": "Nhóm đã được thêm vào", + "The group has been added": "Nhóm đã được thêm", "The group has been deleted": "Nhóm đã bị xóa", "The group has been updated": "Nhóm đã được cập nhật", "The group type has been created": "Loại nhóm đã được tạo", @@ -959,15 +958,15 @@ "The group type has been updated": "Loại nhóm đã được cập nhật", "The important dates in the next 12 months": "Những ngày quan trọng trong 12 tháng tới", "The job information has been saved": "Thông tin công việc đã được lưu", - "The journal lets you document your life with your own words.": "Tạp chí cho phép bạn ghi lại cuộc sống của mình bằng lời nói của chính bạn.", - "The keys to manage uploads have not been set in this Monica instance.": "Các khóa để quản lý tải lên chưa được thiết lập trong phiên bản Monica này.", + "The journal lets you document your life with your own words.": "Nhật ký cho phép bạn ghi lại cuộc sống của mình bằng lời nói của chính bạn.", + "The keys to manage uploads have not been set in this Monica instance.": "Chìa khóa để quản lý nội dung tải lên chưa được đặt trong phiên bản Monica này.", "The label has been added": "Nhãn đã được thêm vào", "The label has been created": "Nhãn đã được tạo", "The label has been deleted": "Nhãn đã bị xóa", "The label has been updated": "Nhãn đã được cập nhật", - "The life metric has been created": "Chỉ số tuổi thọ đã được tạo", - "The life metric has been deleted": "Chỉ số tuổi thọ đã bị xóa", - "The life metric has been updated": "Chỉ số tuổi thọ đã được cập nhật", + "The life metric has been created": "Thước đo cuộc sống đã được tạo", + "The life metric has been deleted": "Chỉ số cuộc sống đã bị xóa", + "The life metric has been updated": "Số liệu cuộc sống đã được cập nhật", "The loan has been created": "Khoản vay đã được tạo", "The loan has been deleted": "Khoản vay đã bị xóa", "The loan has been edited": "Khoản vay đã được chỉnh sửa", @@ -980,54 +979,54 @@ "The note has been deleted": "Ghi chú đã bị xóa", "The note has been edited": "Ghi chú đã được chỉnh sửa", "The notification has been sent": "Thông báo đã được gửi", - "The operation either timed out or was not allowed.": "Thao tác đã hết thời gian hoặc không được phép.", - "The page has been added": "Trang đã được thêm vào", + "The operation either timed out or was not allowed.": "Thao tác đã hết thời gian chờ hoặc không được phép.", + "The page has been added": "Trang đã được thêm", "The page has been deleted": "Trang đã bị xóa", "The page has been updated": "Trang đã được cập nhật", "The password is incorrect.": "Mật khẩu không đúng.", "The pet category has been created": "Danh mục thú cưng đã được tạo", - "The pet category has been deleted": "Hạng mục thú cưng đã bị xóa", - "The pet category has been updated": "Chuyên mục thú cưng đã được cập nhật", + "The pet category has been deleted": "Danh mục thú cưng đã bị xóa", + "The pet category has been updated": "Danh mục thú cưng đã được cập nhật", "The pet has been added": "Thú cưng đã được thêm vào", "The pet has been deleted": "Thú cưng đã bị xóa", "The pet has been edited": "Thú cưng đã được chỉnh sửa", - "The photo has been added": "Ảnh đã được thêm vào", + "The photo has been added": "Ảnh đã được thêm", "The photo has been deleted": "Ảnh đã bị xóa", "The position has been saved": "Vị trí đã được lưu", - "The post template has been created": "Mẫu bài đăng đã được tạo", + "The post template has been created": "Mẫu bài viết đã được tạo", "The post template has been deleted": "Mẫu bài viết đã bị xóa", - "The post template has been updated": "Mẫu bài đăng đã được cập nhật", - "The pronoun has been created": "Đại từ đã được tạo ra", + "The post template has been updated": "Mẫu bài viết đã được cập nhật", + "The pronoun has been created": "Đại từ đã được tạo", "The pronoun has been deleted": "Đại từ đã bị xóa", "The pronoun has been updated": "Đại từ đã được cập nhật", - "The provided password does not match your current password.": "Mật khẩu được cung cấp không khớp với mật khẩu hiện tại của bạn.", - "The provided password was incorrect.": "Mật khẩu đã cung cấp không chính xác.", - "The provided two factor authentication code was invalid.": "Mã xác thực hai yếu tố được cung cấp không hợp lệ.", - "The provided two factor recovery code was invalid.": "Mã khôi phục hai yếu tố đã cung cấp không hợp lệ.", - "There are no active addresses yet.": "Không có địa chỉ hoạt động nào.", - "There are no calls logged yet.": "Không có cuộc gọi nào được ghi lại.", - "There are no contact information yet.": "Không có thông tin liên lạc nào.", - "There are no documents yet.": "Chưa có tài liệu.", - "There are no events on that day, future or past.": "Không có sự kiện vào ngày hôm đó, tương lai hoặc quá khứ.", - "There are no files yet.": "Không có tập tin nào.", - "There are no goals yet.": "Không có mục tiêu nào.", + "The provided password does not match your current password.": "Mật khẩu vừa nhập không khớp với mật khẩu hiện tại.", + "The provided password was incorrect.": "Mật khẩu vừa nhập không chính xác.", + "The provided two factor authentication code was invalid.": "Mã xác minh hai yếu tố vừa nhập không chính xác.", + "The provided two factor recovery code was invalid.": "Mã xác minh hai yếu tố đã cung cấp không hợp lệ.", + "There are no active addresses yet.": "Chưa có địa chỉ hoạt động nào.", + "There are no calls logged yet.": "Chưa có cuộc gọi nào được ghi lại.", + "There are no contact information yet.": "Hiện chưa có thông tin liên lạc.", + "There are no documents yet.": "Chưa có tài liệu nào.", + "There are no events on that day, future or past.": "Không có sự kiện nào vào ngày đó, tương lai hay quá khứ.", + "There are no files yet.": "Chưa có tập tin nào.", + "There are no goals yet.": "Chưa có mục tiêu nào.", "There are no journal metrics.": "Không có số liệu tạp chí.", "There are no loans yet.": "Chưa có khoản vay nào.", - "There are no notes yet.": "Không có ghi chú nào.", + "There are no notes yet.": "Chưa có ghi chú nào.", "There are no other users in this account.": "Không có người dùng nào khác trong tài khoản này.", - "There are no pets yet.": "Không có vật nuôi nào.", - "There are no photos yet.": "Không có ảnh nào.", - "There are no posts yet.": "Không có bài viết nào.", - "There are no quick facts here yet.": "Không có sự thật nhanh chóng ở đây được nêu ra.", + "There are no pets yet.": "Chưa có vật nuôi nào.", + "There are no photos yet.": "Chưa có ảnh nào.", + "There are no posts yet.": "Chưa có bài viết nào", + "There are no quick facts here yet.": "Chưa có thông tin nhanh nào ở đây.", "There are no relationships yet.": "Chưa có mối quan hệ nào.", - "There are no reminders yet.": "Không có lời nhắc nào.", - "There are no tasks yet.": "Không có nhiệm vụ nào.", - "There are no templates in the account. Go to the account settings to create one.": "Không có mẫu nào trong tài khoản. Chuyển đến cài đặt tài khoản để tạo một tài khoản.", + "There are no reminders yet.": "Chưa có lời nhắc nào.", + "There are no tasks yet.": "Chưa có nhiệm vụ nào.", + "There are no templates in the account. Go to the account settings to create one.": "Không có mẫu nào trong tài khoản. Đi tới cài đặt tài khoản để tạo một tài khoản.", "There is no activity yet.": "Không có hoạt động nào.", - "There is no currencies in this account.": "Không có tiền tệ trong tài khoản này.", + "There is no currencies in this account.": "Không có loại tiền tệ nào trong tài khoản này.", "The relationship has been added": "Mối quan hệ đã được thêm vào", "The relationship has been deleted": "Mối quan hệ đã bị xóa", - "The relationship type has been created": "Kiểu quan hệ đã được tạo", + "The relationship type has been created": "Loại mối quan hệ đã được tạo", "The relationship type has been deleted": "Loại mối quan hệ đã bị xóa", "The relationship type has been updated": "Loại mối quan hệ đã được cập nhật", "The religion has been created": "Tôn giáo đã được tạo ra", @@ -1036,25 +1035,27 @@ "The reminder has been created": "Lời nhắc đã được tạo", "The reminder has been deleted": "Lời nhắc đã bị xóa", "The reminder has been edited": "Lời nhắc đã được chỉnh sửa", + "The response is not a streamed response.": "Phản hồi không phải là phản hồi được phát trực tuyến.", + "The response is not a view.": "Phản hồi không phải là một lượt xem.", "The role has been created": "Vai trò đã được tạo", "The role has been deleted": "Vai trò đã bị xóa", "The role has been updated": "Vai trò đã được cập nhật", - "The section has been created": "Chuyên mục đã được tạo", - "The section has been deleted": "Chuyên mục đã bị xóa", - "The section has been updated": "Chuyên mục đã được cập nhật", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Những người này đã được mời vào nhóm của bạn và đã được gửi email lời mời. Họ có thể tham gia nhóm bằng cách chấp nhận lời mời qua email.", - "The tag has been added": "Thẻ đã được thêm vào", + "The section has been created": "Phần này đã được tạo", + "The section has been deleted": "Phần này đã bị xóa", + "The section has been updated": "Phần này đã được cập nhật", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "Những người này đã được mời vào nhóm của bạn và đã được gửi email mời gia nhập. Họ có thể tham gia bằng cách chấp nhận lời mời qua email.", + "The tag has been added": "Thẻ đã được thêm", "The tag has been created": "Thẻ đã được tạo", "The tag has been deleted": "Thẻ đã bị xóa", "The tag has been updated": "Thẻ đã được cập nhật", "The task has been created": "Nhiệm vụ đã được tạo", "The task has been deleted": "Nhiệm vụ đã bị xóa", "The task has been edited": "Nhiệm vụ đã được chỉnh sửa", - "The team's name and owner information.": "Tên của nhóm và thông tin chủ sở hữu.", + "The team's name and owner information.": "Tên và thông tin của trưởng nhóm", "The Telegram channel has been deleted": "Kênh Telegram đã bị xóa", "The template has been created": "Mẫu đã được tạo", "The template has been deleted": "Mẫu đã bị xóa", - "The template has been set": "Mẫu đã được thiết lập", + "The template has been set": "Mẫu đã được đặt", "The template has been updated": "Mẫu đã được cập nhật", "The test email has been sent": "Email kiểm tra đã được gửi", "The type has been created": "Loại đã được tạo", @@ -1064,109 +1065,106 @@ "The user has been deleted": "Người dùng đã bị xóa", "The user has been removed": "Người dùng đã bị xóa", "The user has been updated": "Người dùng đã được cập nhật", - "The vault has been created": "Kho tiền đã được tạo", + "The vault has been created": "Vault đã được tạo", "The vault has been deleted": "Kho tiền đã bị xóa", "The vault have been updated": "Kho tiền đã được cập nhật", - "they\/them": "họ \/ họ", + "they/them": "họ / họ", "This address is not active anymore": "Địa chỉ này không còn hoạt động nữa", - "This device": "Thiết bị này", - "This email is a test email to check if Monica can send an email to this email address.": "Email này là email thử nghiệm để kiểm tra xem Monica có thể gửi email đến địa chỉ email này không.", - "This is a secure area of the application. Please confirm your password before continuing.": "Đây là một khu vực an toàn của ứng dụng. Vui lòng xác nhận mật khẩu của bạn trước khi tiếp tục.", + "This device": "Thiết bị hiện tại", + "This email is a test email to check if Monica can send an email to this email address.": "Email này là email thử nghiệm để kiểm tra xem Monica có thể gửi email đến địa chỉ email này hay không.", + "This is a secure area of the application. Please confirm your password before continuing.": "Đây là khu vực an toàn của ứng dụng. Vui lòng xác nhận mật khẩu của bạn trước khi tiếp tục.", "This is a test email": "Đây là một email thử nghiệm", - "This is a test notification for :name": "Đây là thông báo thử nghiệm cho :name", - "This key is already registered. It’s not necessary to register it again.": "Khóa này đã được đăng ký. Không cần thiết phải đăng ký lại.", + "This is a test notification for :name": "Đây là thông báo kiểm tra cho :name", + "This key is already registered. It’s not necessary to register it again.": "Chìa khóa này đã được đăng ký. Không cần thiết phải đăng ký lại.", "This link will open in a new tab": "Liên kết này sẽ mở trong một tab mới", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Trang này hiển thị tất cả các thông báo đã được gửi trong kênh này trước đây. Nó chủ yếu phục vụ như một cách để gỡ lỗi trong trường hợp bạn không nhận được thông báo mà bạn đã thiết lập.", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "Trang này hiển thị tất cả các thông báo đã được gửi trong kênh này trước đây. Nó chủ yếu phục vụ như một cách để gỡ lỗi trong trường hợp bạn không nhận được thông báo mà mình đã thiết lập.", "This password does not match our records.": "Mật khẩu này không khớp với hồ sơ của chúng tôi.", - "This password reset link will expire in :count minutes.": "Liên kết đặt lại mật khẩu này sẽ hết hạn sau :count phút.", + "This password reset link will expire in :count minutes.": "Đường dẫn lấy lại mật khẩu sẽ hết hạn trong :count phút.", "This post has no content yet.": "Bài đăng này chưa có nội dung.", "This provider is already associated with another account": "Nhà cung cấp này đã được liên kết với một tài khoản khác", - "This site is open source.": "Trang web này là mã nguồn mở.", + "This site is open source.": "Trang web này là nguồn mở.", "This template will define what information are displayed on a contact page.": "Mẫu này sẽ xác định thông tin nào được hiển thị trên trang liên hệ.", - "This user already belongs to the team.": "Người dùng này đã thuộc về nhóm.", + "This user already belongs to the team.": "Người dùng này đã trong nhóm.", "This user has already been invited to the team.": "Người dùng này đã được mời vào nhóm.", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Người dùng này sẽ là một phần trong tài khoản của bạn nhưng sẽ không có quyền truy cập vào tất cả các kho tiền trong tài khoản này trừ khi bạn cấp quyền truy cập cụ thể cho họ. Người này cũng sẽ có thể tạo kho tiền.", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "Người dùng này sẽ là một phần trong tài khoản của bạn nhưng sẽ không có quyền truy cập vào tất cả các kho tiền trong tài khoản này trừ khi bạn cấp quyền truy cập cụ thể cho họ. Người này cũng có thể tạo vault.", "This will immediately:": "Điều này sẽ ngay lập tức:", "Three things that happened today": "Ba điều đã xảy ra ngày hôm nay", "Thursday": "Thứ năm", "Timezone": "Múi giờ", "Title": "Tiêu đề", - "to": "ĐẾN", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Để hoàn tất bật xác thực hai yếu tố, hãy quét mã QR sau bằng ứng dụng xác thực trên điện thoại của bạn hoặc nhập mã thiết lập và cung cấp mã OTP đã tạo.", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "Để hoàn tất bật xác thực hai yếu tố, hãy quét mã QR sau bằng ứng dụng xác thực trên điện thoại của bạn hoặc nhập mã thiết lập và cung cấp mã OTP đã tạo.", - "Toggle navigation": "Chuyển đổi điều hướng thành", + "to": "tới", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "Để hoàn tất việc bật xác minh hai yếu tố, quét mã QR sau bằng ứng dụng xác minh trên điện thoại của bạn hoặc nhập khóa thiết lập và cung cấp mã OTP đã tạo.", + "Toggle navigation": "Chuyển hướng điều hướng", "To hear their story": "Để nghe câu chuyện của họ", - "Token Name": "Tên mã thông báo", - "Token name (for your reference only)": "Tên mã thông báo (chỉ để bạn tham khảo)", + "Token Name": "Tên Token", + "Token name (for your reference only)": "Tên token (chỉ để bạn tham khảo)", "Took a new job": "Đã nhận một công việc mới", - "Took the bus": "bắt xe buýt", + "Took the bus": "Bắt xe buýt", "Took the metro": "Đi tàu điện ngầm", - "Too Many Requests": "Quá nhiều yêu cầu", + "Too Many Requests": "Quá Nhiều Yêu Cầu", "To see if they need anything": "Để xem họ có cần gì không", - "To start, you need to create a vault.": "Để bắt đầu, bạn cần tạo một kho tiền.", + "To start, you need to create a vault.": "Để bắt đầu, bạn cần tạo một vault.", "Total:": "Tổng cộng:", "Total streaks": "Tổng số vệt", - "Track a new metric": "Theo dõi một số liệu mới", + "Track a new metric": "Theo dõi số liệu mới", "Transportation": "Vận tải", "Tuesday": "Thứ ba", "Two-factor Confirmation": "Xác nhận hai yếu tố", - "Two Factor Authentication": "Xác thực hai yếu tố", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Xác thực hai yếu tố hiện đã được bật. Quét mã QR sau bằng ứng dụng xác thực trên điện thoại của bạn hoặc nhập mã thiết lập.", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Xác thực hai yếu tố hiện đã được bật. Quét mã QR sau bằng ứng dụng xác thực trên điện thoại của bạn hoặc nhập mã thiết lập.", + "Two Factor Authentication": "Xác minh hai yếu tố", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "Xác minh hai yếu tố hiện đã được bật. Quét mã QR sau bằng ứng dụng xác minh trên điện thoại của bạn hoặc nhập khóa cài đặt.", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "Xác thực hai yếu tố hiện đã được bật. Quét mã QR sau bằng ứng dụng xác thực trên điện thoại của bạn hoặc nhập khóa thiết lập.", "Type": "Kiểu", "Type:": "Kiểu:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Nhập bất kỳ nội dung nào trong cuộc trò chuyện với bot Monica. Nó có thể là `bắt đầu` chẳng hạn.", - "Types": "các loại", - "Type something": "Nhập một cái gì đó", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "Nhập bất cứ điều gì vào cuộc trò chuyện với bot Monica. Ví dụ: nó có thể là `bắt đầu`.", + "Types": "Các loại", + "Type something": "Nhập nội dung nào đó", "Unarchive contact": "Hủy lưu trữ liên hệ", - "unarchived the contact": "hủy lưu trữ liên hệ", - "Unauthorized": "Không được phép", - "uncle\/aunt": "chú\/dì", + "unarchived the contact": "đã hủy lưu trữ liên hệ", + "Unauthorized": "Không Được Phép", + "uncle/aunt": "chú/dì", "Undefined": "Không xác định", "Unexpected error on login.": "Lỗi không mong muốn khi đăng nhập.", - "Unknown": "không xác định", + "Unknown": "Không Xác Định", "unknown action": "hành động không xác định", - "Unknown age": "không rõ tuổi", - "Unknown contact name": "Tên liên lạc không xác định", + "Unknown age": "Không rõ tuổi", "Unknown name": "Cái tên không quen biết", "Update": "Cập nhật", "Update a key.": "Cập nhật một khóa.", "updated a contact information": "đã cập nhật thông tin liên hệ", - "updated a goal": "đã cập nhật một mục tiêu", - "updated an address": "đã cập nhật một địa chỉ", - "updated an important date": "cập nhật một ngày quan trọng", - "updated a pet": "cập nhật một con vật cưng", - "Updated on :date": "Cập nhật vào: ngày", - "updated the avatar of the contact": "đã cập nhật ảnh đại diện của liên hệ", + "updated a goal": "đã cập nhật mục tiêu", + "updated an address": "đã cập nhật địa chỉ", + "updated an important date": "đã cập nhật một ngày quan trọng", + "updated a pet": "đã cập nhật thú cưng", + "Updated on :date": "Đã cập nhật vào :date", + "updated the avatar of the contact": "đã cập nhật avatar của liên hệ", "updated the contact information": "đã cập nhật thông tin liên hệ", - "updated the job information": "đã cập nhật thông tin công việc", + "updated the job information": "đã cập nhật thông tin việc làm", "updated the religion": "cập nhật tôn giáo", "Update Password": "Cập nhật mật khẩu", "Update your account's profile information and email address.": "Cập nhật thông tin hồ sơ tài khoản và địa chỉ email của bạn.", - "Update your account’s profile information and email address.": "Cập nhật thông tin hồ sơ tài khoản và địa chỉ email của bạn.", - "Upload photo as avatar": "Tải ảnh lên làm avatar", + "Upload photo as avatar": "Tải ảnh lên làm hình đại diện", "Use": "Sử dụng", - "Use an authentication code": "Sử dụng mã xác thực", + "Use an authentication code": "Sử dụng mã xác minh", "Use a recovery code": "Sử dụng mã khôi phục", - "Use a security key (Webauthn, or FIDO) to increase your account security.": "Sử dụng khóa bảo mật (Webauthn hoặc FIDO) để tăng cường bảo mật cho tài khoản của bạn.", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "Sử dụng khóa bảo mật (Webauthn hoặc FIDO) để tăng cường bảo mật tài khoản của bạn.", "User preferences": "Sở thích của người sử dụng", - "Users": "người dùng", + "Users": "Người dùng", "User settings": "Thiết lập người dùng", "Use the following template for this contact": "Sử dụng mẫu sau cho liên hệ này", "Use your password": "Sử dụng mật khẩu của bạn", "Use your security key": "Sử dụng khóa bảo mật của bạn", "Validating key…": "Đang xác thực khóa…", - "Value copied into your clipboard": "Đã sao chép giá trị vào khay nhớ tạm của bạn", - "Vaults contain all your contacts data.": "Vault chứa tất cả dữ liệu danh bạ của bạn.", - "Vault settings": "Cài đặt kho tiền", - "ve\/ver": "và\/cho", + "Value copied into your clipboard": "Giá trị được sao chép vào khay nhớ tạm của bạn", + "Vaults contain all your contacts data.": "Vault chứa tất cả dữ liệu liên hệ của bạn.", + "Vault settings": "Cài đặt vault", + "ve/ver": "đã/ver", "Verification email sent": "Gửi email xác minh", "Verified": "Đã xác minh", - "Verify Email Address": "xác nhận địa chỉ email", + "Verify Email Address": "Xác Minh Địa Chỉ Email", "Verify this email address": "Xác nhận địa chỉ thư điện tử này", - "Version :version — commit [:short](:url).": "Phiên bản :version bản — cam kết [:short](:url).", - "Via Telegram": "Qua điện tín", - "Video call": "cuộc gọi video", + "Version :version — commit [:short](:url).": "Phiên bản :version — cam kết [:short](:url).", + "Via Telegram": "Qua Telegram", + "Video call": "Cuộc gọi video", "View": "Xem", "View all": "Xem tất cả", "View details": "Xem chi tiết", @@ -1175,108 +1173,109 @@ "View log": "Xem nhật kí", "View on map": "Xem trên bản đồ", "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "Đợi vài giây để Monica (ứng dụng) nhận ra bạn. Chúng tôi sẽ gửi cho bạn một thông báo giả để xem nó có hoạt động không.", - "Waiting for key…": "Chờ chìa khóa…", + "Waiting for key…": "Đang chờ chìa khóa…", "Walked": "Đi bộ", "Wallpaper": "Hình nền", - "Was there a reason for the call?": "Có một lý do cho cuộc gọi?", + "Was there a reason for the call?": "Có lý do nào cho cuộc gọi không?", "Watched a movie": "Đã xem một bộ phim", "Watched a tv show": "Đã xem một chương trình truyền hình", - "Watched TV": "TV đã xem", + "Watched TV": "đã xem tivi", "Watch Netflix every day": "Xem Netflix mỗi ngày", - "Ways to connect": "Cách kết nối", - "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn chỉ hỗ trợ kết nối an toàn. Vui lòng tải trang này bằng lược đồ https.", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Chúng tôi gọi chúng là một mối quan hệ, và mối quan hệ ngược lại của nó. Đối với mỗi quan hệ bạn xác định, bạn cần xác định đối tác của nó.", + "Ways to connect": "Các cách kết nối", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn chỉ hỗ trợ các kết nối an toàn. Vui lòng tải trang này với lược đồ https.", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "Chúng tôi gọi chúng là mối quan hệ và mối quan hệ ngược lại của nó. Đối với mỗi mối quan hệ bạn xác định, bạn cần xác định đối tác của nó.", "Wedding": "Lễ cưới", "Wednesday": "Thứ Tư", "We hope you'll like it.": "Chúng tôi hy vọng bạn sẽ thích nó.", "We hope you will like what we’ve done.": "Chúng tôi hy vọng bạn sẽ thích những gì chúng tôi đã làm.", - "Welcome to Monica.": "Chào mừng đến với Mônica.", + "Welcome to Monica.": "Chào mừng đến với Monica.", "Went to a bar": "Đã đi đến một quán bar", "We support Markdown to format the text (bold, lists, headings, etc…).": "Chúng tôi hỗ trợ Markdown để định dạng văn bản (in đậm, danh sách, tiêu đề, v.v.).", "We were unable to find a registered user with this email address.": "Chúng tôi không thể tìm thấy người dùng đã đăng ký với địa chỉ email này.", "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "Chúng tôi sẽ gửi email đến địa chỉ email này mà bạn cần xác nhận trước khi chúng tôi có thể gửi thông báo đến địa chỉ này.", "What happens now?": "Điều gì xảy ra bây giờ?", "What is the loan?": "Khoản vay là gì?", - "What permission should :name have?": ":name nên có quyền gì?", + "What permission should :name have?": ":Name nên có quyền gì?", "What permission should the user have?": "Người dùng nên có quyền gì?", - "What should we use to display maps?": "Chúng ta nên sử dụng cái gì để hiển thị bản đồ?", - "What would make today great?": "Điều gì sẽ làm cho ngày hôm nay trở nên tuyệt vời?", - "When did the call happened?": "Khi nào cuộc gọi xảy ra?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Khi xác thực hai yếu tố được bật, bạn sẽ được nhắc nhập mã thông báo ngẫu nhiên, an toàn trong quá trình xác thực. Bạn có thể truy xuất mã thông báo này từ ứng dụng Google Authenticator trên điện thoại của mình.", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Khi xác thực hai yếu tố được bật, bạn sẽ được nhắc nhập mã thông báo ngẫu nhiên, an toàn trong quá trình xác thực. Bạn có thể truy xuất mã thông báo này từ ứng dụng Trình xác thực trên điện thoại của mình.", + "Whatsapp": "Whatsapp", + "What should we use to display maps?": "Chúng ta nên sử dụng gì để hiển thị bản đồ?", + "What would make today great?": "Điều gì sẽ khiến ngày hôm nay trở nên tuyệt vời?", + "When did the call happened?": "Cuộc gọi diễn ra khi nào?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "Khi xác minh hai yếu tố được bật, bạn sẽ được nhắc nhập mã thông báo ngẫu nhiên, an toàn trong quá trình xác minh. Bạn có thể lấy mã thông báo này từ ứng dụng Google Authenticator trên điện thoại của mình.", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "Khi xác thực hai yếu tố được bật, bạn sẽ được nhắc nhập mã thông báo ngẫu nhiên, an toàn trong quá trình xác thực. Bạn có thể truy xuất mã thông báo này từ ứng dụng Authenticator trên điện thoại của mình.", "When was the loan made?": "Khoản vay được thực hiện khi nào?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Khi bạn xác định mối quan hệ giữa hai liên hệ, chẳng hạn như mối quan hệ cha-con, Monica sẽ tạo hai mối quan hệ, một mối quan hệ cho mỗi liên hệ:", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "Khi bạn xác định mối quan hệ giữa hai người liên hệ, chẳng hạn như mối quan hệ cha-con, Monica sẽ tạo hai mối quan hệ, một mối quan hệ cho mỗi người liên hệ:", "Which email address should we send the notification to?": "Chúng tôi nên gửi thông báo đến địa chỉ email nào?", "Who called?": "Ai đã gọi?", - "Who makes the loan?": "Ai là người cho vay?", + "Who makes the loan?": "Ai thực hiện khoản vay?", "Whoops!": "Rất tiếc!", - "Whoops! Something went wrong.": "Rất tiếc! Đã xảy ra sự cố.", - "Who should we invite in this vault?": "Chúng ta nên mời ai trong hầm này?", + "Whoops! Something went wrong.": "Rất tiếc! Đã xảy ra lỗi.", + "Who should we invite in this vault?": "Chúng ta nên mời ai vào hầm này?", "Who the loan is for?": "Khoản vay dành cho ai?", "Wish good day": "Chúc một ngày tốt lành", "Work": "Công việc", - "Write the amount with a dot if you need decimals, like 100.50": "Viết số có dấu chấm nếu bạn cần số thập phân, chẳng hạn như 100,50", + "Write the amount with a dot if you need decimals, like 100.50": "Viết số bằng dấu chấm nếu bạn cần số thập phân, như 100,50", "Written on": "Được viết trên", "wrote a note": "đã viết một ghi chú", - "xe\/xem": "xe\/xem", + "xe/xem": "xe/xem", "year": "năm", - "Years": "năm", + "Years": "Năm", "You are here:": "Bạn đang ở đây:", - "You are invited to join Monica": "Mời các bạn tham gia cùng Monica", + "You are invited to join Monica": "Bạn được mời tham gia cùng Monica", "You are receiving this email because we received a password reset request for your account.": "Bạn nhận được email này vì chúng tôi đã nhận được yêu cầu đặt lại mật khẩu cho tài khoản của bạn.", "you can't even use your current username or password to sign in,": "bạn thậm chí không thể sử dụng tên người dùng hoặc mật khẩu hiện tại của mình để đăng nhập,", - "you can't import any data from your current Monica account(yet),": "bạn không thể nhập bất kỳ dữ liệu nào từ tài khoản Monica hiện tại của mình (chưa),", + "you can't import any data from your current Monica account(yet),": "bạn không thể nhập bất kỳ dữ liệu nào từ tài khoản Monica hiện tại của mình,", "You can add job information to your contacts and manage the companies here in this tab.": "Bạn có thể thêm thông tin công việc vào danh bạ của mình và quản lý các công ty ở đây trong tab này.", - "You can add more account to log in to our service with one click.": "Bạn có thể thêm nhiều tài khoản để đăng nhập vào dịch vụ của chúng tôi chỉ bằng một cú nhấp chuột.", + "You can add more account to log in to our service with one click.": "Bạn có thể thêm nhiều tài khoản hơn để đăng nhập vào dịch vụ của chúng tôi chỉ bằng một cú nhấp chuột.", "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "Bạn có thể được thông báo qua các kênh khác nhau: email, tin nhắn Telegram, trên Facebook. Bạn quyết định.", "You can change that at any time.": "Bạn có thể thay đổi điều đó bất cứ lúc nào.", - "You can choose how you want Monica to display dates in the application.": "Bạn có thể chọn cách bạn muốn Monica hiển thị ngày trong ứng dụng.", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Bạn có thể chọn loại tiền tệ nào sẽ được bật trong tài khoản của mình và loại tiền tệ nào không nên.", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Bạn có thể tùy chỉnh cách hiển thị danh bạ theo sở thích\/văn hóa của riêng bạn. Có lẽ bạn sẽ muốn sử dụng James Bond thay vì Bond James. Tại đây, bạn có thể định nghĩa tùy ý.", + "You can choose how you want Monica to display dates in the application.": "Bạn có thể chọn cách bạn muốn Monica hiển thị ngày tháng trong ứng dụng.", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "Bạn có thể chọn loại tiền tệ nào sẽ được kích hoạt trong tài khoản của mình và loại tiền tệ nào không nên kích hoạt.", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "Bạn có thể tùy chỉnh cách hiển thị danh bạ theo sở thích/văn hóa của riêng bạn. Có lẽ bạn sẽ muốn sử dụng James Bond thay vì Bond James. Ở đây, bạn có thể xác định nó theo ý muốn.", "You can customize the criteria that let you track your mood.": "Bạn có thể tùy chỉnh các tiêu chí cho phép bạn theo dõi tâm trạng của mình.", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Bạn có thể di chuyển danh bạ giữa các kho tiền. Sự thay đổi này là ngay lập tức. Bạn chỉ có thể di chuyển địa chỉ liên hệ đến kho tiền mà bạn là thành viên. Tất cả dữ liệu danh bạ sẽ di chuyển cùng với nó.", - "You cannot remove your own administrator privilege.": "Bạn không thể xóa đặc quyền quản trị viên của chính mình.", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "Bạn có thể di chuyển danh bạ giữa các vault. Sự thay đổi này là ngay lập tức. Bạn chỉ có thể di chuyển danh bạ tới vault mà bạn là thành viên. Tất cả dữ liệu danh bạ sẽ di chuyển cùng với nó.", + "You cannot remove your own administrator privilege.": "Bạn không thể loại bỏ đặc quyền quản trị viên của riêng bạn.", "You don’t have enough space left in your account.": "Bạn không còn đủ dung lượng trong tài khoản của mình.", "You don’t have enough space left in your account. Please upgrade.": "Bạn không còn đủ dung lượng trong tài khoản của mình. Hãy nâng cấp.", - "You have been invited to join the :team team!": "Bạn đã được mời tham gia nhóm :team!", - "You have enabled two factor authentication.": "Bạn đã bật xác thực hai yếu tố.", - "You have not enabled two factor authentication.": "Bạn chưa bật xác thực hai yếu tố.", + "You have been invited to join the :team team!": "Bạn đã được mời gia nhập vào nhóm :team!", + "You have enabled two factor authentication.": "Bạn đã bật xác minh hai yếu tố.", + "You have not enabled two factor authentication.": "Bạn chưa bật xác minh hai yếu tố.", "You have not setup Telegram in your environment variables yet.": "Bạn chưa thiết lập Telegram trong các biến môi trường của mình.", - "You haven’t received a notification in this channel yet.": "Bạn chưa nhận được thông báo trong kênh này.", + "You haven’t received a notification in this channel yet.": "Bạn chưa nhận được thông báo trên kênh này.", "You haven’t setup Telegram yet.": "Bạn chưa thiết lập Telegram.", - "You may accept this invitation by clicking the button below:": "Bạn có thể chấp nhận lời mời này bằng cách nhấp vào nút bên dưới:", - "You may delete any of your existing tokens if they are no longer needed.": "Bạn có thể xóa bất kỳ mã thông báo hiện có nào của mình nếu chúng không còn cần thiết.", + "You may accept this invitation by clicking the button below:": "Bạn có thể chấp nhận lời mời này bằng cách bấm vào nút bên dưới:", + "You may delete any of your existing tokens if they are no longer needed.": "Bạn có thể xóa bất kì token hiện có nào của mình nếu chúng không còn cần thiết.", "You may not delete your personal team.": "Bạn không thể xóa nhóm cá nhân của mình.", - "You may not leave a team that you created.": "Bạn không thể rời khỏi một nhóm mà bạn đã tạo.", - "You might need to reload the page to see the changes.": "Bạn có thể cần tải lại trang để xem các thay đổi.", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Bạn cần ít nhất một mẫu để hiển thị danh bạ. Nếu không có mẫu, Monica sẽ không biết thông tin nào sẽ hiển thị.", - "Your account current usage": "Tài khoản của bạn sử dụng hiện tại", + "You may not leave a team that you created.": "Bạn không được rời khỏi nhóm mà bạn đã tạo.", + "You might need to reload the page to see the changes.": "Bạn có thể cần phải tải lại trang để xem các thay đổi.", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "Bạn cần ít nhất một mẫu để hiển thị danh bạ. Nếu không có mẫu, Monica sẽ không biết nó sẽ hiển thị thông tin nào.", + "Your account current usage": "Mức sử dụng hiện tại của tài khoản của bạn", "Your account has been created": "Tài khoản của bạn đã được tạo", - "Your account is linked": "Tài khoản của bạn được liên kết", + "Your account is linked": "Tài khoản của bạn đã được liên kết", "Your account limits": "Giới hạn tài khoản của bạn", "Your account will be closed immediately,": "Tài khoản của bạn sẽ bị đóng ngay lập tức,", "Your browser doesn’t currently support WebAuthn.": "Trình duyệt của bạn hiện không hỗ trợ WebAuthn.", "Your email address is unverified.": "Địa chỉ email của bạn chưa được xác minh.", - "Your life events": "sự kiện cuộc sống của bạn", + "Your life events": "Sự kiện cuộc sống của bạn", "Your mood has been recorded!": "Tâm trạng của bạn đã được ghi lại!", "Your mood that day": "Tâm trạng của bạn ngày hôm đó", - "Your mood that you logged at this date": "Tâm trạng của bạn mà bạn đã đăng nhập vào ngày này", - "Your mood this year": "Tâm trạng của bạn trong năm nay", - "Your name here will be used to add yourself as a contact.": "Tên của bạn ở đây sẽ được sử dụng để thêm bạn làm liên hệ.", - "You wanted to be reminded of the following:": "Bạn muốn được nhắc nhở về những điều sau đây:", + "Your mood that you logged at this date": "Tâm trạng của bạn mà bạn đăng nhập vào ngày này", + "Your mood this year": "Tâm trạng của bạn năm nay", + "Your name here will be used to add yourself as a contact.": "Tên của bạn ở đây sẽ được sử dụng để thêm chính bạn làm người liên hệ.", + "You wanted to be reminded of the following:": "Bạn muốn được nhắc nhở về những điều sau:", "You WILL still have to delete your account on Monica or OfficeLife.": "Bạn SẼ vẫn phải xóa tài khoản của mình trên Monica hoặc OfficeLife.", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Bạn đã được mời sử dụng địa chỉ email này trong Monica, một CRM cá nhân nguồn mở, vì vậy chúng tôi có thể sử dụng nó để gửi thông báo cho bạn.", - "ze\/hir": "đến cô ấy", - "⚠️ Danger zone": "⚠️ Khu vực nguy hiểm", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "Bạn đã được mời sử dụng địa chỉ email này ở Monica, một CRM cá nhân nguồn mở để chúng tôi có thể sử dụng địa chỉ này để gửi thông báo cho bạn.", + "ze/hir": "ze/hir", + "⚠️ Danger zone": "⚠️ Vùng nguy hiểm", "🌳 Chalet": "🌳 Nhà gỗ", - "🏠 Secondary residence": "🏠 Nhà phụ", + "🏠 Secondary residence": "🏠 Nơi ở thứ hai", "🏡 Home": "🏡 Trang chủ", "🏢 Work": "🏢 Công việc", - "🔔 Reminder: :label for :contactName": "🔔 Nhắc nhở: :label cho :contactName", + "🔔 Reminder: :label for :contactName": "🔔 Lời nhắc: :label cho :contactName", "😀 Good": "😀 Tốt", - "😁 Positive": "😁 tích cực", - "😐 Meh": "😐 Meh", - "😔 Bad": "😔 Xấu", + "😁 Positive": "😁 Tích cực", + "😐 Meh": "😐 Ờ", + "😔 Bad": "😔 Tệ", "😡 Negative": "😡 Tiêu cực", "😩 Awful": "😩 Kinh khủng", "😶‍🌫️ Neutral": "😶‍🌫️ Trung tính", diff --git a/lang/vi/auth.php b/lang/vi/auth.php index d104e134496..abd523fdab4 100644 --- a/lang/vi/auth.php +++ b/lang/vi/auth.php @@ -2,7 +2,7 @@ return [ 'failed' => 'Thông tin tài khoản không tìm thấy trong hệ thống.', - 'lang' => 'Việt', + 'lang' => 'Tiếng Việt', 'password' => 'Mật khẩu không đúng.', 'throttle' => 'Vượt quá số lần đăng nhập cho phép. Vui lòng thử lại sau :seconds giây.', ]; diff --git a/lang/vi/pagination.php b/lang/vi/pagination.php index e219d3d2e61..1b2e7b6a170 100644 --- a/lang/vi/pagination.php +++ b/lang/vi/pagination.php @@ -1,6 +1,6 @@ 'Trang trước »', - 'previous' => '« Trang sau', + 'next' => 'Trang trước ❯', + 'previous' => '❮ Trang sau', ]; diff --git a/lang/vi/validation.php b/lang/vi/validation.php index 3e1db054e5b..9ee0d7daa6e 100644 --- a/lang/vi/validation.php +++ b/lang/vi/validation.php @@ -93,6 +93,7 @@ 'string' => 'Trường :attribute phải từ :min - :max kí tự.', ], 'boolean' => 'Trường :attribute phải là true hoặc false.', + 'can' => 'Trường :attribute chứa một giá trị trái phép.', 'confirmed' => 'Giá trị xác nhận trong trường :attribute không khớp.', 'current_password' => 'Mật khẩu không đúng.', 'date' => 'Trường :attribute không phải là định dạng của ngày-tháng.', diff --git a/lang/zh/auth.php b/lang/zh/auth.php deleted file mode 100644 index 59f755cca36..00000000000 --- a/lang/zh/auth.php +++ /dev/null @@ -1,8 +0,0 @@ - '这些凭据与我们的记录不符。', - 'lang' => '中文', - 'password' => '密码不正确。', - 'throttle' => '登录尝试过多。请在 :seconds 秒后再试。', -]; diff --git a/lang/zh/http-statuses.php b/lang/zh/http-statuses.php deleted file mode 100644 index 616d82f07b0..00000000000 --- a/lang/zh/http-statuses.php +++ /dev/null @@ -1,82 +0,0 @@ - '未知错误', - '100' => '继续', - '101' => '切换协议', - '102' => '正在处理', - '200' => '成功', - '201' => '已创建', - '202' => '已接受', - '203' => '非授权信息', - '204' => '无内容', - '205' => '重置内容', - '206' => '部分内容', - '207' => '多状态', - '208' => '已报告', - '226' => 'IM Used', - '300' => '多种选择', - '301' => '永久移动', - '302' => '临时移动', - '303' => '查看其他位置', - '304' => '未修改', - '305' => '使用代理', - '307' => '临时重定向', - '308' => '永久重定向', - '400' => '错误请求', - '401' => '未经授权', - '402' => '需要付款', - '403' => '禁止访问', - '404' => '未找到', - '405' => '方法不允许', - '406' => '不可接受', - '407' => '需要代理身份验证', - '408' => '请求超时', - '409' => '冲突', - '410' => '已删除', - '411' => '需要有效长度', - '412' => '未满足前提条件', - '413' => '请求实体过大', - '414' => '请求的 URI 过长', - '415' => '不支持的媒体类型', - '416' => '请求范围不符合要求', - '417' => '未满足期望值', - '418' => '我是茶壶', - '419' => '会话已过期', - '421' => '错误的请求', - '422' => '无法处理的实体', - '423' => '已锁定', - '424' => '依赖失败', - '425' => '过早的', - '426' => '需要升级', - '428' => '要求先决条件', - '429' => '太多请求', - '431' => '请求头字段太大', - '444' => '连接已关闭而没有响应', - '449' => '重试', - '451' => '因法律原因不可用', - '499' => '客户端关闭请求', - '500' => '内部服务器错误', - '501' => '未实现', - '502' => '错误网关', - '503' => '维护中', - '504' => '网关超时', - '505' => 'HTTP 版本不受支持', - '506' => '变体也谈判', - '507' => '存储不足', - '508' => '检测到循环', - '509' => '超出带宽限制', - '510' => '未扩展', - '511' => '需要网络身份验证', - '520' => '未知错误', - '521' => 'Web 服务器已停机', - '522' => '连接超时', - '523' => '源站无法到达', - '524' => '超时', - '525' => 'SSL 握手失败', - '526' => '无效的 SSL 证书', - '527' => 'Railgun 错误', - '598' => '网络读取超时错误', - '599' => '网络连接超时错误', - 'unknownError' => '未知错误', -]; diff --git a/lang/zh/passwords.php b/lang/zh/passwords.php deleted file mode 100644 index 315373f3259..00000000000 --- a/lang/zh/passwords.php +++ /dev/null @@ -1,9 +0,0 @@ - '您的密码已重置!', - 'sent' => '我们已通过电子邮件发送您的密码重置链接', - 'throttled' => '请稍候再试.', - 'token' => '此密码重置令牌无效.', - 'user' => '我们找不到具有该电子邮件地址的用户.', -]; diff --git a/lang/zh.json b/lang/zh_CN.json similarity index 60% rename from lang/zh.json rename to lang/zh_CN.json index 0af724edc89..13842889fd7 100644 --- a/lang/zh.json +++ b/lang/zh_CN.json @@ -1,11 +1,11 @@ { - "(and :count more error)": "(和 :count 更多错误)", - "(and :count more errors)": "(和 :count 更多错误)", + "(and :count more error)": "(还有 :count 个错误)", + "(and :count more errors)": "(以及另外 :count 个错误)", "(Help)": "(帮助)", "+ add a contact": "+ 添加联系人", "+ add another": "+ 添加另一个", "+ add another photo": "+ 添加另一张照片", - "+ add description": "+ 添加说明", + "+ add description": "+ 添加描述", "+ add distance": "+ 添加距离", "+ add emotion": "+ 添加情感", "+ add reason": "+ 添加原因", @@ -13,35 +13,35 @@ "+ add title": "+ 添加标题", "+ change date": "+ 更改日期", "+ change template": "+ 更改模板", - "+ create a group": "+ 创建群组", + "+ create a group": "+ 创建一个群组", "+ gender": "+ 性别", "+ last name": "+ 姓氏", - "+ maiden name": "+ 娘家姓", + "+ maiden name": "+ 婚前姓名", "+ middle name": "+ 中间名", "+ nickname": "+ 昵称", "+ note": "+ 注意", "+ number of hours slept": "+ 睡眠小时数", "+ prefix": "+ 前缀", - "+ pronoun": "+ 倾向于", + "+ pronoun": "+ 代词", "+ suffix": "+ 后缀", - ":count contact|:count contacts": ":计数联系人|:计数联系人", - ":count hour slept|:count hours slept": ":计算睡眠时间|:计算睡眠时间", - ":count min read": ":计算分钟阅读", - ":count post|:count posts": ":计数帖子|:计数帖子", - ":count template section|:count template sections": ":计数模板部分|:计数模板部分", - ":count word|:count words": ":数词|:数词", - ":distance km": ":距离公里", - ":distance miles": ":距离英里", - ":file at line :line": ":文件在行:行", - ":file in :class at line :line": ":file in :class 在行 :line", - ":Name called": ":名字叫", - ":Name called, but I didn’t answer": ":Name 打过电话,但我没有接听", - ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName 邀请您加入 Monica,这是一个开源个人 CRM,旨在帮助您记录您的关系。", + ":count contact|:count contacts": ":count 联系人", + ":count hour slept|:count hours slept": "睡了 :count 小时", + ":count min read": "阅读时间为 :count 分钟", + ":count post|:count posts": ":count 条帖子", + ":count template section|:count template sections": ":count 模板部分", + ":count word|:count words": ":count 字", + ":distance km": ":distance 公里", + ":distance miles": ":distance 英里", + ":file at line :line": ":file 在第 :line 行", + ":file in :class at line :line": ":file 在 :class 第 :line 行", + ":Name called": ":Name 已致电", + ":Name called, but I didn’t answer": ":Name打来电话,但我没有接听", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName 邀请您加入 Monica,这是一个开源个人 CRM,旨在帮助您记录您的人际关系。", "Accept Invitation": "接受邀请", "Accept invitation and create your account": "接受邀请并创建您的帐户", - "Account and security": "帐户和安全", + "Account and security": "账户与安全", "Account settings": "帐号设定", - "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "联系信息可以是可点击的。例如,可以点击电话号码并启动计算机中的默认应用程序。如果您不知道要添加的类型的协议,则可以简单地省略此字段。", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "联系信息可以点击。例如,可以单击电话号码并启动计算机中的默认应用程序。如果您不知道要添加的类型的协议,则可以忽略此字段。", "Activate": "启用", "Activity feed": "活动提要", "Activity in this vault": "此保险库中的活动", @@ -50,15 +50,15 @@ "Add a contact": "添加联系人", "Add a contact information": "添加联系信息", "Add a date": "添加日期", - "Add additional security to your account using a security key.": "使用安全密钥为您的帐户增加额外的安全性。", - "Add additional security to your account using two factor authentication.": "使用双因素身份验证为您的帐户增加额外的安全性。", + "Add additional security to your account using a security key.": "使用安全密钥为您的帐户添加额外的安全性。", + "Add additional security to your account using two factor authentication.": "使用双因素认证为您的账户添加额外的安全性。", "Add a document": "添加文档", "Add a due date": "添加截止日期", "Add a gender": "添加性别", - "Add a gift occasion": "添加礼物场合", + "Add a gift occasion": "添加送礼场合", "Add a gift state": "添加礼物状态", "Add a goal": "添加目标", - "Add a group type": "添加组类型", + "Add a group type": "添加群组类型", "Add a header image": "添加标题图片", "Add a label": "添加标签", "Add a life event": "添加生活事件", @@ -68,25 +68,25 @@ "Add an address": "添加地址", "Add an address type": "添加地址类型", "Add an email address": "添加电子邮件地址", - "Add an email to be notified when a reminder occurs.": "添加电子邮件以在发生提醒时收到通知。", + "Add an email to be notified when a reminder occurs.": "添加提醒发生时收到通知的电子邮件。", "Add an entry": "添加条目", "add a new metric": "添加新指标", - "Add a new team member to your team, allowing them to collaborate with you.": "向您的团队添加新的团队成员,让他们与您协作。", - "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "添加重要日期以记住此人对您而言重要的事项,例如生日或逝世日期。", + "Add a new team member to your team, allowing them to collaborate with you.": "添加一个新的团队成员到您的团队,让他们与您合作。", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "添加一个重要日期,以记住此人对您来说重要的事情,例如出生日期或死亡日期。", "Add a note": "添加注释", "Add another life event": "添加另一个生活事件", "Add a page": "添加页面", "Add a parameter": "添加参数", "Add a pet": "添加宠物", "Add a photo": "添加照片", - "Add a photo to a journal entry to see it here.": "将照片添加到日记条目以在此处查看。", + "Add a photo to a journal entry to see it here.": "将照片添加到日记条目即可在此处查看。", "Add a post template": "添加帖子模板", "Add a pronoun": "添加代词", - "add a reason": "添加一个原因", + "add a reason": "添加一个理由", "Add a relationship": "添加关系", "Add a relationship group type": "添加关系组类型", "Add a relationship type": "添加关系类型", - "Add a religion": "添加宗教", + "Add a religion": "添加宗教信仰", "Add a reminder": "添加提醒", "add a role": "添加角色", "add a section": "添加一个部分", @@ -96,43 +96,43 @@ "Add at least one module.": "添加至少一个模块。", "Add a type": "添加类型", "Add a user": "添加用户", - "Add a vault": "添加保险库", + "Add a vault": "添加保管库", "Add date": "添加日期", - "Added.": "添加。", + "Added.": "已添加。", "added a contact information": "添加了联系信息", - "added an address": "添加了一个地址", - "added an important date": "添加了一个重要日期", - "added a pet": "加了一只宠物", + "added an address": "添加了地址", + "added an important date": "添加了重要日期", + "added a pet": "添加了宠物", "added the contact to a group": "将联系人添加到群组", - "added the contact to a post": "将联系人添加到帖子", + "added the contact to a post": "将联系人添加到帖子中", "added the contact to the favorites": "将联系人添加到收藏夹", "Add genders to associate them to contacts.": "添加性别以将其与联系人相关联。", "Add loan": "添加贷款", - "Add one now": "现在加一个", + "Add one now": "立即添加一个", "Add photos": "添加照片", "Address": "地址", "Addresses": "地址", "Address type": "地址类型", "Address types": "地址类型", - "Address types let you classify contact addresses.": "地址类型让您可以对联系人地址进行分类。", + "Address types let you classify contact addresses.": "地址类型可让您对联系人地址进行分类。", "Add Team Member": "添加团队成员", "Add to group": "添加到群组", - "Administrator": "行政人员", + "Administrator": "管理员", "Administrator users can perform any action.": "管理员用户可以执行任何操作。", "a father-son relation shown on the father page,": "父亲页面上显示的父子关系,", - "after the next occurence of the date.": "在日期的下一次出现之后。", - "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "一个团体是两个或两个以上的人在一起。它可以是一个家庭、一个家庭、一个运动俱乐部。对你来说重要的事。", + "after the next occurence of the date.": "在该日期下一次出现之后。", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "团体是两个或两个以上的人在一起。它可以是一个家庭、一个家庭、一个体育俱乐部。无论什么对你来说都很重要。", "All contacts in the vault": "保险库中的所有联系人", "All files": "全部文件", "All groups in the vault": "库中的所有组", - "All journal metrics in :name": ":name 中的所有期刊指标", - "All of the people that are part of this team.": "所有属于这个团队的人。", + "All journal metrics in :name": ":Name 中的所有期刊指标", + "All of the people that are part of this team.": "所有的人都是这个团队的一部分。", "All rights reserved.": "版权所有。", "All tags": "所有标签", "All the address types": "所有地址类型", "All the best,": "一切顺利,", "All the call reasons": "所有来电原因", - "All the cities": "所有的城市", + "All the cities": "所有城市", "All the companies": "所有公司", "All the contact information types": "所有联系信息类型", "All the countries": "所有国家", @@ -140,78 +140,78 @@ "All the files": "所有文件", "All the genders": "所有性别", "All the gift occasions": "所有送礼场合", - "All the gift states": "所有的礼物状态", - "All the group types": "所有组类型", - "All the important dates": "所有重要的日子", - "All the important date types used in the vault": "保险库中使用的所有重要日期类型", + "All the gift states": "所有礼物状态", + "All the group types": "所有团体类型", + "All the important dates": "所有重要日期", + "All the important date types used in the vault": "Vault 中使用的所有重要日期类型", "All the journals": "所有期刊", - "All the labels used in the vault": "保险库中使用的所有标签", + "All the labels used in the vault": "库中使用的所有标签", "All the notes": "所有笔记", "All the pet categories": "所有宠物类别", "All the photos": "所有照片", - "All the planned reminders": "所有计划好的提醒", + "All the planned reminders": "所有计划的提醒", "All the pronouns": "所有代词", "All the relationship types": "所有关系类型", - "All the religions": "所有的宗教", + "All the religions": "所有宗教", "All the reports": "所有报告", - "All the slices of life in :name": ":name 中的所有生活片段", - "All the tags used in the vault": "保险库中使用的所有标签", + "All the slices of life in :name": ":Name 中的所有生活片段", + "All the tags used in the vault": "库中使用的所有标签", "All the templates": "所有模板", - "All the vaults": "所有的金库", - "All the vaults in the account": "帐户中的所有保险库", - "All users and vaults will be deleted immediately,": "所有用户和保险库将立即删除,", - "All users in this account": "此帐户中的所有用户", - "Already registered?": "已经注册?", - "Already used on this page": "已在此页面上使用", - "A new verification link has been sent to the email address you provided during registration.": "新的验证链接已发送到您在注册时提供的电子邮件地址。", - "A new verification link has been sent to the email address you provided in your profile settings.": "新的验证链接已发送到您在个人资料设置中提供的电子邮件地址。", - "A new verification link has been sent to your email address.": "一个新的验证链接已发送到您的电子邮件地址。", + "All the vaults": "所有金库", + "All the vaults in the account": "帐户中的所有金库", + "All users and vaults will be deleted immediately,": "所有用户和保管库将立即删除,", + "All users in this account": "该帐户中的所有用户", + "Already registered?": "已注册?", + "Already used on this page": "已在此页面使用", + "A new verification link has been sent to the email address you provided during registration.": "新的验证链接已发送至您注册时提供的电子邮件地址。", + "A new verification link has been sent to the email address you provided in your profile settings.": "一个新的验证链接已被发送到你在个人资料设置中提供的电子邮件地址。", + "A new verification link has been sent to your email address.": "一个新的验证链接已经发送到你的电子邮件地址。", "Anniversary": "周年纪念日", "Apartment, suite, etc…": "公寓、套房等……", - "API Token": "API令牌", + "API Token": "API 令牌", "API Token Permissions": "API 令牌权限", - "API Tokens": "API令牌", - "API tokens allow third-party services to authenticate with our application on your behalf.": "API 令牌允许第三方服务代表您对我们的应用程序进行身份验证。", + "API Tokens": "API 令牌", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API 令牌允许第三方服务代表您与我们的应用程序进行认证。", "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "帖子模板定义了帖子内容的显示方式。您可以根据需要定义任意数量的模板,并选择应在哪个帖子上使用哪个模板。", "Archive": "档案", - "Archive contact": "存档联系人", - "archived the contact": "存档联系人", - "Are you sure? The address will be deleted immediately.": "你确定吗?该地址将立即删除。", + "Archive contact": "存档联系方式", + "archived the contact": "已存档联系人", + "Are you sure? The address will be deleted immediately.": "你确定吗?该地址将立即被删除。", "Are you sure? This action cannot be undone.": "你确定吗?此操作无法撤消。", - "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "你确定吗?这将为使用它的所有联系人删除该类型的所有呼叫原因。", - "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "你确定吗?这将删除所有使用它的联系人的所有这种类型的关系。", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "你确定吗?这将删除所有正在使用该类型的联系人的所有呼叫原因。", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "你确定吗?这将删除所有正在使用该类型的联系人的所有关系。", "Are you sure? This will delete the contact information permanently.": "你确定吗?这将永久删除联系信息。", - "Are you sure? This will delete the document permanently.": "你确定吗?这将永久删除文档。", + "Are you sure? This will delete the document permanently.": "你确定吗?这将永久删除该文档。", "Are you sure? This will delete the goal and all the streaks permanently.": "你确定吗?这将永久删除目标和所有连胜。", "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "你确定吗?这将从所有联系人中删除地址类型,但不会删除联系人本身。", "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "你确定吗?这将从所有联系人中删除联系人信息类型,但不会删除联系人本身。", "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "你确定吗?这将从所有联系人中删除性别,但不会删除联系人本身。", "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "你确定吗?这将从所有联系人中删除模板,但不会删除联系人本身。", - "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "您确定要删除该团队吗?删除团队后,其所有资源和数据将被永久删除。", - "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "您确定要删除您的帐户吗?一旦您的帐户被删除,其所有资源和数据将被永久删除。请输入您的密码以确认您要永久删除您的帐户。", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "您确定要删除这个团队吗?一旦一个团队被删除,它的所有资源和数据将被永久删除。", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "您确定要删除您的账户吗?一旦您的账户被删除,其所有资源和数据将被永久删除。请输入您的密码,确认您要永久删除您的账户。", "Are you sure you would like to archive this contact?": "您确定要存档此联系人吗?", - "Are you sure you would like to delete this API token?": "您确定要删除此 API 令牌吗?", + "Are you sure you would like to delete this API token?": "您确定要删除这个 API 令牌吗?", "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "您确定要删除此联系人吗?这将删除我们所知道的有关此联系人的所有信息。", - "Are you sure you would like to delete this key?": "您确定要删除此密钥吗?", + "Are you sure you would like to delete this key?": "您确定要删除该密钥吗?", "Are you sure you would like to leave this team?": "您确定要离开这个团队吗?", - "Are you sure you would like to remove this person from the team?": "您确定要将此人从团队中移除吗?", - "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "生活片段让您可以根据对您有意义的事情对帖子进行分组。在帖子中添加生活片段以在此处查看。", - "a son-father relation shown on the son page.": "儿子页面上显示的儿子与父亲的关系。", + "Are you sure you would like to remove this person from the team?": "您确定要把这个人从团队中删除吗?", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "生活片段可让您按照对您有意义的事情对帖子进行分组。在帖子中添加生活片段即可在此处查看。", + "a son-father relation shown on the son page.": "儿子页面上显示的父子关系。", "assigned a label": "分配了一个标签", "Association": "协会", "At": "在", "at ": "在", "Ate": "吃", - "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "模板定义联系人的显示方式。您可以拥有任意数量的模板 - 它们在您的帐户设置中定义。但是,您可能想要定义一个默认模板,以便此保管库中的所有联系人默认都具有此模板。", - "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "模板由页面组成,每个页面中都有模块。如何显示数据完全取决于您。", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "模板定义了联系人的显示方式。您可以拥有任意数量的模板 - 它们是在您的帐户设置中定义的。但是,您可能想要定义一个默认模板,以便此保管库中的所有联系人默认都具有此模板。", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "模板由页面组成,每个页面中又包含模块。数据如何显示完全取决于您。", "Atheist": "无神论者", "At which time should we send the notification, when the reminder occurs?": "当提醒发生时,我们应该在什么时间发送通知?", "Audio-only call": "纯音频通话", "Auto saved a few seconds ago": "几秒钟前自动保存", "Available modules:": "可用模块:", - "Avatar": "头像", - "Avatars": "化身", - "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "在继续之前,您能否通过单击我们刚刚通过电子邮件发送给您的链接来验证您的电子邮件地址?如果您没有收到电子邮件,我们很乐意向您发送另一封电子邮件。", + "Avatar": "阿凡达", + "Avatars": "头像", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "在继续之前,你能否点击我们刚才发给你的链接来验证你的电子邮件地址?如果你没有收到邮件,我们很乐意再给你发一封。", "best friend": "最好的朋友", "Bird": "鸟", "Birthdate": "出生日期", @@ -219,28 +219,28 @@ "Body": "身体", "boss": "老板", "Bought": "买", - "Breakdown of the current usage": "当前使用情况的细分", - "brother\/sister": "兄弟姐妹", + "Breakdown of the current usage": "当前使用情况细分", + "brother/sister": "兄弟姐妹", "Browser Sessions": "浏览器会话", "Buddhist": "佛教徒", "Business": "商业", - "By last updated": "由上次更新", + "By last updated": "截至上次更新时间", "Calendar": "日历", "Call reasons": "来电原因", - "Call reasons let you indicate the reason of calls you make to your contacts.": "呼叫原因让您指明您给联系人打电话的原因。", - "Calls": "来电", + "Call reasons let you indicate the reason of calls you make to your contacts.": "呼叫原因可让您指明您向联系人拨打电话的原因。", + "Calls": "通话", "Cancel": "取消", - "Cancel account": "注销账户", + "Cancel account": "取消账户", "Cancel all your active subscriptions": "取消所有有效订阅", "Cancel your account": "取消您的帐户", - "Can do everything, including adding or removing other users, managing billing and closing the account.": "可以执行所有操作,包括添加或删除其他用户、管理账单和关闭帐户。", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "可以做所有事情,包括添加或删除其他用户、管理账单和关闭帐户。", "Can do everything, including adding or removing other users.": "可以做任何事情,包括添加或删除其他用户。", - "Can edit data, but can’t manage the vault.": "可以编辑数据,但不能管理保管库。", - "Can view data, but can’t edit it.": "可以查看数据,但不能编辑。", + "Can edit data, but can’t manage the vault.": "可以编辑数据,但无法管理保管库。", + "Can view data, but can’t edit it.": "可以查看数据,但无法编辑。", "Can’t be moved or deleted": "无法移动或删除", "Cat": "猫", "Categories": "类别", - "Chandler is in beta.": "钱德勒处于测试阶段。", + "Chandler is in beta.": "钱德勒正处于测试阶段。", "Change": "改变", "Change date": "改变日期", "Change permission": "更改权限", @@ -258,65 +258,65 @@ "Christian": "基督教", "Christmas": "圣诞节", "City": "城市", - "Click here to re-send the verification email.": "单击此处重新发送验证邮件。", - "Click on a day to see the details": "点击一天查看详情", + "Click here to re-send the verification email.": "点击这里重新发送验证邮件。", + "Click on a day to see the details": "点击某天查看详细信息", "Close": "关闭", "close edit mode": "关闭编辑模式", "Club": "俱乐部", - "Code": "代码", + "Code": "验证码", "colleague": "同事", "Companies": "公司", "Company name": "公司名称", - "Compared to Monica:": "与莫妮卡相比:", - "Configure how we should notify you": "配置我们通知您的方式", + "Compared to Monica:": "与Monica相比:", + "Configure how we should notify you": "配置我们如何通知您", "Confirm": "确认", "Confirm Password": "确认密码", "Connect": "连接", "Connected": "连接的", "Connect with your security key": "连接您的安全密钥", - "Contact feed": "联系提要", + "Contact feed": "联系动态", "Contact information": "联系信息", "Contact informations": "联系方式", "Contact information types": "联系信息类型", "Contact name": "联系人姓名", - "Contacts": "联系人", - "Contacts in this post": "这篇文章中的联系人", + "Contacts": "联系方式", + "Contacts in this post": "这篇文章里有联系方式", "Contacts in this slice": "此切片中的联系人", - "Contacts will be shown as follow:": "联系人将显示如下:", + "Contacts will be shown as follow:": "联系方式将显示如下:", "Content": "内容", - "Copied.": "复制。", + "Copied.": "已复制。", "Copy": "复制", "Copy value into the clipboard": "将值复制到剪贴板", "Could not get address book data.": "无法获取地址簿数据。", "Country": "国家", "Couple": "夫妻", "cousin": "表哥", - "Create": "创造", + "Create": "创建", "Create account": "创建账户", "Create Account": "创建账户", "Create a contact": "创建联系人", "Create a contact entry for this person": "为此人创建联系人条目", "Create a journal": "创建日记", - "Create a journal metric": "创建日记帐指标", - "Create a journal to document your life.": "创建日记来记录您的生活。", + "Create a journal metric": "创建日记指标", + "Create a journal to document your life.": "创建一本日记来记录你的生活。", "Create an account": "创建一个帐户", "Create a new address": "创建新地址", - "Create a new team to collaborate with others on projects.": "创建一个新团队以与其他人协作完成项目。", + "Create a new team to collaborate with others on projects.": "创建一个新的团队,与他人合作开展项目。", "Create API Token": "创建 API 令牌", "Create a post": "创建帖子", "Create a reminder": "创建提醒", "Create a slice of life": "创造生活片段", - "Create at least one page to display contact’s data.": "至少创建一个页面来显示联系人的数据。", - "Create at least one template to use Monica.": "至少创建一个模板来使用 Monica。", + "Create at least one page to display contact’s data.": "创建至少一个页面来显示联系人的数据。", + "Create at least one template to use Monica.": "创建至少一个模板以使用 Monica。", "Create a user": "创建用户", - "Create a vault": "创建保险库", - "Created.": "创建。", + "Create a vault": "创建一个保管库", + "Created.": "已创建。", "created a goal": "创造了一个目标", - "created the contact": "创建联系人", + "created the contact": "创建了联系人", "Create label": "创建标签", "Create new label": "创建新标签", "Create new tag": "创建新标签", - "Create New Team": "创建新团队", + "Create New Team": "创建新的团队", "Create Team": "创建团队", "Currencies": "货币", "Currency": "货币", @@ -328,61 +328,61 @@ "Current timezone:": "当前时区:", "Current way of displaying contact names:": "当前显示联系人姓名的方式:", "Current way of displaying dates:": "当前显示日期的方式:", - "Current way of displaying distances:": "当前显示距离的方式:", + "Current way of displaying distances:": "目前显示距离的方式:", "Current way of displaying numbers:": "当前显示数字的方式:", "Customize how contacts should be displayed": "自定义联系人的显示方式", "Custom name order": "自定义名称顺序", "Daily affirmation": "每日肯定", - "Dashboard": "仪表板", + "Dashboard": "控制面板", "date": "日期", "Date of the event": "活动日期", "Date of the event:": "活动日期:", "Date type": "日期类型", - "Date types are essential as they let you categorize dates that you add to a contact.": "日期类型是必不可少的,因为它们可以让您对添加到联系人的日期进行分类。", + "Date types are essential as they let you categorize dates that you add to a contact.": "日期类型至关重要,因为它们可以让您对添加到联系人的日期进行分类。", "Day": "天", "day": "天", "Deactivate": "停用", - "Deceased date": "逝世日期", + "Deceased date": "死亡日期", "Default template": "默认模板", "Default template to display contacts": "显示联系人的默认模板", "Delete": "删除", - "Delete Account": "删除帐户", + "Delete Account": "删除账户", "Delete a new key": "删除新密钥", "Delete API Token": "删除 API 令牌", "Delete contact": "删除联系人", - "deleted a contact information": "删了联系方式", + "deleted a contact information": "删除了联系信息", "deleted a goal": "删除了一个目标", "deleted an address": "删除了一个地址", "deleted an important date": "删除了一个重要的日期", - "deleted a note": "删除了一个笔记", - "deleted a pet": "删除了一个宠物", - "Deleted author": "删除作者", + "deleted a note": "删除了一条注释", + "deleted a pet": "删除了宠物", + "Deleted author": "已删除作者", "Delete group": "删除组", - "Delete journal": "删除日志", + "Delete journal": "删除日记", "Delete Team": "删除团队", "Delete the address": "删除地址", "Delete the photo": "删除照片", "Delete the slice": "删除切片", - "Delete the vault": "删除库", - "Delete your account on https:\/\/customers.monicahq.com.": "在 https:\/\/customers.monicahq.com 上删除您的帐户。", - "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "删除保管库意味着永远删除此保管库内的所有数据。没有回头路可走。请确定。", + "Delete the vault": "删除保管库", + "Delete your account on https://customers.monicahq.com.": "删除您在 https://customers.monicahq.com 上的帐户。", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "删除保管库意味着永久删除该保管库内的所有数据。没有回头路。请一定。", "Description": "描述", - "Detail of a goal": "目标细节", + "Detail of a goal": "目标的细节", "Details in the last year": "去年的详细信息", - "Disable": "停用", + "Disable": "禁用", "Disable all": "禁用所有", "Disconnect": "断开", - "Discuss partnership": "讨论伙伴关系", - "Discuss recent purchases": "讨论最近的购买", + "Discuss partnership": "讨论合作伙伴关系", + "Discuss recent purchases": "讨论最近购买的商品", "Dismiss": "解雇", "Display help links in the interface to help you (English only)": "在界面中显示帮助链接以帮助您(仅英文)", "Distance": "距离", "Documents": "文件", "Dog": "狗", - "Done.": "完毕。", + "Done.": "已完成。", "Download": "下载", "Download as vCard": "下载为 vCard", - "Drank": "喝了", + "Drank": "喝", "Drove": "开车", "Due and upcoming tasks": "到期和即将完成的任务", "Edit": "编辑", @@ -390,26 +390,26 @@ "Edit a contact": "编辑联系人", "Edit a journal": "编辑日记", "Edit a post": "编辑帖子", - "edited a note": "编辑了一个笔记", - "Edit group": "编辑群组", - "Edit journal": "编辑日志", + "edited a note": "编辑了一条笔记", + "Edit group": "编辑组", + "Edit journal": "编辑日记", "Edit journal information": "编辑期刊信息", - "Edit journal metrics": "编辑期刊指标", - "Edit names": "编辑名称", - "Editor": "编辑", - "Editor users have the ability to read, create, and update.": "编辑器用户具有读取、创建和更新的能力。", + "Edit journal metrics": "编辑日志指标", + "Edit names": "编辑姓名", + "Editor": "编辑者", + "Editor users have the ability to read, create, and update.": "编辑者可以阅读、创建和更新。", "Edit post": "编辑帖子", - "Edit Profile": "编辑个人资料", + "Edit Profile": "编辑资料", "Edit slice of life": "编辑生活片段", "Edit the group": "编辑群组", "Edit the slice of life": "编辑生活片段", - "Email": "电子邮件", + "Email": "电子邮箱", "Email address": "电子邮件地址", - "Email address to send the invitation to": "发送邀请的电子邮件地址", + "Email address to send the invitation to": "用于发送邀请的电子邮件地址", "Email Password Reset Link": "电子邮件密码重置链接", - "Enable": "使能够", + "Enable": "启用", "Enable all": "全部启用", - "Ensure your account is using a long, random password to stay secure.": "确保您的帐户使用长而随机的密码以确保安全。", + "Ensure your account is using a long, random password to stay secure.": "确保您的账户使用足够长且随机的密码来保证安全。", "Enter a number from 0 to 100000. No decimals.": "输入 0 到 100000 之间的数字。没有小数。", "Events this month": "本月活动", "Events this week": "本周活动", @@ -419,127 +419,127 @@ "Exception:": "例外:", "Existing company": "现有公司", "External connections": "外部连接", + "Facebook": "Facebook", "Family": "家庭", - "Family summary": "家庭总结", + "Family summary": "家庭概要", "Favorites": "收藏夹", "Female": "女性", "Files": "文件", "Filter": "筛选", - "Filter list or create a new label": "筛选列表或创建新标签", - "Filter list or create a new tag": "筛选列表或创建新标签", - "Find a contact in this vault": "在此保险库中查找联系人", - "Finish enabling two factor authentication.": "完成启用双因素身份验证。", + "Filter list or create a new label": "过滤列表或创建新标签", + "Filter list or create a new tag": "过滤列表或创建新标签", + "Find a contact in this vault": "在此库中查找联系人", + "Finish enabling two factor authentication.": "完成启用双因素认证。", "First name": "名", - "First name Last name": "名 姓", - "First name Last name (nickname)": "名 姓(昵称)", + "First name Last name": "名字 姓氏", + "First name Last name (nickname)": "名字 姓氏(昵称)", "Fish": "鱼", "Food preferences": "食物偏好", "for": "为了", "For:": "为了:", "For advice": "咨询", - "Forbidden": "禁止", - "Forgot password?": "忘记密码?", - "Forgot your password?": "忘记密码了吗?", - "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "忘记密码了吗?没问题。只需告诉我们您的电子邮件地址,我们将通过电子邮件向您发送一个密码重置链接,您可以通过该链接选择一个新密码。", + "Forbidden": "访问被拒绝", + "Forgot your password?": "忘记密码?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "忘记密码?没关系。输入您的电子邮件地址,我们将通过电子邮件向您发送密码重置链接,让您重置一个新的密码。", "For your security, please confirm your password to continue.": "为了您的安全,请确认您的密码以继续。", "Found": "成立", "Friday": "星期五", "Friend": "朋友", "friend": "朋友", "From A to Z": "从A到Z", - "From Z to A": "从 Z 到 A", + "From Z to A": "从Z到A", "Gender": "性别", "Gender and pronoun": "性别和代词", "Genders": "性别", - "Gift center": "礼品中心", "Gift occasions": "送礼场合", - "Gift occasions let you categorize all your gifts.": "礼物场合可让您对所有礼物进行分类。", + "Gift occasions let you categorize all your gifts.": "送礼场合可让您对所有礼物进行分类。", "Gift states": "礼物状态", - "Gift states let you define the various states for your gifts.": "礼物状态让您定义礼物的各种状态。", - "Give this email address a name": "给这个电子邮件地址一个名字", + "Gift states let you define the various states for your gifts.": "礼物状态允许您定义礼物的各种状态。", + "Give this email address a name": "为该电子邮件地址命名", "Goals": "目标", "Go back": "回去", "godchild": "教子", - "godparent": "教父", + "godparent": "教父母", "Google Maps": "谷歌地图", "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "谷歌地图提供了最好的准确性和细节,但从隐私的角度来看并不理想。", "Got fired": "被开除", - "Go to page :page": "转到页面:页面", + "Go to page :page": "前往第 :page 页", "grand child": "孙子", "grand parent": "祖父母", - "Great! You have accepted the invitation to join the :team team.": "伟大的!您已接受加入 :team 团队的邀请。", - "Group journal entries together with slices of life.": "将日记条目与生活片段组合在一起。", + "Great! You have accepted the invitation to join the :team team.": "太好了,您已接受了加入团队「:team」的邀请。", + "Group journal entries together with slices of life.": "将日记条目与生活片段分组在一起。", "Groups": "团体", - "Groups let you put your contacts together in a single place.": "群组让您可以将联系人放在一个地方。", + "Groups let you put your contacts together in a single place.": "通过群组,您可以将联系人集中在一个位置。", "Group type": "团体类型", - "Group type: :name": "组类型::名称", - "Group types": "组类型", - "Group types let you group people together.": "组类型可让您将人员分组在一起。", - "Had a promotion": "升职了", + "Group type: :name": "群组类型::name", + "Group types": "团体类型", + "Group types let you group people together.": "群组类型可让您将人们分组在一起。", + "Had a promotion": "有促销", "Hamster": "仓鼠", "Have a great day,": "祝你有美好的一天,", - "he\/him": "他\/他", - "Hello!": "你好!", + "he/him": "他/他", + "Hello!": "您好!", "Help": "帮助", - "Hi :name": "嗨:姓名", + "Hi :name": "你好:name", "Hinduist": "印度教", "History of the notification sent": "发送通知的历史记录", - "Hobbies": "爱好", + "Hobbies": "兴趣爱好", "Home": "家", "Horse": "马", "How are you?": "你好吗?", - "How could I have done this day better?": "我怎样才能把这一天做得更好?", + "How could I have done this day better?": "我怎样才能把这一天做得更好呢?", "How did you feel?": "你感觉怎么样?", "How do you feel right now?": "你现在感觉如何?", - "however, there are many, many new features that didn't exist before.": "但是,有许多以前不存在的新功能。", + "however, there are many, many new features that didn't exist before.": "然而,有很多很多以前不存在的新功能。", "How much money was lent?": "借了多少钱?", "How much was lent?": "借了多少钱?", - "How often should we remind you about this date?": "我们应该多久提醒一次这个日期?", + "How often should we remind you about this date?": "我们应该多久提醒您一次这个日期?", "How should we display dates": "我们应该如何显示日期", "How should we display distance values": "我们应该如何显示距离值", "How should we display numerical values": "我们应该如何显示数值", - "I agree to the :terms and :policy": "我同意 :terms 和 :policy", + "I agree to the :terms and :policy": "我同意:terms和:policy", "I agree to the :terms_of_service and :privacy_policy": "我同意 :terms_of_service 和 :privacy_policy", "I am grateful for": "我很感激", "I called": "我打了电话", - "I called, but :name didn’t answer": "我打了电话,但是 :name 没有接听", + "I called, but :name didn’t answer": "我打了电话,但 :name 没有接听", "Idea": "主意", "I don’t know the name": "我不知道名字", - "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "如有必要,您可以退出所有设备上的所有其他浏览器会话。下面列出了您最近的一些会话;但是,此列表可能并不详尽。如果您觉得您的帐户已被盗用,您还应该更新您的密码。", - "If the date is in the past, the next occurence of the date will be next year.": "如果日期是过去的日期,则该日期的下一次出现将是明年。", - "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "如果您在单击“:actionText”按钮时遇到问题,请复制并粘贴下面的 URL\n进入您的网络浏览器:", - "If you already have an account, you may accept this invitation by clicking the button below:": "如果您已经有一个帐户,您可以通过单击下面的按钮接受此邀请:", - "If you did not create an account, no further action is required.": "如果您没有创建帐户,则无需执行进一步操作。", - "If you did not expect to receive an invitation to this team, you may discard this email.": "如果您不希望收到加入该团队的邀请,您可以丢弃这封电子邮件。", - "If you did not request a password reset, no further action is required.": "如果您没有请求重设密码,则无需采取进一步行动。", - "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "如果您没有帐户,可以单击下面的按钮创建一个。创建账号后,您可以点击本邮件中的接受邀请按钮接受团队邀请:", - "If you’ve received this invitation by mistake, please discard it.": "如果您误收到此邀请,请将其丢弃。", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "如有必要,您可以注销您其他设备上所有的浏览器会话。下面列出了您最近的一些会话,但是,这个列表可能并不详尽。如果您认为您的账户已被入侵,您还应该更新您的密码。", + "If the date is in the past, the next occurence of the date will be next year.": "如果该日期是过去的日期,则该日期的下一次出现将是明年。", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "如果您单击「:actionText」按钮时遇到问题,请复制下方链接到浏览器中访问:", + "If you already have an account, you may accept this invitation by clicking the button below:": "如果您已经有一个账户,您可以通过点击下面的按钮接受这个邀请:", + "If you did not create an account, no further action is required.": "如果您未注册帐号,请忽略此邮件。", + "If you did not expect to receive an invitation to this team, you may discard this email.": "如果您没有想到会收到这个团队的邀请,您可以丢弃这封邮件。", + "If you did not request a password reset, no further action is required.": "如果您未申请重设密码,请忽略此邮件。", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "如果您还没有账号,可以点击下面的按钮创建一个账号。创建账户后,您可以点击此邮件中的邀请接受按钮,接受团队邀请:", + "If you’ve received this invitation by mistake, please discard it.": "如果您错误地收到了此邀请,请丢弃它。", "I know the exact date, including the year": "我知道确切的日期,包括年份", - "I know the name": "我知道这个名字", + "I know the name": "我知道名字", "Important dates": "重要的日子", "Important date summary": "重要日期摘要", "in": "在", "Information": "信息", "Information from Wikipedia": "来自维基百科的信息", "in love with": "与...恋爱", - "Inspirational post": "励志帖", + "Inspirational post": "励志帖子", + "Invalid JSON was returned from the route.": "从路由返回无效的 JSON。", "Invitation sent": "邀请已发送", "Invite a new user": "邀请新用户", "Invite someone": "邀请某人", "I only know a number of years (an age, for example)": "我只知道几年(例如年龄)", - "I only know the day and month, not the year": "我只知道日月,不知道年", + "I only know the day and month, not the year": "我只知道日和月,不知道年", "it misses some of the features, the most important ones being the API and gift management,": "它缺少一些功能,最重要的是 API 和礼品管理,", - "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "帐户中似乎还没有模板。请先将至少一个模板添加到您的帐户,然后将此模板与此联系人相关联。", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "帐户中似乎还没有模板。请先将至少模板添加到您的帐户,然后将此模板与此联系人关联。", "Jew": "犹", - "Job information": "招聘信息", + "Job information": "职位信息", "Job position": "工作职位", "Journal": "杂志", "Journal entries": "日记条目", "Journal metrics": "期刊指标", - "Journal metrics let you track data accross all your journal entries.": "日记指标让您可以跟踪所有日记条目的数据。", + "Journal metrics let you track data accross all your journal entries.": "日记指标可让您跟踪所有日记条目的数据。", "Journals": "期刊", "Just because": "只是因为", - "Just to say hello": "只是为了打个招呼", + "Just to say hello": "只是打个招呼", "Key name": "按键名称", "kilometers (km)": "公里(公里)", "km": "公里", @@ -547,13 +547,13 @@ "Labels": "标签", "Labels let you classify contacts using a system that matters to you.": "标签可让您使用对您重要的系统对联系人进行分类。", "Language of the application": "申请语言", - "Last active": "最后登录", - "Last active :date": "上次活动:日期", + "Last active": "上次活跃", + "Last active :date": "最后活跃时间 :date", "Last name": "姓", - "Last name First name": "姓 名", + "Last name First name": "姓氏 名字", "Last updated": "最近更新时间", - "Last used": "最后使用", - "Last used :date": "最后使用:日期", + "Last used": "上次使用", + "Last used :date": "最后使用的:date", "Leave": "离开", "Leave Team": "离开团队", "Life": "生活", @@ -562,44 +562,44 @@ "Life events let you document what happened in your life.": "生活事件让您记录生活中发生的事情。", "Life event types:": "生活事件类型:", "Life event types and categories": "生活事件类型和类别", - "Life metrics": "生活指标", - "Life metrics let you track metrics that are important to you.": "生活指标让您可以跟踪对您重要的指标。", - "Link to documentation": "文档链接", + "Life metrics": "寿命指标", + "Life metrics let you track metrics that are important to you.": "生活指标可让您跟踪对您重要的指标。", + "LinkedIn": "领英", "List of addresses": "地址列表", "List of addresses of the contacts in the vault": "保管库中联系人的地址列表", "List of all important dates": "所有重要日期的列表", - "Loading…": "加载中...", + "Loading…": "加载中…", "Load previous entries": "加载以前的条目", "Loans": "贷款", "Locale default: :value": "语言环境默认值::value", "Log a call": "记录通话", - "Log details": "日志详细信息", + "Log details": "日志详情", "logged the mood": "记录心情", "Log in": "登录", "Login": "登录", - "Login with:": "登录:", + "Login with:": "登录方式:", "Log Out": "登出", "Logout": "登出", - "Log Out Other Browser Sessions": "注销其他浏览器会话", - "Longest streak": "最长连胜", + "Log Out Other Browser Sessions": "注销其他浏览器的会话", + "Longest streak": "最长连续纪录", "Love": "爱", - "loved by": "被爱", + "loved by": "被爱着", "lover": "情人", "Made from all over the world. We ❤️ you.": "来自世界各地。我们❤️你。", "Maiden name": "娘家姓", "Male": "男性", - "Manage Account": "管理帐户", - "Manage accounts you have linked to your Customers account.": "管理您已链接到客户帐户的帐户。", + "Manage Account": "管理账户", + "Manage accounts you have linked to your Customers account.": "管理已链接到客户帐户的帐户。", "Manage address types": "管理地址类型", - "Manage and log out your active sessions on other browsers and devices.": "在其他浏览器和设备上管理和注销您的活动会话。", + "Manage and log out your active sessions on other browsers and devices.": "管理和注销您在其他浏览器和设备上的活动会话。", "Manage API Tokens": "管理 API 令牌", - "Manage call reasons": "管理呼叫原因", + "Manage call reasons": "管理通话原因", "Manage contact information types": "管理联系信息类型", "Manage currencies": "管理货币", "Manage genders": "管理性别", - "Manage gift occasions": "管理礼物场合", + "Manage gift occasions": "管理送礼场合", "Manage gift states": "管理礼物状态", - "Manage group types": "管理组类型", + "Manage group types": "管理群组类型", "Manage modules": "管理模块", "Manage pet categories": "管理宠物类别", "Manage post templates": "管理帖子模板", @@ -612,6 +612,7 @@ "Manage Team": "管理团队", "Manage templates": "管理模板", "Manage users": "管理用户", + "Mastodon": "乳齿象", "Maybe one of these contacts?": "也许是这些联系人之一?", "mentor": "导师", "Middle name": "中间名字", @@ -619,12 +620,12 @@ "miles (mi)": "英里 (mi)", "Modules in this page": "此页面中的模块", "Monday": "周一", - "Monica. All rights reserved. 2017 — :date.": "莫妮卡。版权所有。 2017 年——日期。", + "Monica. All rights reserved. 2017 — :date.": "Monica。版权所有。 2017 年 — :date。", "Monica is open source, made by hundreds of people from all around the world.": "Monica 是开源的,由来自世界各地的数百人制作。", - "Monica was made to help you document your life and your social interactions.": "Monica 旨在帮助您记录您的生活和社交互动。", + "Monica was made to help you document your life and your social interactions.": "Monica旨在帮助您记录您的生活和社交互动。", "Month": "月", "month": "月", - "Mood in the year": "当年的心情", + "Mood in the year": "这一年的心情", "Mood tracking events": "情绪追踪事件", "Mood tracking parameters": "情绪追踪参数", "More details": "更多细节", @@ -632,80 +633,79 @@ "Move contact": "移动联系人", "Muslim": "穆斯林", "Name": "姓名", - "Name of the pet": "宠物的名字", - "Name of the reminder": "提醒的名称", - "Name of the reverse relationship": "反向关系名称", - "Nature of the call": "呼叫的性质", - "nephew\/niece": "侄子侄女", - "New Password": "新密码", - "New to Monica?": "莫妮卡的新手?", + "Name of the pet": "宠物名称", + "Name of the reminder": "提醒名称", + "Name of the reverse relationship": "反向关系的名称", + "Nature of the call": "通话性质", + "nephew/niece": "侄子侄女", + "New Password": "新的密码", + "New to Monica?": "Monica刚认识吗?", "Next": "下一个", "Nickname": "昵称", "nickname": "昵称", - "No cities have been added yet in any contact’s addresses.": "尚未在任何联系人的地址中添加任何城市。", - "No contacts found.": "找不到联系人。", - "No countries have been added yet in any contact’s addresses.": "尚未在任何联系人的地址中添加任何国家\/地区。", + "No cities have been added yet in any contact’s addresses.": "尚未在任何联系人地址中添加任何城市。", + "No contacts found.": "未找到联系人。", + "No countries have been added yet in any contact’s addresses.": "尚未在任何联系人地址中添加任何国家/地区。", "No dates in this month.": "这个月没有日期。", "No description yet.": "还没有描述。", - "No groups found.": "找不到群组。", - "No keys registered yet": "还没有注册钥匙", + "No groups found.": "没有找到任何组。", + "No keys registered yet": "尚未注册密钥", "No labels yet.": "还没有标签。", "No life event types yet.": "还没有生活事件类型。", - "No notes found.": "未找到注释。", + "No notes found.": "没有找到注释。", "No results found": "未找到结果", "No role": "没有角色", "No roles yet.": "还没有角色。", "No tasks.": "没有任务。", "Notes": "笔记", "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "请注意,从页面中删除模块不会删除联系页面上的实际数据。它只会隐藏它。", - "Not Found": "未找到", + "Not Found": "页面不存在", "Notification channels": "通知渠道", "Notification sent": "通知已发送", "Not set": "没有设置", "No upcoming reminders.": "没有即将到来的提醒。", "Number of hours slept": "睡眠小时数", "Numerical value": "数值", - "of": "的", + "of": "于", "Offered": "提供", - "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "删除团队后,其所有资源和数据将被永久删除。在删除该团队之前,请下载您希望保留的有关该团队的任何数据或信息。", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "一旦团队被删除,其所有资源和数据将被永久删除。在删除该团队之前,请下载您希望保留的有关该团队的任何数据或信息。", "Once you cancel,": "一旦取消,", - "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "单击下面的“设置”按钮后,您必须使用我们将为您提供的按钮打开 Telegram。这将为您找到 Monica Telegram 机器人。", - "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "一旦您的帐户被删除,其所有资源和数据将被永久删除。在删除您的帐户之前,请下载您希望保留的任何数据或信息。", - "Only once, when the next occurence of the date occurs.": "只有一次,当日期的下一次出现时。", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "单击下面的“设置”按钮后,您必须使用我们为您提供的按钮打开 Telegram。这将为您找到 Monica Telegram 机器人。", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "一旦您的账户被删除,其所有资源和数据将被永久删除。在删除您的账户之前,请下载您希望保留的任何数据或信息。", + "Only once, when the next occurence of the date occurs.": "仅一次,当该日期下一次出现时。", "Oops! Something went wrong.": "哎呀!出了些问题。", "Open Street Maps": "打开街道地图", - "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps 是一个很好的隐私选择,但提供的细节较少。", - "Open Telegram to validate your identity": "打开 Telegram 以验证您的身份", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps 是一个很好的隐私替代方案,但提供的细节较少。", + "Open Telegram to validate your identity": "打开 Telegram 验证您的身份", "optional": "选修的", "Or create a new one": "或者创建一个新的", "Or filter by type": "或按类型过滤", - "Or remove the slice": "或者删除切片", + "Or remove the slice": "或者去掉切片", "Or reset the fields": "或者重置字段", "Other": "其他", "Out of respect and appreciation": "出于尊重和欣赏", - "Page Expired": "页面过期", + "Page Expired": "页面会话已超时", "Pages": "页数", "Pagination Navigation": "分页导航", "Parent": "家长", - "parent": "父母", + "parent": "家长", "Participants": "参加者", "Partner": "伙伴", "Part of": "部分", "Password": "密码", "Payment Required": "需要付款", - "Pending Team Invitations": "待处理的团队邀请", - "per\/per": "为了\/为了", - "Permanently delete this team.": "永久删除此团队。", - "Permanently delete your account.": "永久删除您的帐户。", - "Permission for :name": "权限:名称", + "Pending Team Invitations": "待处理的团队邀请函", + "per/per": "每/每", + "Permanently delete this team.": "永久删除此团队", + "Permanently delete your account.": "永久删除您的账户", + "Permission for :name": ":Name 的权限", "Permissions": "权限", "Personal": "个人的", "Personalize your account": "个性化您的帐户", "Pet categories": "宠物类别", - "Pet categories let you add types of pets that contacts can add to their profile.": "宠物类别让您可以添加联系人可以添加到其个人资料中的宠物类型。", + "Pet categories let you add types of pets that contacts can add to their profile.": "宠物类别允许您添加联系人可以添加到其个人资料中的宠物类型。", "Pet category": "宠物类", "Pets": "宠物", - "Peut modifier les données, mais ne peut pas gérer la voûte.": "可以修改数据,但不能管理保管库。", "Phone": "电话", "Photo": "照片", "Photos": "相片", @@ -713,93 +713,93 @@ "Played golf": "打过高尔夫球", "Played soccer": "踢过足球", "Played tennis": "打过网球", - "Please choose a template for this new post": "请为这篇新文章选择一个模板", - "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "请选择下面的一个模板来告诉 Monica 应该如何显示此联系人。模板可让您定义哪些数据应显示在联系人页面上。", - "Please click the button below to verify your email address.": "请单击下面的按钮以验证您的电子邮件地址。", + "Please choose a template for this new post": "请为此新帖子选择一个模板", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "请选择下面的一个模板来告诉 Monica 应如何显示此联系人。模板允许您定义哪些数据应显示在联系页面上。", + "Please click the button below to verify your email address.": "请点击下面按钮验证您的 E-mail:", "Please complete this form to finalize your account.": "请填写此表格以完成您的帐户。", - "Please confirm access to your account by entering one of your emergency recovery codes.": "请通过输入您的紧急恢复代码之一来确认对您帐户的访问。", - "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "请输入您的身份验证器应用程序提供的身份验证代码,以确认对您帐户的访问。", + "Please confirm access to your account by entering one of your emergency recovery codes.": "请输入您的紧急恢复代码以访问您的账户。", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "请输入您的验证器应用程序提供的验证码以访问您的账户。", "Please confirm access to your account by validating your security key.": "请通过验证您的安全密钥来确认对您帐户的访问。", - "Please copy your new API token. For your security, it won't be shown again.": "请复制您的新 API 令牌。为了您的安全,它不会再次显示。", + "Please copy your new API token. For your security, it won't be shown again.": "请复制您的新 API 令牌。为了您的安全,它不会再被显示出来。", "Please copy your new API token. For your security, it won’t be shown again.": "请复制您的新 API 令牌。为了您的安全,它不会再次显示。", "Please enter at least 3 characters to initiate a search.": "请输入至少 3 个字符以启动搜索。", "Please enter your password to cancel the account": "请输入您的密码以取消帐户", - "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "请输入您的密码以确认您要退出所有设备上的其他浏览器会话。", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "请输入您的密码,以确认您要注销您其他设备上的浏览器会话。", "Please indicate the contacts": "请注明联系方式", - "Please join Monica": "请加入莫妮卡", - "Please provide the email address of the person you would like to add to this team.": "请提供您想添加到该团队的人员的电子邮件地址。", - "Please read our documentation<\/link> to know more about this feature, and which variables you have access to.": "请阅读我们的文档<\/link>以了解有关此功能的更多信息,以及您可以访问哪些变量。", - "Please select a page on the left to load modules.": "请在左侧选择一个页面以加载模块。", - "Please type a few characters to create a new label.": "请键入几个字符以创建新标签。", - "Please type a few characters to create a new tag.": "请键入几个字符以创建新标签。", + "Please join Monica": "请加入Monica", + "Please provide the email address of the person you would like to add to this team.": "请提供您想加入这个团队的人的电子邮件地址。", + "Please read our documentation to know more about this feature, and which variables you have access to.": "请阅读我们的文档以了解有关此功能以及您可以访问哪些变量的更多信息。", + "Please select a page on the left to load modules.": "请选择左侧的页面来加载模块。", + "Please type a few characters to create a new label.": "请输入几个字符来创建新标签。", + "Please type a few characters to create a new tag.": "请输入几个字符来创建新标签。", "Please validate your email address": "请验证您的电子邮件地址", "Please verify your email address": "请验证您的电子邮件地址", "Postal code": "邮政编码", "Post metrics": "发布指标", "Posts": "帖子", - "Posts in your journals": "在您的期刊中发表的文章", + "Posts in your journals": "您日记中的帖子", "Post templates": "帖子模板", "Prefix": "字首", "Previous": "以前的", "Previous addresses": "以前的地址", "Privacy Policy": "隐私政策", - "Profile": "轮廓", - "Profile and security": "个人资料和安全", - "Profile Information": "档案信息", - "Profile of :name": "简介:姓名", - "Profile page of :name": "个人资料页面:姓名", - "Pronoun": "他们倾向于", + "Profile": "资料", + "Profile and security": "个人资料和安全性", + "Profile Information": "账户资料", + "Profile of :name": ":Name 的个人资料", + "Profile page of :name": ":Name 的个人资料页面", + "Pronoun": "代词", "Pronouns": "代词", - "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "代词基本上是我们从名字中识别自己的方式。这是别人在谈话中提到你的方式。", - "protege": "门徒", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "代词基本上是我们除了名字之外识别自己的方式。这是某人在谈话中提及您的方式。", + "protege": "门生", "Protocol": "协议", - "Protocol: :name": "协议::名称", + "Protocol: :name": "协议::name", "Province": "省", "Quick facts": "要闻速览", - "Quick facts let you document interesting facts about a contact.": "Quick facts 可让您记录有关联系人的有趣事实。", - "Quick facts template": "快速事实模板", + "Quick facts let you document interesting facts about a contact.": "快速事实可让您记录有关联系人的有趣事实。", + "Quick facts template": "速览模板", "Quit job": "辞职", "Rabbit": "兔子", "Ran": "然", "Rat": "鼠", - "Read :count time|Read :count times": "阅读:数次|阅读:数次", + "Read :count time|Read :count times": "阅读 :count 次", "Record a loan": "记录贷款", - "Record your mood": "记录心情", + "Record your mood": "记录你的心情", "Recovery Code": "恢复代码", - "Regardless of where you are located in the world, have dates displayed in your own timezone.": "无论您位于世界的哪个地方,日期都以您自己的时区显示。", - "Regards": "问候", - "Regenerate Recovery Codes": "重新生成恢复代码", - "Register": "登记", - "Register a new key": "注册一个新密钥", - "Register a new key.": "注册一个新密钥。", - "Regular post": "定期邮寄", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "无论您位于世界哪个地方,日期都会显示在您自己的时区中。", + "Regards": "致敬", + "Regenerate Recovery Codes": "重新生成恢复码", + "Register": "注册", + "Register a new key": "注册新密钥", + "Register a new key.": "注册新密钥。", + "Regular post": "常规帖子", "Regular user": "普通用户", - "Relationships": "关系", + "Relationships": "人际关系", "Relationship types": "关系类型", "Relationship types let you link contacts and document how they are connected.": "关系类型可让您链接联系人并记录他们的联系方式。", "Religion": "宗教", "Religions": "宗教", - "Religions is all about faith.": "宗教都是关于信仰的。", - "Remember me": "记住账号", - "Reminder for :name": "提醒:姓名", + "Religions is all about faith.": "宗教就是信仰。", + "Remember me": "记住我", + "Reminder for :name": ":Name 的提醒", "Reminders": "提醒事项", "Reminders for the next 30 days": "未来 30 天的提醒", "Remind me about this date every year": "每年提醒我这个日期", - "Remind me about this date just once, in one year from now": "只在一年后提醒我这个日期", - "Remove": "消除", + "Remind me about this date just once, in one year from now": "一年后提醒我一次这个日期", + "Remove": "移除", "Remove avatar": "删除头像", - "Remove cover image": "移除封面图片", - "removed a label": "删除了标签", - "removed the contact from a group": "从组中删除联系人", - "removed the contact from a post": "从帖子中删除联系人", - "removed the contact from the favorites": "从收藏夹中删除联系人", - "Remove Photo": "删除照片", - "Remove Team Member": "删除团队成员", + "Remove cover image": "删除封面图片", + "removed a label": "删除了一个标签", + "removed the contact from a group": "从群组中删除联系人", + "removed the contact from a post": "从帖子中删除了联系人", + "removed the contact from the favorites": "从收藏夹中删除了该联系人", + "Remove Photo": "移除照片", + "Remove Team Member": "移除团队成员", "Rename": "改名", "Reports": "报告", "Reptile": "爬虫", "Resend Verification Email": "重新发送验证邮件", - "Reset Password": "重设密码", + "Reset Password": "重置密码", "Reset Password Notification": "重置密码通知", "results": "结果", "Retry": "重试", @@ -807,64 +807,63 @@ "Rode a bike": "骑自行车", "Role": "角色", "Roles:": "角色:", - "Roomates": "爬行", + "Roomates": "室友", "Saturday": "周六", - "Save": "节省", + "Save": "保存", "Saved.": "已保存。", - "Saving in progress": "正在保存", - "Searched": "搜索过", - "Searching…": "正在搜索...", - "Search something": "搜索东西", - "Search something in the vault": "在保险库中搜索某物", + "Saving in progress": "保存中", + "Searched": "已搜索", + "Searching…": "正在寻找...", + "Search something": "搜索一些东西", + "Search something in the vault": "在保险库中搜索一些东西", "Sections:": "部分:", "Security keys": "安全密钥", "Select a group or create a new one": "选择一个组或创建一个新组", - "Select A New Photo": "选择一张新照片", + "Select A New Photo": "选择新的照片", "Select a relationship type": "选择关系类型", "Send invitation": "发送邀请", "Send test": "发送测试", - "Sent at :time": "发送时间:时间", + "Sent at :time": "发送于 :time", "Server Error": "服务器错误", - "Service Unavailable": "暂停服务", + "Service Unavailable": "服务不可用", "Set as default": "设为默认", "Set as favorite": "设为收藏夹", "Settings": "设置", "Settle": "定居", "Setup": "设置", - "Setup Key": "设置键", + "Setup Key": "设定键", "Setup Key:": "设置键:", "Setup Telegram": "设置电报", - "she\/her": "她\/她", + "she/her": "她/她", "Shintoist": "神道教", "Show Calendar tab": "显示日历选项卡", - "Show Companies tab": "显示公司标签", + "Show Companies tab": "显示公司选项卡", "Show completed tasks (:count)": "显示已完成的任务 (:count)", "Show Files tab": "显示文件选项卡", "Show Groups tab": "显示组选项卡", - "Showing": "显示", - "Showing :count of :total results": "显示 :count of :total 结果", - "Showing :first to :last of :total results": "显示 :first 到 :last 的 :total 结果", + "Showing": "显示中", + "Showing :count of :total results": "显示 :count 个结果,共 :total 个结果", + "Showing :first to :last of :total results": "显示第 :first 到 :last 个结果,共 :total 个结果", "Show Journals tab": "显示期刊选项卡", "Show Recovery Codes": "显示恢复代码", - "Show Reports tab": "显示报告标签", + "Show Reports tab": "显示报告选项卡", "Show Tasks tab": "显示任务选项卡", "significant other": "重要的另一半", "Sign in to your account": "登录到您的帐户", "Sign up for an account": "注册新账号", - "Sikh": "锡克教徒", - "Slept :count hour|Slept :count hours": "睡了:数小时|睡了:数小时", + "Sikh": "锡克教", + "Slept :count hour|Slept :count hours": "睡了 :count 小时", "Slice of life": "生活的片段", "Slices of life": "生活片段", "Small animal": "小动物", "Social": "社会的", - "Some dates have a special type that we will use in the software to calculate an age.": "有些日期有一个特殊类型,我们将在软件中使用它来计算年龄。", - "Sort contacts": "排序联系人", + "Some dates have a special type that we will use in the software to calculate an age.": "有些日期有特殊类型,我们将在软件中使用它来计算年龄。", "So… it works 😼": "所以......它有效😼", "Sport": "运动", "spouse": "配偶", "Statistics": "统计数据", "Storage": "贮存", - "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "将这些恢复代码存储在安全的密码管理器中。如果您的双因素身份验证设备丢失,它们可用于恢复对您帐户的访问权限。", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "将这些恢复码存储在一个安全的密码管理器中。如果您的双因素验证设备丢失,它们可以用来恢复对您账户的访问。", "Submit": "提交", "subordinate": "下属", "Suffix": "后缀", @@ -874,59 +873,58 @@ "Switch Teams": "切换团队", "Tabs visibility": "选项卡可见性", "Tags": "标签", - "Tags let you classify journal posts using a system that matters to you.": "标签让您可以使用对您重要的系统对期刊帖子进行分类。", - "Taoist": "道家", + "Tags let you classify journal posts using a system that matters to you.": "标签可让您使用对您重要的系统对期刊文章进行分类。", + "Taoist": "道教", "Tasks": "任务", "Team Details": "团队详情", "Team Invitation": "团队邀请", "Team Members": "团队成员", - "Team Name": "队名", - "Team Owner": "团队负责人", + "Team Name": "团队名称", + "Team Owner": "团队拥有者", "Team Settings": "团队设置", "Telegram": "电报", "Templates": "模板", - "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "模板可让您自定义应在您的联系人上显示的数据。您可以根据需要定义任意数量的模板,并选择应在哪个联系人上使用哪个模板。", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "模板可让您自定义应在联系人上显示的数据。您可以根据需要定义任意数量的模板,并选择应在哪个联系人上使用哪个模板。", "Terms of Service": "服务条款", - "Test email for Monica": "为 Monica 测试电子邮件", + "Test email for Monica": "Monica的测试电子邮件", "Test email sent!": "测试邮件已发送!", "Thanks,": "谢谢,", - "Thanks for giving Monica a try": "谢谢你给莫妮卡一个尝试", - "Thanks for giving Monica a try.": "感谢您试一试莫妮卡。", - "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "感谢您的注册!在开始之前,您能否通过单击我们刚刚通过电子邮件发送给您的链接来验证您的电子邮件地址?如果您没有收到电子邮件,我们很乐意向您发送另一封电子邮件。", - "The :attribute must be at least :length characters.": ":attribute 必须至少为 :length 个字符。", - "The :attribute must be at least :length characters and contain at least one number.": ":attribute 必须至少为 :length 个字符并且至少包含一个数字。", - "The :attribute must be at least :length characters and contain at least one special character.": ":attribute 必须至少为 :length 个字符,并且至少包含一个特殊字符。", - "The :attribute must be at least :length characters and contain at least one special character and one number.": ":attribute 必须至少为 :length 个字符,并且至少包含一个特殊字符和一个数字。", - "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":attribute 必须至少为 :length 个字符,并且至少包含一个大写字符、一个数字和一个特殊字符。", - "The :attribute must be at least :length characters and contain at least one uppercase character.": ":attribute 必须至少为 :length 个字符,并且至少包含一个大写字符。", - "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":attribute 必须至少为 :length 个字符,并且至少包含一个大写字符和一个数字。", - "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":attribute 必须至少为 :length 个字符,并且至少包含一个大写字符和一个特殊字符。", - "The :attribute must be a valid role.": ":attribute 必须是一个有效的角色。", + "Thanks for giving Monica a try.": "感谢您给Monica一次尝试。", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "感谢您的注册!在开始之前,您可以通过单击我们刚刚通过电子邮件发送给您的链接来验证您的电子邮件地址吗?如果您没有收到电子邮件,我们很乐意向您发送另一封电子邮件。", + "The :attribute must be at least :length characters.": ":Attribute 至少为 :length 个字符。", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute 至少为 :length 个字符且至少包含一个数字。", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute 至少为 :length 个字符且至少包含一个特殊字符。", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute 长度至少 :length 位并且至少必须包含一个特殊字符和一个数字。", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute 至少为 :length 个字符且至少包含一个大写字母、一个数字和一个特殊字符。", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute 至少为 :length 个字符且至少包含一个大写字母。", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute 至少为 :length 个字符且至少包含一个大写字母和一个数字。", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute 至少为 :length 个字符且至少包含一个大写字母和一个特殊字符。", + "The :attribute must be a valid role.": ":Attribute 必须是一个有效的角色。", "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "该帐户的数据将在 30 天内从我们的服务器中永久删除,并在 60 天内从所有备份中永久删除。", "The address type has been created": "地址类型已创建", - "The address type has been deleted": "地址类型已被删除", + "The address type has been deleted": "地址类型已删除", "The address type has been updated": "地址类型已更新", - "The call has been created": "调用已创建", - "The call has been deleted": "来电已删除", + "The call has been created": "通话已创建", + "The call has been deleted": "通话已被删除", "The call has been edited": "通话已编辑", - "The call reason has been created": "调用原因已创建", - "The call reason has been deleted": "来电原因已删除", - "The call reason has been updated": "来电原因已更新", + "The call reason has been created": "通话原因已创建", + "The call reason has been deleted": "通话原因已删除", + "The call reason has been updated": "通话原因已更新", "The call reason type has been created": "呼叫原因类型已创建", "The call reason type has been deleted": "呼叫原因类型已删除", "The call reason type has been updated": "呼叫原因类型已更新", "The channel has been added": "频道已添加", "The channel has been updated": "频道已更新", - "The contact does not belong to any group yet.": "该联系人还不属于任何组。", + "The contact does not belong to any group yet.": "该联系人尚不属于任何组。", "The contact has been added": "联系人已添加", - "The contact has been deleted": "联系人已删除", - "The contact has been edited": "联系人已修改", + "The contact has been deleted": "联系方式已被删除", + "The contact has been edited": "联系方式已修改", "The contact has been removed from the group": "该联系人已从群组中删除", "The contact information has been created": "联系信息已创建", - "The contact information has been deleted": "联系方式已删除", + "The contact information has been deleted": "联系方式已被删除", "The contact information has been edited": "联系方式已修改", - "The contact information type has been created": "联系人信息类型已创建", - "The contact information type has been deleted": "联系人信息类型已删除", + "The contact information type has been created": "联系信息类型已创建", + "The contact information type has been deleted": "联系信息类型已被删除", "The contact information type has been updated": "联系信息类型已更新", "The contact is archived": "联系人已存档", "The currencies have been updated": "货币已更新", @@ -935,123 +933,125 @@ "The date has been deleted": "日期已被删除", "The date has been updated": "日期已更新", "The document has been added": "文档已添加", - "The document has been deleted": "文档已被删除", - "The email address has been deleted": "电子邮件地址已被删除", - "The email has been added": "邮箱已添加", - "The email is already taken. Please choose another one.": "电子邮件已被占用。请选择另一个。", + "The document has been deleted": "该文档已被删除", + "The email address has been deleted": "该电子邮件地址已被删除", + "The email has been added": "电子邮件已添加", + "The email is already taken. Please choose another one.": "电子邮件已被占用。请选择另一项。", "The gender has been created": "性别已创建", - "The gender has been deleted": "性别已删除", + "The gender has been deleted": "性别已被删除", "The gender has been updated": "性别已更新", "The gift occasion has been created": "礼物场合已创建", "The gift occasion has been deleted": "送礼场合已被删除", "The gift occasion has been updated": "礼物场合已更新", - "The gift state has been created": "礼品状态已创建", - "The gift state has been deleted": "赠送状态已删除", + "The gift state has been created": "礼物状态已创建", + "The gift state has been deleted": "礼物状态已被删除", "The gift state has been updated": "礼物状态已更新", "The given data was invalid.": "给定的数据无效。", "The goal has been created": "目标已创建", - "The goal has been deleted": "目标已删除", + "The goal has been deleted": "目标已被删除", "The goal has been edited": "目标已编辑", "The group has been added": "群组已添加", "The group has been deleted": "该群组已被删除", - "The group has been updated": "群已更新", + "The group has been updated": "群组已更新", "The group type has been created": "组类型已创建", - "The group type has been deleted": "群组类型已被删除", - "The group type has been updated": "组类型已更新", + "The group type has been deleted": "群组类型已删除", + "The group type has been updated": "群组类型已更新", "The important dates in the next 12 months": "未来12个月的重要日期", "The job information has been saved": "职位信息已保存", - "The journal lets you document your life with your own words.": "该日记让您可以用自己的话记录您的生活。", + "The journal lets you document your life with your own words.": "日记可以让您用自己的话记录自己的生活。", "The keys to manage uploads have not been set in this Monica instance.": "此 Monica 实例中尚未设置管理上传的密钥。", "The label has been added": "标签已添加", "The label has been created": "标签已创建", - "The label has been deleted": "标签已删除", + "The label has been deleted": "该标签已被删除", "The label has been updated": "标签已更新", "The life metric has been created": "生命指标已创建", "The life metric has been deleted": "生命指标已被删除", "The life metric has been updated": "生命指标已更新", "The loan has been created": "贷款已创建", - "The loan has been deleted": "贷款已删除", - "The loan has been edited": "贷款已编辑", - "The loan has been settled": "贷款已经结清", + "The loan has been deleted": "贷款已被删除", + "The loan has been edited": "贷款已修改", + "The loan has been settled": "贷款已结清", "The loan is an object": "贷款是一个对象", - "The loan is monetary": "贷款是货币的", + "The loan is monetary": "贷款是货币性的", "The module has been added": "该模块已添加", "The module has been removed": "该模块已被删除", "The note has been created": "笔记已创建", - "The note has been deleted": "备注已删除", - "The note has been edited": "注释已编辑", + "The note has been deleted": "注释已被删除", + "The note has been edited": "该注释已被编辑", "The notification has been sent": "通知已发送", - "The operation either timed out or was not allowed.": "操作超时或不允许。", + "The operation either timed out or was not allowed.": "该操作超时或不允许。", "The page has been added": "页面已添加", - "The page has been deleted": "页面已被删除", + "The page has been deleted": "该页面已被删除", "The page has been updated": "页面已更新", "The password is incorrect.": "密码不正确。", "The pet category has been created": "宠物类别已创建", - "The pet category has been deleted": "宠物类别已删除", + "The pet category has been deleted": "宠物类别已被删除", "The pet category has been updated": "宠物类别已更新", - "The pet has been added": "已添加宠物", + "The pet has been added": "宠物已添加", "The pet has been deleted": "宠物已被删除", "The pet has been edited": "宠物已编辑", "The photo has been added": "照片已添加", "The photo has been deleted": "照片已被删除", - "The position has been saved": "位置已保存", + "The position has been saved": "该位置已保存", "The post template has been created": "帖子模板已创建", "The post template has been deleted": "帖子模板已被删除", "The post template has been updated": "帖子模板已更新", "The pronoun has been created": "代词已创建", "The pronoun has been deleted": "代词已被删除", "The pronoun has been updated": "代词已更新", - "The provided password does not match your current password.": "提供的密码与您当前的密码不匹配。", - "The provided password was incorrect.": "提供的密码不正确。", - "The provided two factor authentication code was invalid.": "提供的双因素身份验证代码无效。", - "The provided two factor recovery code was invalid.": "提供的双因素恢复代码无效。", - "There are no active addresses yet.": "目前还没有活动地址。", - "There are no calls logged yet.": "目前还没有通话记录。", - "There are no contact information yet.": "目前还没有联系方式。", + "The provided password does not match your current password.": "当前密码不正确", + "The provided password was incorrect.": "密码错误", + "The provided two factor authentication code was invalid.": "双因素认证代码错误", + "The provided two factor recovery code was invalid.": "双因素恢复代码无效。", + "There are no active addresses yet.": "还没有活动地址。", + "There are no calls logged yet.": "尚未记录任何呼叫。", + "There are no contact information yet.": "目前还没有联系信息。", "There are no documents yet.": "还没有文件。", - "There are no events on that day, future or past.": "那天,未来或过去都没有事件。", + "There are no events on that day, future or past.": "那天、未来或过去没有发生任何事件。", "There are no files yet.": "还没有文件。", "There are no goals yet.": "目前还没有目标。", "There are no journal metrics.": "没有期刊指标。", - "There are no loans yet.": "目前还没有贷款。", + "There are no loans yet.": "还没有贷款。", "There are no notes yet.": "还没有注释。", - "There are no other users in this account.": "此帐户中没有其他用户。", + "There are no other users in this account.": "该帐户中没有其他用户。", "There are no pets yet.": "还没有宠物。", "There are no photos yet.": "还没有相关照片。", "There are no posts yet.": "还没有帖子。", - "There are no quick facts here yet.": "这里还没有快速的事实。", - "There are no relationships yet.": "还没有关系。", - "There are no reminders yet.": "还没有提醒。", + "There are no quick facts here yet.": "目前尚无快速事实。", + "There are no relationships yet.": "还没有任何关系。", + "There are no reminders yet.": "目前还没有提醒。", "There are no tasks yet.": "还没有任务。", - "There are no templates in the account. Go to the account settings to create one.": "帐户中没有模板。转到帐户设置以创建一个。", + "There are no templates in the account. Go to the account settings to create one.": "帐户中没有模板。转到帐户设置来创建一个。", "There is no activity yet.": "目前还没有任何活动。", "There is no currencies in this account.": "此帐户中没有货币。", - "The relationship has been added": "已添加关系", - "The relationship has been deleted": "关系已删除", + "The relationship has been added": "关系已添加", + "The relationship has been deleted": "关系已被删除", "The relationship type has been created": "关系类型已创建", "The relationship type has been deleted": "关系类型已被删除", "The relationship type has been updated": "关系类型已更新", - "The religion has been created": "宗教被创造", - "The religion has been deleted": "宗教已被删除", + "The religion has been created": "宗教已被创造", + "The religion has been deleted": "该宗教已被删除", "The religion has been updated": "宗教已更新", "The reminder has been created": "提醒已创建", - "The reminder has been deleted": "提醒已删除", - "The reminder has been edited": "提醒已编辑", + "The reminder has been deleted": "提醒已被删除", + "The reminder has been edited": "提醒已修改", + "The response is not a streamed response.": "该响应不是流式响应。", + "The response is not a view.": "响应不是视图。", "The role has been created": "角色已创建", - "The role has been deleted": "角色已被删除", + "The role has been deleted": "该角色已被删除", "The role has been updated": "角色已更新", "The section has been created": "该部分已创建", "The section has been deleted": "该部分已被删除", "The section has been updated": "该部分已更新", - "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "这些人已被邀请加入您的团队,并已收到一封邀请电子邮件。他们可以通过接受电子邮件邀请加入团队。", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "这些人已被邀请加入您的团队,并已收到一封邀请邮件。他们可以通过接受电子邮件邀请加入团队。", "The tag has been added": "标签已添加", "The tag has been created": "标签已创建", - "The tag has been deleted": "标签已被删除", + "The tag has been deleted": "该标签已被删除", "The tag has been updated": "标签已更新", "The task has been created": "任务已创建", - "The task has been deleted": "任务已删除", + "The task has been deleted": "任务已被删除", "The task has been edited": "任务已编辑", - "The team's name and owner information.": "团队的名称和所有者信息。", + "The team's name and owner information.": "团队名称和拥有者信息。", "The Telegram channel has been deleted": "Telegram 频道已被删除", "The template has been created": "模板已创建", "The template has been deleted": "模板已被删除", @@ -1059,97 +1059,94 @@ "The template has been updated": "模板已更新", "The test email has been sent": "测试邮件已发送", "The type has been created": "类型已创建", - "The type has been deleted": "类型已删除", + "The type has been deleted": "该类型已被删除", "The type has been updated": "类型已更新", - "The user has been added": "用户已添加", + "The user has been added": "该用户已添加", "The user has been deleted": "该用户已被删除", "The user has been removed": "该用户已被删除", - "The user has been updated": "用户已更新", - "The vault has been created": "保险库已创建", - "The vault has been deleted": "保险库已被删除", + "The user has been updated": "该用户已更新", + "The vault has been created": "保管库已创建", + "The vault has been deleted": "保管库已被删除", "The vault have been updated": "保险库已更新", - "they\/them": "他们\/他们", + "they/them": "他们/他们", "This address is not active anymore": "该地址不再有效", - "This device": "这个设备", - "This email is a test email to check if Monica can send an email to this email address.": "此电子邮件是一封测试电子邮件,用于检查 Monica 是否可以向此电子邮件地址发送电子邮件。", - "This is a secure area of the application. Please confirm your password before continuing.": "这是应用程序的安全区域。请在继续之前确认您的密码。", - "This is a test email": "这是一封测试邮件", - "This is a test notification for :name": "这是 :name 的测试通知", - "This key is already registered. It’s not necessary to register it again.": "此密钥已注册。无需重新注册。", - "This link will open in a new tab": "此链接将在新标签页中打开", - "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "该页面显示了过去在此​​频道中发送的所有通知。它主要用作一种调试方式,以防您没有收到已设置的通知。", - "This password does not match our records.": "此密码与我们的记录不符。", - "This password reset link will expire in :count minutes.": "此密码重置链接将在 :count 分钟后过期。", + "This device": "当前设备", + "This email is a test email to check if Monica can send an email to this email address.": "此电子邮件是测试电子邮件,用于检查 Monica 是否可以向此电子邮件地址发送电子邮件。", + "This is a secure area of the application. Please confirm your password before continuing.": "请在继续之前确认您的密码。", + "This is a test email": "这是一封测试电子邮件", + "This is a test notification for :name": "这是针对 :name 的测试通知", + "This key is already registered. It’s not necessary to register it again.": "该密钥已被注册。无需再次注册。", + "This link will open in a new tab": "此链接将在新选项卡中打开", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "此页面显示过去在此通道中发送的所有通知。它主要作为一种调试方式,以防您没有收到您设置的通知。", + "This password does not match our records.": "密码不正确", + "This password reset link will expire in :count minutes.": "这个重设密码链接将会在 :count 分钟后失效。", "This post has no content yet.": "这篇文章还没有内容。", - "This provider is already associated with another account": "此提供商已与另一个帐户相关联", - "This site is open source.": "这个网站是开源的。", - "This template will define what information are displayed on a contact page.": "该模板将定义联系人页面上显示的信息。", - "This user already belongs to the team.": "该用户已经属于团队。", - "This user has already been invited to the team.": "此用户已被邀请加入团队。", - "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "该用户将成为您帐户的一部分,但无法访问此帐户中的所有保管库,除非您授予他们特定的访问权限。此人也将能够创建保险库。", + "This provider is already associated with another account": "该提供商已与另一个帐户关联", + "This site is open source.": "该网站是开源的。", + "This template will define what information are displayed on a contact page.": "该模板将定义联系页面上显示的信息。", + "This user already belongs to the team.": "此用户已经在团队中", + "This user has already been invited to the team.": "该用户已经被邀请加入团队。", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "该用户将成为您帐户的一部分,但无法访问该帐户中的所有保管库,除非您授予他们特定的访问权限。此人也将能够创建保管库。", "This will immediately:": "这将立即:", "Three things that happened today": "今天发生的三件事", "Thursday": "周四", "Timezone": "时区", "Title": "标题", - "to": "到", - "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "要完成启用双因素身份验证,请使用手机的身份验证器应用程序扫描以下二维码或输入设置密钥并提供生成的 OTP 代码。", - "To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.": "要完成启用双因素身份验证,请使用手机的身份验证器应用程序扫描以下二维码或输入设置密钥并提供生成的 OTP 代码。", + "to": "至", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "完成启用双因素认证,使用手机的认证应用程序扫描以下二维码,或者输入设置密钥并提供生成的 OTP 密码。", "Toggle navigation": "切换导航", - "To hear their story": "听听他们的故事", - "Token Name": "代币名称", + "To hear their story": "来听听他们的故事", + "Token Name": "令牌名称", "Token name (for your reference only)": "代币名称(仅供参考)", - "Took a new job": "找了一份新工作", - "Took the bus": "搭公车", + "Took a new job": "接受了新工作", + "Took the bus": "乘坐巴士", "Took the metro": "乘坐地铁", - "Too Many Requests": "请求太多", + "Too Many Requests": "请求次数过多。", "To see if they need anything": "看看他们是否需要什么", - "To start, you need to create a vault.": "首先,您需要创建一个保险库。", + "To start, you need to create a vault.": "首先,您需要创建一个保管库。", "Total:": "全部的:", - "Total streaks": "总条纹", + "Total streaks": "总条纹数", "Track a new metric": "跟踪新指标", "Transportation": "运输", "Tuesday": "周二", - "Two-factor Confirmation": "双因素确认", - "Two Factor Authentication": "双重身份验证", - "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "现已启用双因素身份验证。使用手机的身份验证器应用程序扫描以下二维码或输入设置密钥。", - "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "现已启用双因素身份验证。使用手机的身份验证器应用程序扫描以下二维码或输入设置密钥。", + "Two-factor Confirmation": "两因素确认", + "Two Factor Authentication": "双因素认证", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "双因素认证已启用。使用手机的认证应用程序扫描以下二维码,或者输入设置密钥。", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "现已启用两因素身份验证。使用手机的验证器应用程序扫描以下二维码或输入设置密钥。", "Type": "类型", "Type:": "类型:", - "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "在与 Monica 机器人的对话中键入任何内容。例如,它可以是“开始”。", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "在与 Monica 机器人的对话中输入任何内容。例如,它可以是“开始”。", "Types": "类型", "Type something": "输入一些东西", "Unarchive contact": "取消存档联系人", "unarchived the contact": "取消存档联系人", - "Unauthorized": "未经授权", - "uncle\/aunt": "叔叔\/阿姨", + "Unauthorized": "未授权", + "uncle/aunt": "叔叔/阿姨", "Undefined": "不明确的", "Unexpected error on login.": "登录时出现意外错误。", "Unknown": "未知", - "unknown action": "未知动作", - "Unknown age": "未知年龄", - "Unknown contact name": "未知联系人姓名", - "Unknown name": "未知名称", + "unknown action": "未知的行动", + "Unknown age": "年龄不明", + "Unknown name": "未知名字", "Update": "更新", "Update a key.": "更新一个密钥。", - "updated a contact information": "更新了联系方式", - "updated a goal": "更新了一个目标", - "updated an address": "更新了一个地址", - "updated an important date": "更新了一个重要的日期", - "updated a pet": "更新了一个宠物", - "Updated on :date": "更新于:日期", - "updated the avatar of the contact": "更新联系人头像", + "updated a contact information": "更新了联系信息", + "updated a goal": "更新了目标", + "updated an address": "更新了地址", + "updated an important date": "更新了重要日期", + "updated a pet": "更新了宠物", + "Updated on :date": "更新于 :date", + "updated the avatar of the contact": "更新了联系人头像", "updated the contact information": "更新了联系信息", "updated the job information": "更新了职位信息", "updated the religion": "更新了宗教", "Update Password": "更新密码", - "Update your account's profile information and email address.": "更新您帐户的个人资料信息和电子邮件地址。", - "Update your account’s profile information and email address.": "更新您帐户的个人资料信息和电子邮件地址。", + "Update your account's profile information and email address.": "更新您的账户资料和电子邮件地址。", "Upload photo as avatar": "上传照片作为头像", "Use": "使用", "Use an authentication code": "使用验证码", - "Use a recovery code": "使用恢复代码", - "Use a security key (Webauthn, or FIDO) to increase your account security.": "使用安全密钥(Webauthn 或 FIDO)来提高您的帐户安全性。", + "Use a recovery code": "使用恢复码", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "使用安全密钥(Webauthn 或 FIDO)来提高帐户安全性。", "User preferences": "用户偏好", "Users": "用户", "User settings": "用户设置", @@ -1157,13 +1154,13 @@ "Use your password": "使用您的密码", "Use your security key": "使用您的安全密钥", "Validating key…": "正在验证密钥...", - "Value copied into your clipboard": "复制到剪贴板的值", - "Vaults contain all your contacts data.": "保管库包含您的所有联系人数据。", + "Value copied into your clipboard": "值复制到剪贴板", + "Vaults contain all your contacts data.": "保险库包含您的所有联系人数据。", "Vault settings": "保管库设置", - "ve\/ver": "和\/给", - "Verification email sent": "已发送验证邮件", + "ve/ver": "版本/版本", + "Verification email sent": "验证邮件已发送", "Verified": "已验证", - "Verify Email Address": "确认电子邮件地址", + "Verify Email Address": "验证 E-mail", "Verify this email address": "验证此电子邮件地址", "Version :version — commit [:short](:url).": "版本 :version — 提交 [:short](:url)。", "Via Telegram": "通过电报", @@ -1171,115 +1168,116 @@ "View": "看法", "View all": "查看全部", "View details": "查看详情", - "Viewer": "查看器", - "View history": "查看历史", + "Viewer": "观众", + "View history": "查看历史记录", "View log": "查看日志", "View on map": "在地图上查看", - "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "等待几秒钟,让 Monica(应用程序)识别您。我们会向您发送虚假通知,看看它是否有效。", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "等待几秒钟,让Monica(应用程序)认出您。我们会向您发送一条虚假通知,看看它是否有效。", "Waiting for key…": "等待钥匙...", - "Walked": "走了", + "Walked": "步行", "Wallpaper": "墙纸", - "Was there a reason for the call?": "打电话有什么原因吗?", + "Was there a reason for the call?": "打电话有理由吗?", "Watched a movie": "看了一部电影", "Watched a tv show": "看了一个电视节目", "Watched TV": "看电视", - "Watch Netflix every day": "每天看 Netflix", + "Watch Netflix every day": "每天观看 Netflix", "Ways to connect": "连接方式", "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn 仅支持安全连接。请使用 https 方案加载此页面。", - "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "我们称它们为关系,及其反向关系。对于您定义的每个关系,您需要定义其对应关系。", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "我们称它们为关系,及其逆关系。对于您定义的每个关系,您需要定义其对应关系。", "Wedding": "婚礼", "Wednesday": "周三", - "We hope you'll like it.": "我们希望你会喜欢它。", - "We hope you will like what we’ve done.": "我们希望您会喜欢我们所做的。", - "Welcome to Monica.": "欢迎来到莫妮卡。", + "We hope you'll like it.": "我们希望您会喜欢它。", + "We hope you will like what we’ve done.": "我们希望您会喜欢我们所做的事情。", + "Welcome to Monica.": "欢迎来到Monica。", "Went to a bar": "去了一家酒吧", "We support Markdown to format the text (bold, lists, headings, etc…).": "我们支持 Markdown 来格式化文本(粗体、列表、标题等)。", - "We were unable to find a registered user with this email address.": "我们无法找到使用此电子邮件地址的注册用户。", - "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "我们将向该电子邮件地址发送一封电子邮件,您需要先确认该电子邮件地址,然后我们才能向该地址发送通知。", - "What happens now?": "现在发生了什么?", + "We were unable to find a registered user with this email address.": "我们无法找到这个电子邮件地址的注册用户。", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "我们将向此电子邮件地址发送一封电子邮件,您需要确认该电子邮件,然后我们才能向此地址发送通知。", + "What happens now?": "现在会发生什么?", "What is the loan?": "什么是贷款?", - "What permission should :name have?": ":name 应该有什么权限?", - "What permission should the user have?": "用户应该有什么权限?", + "What permission should :name have?": ":Name 应该拥有什么权限?", + "What permission should the user have?": "用户应该拥有什么权限?", + "Whatsapp": "Whatsapp", "What should we use to display maps?": "我们应该用什么来显示地图?", "What would make today great?": "什么会让今天变得美好?", "When did the call happened?": "电话是什么时候发生的?", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "启用双因素身份验证后,系统会在身份验证期间提示您输入安全的随机令牌。您可以从手机的 Google 身份验证器应用程序中检索此令牌。", - "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "启用双因素身份验证后,系统会在身份验证期间提示您输入安全的随机令牌。您可以从手机的身份验证器应用程序中检索此令牌。", - "When was the loan made?": "贷款是什么时候做的?", - "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "当您定义两个联系人之间的关系时,例如父子关系,Monica 会创建两个关系,每个联系人一个:", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "当启用双因素认证时,在认证过程中会提示您输入一个安全的随机令牌。您可以从手机的 Google Authenticator 应用程序中获取此令牌。", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "启用两因素身份验证后,系统将在身份验证过程中提示您输入安全的随机令牌。您可以从手机的身份验证器应用程序中检索此令牌。", + "When was the loan made?": "贷款是什么时候发放的?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "当您定义两个联系人之间的关系(例如父子关系)时,Monica 会创建两个关系,每个联系人对应一个关系:", "Which email address should we send the notification to?": "我们应该将通知发送到哪个电子邮件地址?", - "Who called?": "谁叫的?", - "Who makes the loan?": "谁做贷款?", + "Who called?": "谁打来的?", + "Who makes the loan?": "谁提供贷款?", "Whoops!": "哎呀!", - "Whoops! Something went wrong.": "哎呀!出了些问题。", + "Whoops! Something went wrong.": "哎呀!出了点问题", "Who should we invite in this vault?": "我们应该邀请谁进入这个保险库?", - "Who the loan is for?": "贷款给谁?", + "Who the loan is for?": "贷款是给谁的?", "Wish good day": "祝美好的一天", "Work": "工作", - "Write the amount with a dot if you need decimals, like 100.50": "如果需要小数,请用点写金额,例如 100.50", - "Written on": "写在", + "Write the amount with a dot if you need decimals, like 100.50": "如果需要小数,请用点写出金额,例如 100.50", + "Written on": "写于", "wrote a note": "写了一张纸条", - "xe\/xem": "车\/景", + "xe/xem": "xe/xem", "year": "年", "Years": "年", "You are here:": "你在这里:", - "You are invited to join Monica": "邀请您加入莫妮卡", - "You are receiving this email because we received a password reset request for your account.": "您收到这封电子邮件是因为我们收到了您帐户的密码重置请求。", - "you can't even use your current username or password to sign in,": "您甚至不能使用当前的用户名或密码登录,", - "you can't import any data from your current Monica account(yet),": "你不能从你当前的 Monica 帐户导入任何数据(还),", - "You can add job information to your contacts and manage the companies here in this tab.": "您可以将工作信息添加到您的联系人并在此选项卡中管理公司。", - "You can add more account to log in to our service with one click.": "您可以添加更多账号,一键登录我们的服务。", - "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "您可以通过不同的渠道收到通知:电子邮件、电报消息、Facebook。你决定。", + "You are invited to join Monica": "诚邀您加入Monica", + "You are receiving this email because we received a password reset request for your account.": "您收到此电子邮件是因为我们收到了您帐户的密码重设请求。", + "you can't even use your current username or password to sign in,": "您甚至无法使用当前的用户名或密码登录,", + "you can't import any data from your current Monica account(yet),": "您还无法从当前的 Monica 帐户导入任何数据,", + "You can add job information to your contacts and manage the companies here in this tab.": "您可以在此选项卡中向您的联系人添加职位信息并管理公司。", + "You can add more account to log in to our service with one click.": "您可以添加更多账户,一键登录我们的服务。", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "您可以通过不同的渠道收到通知:电子邮件、Telegram 消息、Facebook。你决定。", "You can change that at any time.": "您可以随时更改它。", - "You can choose how you want Monica to display dates in the application.": "您可以选择希望 Monica 在应用程序中显示日期的方式。", - "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "您可以选择应在您的帐户中启用哪些货币,哪些不应启用。", - "You can customize how contacts should be displayed according to your own taste\/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "您可以根据自己的品味\/文化自定义联系人的显示方式。也许您想使用詹姆斯·邦德而不是邦德·詹姆斯。在这里,你可以随意定义它。", + "You can choose how you want Monica to display dates in the application.": "您可以选择 Monica 在应用程序中显示日期的方式。", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "您可以选择应在您的帐户中启用哪些货币,以及不应启用哪些货币。", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "您可以根据自己的品味/文化自定义联系人的显示方式。也许您想使用詹姆斯·邦德而不是邦德·詹姆斯。这里,你可以随意定义。", "You can customize the criteria that let you track your mood.": "您可以自定义让您跟踪心情的标准。", - "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "您可以在保管库之间移动联系人。这种变化是立竿见影的。您只能将联系人移至您所属的保管库。所有联系人数据都将随之移动。", - "You cannot remove your own administrator privilege.": "您不能删除自己的管理员权限。", - "You don’t have enough space left in your account.": "您的帐户中没有足够的剩余空间。", - "You don’t have enough space left in your account. Please upgrade.": "您的帐户中没有足够的剩余空间。请升级。", - "You have been invited to join the :team team!": "您已被邀请加入 :team 团队!", - "You have enabled two factor authentication.": "您已启用双因素身份验证。", - "You have not enabled two factor authentication.": "您尚未启用双因素身份验证。", - "You have not setup Telegram in your environment variables yet.": "您还没有在您的环境变量中设置 Telegram。", - "You haven’t received a notification in this channel yet.": "您还没有收到此频道的通知。", - "You haven’t setup Telegram yet.": "你还没有设置 Telegram。", - "You may accept this invitation by clicking the button below:": "您可以通过单击下面的按钮接受此邀请:", - "You may delete any of your existing tokens if they are no longer needed.": "如果不再需要,您可以删除任何现有令牌。", - "You may not delete your personal team.": "您不得删除您的个人团队。", - "You may not leave a team that you created.": "您不得离开您创建的团队。", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "您可以在保管库之间移动联系人。这个改变是立竿见影的。您只能将联系人移动到您所属的保管库。所有联系人数据都将随之移动。", + "You cannot remove your own administrator privilege.": "您无法删除自己的管理员权限。", + "You don’t have enough space left in your account.": "您的帐户中没有足够的空间。", + "You don’t have enough space left in your account. Please upgrade.": "您的帐户中没有足够的空间。请升级。", + "You have been invited to join the :team team!": "您已被邀请加入「:team」团队!", + "You have enabled two factor authentication.": "您已经启用了双因素认证。", + "You have not enabled two factor authentication.": "您还没有启用双因素认证。", + "You have not setup Telegram in your environment variables yet.": "您尚未在环境变量中设置 Telegram。", + "You haven’t received a notification in this channel yet.": "您尚未在此频道中收到通知。", + "You haven’t setup Telegram yet.": "您还没有设置 Telegram。", + "You may accept this invitation by clicking the button below:": "您可以点击下面的按钮接受此邀请:", + "You may delete any of your existing tokens if they are no longer needed.": "如果不再需要,您可以删除任何现有的令牌。", + "You may not delete your personal team.": "您不能删除您的个人团队。", + "You may not leave a team that you created.": "您不能离开您创建的团队。", "You might need to reload the page to see the changes.": "您可能需要重新加载页面才能看到更改。", - "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "您至少需要一个模板才能显示联系人。如果没有模板,Monica 将不知道应该显示哪些信息。", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "您至少需要一个模板来显示联系人。如果没有模板,Monica将不知道应该显示哪些信息。", "Your account current usage": "您的帐户当前使用情况", "Your account has been created": "您的帐号已经建立", "Your account is linked": "您的帐户已关联", "Your account limits": "您的帐户限制", - "Your account will be closed immediately,": "您的帐户将立即关闭,", - "Your browser doesn’t currently support WebAuthn.": "您的浏览器目前不支持 WebAuthn。", - "Your email address is unverified.": "您的电子邮件地址未经验证。", - "Your life events": "你的人生大事", + "Your account will be closed immediately,": "您的帐户将立即被关闭,", + "Your browser doesn’t currently support WebAuthn.": "您的浏览器当前不支持 WebAuthn。", + "Your email address is unverified.": "您的电子邮箱未经验证。", + "Your life events": "你的生活事件", "Your mood has been recorded!": "你的心情已被记录!", "Your mood that day": "你那天的心情", "Your mood that you logged at this date": "您在该日期记录的心情", - "Your mood this year": "你今年的心情", - "Your name here will be used to add yourself as a contact.": "您在此处的姓名将用于将您自己添加为联系人。", - "You wanted to be reminded of the following:": "您希望被提醒以下内容:", + "Your mood this year": "今年你的心情", + "Your name here will be used to add yourself as a contact.": "您此处的姓名将用于将您自己添加为联系人。", + "You wanted to be reminded of the following:": "您希望被提醒注意以下事项:", "You WILL still have to delete your account on Monica or OfficeLife.": "您仍然需要删除您在 Monica 或 OfficeLife 上的帐户。", - "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "您已被邀请在开源个人 CRM Monica 中使用此电子邮件地址,因此我们可以使用它向您发送通知。", - "ze\/hir": "给她", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "您已被邀请在开源个人 CRM Monica 中使用此电子邮件地址,以便我们可以使用它向您发送通知。", + "ze/hir": "泽/希尔", "⚠️ Danger zone": "⚠️危险地带", "🌳 Chalet": "🌳 小木屋", "🏠 Secondary residence": "🏠 第二居所", "🏡 Home": "🏡 主页", "🏢 Work": "🏢 工作", - "🔔 Reminder: :label for :contactName": "🔔 提醒: :contactName 的 :label", - "😀 Good": "😀好", - "😁 Positive": "😁积极的", - "😐 Meh": "😐嗯", + "🔔 Reminder: :label for :contactName": "🔔 提醒::label 为 :contactName", + "😀 Good": "😀 好", + "😁 Positive": "😁 积极", + "😐 Meh": "😐 嗯", "😔 Bad": "😔 不好", "😡 Negative": "😡 负面", - "😩 Awful": "😩太糟糕了", - "😶‍🌫️ Neutral": "😶‍🌫️ 中性", - "🥳 Awesome": "🥳太棒了" + "😩 Awful": "😩 太糟糕了", + "😶‍🌫️ Neutral": "😶‍🌫️中性", + "🥳 Awesome": "🥳 太棒了" } \ No newline at end of file diff --git a/lang/zh_CN/auth.php b/lang/zh_CN/auth.php new file mode 100644 index 00000000000..28749e0a238 --- /dev/null +++ b/lang/zh_CN/auth.php @@ -0,0 +1,8 @@ + '用户名或密码错误。', + 'lang' => '中文(中华人民共和国)', + 'password' => '密码错误', + 'throttle' => '您尝试的登录次数过多,请 :seconds 秒后再试。', +]; diff --git a/lang/zh_CN/format.php b/lang/zh_CN/format.php new file mode 100644 index 00000000000..79df9c7250e --- /dev/null +++ b/lang/zh_CN/format.php @@ -0,0 +1,15 @@ + 'D MMM YYYY', + 'day_month_parenthesis' => 'dddd (D MMM)', + 'day_number' => 'DD', + 'full_date' => 'dddd D MMM YYYY', + 'long_month_day' => 'D MMMM', + 'long_month_year' => 'MMMM Y', + 'short_date' => 'D MMM', + 'short_date_year_time' => 'D MMM YYYY H:mm', + 'short_day' => 'ddd', + 'short_month' => 'MMM', + 'short_month_year' => 'MMM Y', +]; diff --git a/lang/zh_CN/http-statuses.php b/lang/zh_CN/http-statuses.php new file mode 100644 index 00000000000..0eac29be391 --- /dev/null +++ b/lang/zh_CN/http-statuses.php @@ -0,0 +1,82 @@ + '未知错误', + '100' => '继续请求', + '101' => '切换协议', + '102' => '处理中', + '200' => '请求成功', + '201' => '已创建', + '202' => '已接受', + '203' => '非权威信息', + '204' => '无内容', + '205' => '重置内容', + '206' => '部分内容', + '207' => '多状态', + '208' => '已上报', + '226' => 'IM已使用', + '300' => '多种选择', + '301' => '已永久移动', + '302' => '临时移动', + '303' => '见其他', + '304' => '未修改', + '305' => '使用代理', + '307' => '临时重定向', + '308' => '永久重定向', + '400' => '请求错误', + '401' => '未授权', + '402' => '需要付款', + '403' => '禁止', + '404' => '未找到', + '405' => '方法不允许', + '406' => '无法接受', + '407' => '需要代理验证', + '408' => '请求超时', + '409' => '冲突', + '410' => '不可用', + '411' => '长度要求', + '412' => '前提条件未满足', + '413' => '请求实体过大', + '414' => 'URI太长了', + '415' => '不支持的媒体类型', + '416' => '请求范围不符合', + '417' => '期望不满足', + '418' => '我是一个茶壶', + '419' => '会话已过期', + '421' => '错误的请求', + '422' => '不可处理的实体', + '423' => '锁定', + '424' => '失败的依赖', + '425' => '太早了', + '426' => '需要升级', + '428' => '前提要求', + '429' => '请求太多', + '431' => '请求标头字段太大', + '444' => '连接关闭无响应', + '449' => '重试', + '451' => '法律原因不可用', + '499' => '客户端关闭请求', + '500' => '内部服务器错误', + '501' => '未实现', + '502' => '网关错误', + '503' => '服务不可用', + '504' => '网关超时', + '505' => 'HTTP版本不支持', + '506' => '变体协商', + '507' => '存储空间不足', + '508' => '检测到环路', + '509' => '超出带宽限制', + '510' => '未延期', + '511' => '需要网络验证', + '520' => '未知错误', + '521' => 'Web服务器已关闭', + '522' => '连接超时', + '523' => '原点无法到达', + '524' => '发生超时', + '525' => 'SSL握手失败', + '526' => '无效的SSL证书', + '527' => '轨道炮错误', + '598' => '网络读取超时', + '599' => '网络连接超时', + 'unknownError' => '未知错误', +]; diff --git a/lang/zh/pagination.php b/lang/zh_CN/pagination.php similarity index 100% rename from lang/zh/pagination.php rename to lang/zh_CN/pagination.php diff --git a/lang/zh_CN/passwords.php b/lang/zh_CN/passwords.php new file mode 100644 index 00000000000..35fbbcb3a4b --- /dev/null +++ b/lang/zh_CN/passwords.php @@ -0,0 +1,9 @@ + '密码重置成功!', + 'sent' => '密码重置邮件已发送!', + 'throttled' => '请稍候再试。', + 'token' => '密码重置令牌无效。', + 'user' => '找不到该邮箱对应的用户。', +]; diff --git a/lang/zh_CN/validation.php b/lang/zh_CN/validation.php new file mode 100644 index 00000000000..83f74db8275 --- /dev/null +++ b/lang/zh_CN/validation.php @@ -0,0 +1,215 @@ + '您必须接受 :attribute。', + 'accepted_if' => '当 :other 为 :value 时,必须接受 :attribute。', + 'active_url' => ':Attribute 不是一个有效的网址。', + 'after' => ':Attribute 必须要晚于 :date。', + 'after_or_equal' => ':Attribute 必须要等于 :date 或更晚。', + 'alpha' => ':Attribute 只能由字母组成。', + 'alpha_dash' => ':Attribute 只能由字母、数字、短划线(-)和下划线(_)组成。', + 'alpha_num' => ':Attribute 只能由字母和数字组成。', + 'array' => ':Attribute 必须是一个数组。', + 'ascii' => ':Attribute 必须仅包含单字节字母数字字符和符号。', + 'attributes' => [ + 'address' => '地址', + 'age' => '年龄', + 'amount' => '数额', + 'area' => '区域', + 'available' => '可用的', + 'birthday' => '生日', + 'body' => '身体', + 'city' => '城市', + 'content' => '内容', + 'country' => '国家', + 'created_at' => '创建于', + 'creator' => '创建者', + 'current_password' => '当前密码', + 'date' => '日期', + 'date_of_birth' => '出生日期', + 'day' => '天', + 'deleted_at' => '删除于', + 'description' => '描述', + 'district' => '地区', + 'duration' => '期间', + 'email' => '邮箱', + 'excerpt' => '摘要', + 'filter' => '过滤', + 'first_name' => '名', + 'gender' => '性别', + 'group' => '组', + 'hour' => '时', + 'image' => '图像', + 'last_name' => '姓', + 'lesson' => '课程', + 'line_address_1' => '线路地址 1', + 'line_address_2' => '线路地址 2', + 'message' => '信息', + 'middle_name' => '中间名字', + 'minute' => '分', + 'mobile' => '手机', + 'month' => '月', + 'name' => '名称', + 'national_code' => '国家代码', + 'number' => '数字', + 'password' => '密码', + 'password_confirmation' => '确认密码', + 'phone' => '电话', + 'photo' => '照片', + 'postal_code' => '邮政编码', + 'price' => '价格', + 'province' => '省', + 'recaptcha_response_field' => '重复验证码响应字段', + 'remember' => '记住', + 'restored_at' => '恢复于', + 'result_text_under_image' => '图像下的结果文本', + 'role' => '角色', + 'second' => '秒', + 'sex' => '性别', + 'short_text' => '短文本', + 'size' => '大小', + 'state' => '状态', + 'street' => '街道', + 'student' => '学生', + 'subject' => '主题', + 'teacher' => '教师', + 'terms' => '条款', + 'test_description' => '测试说明', + 'test_locale' => '测试语言环境', + 'test_name' => '测试名称', + 'text' => '文本', + 'time' => '时间', + 'title' => '标题', + 'updated_at' => '更新于', + 'username' => '用户名', + 'year' => '年', + ], + 'before' => ':Attribute 必须要早于 :date。', + 'before_or_equal' => ':Attribute 必须要等于 :date 或更早。', + 'between' => [ + 'array' => ':Attribute 必须只有 :min - :max 个单元。', + 'file' => ':Attribute 必须介于 :min - :max KB 之间。', + 'numeric' => ':Attribute 必须介于 :min - :max 之间。', + 'string' => ':Attribute 必须介于 :min - :max 个字符之间。', + ], + 'boolean' => ':Attribute 必须为布尔值。', + 'can' => ':Attribute 字段包含未经授权的值。', + 'confirmed' => ':Attribute 两次输入不一致。', + 'current_password' => '密码错误。', + 'date' => ':Attribute 不是一个有效的日期。', + 'date_equals' => ':Attribute 必须要等于 :date。', + 'date_format' => ':Attribute 的格式必须为 :format。', + 'decimal' => ':Attribute 必须有 :decimal 位小数。', + 'declined' => ':Attribute 必须是拒绝的。', + 'declined_if' => '当 :other 为 :value 时字段 :attribute 必须是拒绝的。', + 'different' => ':Attribute 和 :other 必须不同。', + 'digits' => ':Attribute 必须是 :digits 位数字。', + 'digits_between' => ':Attribute 必须是介于 :min 和 :max 位的数字。', + 'dimensions' => ':Attribute 图片尺寸不正确。', + 'distinct' => ':Attribute 已经存在。', + 'doesnt_end_with' => ':Attribute 不能以以下之一结尾: :values。', + 'doesnt_start_with' => ':Attribute 不能以下列之一开头: :values。', + 'email' => ':Attribute 不是一个合法的邮箱。', + 'ends_with' => ':Attribute 必须以 :values 为结尾。', + 'enum' => ':Attribute 值不正确。', + 'exists' => ':Attribute 不存在。', + 'file' => ':Attribute 必须是文件。', + 'filled' => ':Attribute 不能为空。', + 'gt' => [ + 'array' => ':Attribute 必须多于 :value 个元素。', + 'file' => ':Attribute 必须大于 :value KB。', + 'numeric' => ':Attribute 必须大于 :value。', + 'string' => ':Attribute 必须多于 :value 个字符。', + ], + 'gte' => [ + 'array' => ':Attribute 必须多于或等于 :value 个元素。', + 'file' => ':Attribute 必须大于或等于 :value KB。', + 'numeric' => ':Attribute 必须大于或等于 :value。', + 'string' => ':Attribute 必须多于或等于 :value 个字符。', + ], + 'image' => ':Attribute 必须是图片。', + 'in' => '已选的属性 :attribute 无效。', + 'integer' => ':Attribute 必须是整数。', + 'in_array' => ':Attribute 必须在 :other 中。', + 'ip' => ':Attribute 必须是有效的 IP 地址。', + 'ipv4' => ':Attribute 必须是有效的 IPv4 地址。', + 'ipv6' => ':Attribute 必须是有效的 IPv6 地址。', + 'json' => ':Attribute 必须是正确的 JSON 格式。', + 'lowercase' => ':Attribute 必须小写。', + 'lt' => [ + 'array' => ':Attribute 必须少于 :value 个元素。', + 'file' => ':Attribute 必须小于 :value KB。', + 'numeric' => ':Attribute 必须小于 :value。', + 'string' => ':Attribute 必须少于 :value 个字符。', + ], + 'lte' => [ + 'array' => ':Attribute 必须少于或等于 :value 个元素。', + 'file' => ':Attribute 必须小于或等于 :value KB。', + 'numeric' => ':Attribute 必须小于或等于 :value。', + 'string' => ':Attribute 必须少于或等于 :value 个字符。', + ], + 'mac_address' => ':Attribute 必须是一个有效的 MAC 地址。', + 'max' => [ + 'array' => ':Attribute 最多只有 :max 个单元。', + 'file' => ':Attribute 不能大于 :max KB。', + 'numeric' => ':Attribute 不能大于 :max。', + 'string' => ':Attribute 不能大于 :max 个字符。', + ], + 'max_digits' => ':Attribute 不能超过 :max 位数。', + 'mimes' => ':Attribute 必须是一个 :values 类型的文件。', + 'mimetypes' => ':Attribute 必须是一个 :values 类型的文件。', + 'min' => [ + 'array' => ':Attribute 至少有 :min 个单元。', + 'file' => ':Attribute 大小不能小于 :min KB。', + 'numeric' => ':Attribute 必须大于等于 :min。', + 'string' => ':Attribute 至少为 :min 个字符。', + ], + 'min_digits' => ':Attribute 必须至少有 :min 位数。', + 'missing' => '必须缺少 :attribute 字段。', + 'missing_if' => '当 :other 为 :value 时,必须缺少 :attribute 字段。', + 'missing_unless' => '必须缺少 :attribute 字段,除非 :other 是 :value。', + 'missing_with' => '存在 :values 时,必须缺少 :attribute 字段。', + 'missing_with_all' => '存在 :values 时,必须缺少 :attribute 字段。', + 'multiple_of' => ':Attribute 必须是 :value 中的多个值。', + 'not_in' => '已选的属性 :attribute 非法。', + 'not_regex' => ':Attribute 的格式错误。', + 'numeric' => ':Attribute 必须是一个数字。', + 'password' => [ + 'letters' => ':Attribute 必须至少包含一个字母。', + 'mixed' => ':Attribute 必须至少包含一个大写字母和一个小写字母。', + 'numbers' => ':Attribute 必须至少包含一个数字。', + 'symbols' => ':Attribute 必须至少包含一个符号。', + 'uncompromised' => '给定的 :attribute 出现在已经泄漏的密码中。请选择不同的 :attribute。', + ], + 'present' => ':Attribute 必须存在。', + 'prohibited' => ':Attribute 字段被禁止。', + 'prohibited_if' => '当 :other 为 :value 时,禁止 :attribute 字段。', + 'prohibited_unless' => ':Attribute 字段被禁止,除非 :other 位于 :values 中。', + 'prohibits' => ':Attribute 字段禁止出现 :other。', + 'regex' => ':Attribute 格式不正确。', + 'required' => ':Attribute 不能为空。', + 'required_array_keys' => ':Attribute 至少包含指定的键::values.', + 'required_if' => '当 :other 为 :value 时 :attribute 不能为空。', + 'required_if_accepted' => '当 :other 存在时,:attribute 不能为空。', + 'required_unless' => '当 :other 不为 :values 时 :attribute 不能为空。', + 'required_with' => '当 :values 存在时 :attribute 不能为空。', + 'required_without' => '当 :values 不存在时 :attribute 不能为空。', + 'required_without_all' => '当 :values 都不存在时 :attribute 不能为空。', + 'required_with_all' => '当 :values 存在时 :attribute 不能为空。', + 'same' => ':Attribute 和 :other 必须相同。', + 'size' => [ + 'array' => ':Attribute 必须为 :size 个单元。', + 'file' => ':Attribute 大小必须为 :size KB。', + 'numeric' => ':Attribute 大小必须为 :size。', + 'string' => ':Attribute 必须是 :size 个字符。', + ], + 'starts_with' => ':Attribute 必须以 :values 为开头。', + 'string' => ':Attribute 必须是一个字符串。', + 'timezone' => ':Attribute 必须是一个合法的时区值。', + 'ulid' => ':Attribute 必须是有效的 ULID。', + 'unique' => ':Attribute 已经存在。', + 'uploaded' => ':Attribute 上传失败。', + 'uppercase' => ':Attribute 必须大写', + 'url' => ':Attribute 格式不正确。', + 'uuid' => ':Attribute 必须是有效的 UUID。', +]; diff --git a/lang/zh_TW.json b/lang/zh_TW.json new file mode 100644 index 00000000000..acbcbfb7c54 --- /dev/null +++ b/lang/zh_TW.json @@ -0,0 +1,1283 @@ +{ + "(and :count more error)": "(還有 :count 個錯誤)", + "(and :count more errors)": "(還有 :count 多個錯誤)", + "(Help)": "(幫助)", + "+ add a contact": "+ 新增聯絡人", + "+ add another": "+ 增加另一個", + "+ add another photo": "+ 增加另一張照片", + "+ add description": "+ 新增描述", + "+ add distance": "+ 新增距離", + "+ add emotion": "+ 添加情感", + "+ add reason": "+ 新增原因", + "+ add summary": "+ 新增摘要", + "+ add title": "+ 新增標題", + "+ change date": "+ 更改日期", + "+ change template": "+ 更改模板", + "+ create a group": "+ 建立一個群組", + "+ gender": "+ 性別", + "+ last name": "+ 姓氏", + "+ maiden name": "+ 婚前姓名", + "+ middle name": "+ 中間名", + "+ nickname": "+ 暱稱", + "+ note": "+ 注意", + "+ number of hours slept": "+ 睡眠小時數", + "+ prefix": "+ 前綴", + "+ pronoun": "+ 代名詞", + "+ suffix": "+ 後綴", + ":count contact|:count contacts": ":count 聯絡人", + ":count hour slept|:count hours slept": "睡了 :count 小時", + ":count min read": "閱讀時間為 :count 分鐘", + ":count post|:count posts": ":count 則貼文", + ":count template section|:count template sections": ":count 模板部分", + ":count word|:count words": ":count 字", + ":distance km": ":distance 公里", + ":distance miles": ":distance 英里", + ":file at line :line": ":file 在第 :line 行", + ":file in :class at line :line": ":file 在 :class 第 :line 行", + ":Name called": ":Name 已致電", + ":Name called, but I didn’t answer": ":Name打來電話,但我沒有接聽", + ":UserName invites you to join Monica, an open source personal CRM, designed to help you document your relationships.": ":UserName 邀請您加入 Monica,這是一個開源個人 CRM,旨在幫助您記錄您的人際關係。", + "Accept Invitation": "接受邀請", + "Accept invitation and create your account": "接受邀請並建立您的帳戶", + "Account and security": "帳戶與安全", + "Account settings": "帳號設定", + "A contact information can be clickable. For instance, a phone number can be clickable and launch the default application in your computer. If you do not know the protocol for the type you are adding, you can simply omit this field.": "聯絡資訊可以點擊。例如,可以點擊電話號碼並啟動電腦中的預設應用程式。如果您不知道要新增的類型的協議,則可以忽略此欄位。", + "Activate": "啟用", + "Activity feed": "活動動態", + "Activity in this vault": "此保險庫中的活動", + "Add": "新增", + "add a call reason type": "新增呼叫原因類型", + "Add a contact": "新增聯絡人", + "Add a contact information": "新增聯絡資訊", + "Add a date": "新增日期", + "Add additional security to your account using a security key.": "使用安全金鑰為您的帳戶添加額外的安全性。", + "Add additional security to your account using two factor authentication.": "使用雙重要素驗證為您的帳號提高額外的安全性。", + "Add a document": "新增文件", + "Add a due date": "新增截止日期", + "Add a gender": "新增性別", + "Add a gift occasion": "添加送禮場合", + "Add a gift state": "新增禮物狀態", + "Add a goal": "新增目標", + "Add a group type": "新增群組類型", + "Add a header image": "新增標題圖片", + "Add a label": "添加標籤", + "Add a life event": "添加生活事件", + "Add a life event category": "新增生活事件類別", + "add a life event type": "新增生活事件類型", + "Add a module": "新增模組", + "Add an address": "新增地址", + "Add an address type": "新增地址類型", + "Add an email address": "新增電子郵件地址", + "Add an email to be notified when a reminder occurs.": "新增提醒發生時收到通知的電子郵件。", + "Add an entry": "新增條目", + "add a new metric": "新增指標", + "Add a new team member to your team, allowing them to collaborate with you.": "新增一個新的團隊成員到你的團隊,讓他們與你合作。", + "Add an important date to remember what matters to you about this person, like a birthdate or a deceased date.": "添加一個重要日期,以記住此人對您來說重要的事情,例如出生日期或死亡日期。", + "Add a note": "新增註釋", + "Add another life event": "增加另一個生活事件", + "Add a page": "新增頁面", + "Add a parameter": "新增參數", + "Add a pet": "添加寵物", + "Add a photo": "添加照片", + "Add a photo to a journal entry to see it here.": "將照片添加到日記條目即可在此處查看。", + "Add a post template": "新增帖子模板", + "Add a pronoun": "加入代名詞", + "add a reason": "加入一個理由", + "Add a relationship": "添加關係", + "Add a relationship group type": "新增關係組類型", + "Add a relationship type": "新增關係類型", + "Add a religion": "加入宗教信仰", + "Add a reminder": "新增提醒", + "add a role": "添加角色", + "add a section": "新增一個部分", + "Add a tag": "添加標籤", + "Add a task": "新增任務", + "Add a template": "新增模板", + "Add at least one module.": "增加至少一個模組。", + "Add a type": "新增類型", + "Add a user": "新增用戶", + "Add a vault": "新增保管庫", + "Add date": "新增日期", + "Added.": "已新增。", + "added a contact information": "新增了聯絡資訊", + "added an address": "新增了地址", + "added an important date": "新增了重要日期", + "added a pet": "增加了寵物", + "added the contact to a group": "將聯絡人加入群組", + "added the contact to a post": "將聯絡人加入貼文中", + "added the contact to the favorites": "將聯絡人新增至收藏夾", + "Add genders to associate them to contacts.": "添加性別以將其與聯繫人相關聯。", + "Add loan": "添加貸款", + "Add one now": "立即新增一個", + "Add photos": "添加照片", + "Address": "地址", + "Addresses": "地址", + "Address type": "地址類型", + "Address types": "地址類型", + "Address types let you classify contact addresses.": "地址類型可讓您對聯絡人地址進行分類。", + "Add Team Member": "新增團隊成員", + "Add to group": "新增到群組", + "Administrator": "系統管理員", + "Administrator users can perform any action.": "系統管理使用者可以執行任何操作。", + "a father-son relation shown on the father page,": "父親頁面上顯示的父子關係,", + "after the next occurence of the date.": "在該日期下次出現之後。", + "A group is two or more people together. It can be a family, a household, a sport club. Whatever is important to you.": "團體是兩個或兩個以上的人在一起。它可以是一個家庭、一個家庭、一個運動俱樂部。無論什麼對你來說都很重要。", + "All contacts in the vault": "保險庫中的所有聯絡人", + "All files": "全部文件", + "All groups in the vault": "庫中的所有組", + "All journal metrics in :name": ":Name 中的所有期刊指標", + "All of the people that are part of this team.": "所有人都是這個團隊的一部分。", + "All rights reserved.": "版權所有。", + "All tags": "所有標籤", + "All the address types": "所有地址類型", + "All the best,": "一切順利,", + "All the call reasons": "所有來電原因", + "All the cities": "所有城市", + "All the companies": "所有公司", + "All the contact information types": "所有聯絡資訊類型", + "All the countries": "所有國家", + "All the currencies": "所有貨幣", + "All the files": "所有文件", + "All the genders": "所有性別", + "All the gift occasions": "所有送禮場合", + "All the gift states": "所有禮物狀態", + "All the group types": "所有團體類型", + "All the important dates": "所有重要日期", + "All the important date types used in the vault": "Vault 中使用的所有重要日期類型", + "All the journals": "所有期刊", + "All the labels used in the vault": "庫中使用的所有標籤", + "All the notes": "所有筆記", + "All the pet categories": "所有寵物類別", + "All the photos": "所有照片", + "All the planned reminders": "所有計劃的提醒", + "All the pronouns": "所有代名詞", + "All the relationship types": "所有關係類型", + "All the religions": "所有宗教", + "All the reports": "所有報告", + "All the slices of life in :name": ":Name 中的所有生活片段", + "All the tags used in the vault": "庫中使用的所有標籤", + "All the templates": "所有模板", + "All the vaults": "所有金庫", + "All the vaults in the account": "帳戶中的所有金庫", + "All users and vaults will be deleted immediately,": "所有使用者和保管庫將立即刪除,", + "All users in this account": "該帳戶中的所有用戶", + "Already registered?": "已註冊?", + "Already used on this page": "已在此頁面使用", + "A new verification link has been sent to the email address you provided during registration.": "新的驗證連結已發送至您註冊時提供的電子郵件地址。", + "A new verification link has been sent to the email address you provided in your profile settings.": "新的驗證連結已發送到您個人資料設定裡的電子郵件地址。", + "A new verification link has been sent to your email address.": "新的驗證連結已發送到您的電子郵件地址。", + "Anniversary": "週年紀念日", + "Apartment, suite, etc…": "公寓、套房等…", + "API Token": "API Token", + "API Token Permissions": "API Token 權限", + "API Tokens": "API Tokens", + "API tokens allow third-party services to authenticate with our application on your behalf.": "API tokens 允許協力廠商服務代表您與我們的應用程式進行認證。", + "A post template defines how the content of a post should be displayed. You can define as many templates as you want, and choose which template should be used on which post.": "貼文範本定義了貼文內容的顯示方式。您可以根據需要定義任意數量的模板,並選擇在哪個帖子上應使用哪個模板。", + "Archive": "檔案", + "Archive contact": "存檔聯絡方式", + "archived the contact": "已存檔聯絡人", + "Are you sure? The address will be deleted immediately.": "你確定嗎?該地址將立即被刪除。", + "Are you sure? This action cannot be undone.": "你確定嗎?此操作無法撤銷。", + "Are you sure? This will delete all the call reasons of this type for all the contacts that were using it.": "你確定嗎?這將刪除所有正在使用該類型的聯絡人的所有呼叫原因。", + "Are you sure? This will delete all the relationships of this type for all the contacts that were using it.": "你確定嗎?這將刪除所有正在使用該類型的聯絡人的所有關係。", + "Are you sure? This will delete the contact information permanently.": "你確定嗎?這將永久刪除聯絡資訊。", + "Are you sure? This will delete the document permanently.": "你確定嗎?這將永久刪除該文件。", + "Are you sure? This will delete the goal and all the streaks permanently.": "你確定嗎?這將永久刪除目標和所有連勝。", + "Are you sure? This will remove the address types from all contacts, but won’t delete the contacts themselves.": "你確定嗎?這將從所有聯絡人中刪除地址類型,但不會刪除聯絡人本身。", + "Are you sure? This will remove the contact information types from all contacts, but won’t delete the contacts themselves.": "你確定嗎?這將從所有聯絡人中刪除聯絡人資訊類型,但不會刪除聯絡人本身。", + "Are you sure? This will remove the genders from all contacts, but won’t delete the contacts themselves.": "你確定嗎?這將從所有聯絡人中刪除性別,但不會刪除聯絡人本身。", + "Are you sure? This will remove the template from all contacts, but won’t delete the contacts themselves.": "你確定嗎?這將從所有聯絡人中刪除模板,但不會刪除聯絡人本身。", + "Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "您確定要刪除這個團隊嗎?一旦一個團隊被刪除,它的所有資源和資料將被永久刪除。", + "Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "您確定要刪除您的帳號嗎?一旦您的帳號被刪除,其所有資源和資料將被永久刪除。請輸入您的密碼,確認您要永久刪除您的帳號。", + "Are you sure you would like to archive this contact?": "您確定要存檔此聯絡人嗎?", + "Are you sure you would like to delete this API token?": "您確定要刪除這個 API token 嗎?", + "Are you sure you would like to delete this contact? This will remove everything we know about this contact.": "您確定要刪除此聯絡人嗎?這將刪除我們所知道的有關此聯絡人的所有資訊。", + "Are you sure you would like to delete this key?": "您確定要刪除該密鑰嗎?", + "Are you sure you would like to leave this team?": "您確定要離開這個團隊嗎?", + "Are you sure you would like to remove this person from the team?": "您確定要把這個人從團隊中刪除嗎?", + "A slice of life lets you group posts by something meaningful to you. Add a slice of life in a post to see it here.": "生活片段可讓您按照對您有意義的事情將貼文分組。在帖子中添加生活片段即可在此處查看。", + "a son-father relation shown on the son page.": "兒子頁面上顯示的父子關係。", + "assigned a label": "分配了一個標籤", + "Association": "協會", + "At": "在", + "at ": "在", + "Ate": "吃", + "A template defines how contacts should be displayed. You can have as many templates as you want - they are defined in your Account settings. However, you might want to define a default template so all your contacts in this vault have this template by default.": "範本定義了聯絡人的顯示方式。您可以擁有任意數量的範本 - 它們是在您的帳戶設定中定義的。但是,您可能想要定義一個預設模板,以便此保管庫中的所有聯絡人預設都具有此模板。", + "A template is made of pages, and in each page, there are modules. How data is displayed is entirely up to you.": "模板由頁面組成,每個頁面中又包含模組。數據如何顯示完全取決於您。", + "Atheist": "無神論者", + "At which time should we send the notification, when the reminder occurs?": "當提醒發生時,我們應該在什麼時間發送通知?", + "Audio-only call": "純音訊通話", + "Auto saved a few seconds ago": "幾秒鐘前自動儲存", + "Available modules:": "可用模組:", + "Avatar": "阿凡達", + "Avatars": "頭像", + "Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "在繼續之前,您可以點擊我們剛剛給您發送的連結來驗證您的電子郵件地址,如果您沒有收到那封電子郵件,我們將很樂意再發送一封給您。", + "best friend": "最好的朋友", + "Bird": "鳥", + "Birthdate": "出生日期", + "Birthday": "生日", + "Body": "身體", + "boss": "老闆", + "Bought": "買", + "Breakdown of the current usage": "目前使用情況細分", + "brother/sister": "兄弟姊妹", + "Browser Sessions": "瀏覽器工作階段", + "Buddhist": "佛教徒", + "Business": "商業", + "By last updated": "截至上次更新時間", + "Calendar": "日曆", + "Call reasons": "來電原因", + "Call reasons let you indicate the reason of calls you make to your contacts.": "呼叫原因可讓您指明您撥打電話聯絡人的原因。", + "Calls": "通話", + "Cancel": "取消", + "Cancel account": "取消帳戶", + "Cancel all your active subscriptions": "取消所有有效訂閱", + "Cancel your account": "取消您的帳戶", + "Can do everything, including adding or removing other users, managing billing and closing the account.": "可以做所有事情,包括新增或刪除其他使用者、管理帳單和關閉帳戶。", + "Can do everything, including adding or removing other users.": "可以做任何事情,包括新增或刪除其他使用者。", + "Can edit data, but can’t manage the vault.": "可以編輯數據,但無法管理保管庫。", + "Can view data, but can’t edit it.": "可以查看數據,但無法編輯。", + "Can’t be moved or deleted": "無法移動或刪除", + "Cat": "貓", + "Categories": "類別", + "Chandler is in beta.": "錢德勒正處於測試階段。", + "Change": "改變", + "Change date": "改變日期", + "Change permission": "更改權限", + "Changes saved": "更改已儲存", + "Change template": "更改模板", + "Child": "孩子", + "child": "孩子", + "Choose": "選擇", + "Choose a color": "選擇顏色", + "Choose an existing address": "選擇現有地址", + "Choose an existing contact": "選擇現有聯絡人", + "Choose a template": "選擇模板", + "Choose a value": "選擇一個值", + "Chosen type:": "所選類型:", + "Christian": "基督教", + "Christmas": "聖誕節", + "City": "城市", + "Click here to re-send the verification email.": "按一下這裡來重新發送驗證電子郵件", + "Click on a day to see the details": "點擊某天查看詳細信息", + "Close": "關閉", + "close edit mode": "關閉編輯模式", + "Club": "俱樂部", + "Code": "驗證碼", + "colleague": "同事", + "Companies": "公司", + "Company name": "公司名稱", + "Compared to Monica:": "與Monica相比:", + "Configure how we should notify you": "配置我們如何通知您", + "Confirm": "確認", + "Confirm Password": "確認密碼", + "Connect": "連接", + "Connected": "連接的", + "Connect with your security key": "連接您的安全金鑰", + "Contact feed": "聯繫動態", + "Contact information": "聯絡資訊", + "Contact informations": "聯絡方式", + "Contact information types": "聯絡資訊類型", + "Contact name": "聯絡人姓名", + "Contacts": "聯絡方式", + "Contacts in this post": "這篇文章裡有聯絡方式", + "Contacts in this slice": "此切片中的聯絡人", + "Contacts will be shown as follow:": "聯絡資訊將顯示如下:", + "Content": "內容", + "Copied.": "已複製。", + "Copy": "複製", + "Copy value into the clipboard": "將值複製到剪貼簿", + "Could not get address book data.": "無法取得地址簿資料。", + "Country": "國家", + "Couple": "夫妻", + "cousin": "表哥", + "Create": "創立", + "Create account": "建立帳戶", + "Create Account": "創立帳號", + "Create a contact": "創建聯絡人", + "Create a contact entry for this person": "為此人建立聯絡人條目", + "Create a journal": "創建日記", + "Create a journal metric": "創建日記指標", + "Create a journal to document your life.": "創建一本日記來記錄你的生活。", + "Create an account": "建立一個帳戶", + "Create a new address": "建立新地址", + "Create a new team to collaborate with others on projects.": "創立一個新的團隊,與他人合作進行計畫。", + "Create API Token": "創立 API Token", + "Create a post": "建立貼文", + "Create a reminder": "建立提醒", + "Create a slice of life": "創造生活片段", + "Create at least one page to display contact’s data.": "建立至少一個頁面來顯示聯絡人的資料。", + "Create at least one template to use Monica.": "建立至少一個模板以使用 Monica。", + "Create a user": "創建用戶", + "Create a vault": "建立一個保管庫", + "Created.": "已創立。", + "created a goal": "創造了一個目標", + "created the contact": "創建了聯絡人", + "Create label": "建立標籤", + "Create new label": "建立新標籤", + "Create new tag": "建立新標籤", + "Create New Team": "創立新的團隊", + "Create Team": "創立團隊", + "Currencies": "貨幣", + "Currency": "貨幣", + "Current default": "目前預設值", + "Current language:": "當前語言:", + "Current Password": "目前密碼", + "Current site used to display maps:": "目前用於顯示地圖的站點:", + "Current streak": "目前連勝", + "Current timezone:": "目前時區:", + "Current way of displaying contact names:": "目前顯示聯絡人姓名的方式:", + "Current way of displaying dates:": "目前顯示日期的方式:", + "Current way of displaying distances:": "目前顯示距離的方式:", + "Current way of displaying numbers:": "目前顯示數字的方式:", + "Customize how contacts should be displayed": "自訂聯絡人的顯示方式", + "Custom name order": "自訂名稱順序", + "Daily affirmation": "每日肯定", + "Dashboard": "控制面板", + "date": "日期", + "Date of the event": "活動日期", + "Date of the event:": "活動日期:", + "Date type": "日期類型", + "Date types are essential as they let you categorize dates that you add to a contact.": "日期類型至關重要,因為它們可以讓您對新增至聯絡人的日期進行分類。", + "Day": "天", + "day": "天", + "Deactivate": "停用", + "Deceased date": "死亡日期", + "Default template": "預設模板", + "Default template to display contacts": "顯示聯絡人的預設模板", + "Delete": "刪除", + "Delete Account": "刪除帳號", + "Delete a new key": "刪除新密鑰", + "Delete API Token": "刪除 API Token", + "Delete contact": "刪除聯絡人", + "deleted a contact information": "刪除了聯絡資訊", + "deleted a goal": "刪除了一個目標", + "deleted an address": "刪除了一個地址", + "deleted an important date": "刪除了一個重要的日期", + "deleted a note": "刪除了一則註釋", + "deleted a pet": "刪除了寵物", + "Deleted author": "已刪除作者", + "Delete group": "刪除群組", + "Delete journal": "刪除日記", + "Delete Team": "刪除團隊", + "Delete the address": "刪除地址", + "Delete the photo": "刪除照片", + "Delete the slice": "刪除切片", + "Delete the vault": "刪除保管庫", + "Delete your account on https://customers.monicahq.com.": "刪除您在 https://customers.monicahq.com 上的帳戶。", + "Deleting the vault means deleting all the data inside this vault, forever. There is no turning back. Please be certain.": "刪除保管庫意味著永久刪除該保管庫內的所有資料。沒有回頭路。請一定。", + "Description": "描述", + "Detail of a goal": "目標的細節", + "Details in the last year": "去年的詳細信息", + "Disable": "停用", + "Disable all": "停用所有", + "Disconnect": "斷開", + "Discuss partnership": "討論合作夥伴關係", + "Discuss recent purchases": "討論最近購買的商品", + "Dismiss": "解僱", + "Display help links in the interface to help you (English only)": "在介面中顯示幫助連結以幫助您(僅英文)", + "Distance": "距離", + "Documents": "文件", + "Dog": "狗", + "Done.": "已完成。", + "Download": "下載", + "Download as vCard": "下載為 vCard", + "Drank": "喝", + "Drove": "開車", + "Due and upcoming tasks": "到期和即將完成的任務", + "Edit": "編輯", + "edit": "編輯", + "Edit a contact": "編輯聯絡人", + "Edit a journal": "編輯日記", + "Edit a post": "編輯貼文", + "edited a note": "編輯了一則筆記", + "Edit group": "編輯群組", + "Edit journal": "編輯日記", + "Edit journal information": "編輯期刊資訊", + "Edit journal metrics": "編輯日誌指標", + "Edit names": "編輯姓名", + "Editor": "編輯者", + "Editor users have the ability to read, create, and update.": "編輯者可以讀取、建立和更新。", + "Edit post": "編輯貼文", + "Edit Profile": "編輯個人資料", + "Edit slice of life": "編輯生活片段", + "Edit the group": "編輯群組", + "Edit the slice of life": "編輯生活片段", + "Email": "電子郵件", + "Email address": "電子郵件地址", + "Email address to send the invitation to": "用於發送邀請的電子郵件地址", + "Email Password Reset Link": "電子郵件密碼重置連結", + "Enable": "啟用", + "Enable all": "全部啟用", + "Ensure your account is using a long, random password to stay secure.": "確保你的帳號使用足夠長且隨機的密碼來確保安全。", + "Enter a number from 0 to 100000. No decimals.": "輸入 0 到 100000 之間的數字。沒有小數。", + "Events this month": "本月活動", + "Events this week": "本週活動", + "Events this year": "今年的活動", + "Every": "每一個", + "ex-boyfriend": "前男友", + "Exception:": "例外:", + "Existing company": "現有公司", + "External connections": "外部連接", + "Facebook": "Facebook", + "Family": "家庭", + "Family summary": "家庭概要", + "Favorites": "收藏夾", + "Female": "女性", + "Files": "文件", + "Filter": "篩選", + "Filter list or create a new label": "過濾清單或建立新標籤", + "Filter list or create a new tag": "過濾清單或建立新標籤", + "Find a contact in this vault": "在此庫中尋找聯絡人", + "Finish enabling two factor authentication.": "完成啟用雙重要素驗證。", + "First name": "名", + "First name Last name": "名字 姓氏", + "First name Last name (nickname)": "名字 姓氏(暱稱)", + "Fish": "魚", + "Food preferences": "食物偏好", + "for": "為了", + "For:": "為了:", + "For advice": "諮詢", + "Forbidden": "拒絕存取", + "Forgot your password?": "忘記密碼?", + "Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "忘記密碼?沒關係。請輸入您的電子郵件地址,我們將透過電子郵件發送密碼重置連結給您,讓您重新設定一個新的密碼。", + "For your security, please confirm your password to continue.": "為了您的安全,請確認您的密碼以繼續。", + "Found": "成立", + "Friday": "星期五", + "Friend": "朋友", + "friend": "朋友", + "From A to Z": "從A到Z", + "From Z to A": "從Z到A", + "Gender": "性別", + "Gender and pronoun": "性別和代名詞", + "Genders": "性別", + "Gift occasions": "送禮場合", + "Gift occasions let you categorize all your gifts.": "送禮場合可讓您將所有禮物分類。", + "Gift states": "禮物狀態", + "Gift states let you define the various states for your gifts.": "禮物狀態可讓您定義禮物的各種狀態。", + "Give this email address a name": "為該電子郵件地址命名", + "Goals": "目標", + "Go back": "回去", + "godchild": "教子", + "godparent": "教父母", + "Google Maps": "Google地圖", + "Google Maps offers the best accuracy and details, but it is not ideal from a privacy standpoint.": "谷歌地圖提供了最好的準確性和細節,但從隱私的角度來看並不理想。", + "Got fired": "被開除", + "Go to page :page": "前往第 :page 頁", + "grand child": "孫子", + "grand parent": "祖父母", + "Great! You have accepted the invitation to join the :team team.": "太好了,您已接受了加入團隊「:team」的邀請。", + "Group journal entries together with slices of life.": "將日記條目與生活片段分組在一起。", + "Groups": "團體", + "Groups let you put your contacts together in a single place.": "透過群組,您可以將聯絡人集中在一個位置。", + "Group type": "團體類型", + "Group type: :name": "群組類型::name", + "Group types": "團體類型", + "Group types let you group people together.": "群組類型可讓您將人們分組在一起。", + "Had a promotion": "有促銷", + "Hamster": "倉鼠", + "Have a great day,": "祝你有美好的一天,", + "he/him": "他/他", + "Hello!": "您好!", + "Help": "幫助", + "Hi :name": "你好:name", + "Hinduist": "印度教", + "History of the notification sent": "發送通知的歷史記錄", + "Hobbies": "興趣嗜好", + "Home": "家", + "Horse": "馬", + "How are you?": "你好嗎?", + "How could I have done this day better?": "我怎麼才能把這一天做得更好呢?", + "How did you feel?": "你感覺怎麼樣?", + "How do you feel right now?": "你現在感覺如何?", + "however, there are many, many new features that didn't exist before.": "然而,有很多很多以前不存在的新功能。", + "How much money was lent?": "借了多少錢?", + "How much was lent?": "借了多少錢?", + "How often should we remind you about this date?": "我們應該多久提醒您一次這個日期?", + "How should we display dates": "我們應該如何顯示日期", + "How should we display distance values": "我們應該如何顯示距離值", + "How should we display numerical values": "我們應該如何顯示數值", + "I agree to the :terms and :policy": "我同意:terms和:policy", + "I agree to the :terms_of_service and :privacy_policy": "我同意 :terms_of_service 和 :privacy_policy", + "I am grateful for": "我很感激", + "I called": "我打了電話", + "I called, but :name didn’t answer": "我打了電話,但 :name 沒有接聽", + "Idea": "主意", + "I don’t know the name": "我不知道名字", + "If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "如有必要,您可以登出您其它裝置上的所有瀏覽器會話。下方列出了您最近的一些會話,但是,這個列表可能並不詳盡。如果您認為您的帳號已被入侵,您還應該更新您的密碼。", + "If the date is in the past, the next occurence of the date will be next year.": "如果該日期是過去的日期,則該日期的下一次出現將是明年。", + "If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "如果您點擊「:actionText」按鈕時出現問題,請複製下方連結至瀏覽器中貼上:", + "If you already have an account, you may accept this invitation by clicking the button below:": "如果您已有帳號,您可以透過點擊下方的按鈕接受這個邀請:", + "If you did not create an account, no further action is required.": "如果您未註冊帳號,請忽略此郵件。", + "If you did not expect to receive an invitation to this team, you may discard this email.": "如果您沒有預期會收到這個團隊的邀請,您可以刪除這封郵件。", + "If you did not request a password reset, no further action is required.": "如果您未要求重置密碼,請忽略此郵件。", + "If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "如果您還沒有帳號,可以點擊下方的按鈕建立一個帳號。建立帳號後,您可以點擊此郵件中的邀請接受按鈕,接受團隊邀請:", + "If you’ve received this invitation by mistake, please discard it.": "如果您錯誤地收到此邀請,請丟棄它。", + "I know the exact date, including the year": "我知道確切的日期,包括年份", + "I know the name": "我知道名字", + "Important dates": "重要的日子", + "Important date summary": "重要日期摘要", + "in": "在", + "Information": "資訊", + "Information from Wikipedia": "來自維基百科的訊息", + "in love with": "與...戀愛", + "Inspirational post": "勵志貼文", + "Invalid JSON was returned from the route.": "從路由返回無效的 JSON。", + "Invitation sent": "邀請已發送", + "Invite a new user": "邀請新用戶", + "Invite someone": "邀請某人", + "I only know a number of years (an age, for example)": "我只知道幾年(例如年齡)", + "I only know the day and month, not the year": "我只知道日和月,不知道年", + "it misses some of the features, the most important ones being the API and gift management,": "它缺少一些功能,最重要的是 API 和禮品管理,", + "It seems that there are no templates in the account yet. Please add at least template to your account first, then associate this template with this contact.": "帳戶中似乎還沒有模板。請先將至少範本新增至您的帳戶,然後將此範本與此聯絡人關聯。", + "Jew": "猶", + "Job information": "職位資訊", + "Job position": "工作職位", + "Journal": "雜誌", + "Journal entries": "日記條目", + "Journal metrics": "期刊指標", + "Journal metrics let you track data accross all your journal entries.": "日記指標可讓您追蹤所有日記條目的資料。", + "Journals": "期刊", + "Just because": "只是因為", + "Just to say hello": "只是打個招呼", + "Key name": "按鍵名稱", + "kilometers (km)": "公里(公里)", + "km": "公里", + "Label:": "標籤:", + "Labels": "標籤", + "Labels let you classify contacts using a system that matters to you.": "標籤可讓您使用對您重要的系統對聯絡人進行分類。", + "Language of the application": "申請語言", + "Last active": "上次活躍", + "Last active :date": "最後活躍時間 :date", + "Last name": "姓", + "Last name First name": "姓氏 名字", + "Last updated": "最近更新時間", + "Last used": "上次使用", + "Last used :date": "最後使用的:date", + "Leave": "離開", + "Leave Team": "離開團隊", + "Life": "生活", + "Life & goals": "生活目標", + "Life events": "人生大事", + "Life events let you document what happened in your life.": "生活事件讓您記錄生活中發生的事情。", + "Life event types:": "生活事件類型:", + "Life event types and categories": "生活事件類型和類別", + "Life metrics": "壽命指標", + "Life metrics let you track metrics that are important to you.": "生活指標可讓您追蹤對您重要的指標。", + "LinkedIn": "領英", + "List of addresses": "地址列表", + "List of addresses of the contacts in the vault": "保管庫中聯絡人的地址列表", + "List of all important dates": "所有重要日期的列表", + "Loading…": "載入中…", + "Load previous entries": "載入先前的條目", + "Loans": "貸款", + "Locale default: :value": "語言環境預設值::value", + "Log a call": "記錄通話", + "Log details": "日誌詳情", + "logged the mood": "記錄心情", + "Log in": "登入", + "Login": "登入", + "Login with:": "登入方式:", + "Log Out": "登出", + "Logout": "登出", + "Log Out Other Browser Sessions": "登出其它瀏覽器工作階段", + "Longest streak": "最長連續紀錄", + "Love": "愛", + "loved by": "被愛著", + "lover": "情人", + "Made from all over the world. We ❤️ you.": "來自世界各地。我們❤️你。", + "Maiden name": "娘家姓", + "Male": "男性", + "Manage Account": "管理帳號", + "Manage accounts you have linked to your Customers account.": "管理已連結到客戶帳戶的帳戶。", + "Manage address types": "管理地址類型", + "Manage and log out your active sessions on other browsers and devices.": "管理或登出您在其它瀏覽器及裝置上的工作階段。", + "Manage API Tokens": "管理 API Token", + "Manage call reasons": "管理通話原因", + "Manage contact information types": "管理聯絡資訊類型", + "Manage currencies": "管理貨幣", + "Manage genders": "管理性別", + "Manage gift occasions": "管理送禮場合", + "Manage gift states": "管理禮物狀態", + "Manage group types": "管理群組類型", + "Manage modules": "管理模組", + "Manage pet categories": "管理寵物類別", + "Manage post templates": "管理帖子模板", + "Manage pronouns": "管理代名詞", + "Manager": "主管", + "Manage relationship types": "管理關係類型", + "Manage religions": "管理宗教", + "Manage Role": "管理角色", + "Manage storage": "管理儲存", + "Manage Team": "管理團隊", + "Manage templates": "管理模板", + "Manage users": "管理用戶", + "Mastodon": "乳齒象", + "Maybe one of these contacts?": "也許是這些聯絡人之一?", + "mentor": "導師", + "Middle name": "中間名字", + "miles": "英哩", + "miles (mi)": "英哩 (mi)", + "Modules in this page": "此頁面中的模組", + "Monday": "週一", + "Monica. All rights reserved. 2017 — :date.": "Monica。版權所有。 2017 年 — :date。", + "Monica is open source, made by hundreds of people from all around the world.": "Monica 是開源的,由來自世界各地的數百人製作。", + "Monica was made to help you document your life and your social interactions.": "Monica旨在幫助您記錄您的生活和社交互動。", + "Month": "月", + "month": "月", + "Mood in the year": "這一年的心情", + "Mood tracking events": "情緒追蹤事件", + "Mood tracking parameters": "情緒追蹤參數", + "More details": "更多細節", + "More errors": "更多錯誤", + "Move contact": "移動聯絡人", + "Muslim": "穆斯林", + "Name": "姓名", + "Name of the pet": "寵物名稱", + "Name of the reminder": "提醒名稱", + "Name of the reverse relationship": "反向關係的名稱", + "Nature of the call": "通話性質", + "nephew/niece": "姪子姪女", + "New Password": "新的密碼", + "New to Monica?": "Monica剛認識嗎?", + "Next": "下一個", + "Nickname": "暱稱", + "nickname": "暱稱", + "No cities have been added yet in any contact’s addresses.": "尚未在任何聯絡人地址中新增任何城市。", + "No contacts found.": "未找到聯絡人。", + "No countries have been added yet in any contact’s addresses.": "尚未在任何聯絡人地址中新增任何國家。", + "No dates in this month.": "這個月沒有日期。", + "No description yet.": "還沒有描述。", + "No groups found.": "沒有找到任何組。", + "No keys registered yet": "尚未註冊密鑰", + "No labels yet.": "還沒有標籤。", + "No life event types yet.": "還沒有生活事件類型。", + "No notes found.": "沒有找到註釋。", + "No results found": "未找到結果", + "No role": "沒有角色", + "No roles yet.": "還沒有角色。", + "No tasks.": "沒有任務。", + "Notes": "筆記", + "Note that removing a module from a page will not delete the actual data on your contact pages. It will simply hide it.": "請注意,從頁面中刪除模組不會刪除聯絡頁面上的實際資料。它只會隱藏它。", + "Not Found": "找不到頁面", + "Notification channels": "通知頻道", + "Notification sent": "通知已發送", + "Not set": "沒有設定", + "No upcoming reminders.": "沒有即將到來的提醒。", + "Number of hours slept": "睡眠小時數", + "Numerical value": "數值", + "of": "於", + "Offered": "提供", + "Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "一旦團隊被刪除,其所有資源和資料將被永久刪除。在刪除該團隊之前,請下載您希望保留的有關該團隊的任何資料或資訊。", + "Once you cancel,": "一旦取消,", + "Once you click the Setup button below, you’ll have to open Telegram with the button we’ll provide you with. This will locate the Monica Telegram bot for you.": "點擊下面的「設定」按鈕後,您必須使用我們為您提供的按鈕開啟 Telegram。這將為您找到 Monica Telegram 機器人。", + "Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "一旦您的帳號被刪除,其所有資源和資料將被永久刪除。在刪除您的帳號之前,請下載您希望保留的任何資料或資訊。", + "Only once, when the next occurence of the date occurs.": "僅一次,當該日期下次出現時。", + "Oops! Something went wrong.": "哎呀!出了些問題。", + "Open Street Maps": "打開街道地圖", + "Open Street Maps is a great privacy alternative, but offers less details.": "Open Street Maps 是一個很好的隱私替代方案,但提供的細節較少。", + "Open Telegram to validate your identity": "開啟 Telegram 驗證您的身份", + "optional": "選修的", + "Or create a new one": "或創建一個新的", + "Or filter by type": "或按類型過濾", + "Or remove the slice": "或去掉切片", + "Or reset the fields": "或者重置字段", + "Other": "其他", + "Out of respect and appreciation": "出於尊重與欣賞", + "Page Expired": "頁面已過期", + "Pages": "頁數", + "Pagination Navigation": "分頁導航", + "Parent": "家長", + "parent": "家長", + "Participants": "參加者", + "Partner": "夥伴", + "Part of": "部分", + "Password": "密碼", + "Payment Required": "需要付款", + "Pending Team Invitations": "待處理的團隊邀請", + "per/per": "每/每", + "Permanently delete this team.": "永久刪除此團隊", + "Permanently delete your account.": "永久刪除您的帳號", + "Permission for :name": ":Name 的權限", + "Permissions": "權限", + "Personal": "個人的", + "Personalize your account": "個性化您的帳戶", + "Pet categories": "寵物類別", + "Pet categories let you add types of pets that contacts can add to their profile.": "寵物類別可讓您新增聯絡人可以新增至其個人資料中的寵物類型。", + "Pet category": "寵物類", + "Pets": "寵物", + "Phone": "電話", + "Photo": "照片", + "Photos": "相片", + "Played basketball": "打過籃球", + "Played golf": "打過高爾夫球", + "Played soccer": "踢過足球", + "Played tennis": "打過網球", + "Please choose a template for this new post": "請為此新帖子選擇一個模板", + "Please choose one template below to tell Monica how this contact should be displayed. Templates let you define which data should be displayed on the contact page.": "請選擇下面的一個範本來告訴 Monica 應如何顯示此聯絡人。範本可讓您定義哪些資料應顯示在聯絡頁面上。", + "Please click the button below to verify your email address.": "請點擊下方按鈕驗證您的電子郵件地址:", + "Please complete this form to finalize your account.": "請填寫此表格以完成您的帳戶。", + "Please confirm access to your account by entering one of your emergency recovery codes.": "請輸入您的緊急還原碼以存取您的帳號。", + "Please confirm access to your account by entering the authentication code provided by your authenticator application.": "請輸入您的驗證器應用程式提供的驗證碼以存取您的帳號。", + "Please confirm access to your account by validating your security key.": "請透過驗證您的安全金鑰來確認對您帳戶的存取。", + "Please copy your new API token. For your security, it won't be shown again.": "請複製你的新 API token。為了您的安全,它不會再被顯示出來。", + "Please copy your new API token. For your security, it won’t be shown again.": "請複製您的新 API 令牌。為了您的安全,它不會再次顯示。", + "Please enter at least 3 characters to initiate a search.": "請輸入至少 3 個字元以啟動搜尋。", + "Please enter your password to cancel the account": "請輸入您的密碼以取消帳戶", + "Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "請輸入您的密碼,以確認您要登出您所有裝置上的其它瀏覽器工作階段。", + "Please indicate the contacts": "請註明聯絡方式", + "Please join Monica": "請加入Monica", + "Please provide the email address of the person you would like to add to this team.": "請提供您想加入這個團隊的人的電子郵件地址。", + "Please read our documentation to know more about this feature, and which variables you have access to.": "請閱讀我們的文件以了解有關此功能以及您可以存取哪些變數的更多資訊。", + "Please select a page on the left to load modules.": "請選擇左側的頁面來載入模組。", + "Please type a few characters to create a new label.": "請輸入幾個字元來建立新標籤。", + "Please type a few characters to create a new tag.": "請輸入幾個字元來建立新標籤。", + "Please validate your email address": "請驗證您的電子郵件地址", + "Please verify your email address": "請驗證您的電子郵件地址", + "Postal code": "郵遞區號", + "Post metrics": "發布指標", + "Posts": "貼文", + "Posts in your journals": "您日記中的帖子", + "Post templates": "貼文模板", + "Prefix": "字首", + "Previous": "以前的", + "Previous addresses": "以前的地址", + "Privacy Policy": "隱私政策", + "Profile": "個人資料", + "Profile and security": "個人資料和安全性", + "Profile Information": "個人資料", + "Profile of :name": ":Name 的個人資料", + "Profile page of :name": ":Name 的個人資料頁面", + "Pronoun": "代名詞", + "Pronouns": "代名詞", + "Pronouns are basically how we identify ourselves apart from our name. It’s how someone refers to you in conversation.": "代名詞基本上是我們除了名字之外識別自己的方式。這是某人在談話中提及您的方式。", + "protege": "門生", + "Protocol": "協定", + "Protocol: :name": "協定::name", + "Province": "省", + "Quick facts": "要聞速覽", + "Quick facts let you document interesting facts about a contact.": "快速事實可讓您記錄有關聯絡人的有趣事實。", + "Quick facts template": "速覽模板", + "Quit job": "辭職", + "Rabbit": "兔子", + "Ran": "然", + "Rat": "鼠", + "Read :count time|Read :count times": "閱讀 :count 次", + "Record a loan": "記錄貸款", + "Record your mood": "記錄你的心情", + "Recovery Code": "復原碼", + "Regardless of where you are located in the world, have dates displayed in your own timezone.": "無論您位於世界哪個地方,日期都會顯示在您自己的時區。", + "Regards": "致敬", + "Regenerate Recovery Codes": "重新產生復原碼", + "Register": "註冊", + "Register a new key": "註冊新密鑰", + "Register a new key.": "註冊新密鑰。", + "Regular post": "常規貼文", + "Regular user": "普通用戶", + "Relationships": "人際關係", + "Relationship types": "關係類型", + "Relationship types let you link contacts and document how they are connected.": "關係類型可讓您連結聯絡人並記錄他們的聯絡資訊。", + "Religion": "宗教", + "Religions": "宗教", + "Religions is all about faith.": "宗教就是信仰。", + "Remember me": "記住我", + "Reminder for :name": ":Name 的提醒", + "Reminders": "提醒事項", + "Reminders for the next 30 days": "未來 30 天的提醒", + "Remind me about this date every year": "每年提醒我這個日期", + "Remind me about this date just once, in one year from now": "一年後提醒我一次這個日期", + "Remove": "移除", + "Remove avatar": "刪除頭像", + "Remove cover image": "刪除封面圖片", + "removed a label": "刪除了一個標籤", + "removed the contact from a group": "從群組中刪除聯絡人", + "removed the contact from a post": "從貼文中刪除了聯絡人", + "removed the contact from the favorites": "從收藏夾中刪除了該聯絡人", + "Remove Photo": "移除照片", + "Remove Team Member": "移除團隊成員", + "Rename": "改名", + "Reports": "報告", + "Reptile": "爬蟲", + "Resend Verification Email": "重新發送驗證電子郵件", + "Reset Password": "重設密碼", + "Reset Password Notification": "重設密碼通知", + "results": "結果", + "Retry": "重試", + "Revert": "恢復", + "Rode a bike": "騎自行車", + "Role": "角色", + "Roles:": "角色:", + "Roomates": "室友", + "Saturday": "週六", + "Save": "儲存", + "Saved.": "已儲存。", + "Saving in progress": "儲存中", + "Searched": "已搜尋", + "Searching…": "正在尋找...", + "Search something": "搜尋一些東西", + "Search something in the vault": "在保險庫中搜尋一些東西", + "Sections:": "部分:", + "Security keys": "安全金鑰", + "Select a group or create a new one": "選擇一個群組或建立一個新群組", + "Select A New Photo": "選擇新的照片", + "Select a relationship type": "選擇關係類型", + "Send invitation": "發送邀請", + "Send test": "發送測試", + "Sent at :time": "發送於 :time", + "Server Error": "伺服器錯誤", + "Service Unavailable": "暫時不提供服務", + "Set as default": "設為預設", + "Set as favorite": "設為收藏夾", + "Settings": "設定", + "Settle": "定居", + "Setup": "設定", + "Setup Key": "設定鍵", + "Setup Key:": "設定鍵:", + "Setup Telegram": "設定電報", + "she/her": "她/她", + "Shintoist": "神道教", + "Show Calendar tab": "顯示日曆選項卡", + "Show Companies tab": "顯示公司選項卡", + "Show completed tasks (:count)": "顯示已完成的任務 (:count)", + "Show Files tab": "顯示檔案選項卡", + "Show Groups tab": "顯示群組選項卡", + "Showing": "顯示中", + "Showing :count of :total results": "顯示 :count 個結果,共 :total 個結果", + "Showing :first to :last of :total results": "顯示第 :first 到 :last 個結果,共 :total 個結果", + "Show Journals tab": "顯示期刊選項卡", + "Show Recovery Codes": "顯示復原碼", + "Show Reports tab": "顯示報告選項卡", + "Show Tasks tab": "顯示任務標籤", + "significant other": "重要的另一半", + "Sign in to your account": "登入您的帳戶", + "Sign up for an account": "註冊新帳號", + "Sikh": "錫克教", + "Slept :count hour|Slept :count hours": "睡了 :count 小時", + "Slice of life": "生活的片段", + "Slices of life": "生活片段", + "Small animal": "小動物", + "Social": "社會的", + "Some dates have a special type that we will use in the software to calculate an age.": "有些日期有特殊類型,我們將在軟體中使用它來計算年齡。", + "So… it works 😼": "所以......它有效😼", + "Sport": "運動", + "spouse": "配偶", + "Statistics": "統計數據", + "Storage": "貯存", + "Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "將這些復原碼儲存在一個安全的密碼管理器中。如果您的兩步驟驗證裝置遺失,它們可以用來重新取得您帳號的存取權。", + "Submit": "提交", + "subordinate": "下屬", + "Suffix": "後綴", + "Summary": "概括", + "Sunday": "星期日", + "Switch role": "切換角色", + "Switch Teams": "選擇團隊", + "Tabs visibility": "選項卡可見性", + "Tags": "標籤", + "Tags let you classify journal posts using a system that matters to you.": "標籤可讓您使用對您重要的系統對期刊文章進行分類。", + "Taoist": "道教", + "Tasks": "任務", + "Team Details": "團隊詳情", + "Team Invitation": "團隊邀請", + "Team Members": "團隊成員", + "Team Name": "團隊名稱", + "Team Owner": "團隊擁有者", + "Team Settings": "團隊設定", + "Telegram": "電報", + "Templates": "範本", + "Templates let you customize what data should be displayed on your contacts. You can define as many templates as you want, and choose which template should be used on which contact.": "範本可讓您自訂應在聯絡人上顯示的資料。您可以根據需要定義任意數量的模板,並選擇在哪個聯絡人上應使用哪個模板。", + "Terms of Service": "服務條款", + "Test email for Monica": "Monica的測驗電子郵件", + "Test email sent!": "測試郵件已發送!", + "Thanks,": "謝謝,", + "Thanks for giving Monica a try.": "感謝您給Monica一次嘗試。", + "Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn’t receive the email, we will gladly send you another.": "感謝您的註冊!在開始之前,您可以透過點擊我們剛剛透過電子郵件發送給您的連結來驗證您的電子郵件地址嗎?如果您沒有收到電子郵件,我們很樂意向您發送另一封電子郵件。", + "The :attribute must be at least :length characters.": ":Attribute 至少為 :length 個字元。", + "The :attribute must be at least :length characters and contain at least one number.": ":Attribute 至少為 :length 個字元且至少包含一個數字。", + "The :attribute must be at least :length characters and contain at least one special character.": ":Attribute 至少為 :length 個字元且至少包含一個特殊字元。", + "The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attribute 長度至少 :length 位並且至少必須包含一個特殊字元和一個數字。", + "The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attribute 至少為:length 個字元且至少包含一個大寫字母、一個數字和一個特殊字元。", + "The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attribute 至少為 :length 個字元且至少包含一個大寫字母。", + "The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attribute 至少為 :length 個字元且至少包含一個大寫字母和一個數字。", + "The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attribute 至少為 :length 個字元且至少包含一個大寫字母和一個特殊字元。", + "The :attribute must be a valid role.": ":Attribute 不是正確的角色。", + "The account’s data will be permanently deleted from our servers within 30 days and from all backups within 60 days.": "該帳戶的資料將在 30 天內從我們的伺服器中永久刪除,並在 60 天內從所有備份中永久刪除。", + "The address type has been created": "地址類型已建立", + "The address type has been deleted": "地址類型已刪除", + "The address type has been updated": "地址類型已更新", + "The call has been created": "通話已建立", + "The call has been deleted": "通話已刪除", + "The call has been edited": "通話已編輯", + "The call reason has been created": "通話原因已建立", + "The call reason has been deleted": "通話原因已刪除", + "The call reason has been updated": "通話原因已更新", + "The call reason type has been created": "呼叫原因類型已建立", + "The call reason type has been deleted": "呼叫原因類型已刪除", + "The call reason type has been updated": "呼叫原因類型已更新", + "The channel has been added": "頻道已新增", + "The channel has been updated": "頻道已更新", + "The contact does not belong to any group yet.": "該聯絡人尚不屬於任何群組。", + "The contact has been added": "聯絡人已新增", + "The contact has been deleted": "聯絡方式已被刪除", + "The contact has been edited": "聯絡方式已修改", + "The contact has been removed from the group": "該聯絡人已從群組中刪除", + "The contact information has been created": "聯絡資訊已建立", + "The contact information has been deleted": "聯絡方式已被刪除", + "The contact information has been edited": "聯絡方式已修改", + "The contact information type has been created": "聯絡資訊類型已建立", + "The contact information type has been deleted": "聯絡資訊類型已被刪除", + "The contact information type has been updated": "聯絡資訊類型已更新", + "The contact is archived": "聯絡人已存檔", + "The currencies have been updated": "貨幣已更新", + "The currency has been updated": "貨幣已更新", + "The date has been added": "日期已新增", + "The date has been deleted": "日期已刪除", + "The date has been updated": "日期已更新", + "The document has been added": "文件已新增", + "The document has been deleted": "該文件已被刪除", + "The email address has been deleted": "該電子郵件地址已被刪除", + "The email has been added": "電子郵件已新增", + "The email is already taken. Please choose another one.": "電子郵件已被佔用。請選擇另一項。", + "The gender has been created": "性別已創建", + "The gender has been deleted": "性別已刪除", + "The gender has been updated": "性別已更新", + "The gift occasion has been created": "禮物場合已創建", + "The gift occasion has been deleted": "送禮場合已刪除", + "The gift occasion has been updated": "禮物場合已更新", + "The gift state has been created": "禮物狀態已創建", + "The gift state has been deleted": "禮物狀態已刪除", + "The gift state has been updated": "禮物狀態已更新", + "The given data was invalid.": "給定的數據無效。", + "The goal has been created": "目標已創建", + "The goal has been deleted": "目標已刪除", + "The goal has been edited": "目標已編輯", + "The group has been added": "群組已新增", + "The group has been deleted": "該群組已被刪除", + "The group has been updated": "群組已更新", + "The group type has been created": "群組類型已建立", + "The group type has been deleted": "群組類型已刪除", + "The group type has been updated": "群組類型已更新", + "The important dates in the next 12 months": "未來12個月的重要日期", + "The job information has been saved": "職位資訊已儲存", + "The journal lets you document your life with your own words.": "日記可以讓您用自己的話記錄自己的生活。", + "The keys to manage uploads have not been set in this Monica instance.": "此 Monica 實例中尚未設定管理上傳的密鑰。", + "The label has been added": "標籤已新增", + "The label has been created": "標籤已建立", + "The label has been deleted": "該標籤已被刪除", + "The label has been updated": "標籤已更新", + "The life metric has been created": "生命指標已創建", + "The life metric has been deleted": "生命指標已刪除", + "The life metric has been updated": "生命指標已更新", + "The loan has been created": "貸款已創建", + "The loan has been deleted": "貸款已被刪除", + "The loan has been edited": "貸款已修改", + "The loan has been settled": "貸款已結清", + "The loan is an object": "貸款是一個對象", + "The loan is monetary": "貸款是貨幣性的", + "The module has been added": "該模組已新增", + "The module has been removed": "該模組已被刪除", + "The note has been created": "筆記已創建", + "The note has been deleted": "註釋已刪除", + "The note has been edited": "該註釋已被編輯", + "The notification has been sent": "通知已發送", + "The operation either timed out or was not allowed.": "該操作逾時或不允許。", + "The page has been added": "頁面已新增", + "The page has been deleted": "該頁面已被刪除", + "The page has been updated": "頁面已更新", + "The password is incorrect.": "密碼不正確。", + "The pet category has been created": "寵物類別已建立", + "The pet category has been deleted": "寵物類別已刪除", + "The pet category has been updated": "寵物類別已更新", + "The pet has been added": "寵物已新增", + "The pet has been deleted": "寵物已刪除", + "The pet has been edited": "寵物已編輯", + "The photo has been added": "照片已添加", + "The photo has been deleted": "照片已刪除", + "The position has been saved": "該位置已儲存", + "The post template has been created": "帖子模板已創建", + "The post template has been deleted": "帖子模板已刪除", + "The post template has been updated": "貼文範本已更新", + "The pronoun has been created": "代名詞已創建", + "The pronoun has been deleted": "代名詞已刪除", + "The pronoun has been updated": "代名詞已更新", + "The provided password does not match your current password.": "目前密碼不正確。", + "The provided password was incorrect.": "密碼錯誤。", + "The provided two factor authentication code was invalid.": "雙重要素驗證碼錯誤", + "The provided two factor recovery code was invalid.": "提供的雙重要素驗證復原碼無效。", + "There are no active addresses yet.": "還沒有活動地址。", + "There are no calls logged yet.": "尚未記錄任何呼叫。", + "There are no contact information yet.": "目前還沒有聯絡資訊。", + "There are no documents yet.": "還沒有文件。", + "There are no events on that day, future or past.": "那天、未來或過去沒有發生任何事件。", + "There are no files yet.": "還沒有文件。", + "There are no goals yet.": "目前還沒有目標。", + "There are no journal metrics.": "沒有期刊指標。", + "There are no loans yet.": "還沒有貸款。", + "There are no notes yet.": "還沒有註解。", + "There are no other users in this account.": "該帳戶中沒有其他使用者。", + "There are no pets yet.": "還沒有寵物。", + "There are no photos yet.": "還沒有相關照片。", + "There are no posts yet.": "還沒有帖子。", + "There are no quick facts here yet.": "目前尚無快速事實。", + "There are no relationships yet.": "還沒有任何關係。", + "There are no reminders yet.": "目前還沒有提醒。", + "There are no tasks yet.": "還沒有任務。", + "There are no templates in the account. Go to the account settings to create one.": "帳戶中沒有模板。前往帳戶設定來建立一個。", + "There is no activity yet.": "目前還沒有任何活動。", + "There is no currencies in this account.": "此帳戶中沒有貨幣。", + "The relationship has been added": "關係已新增", + "The relationship has been deleted": "關係已刪除", + "The relationship type has been created": "關係類型已建立", + "The relationship type has been deleted": "關係類型已刪除", + "The relationship type has been updated": "關係類型已更新", + "The religion has been created": "宗教已被創造", + "The religion has been deleted": "該宗教已被刪除", + "The religion has been updated": "宗教已更新", + "The reminder has been created": "提醒已建立", + "The reminder has been deleted": "提醒已刪除", + "The reminder has been edited": "提醒已修改", + "The response is not a streamed response.": "該響應不是流式響應。", + "The response is not a view.": "響應不是視圖。", + "The role has been created": "角色已創建", + "The role has been deleted": "該角色已被刪除", + "The role has been updated": "角色已更新", + "The section has been created": "該部分已創建", + "The section has been deleted": "該部分已被刪除", + "The section has been updated": "該部分已更新", + "These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "這些人已被邀請加入您的團隊,並已收到一封邀請郵件。他們可以透過接受電子郵件邀請加入團隊。", + "The tag has been added": "標籤已新增", + "The tag has been created": "標籤已建立", + "The tag has been deleted": "該標籤已被刪除", + "The tag has been updated": "標籤已更新", + "The task has been created": "任務已創建", + "The task has been deleted": "任務已被刪除", + "The task has been edited": "任務已編輯", + "The team's name and owner information.": "團隊名稱和擁有者資訊。", + "The Telegram channel has been deleted": "Telegram 頻道已刪除", + "The template has been created": "模板已建立", + "The template has been deleted": "模板已刪除", + "The template has been set": "模板已設定", + "The template has been updated": "模板已更新", + "The test email has been sent": "測試郵件已發送", + "The type has been created": "類型已建立", + "The type has been deleted": "該類型已被刪除", + "The type has been updated": "類型已更新", + "The user has been added": "該用戶已新增", + "The user has been deleted": "該用戶已被刪除", + "The user has been removed": "該用戶已被刪除", + "The user has been updated": "使用者已更新", + "The vault has been created": "保管庫已建立", + "The vault has been deleted": "保管庫已刪除", + "The vault have been updated": "保險庫已更新", + "they/them": "他們/他們", + "This address is not active anymore": "該地址不再有效", + "This device": "目前裝置", + "This email is a test email to check if Monica can send an email to this email address.": "此電子郵件是測試電子郵件,用於檢查 Monica 是否可以向此電子郵件地址發送電子郵件。", + "This is a secure area of the application. Please confirm your password before continuing.": "請在繼續之前確認您的密碼。", + "This is a test email": "這是一封測試電子郵件", + "This is a test notification for :name": "這是針對 :name 的測試通知", + "This key is already registered. It’s not necessary to register it again.": "該密鑰已被註冊。無需再次註冊。", + "This link will open in a new tab": "此連結將在新分頁中開啟", + "This page shows all the notifications that have been sent in this channel in the past. It primarily serves as a way to debug in case you don’t receive the notification you’ve set up.": "此頁面顯示過去在此頻道中發送的所有通知。它主要作為一種調試方式,以防您沒有收到您設定的通知。", + "This password does not match our records.": "密碼不正確", + "This password reset link will expire in :count minutes.": "重設密碼連結將會在 :count 分鐘後失效。", + "This post has no content yet.": "這篇文章還沒有內容。", + "This provider is already associated with another account": "該提供者已與另一個帳戶關聯", + "This site is open source.": "該網站是開源的。", + "This template will define what information are displayed on a contact page.": "此範本將定義聯絡頁面上顯示的資訊。", + "This user already belongs to the team.": "使用者已經在團隊中。", + "This user has already been invited to the team.": "使用者已經被邀請加入團隊。", + "This user will be part of your account, but won’t get access to all the vaults in this account unless you give specific access to them. This person will be able to create vaults as well.": "該使用者將成為您帳戶的一部分,但無法存取該帳戶中的所有保管庫,除非您授予他們特定的存取權限。此人也將能夠建立保管庫。", + "This will immediately:": "這將立即:", + "Three things that happened today": "今天發生的三件事", + "Thursday": "週四", + "Timezone": "時區", + "Title": "標題", + "to": "至", + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "完成雙重要素驗證,使用您的手機的驗證器應用程式掃描以下的 QR code,或輸入設定密鑰並提供產生的 OTP 碼。", + "Toggle navigation": "切換導航", + "To hear their story": "來聽聽他們的故事", + "Token Name": "Token 名稱", + "Token name (for your reference only)": "代幣名稱(僅供參考)", + "Took a new job": "接受了新工作", + "Took the bus": "搭乘巴士", + "Took the metro": "搭乘地鐵", + "Too Many Requests": "要求次數過多。", + "To see if they need anything": "看看他們是否需要什麼", + "To start, you need to create a vault.": "首先,您需要建立一個保管庫。", + "Total:": "全部的:", + "Total streaks": "總條紋數", + "Track a new metric": "追蹤新指標", + "Transportation": "運輸", + "Tuesday": "週二", + "Two-factor Confirmation": "兩因素確認", + "Two Factor Authentication": "雙重要素驗證", + "Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "雙重要素驗證已啟用。 使用手機的驗證器應用程式掃描以下的 QR code,或輸入設定密鑰。", + "Two factor authentication is now enabled. Scan the following QR code using your phone’s authenticator application or enter the setup key.": "現已啟用兩因素身份驗證。使用手機的驗證器應用程式掃描以下二維碼或輸入設定金鑰。", + "Type": "類型", + "Type:": "類型:", + "Type anything in the conversation with the Monica bot. It can be `start` for instance.": "在與 Monica 機器人的對話中輸入任何內容。例如,它可以是“開始”。", + "Types": "類型", + "Type something": "輸入一些東西", + "Unarchive contact": "取消存檔聯絡人", + "unarchived the contact": "取消存檔聯絡人", + "Unauthorized": "未授權", + "uncle/aunt": "叔叔/阿姨", + "Undefined": "不明確的", + "Unexpected error on login.": "登入時發生意外錯誤。", + "Unknown": "未知", + "unknown action": "未知的行動", + "Unknown age": "年齡未知", + "Unknown name": "未知名字", + "Update": "更新", + "Update a key.": "更新一個金鑰。", + "updated a contact information": "更新了聯絡資訊", + "updated a goal": "更新了目標", + "updated an address": "更新了地址", + "updated an important date": "更新了重要日期", + "updated a pet": "更新了寵物", + "Updated on :date": "更新於 :date", + "updated the avatar of the contact": "更新了聯絡人頭像", + "updated the contact information": "更新了聯絡資訊", + "updated the job information": "更新了職位信息", + "updated the religion": "更新了宗教", + "Update Password": "更新密碼", + "Update your account's profile information and email address.": "更新您的帳號資料和電子郵件地址。", + "Upload photo as avatar": "上傳照片作為頭像", + "Use": "使用", + "Use an authentication code": "使用驗證碼", + "Use a recovery code": "使用復原碼", + "Use a security key (Webauthn, or FIDO) to increase your account security.": "使用安全金鑰(Webauthn 或 FIDO)來提高帳戶安全性。", + "User preferences": "使用者偏好", + "Users": "使用者", + "User settings": "使用者設定", + "Use the following template for this contact": "為此聯絡人使用以下模板", + "Use your password": "使用您的密碼", + "Use your security key": "使用您的安全金鑰", + "Validating key…": "正在驗證金鑰...", + "Value copied into your clipboard": "值複製到剪貼簿", + "Vaults contain all your contacts data.": "保險庫包含您的所有聯絡人資料。", + "Vault settings": "保管庫設置", + "ve/ver": "版本/版本", + "Verification email sent": "驗證郵件已發送", + "Verified": "已驗證", + "Verify Email Address": "驗證電子郵件地址", + "Verify this email address": "驗證此電子郵件地址", + "Version :version — commit [:short](:url).": "版本 :version — 提交 [:short](:url)。", + "Via Telegram": "透過電報", + "Video call": "視訊通話", + "View": "看法", + "View all": "看全部", + "View details": "看詳情", + "Viewer": "觀眾", + "View history": "查看歷史記錄", + "View log": "查看日誌", + "View on map": "在地圖上查看", + "Wait a few seconds for Monica (the application) to recognize you. We’ll send you a fake notification to see if it works.": "等待幾秒鐘,讓Monica(應用程式)認出您。我們會向您發送一條虛假通知,看看它是否有效。", + "Waiting for key…": "等待鑰匙...", + "Walked": "行人徒步區", + "Wallpaper": "壁紙", + "Was there a reason for the call?": "打電話有理由嗎?", + "Watched a movie": "看了一部電影", + "Watched a tv show": "看了一個電視節目", + "Watched TV": "看電視", + "Watch Netflix every day": "每天觀看 Netflix", + "Ways to connect": "連接方式", + "WebAuthn only supports secure connections. Please load this page with https scheme.": "WebAuthn 僅支援安全連線。請使用 https 方案載入此頁面。", + "We call them a relation, and its reverse relation. For each relation you define, you need to define its counterpart.": "我們稱它們為關係,及其逆關係。對於您定義的每個關係,您需要定義其對應關係。", + "Wedding": "婚禮", + "Wednesday": "週三", + "We hope you'll like it.": "我們希望您會喜歡它。", + "We hope you will like what we’ve done.": "我們希望您會喜歡我們所做的事情。", + "Welcome to Monica.": "歡迎來到Monica。", + "Went to a bar": "去了一家酒吧", + "We support Markdown to format the text (bold, lists, headings, etc…).": "我們支援 Markdown 來格式化文字(粗體、清單、標題等)。", + "We were unable to find a registered user with this email address.": "我們無法找到這個電子郵件地址的註冊使用者。", + "We’ll send an email to this email address that you will need to confirm before we can send notifications to this address.": "我們將向此電子郵件地址發送一封電子郵件,您需要確認該電子郵件,然後我們才能向此地址發送通知。", + "What happens now?": "現在會發生什麼事?", + "What is the loan?": "什麼是貸款?", + "What permission should :name have?": ":Name 應該擁有什麼權限?", + "What permission should the user have?": "使用者應該擁有什麼權限?", + "Whatsapp": "Whatsapp", + "What should we use to display maps?": "我們該用什麼來顯示地圖?", + "What would make today great?": "什麼會讓今天變得美好?", + "When did the call happened?": "電話是什麼時候發生的?", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "當啟用雙重要素驗證時,在認證過程中會提示您輸入一個安全的隨機 token。您可以從手機的 Google Authenticator 應用程式中獲得此 token。", + "When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone’s Authenticator application.": "啟用兩因素身份驗證後,系統將在身份驗證過程中提示您輸入安全的隨機令牌。您可以從手機的身份驗證器應用程式中檢索此令牌。", + "When was the loan made?": "貸款是什麼時候發放的?", + "When you define a relationship between two contacts, for instance a father-son relationship, Monica creates two relations, one for each contact:": "當您定義兩個聯絡人之間的關係(例如父子關係)時,Monica 會建立兩個關係,每個聯絡人對應一個關係:", + "Which email address should we send the notification to?": "我們應該將通知發送到哪個電子郵件地址?", + "Who called?": "誰打來的?", + "Who makes the loan?": "誰提供貸款?", + "Whoops!": "哎呀!", + "Whoops! Something went wrong.": "哎呀!出了點問題", + "Who should we invite in this vault?": "我們該邀請誰來進入這個保險庫?", + "Who the loan is for?": "貸款是給誰的?", + "Wish good day": "祝美好的一天", + "Work": "工作", + "Write the amount with a dot if you need decimals, like 100.50": "如果需要小數,請用點寫出金額,例如 100.50", + "Written on": "寫於", + "wrote a note": "寫了一張紙條", + "xe/xem": "xe/xem", + "year": "年", + "Years": "年", + "You are here:": "你在這裡:", + "You are invited to join Monica": "誠摯邀請您加入Monica", + "You are receiving this email because we received a password reset request for your account.": "您收到此電子郵件是因為我們收到了您帳號的密碼重置請求。", + "you can't even use your current username or password to sign in,": "您甚至無法使用目前的使用者名稱或密碼登錄,", + "you can't import any data from your current Monica account(yet),": "您也無法從目前的 Monica 帳戶匯入任何數據,", + "You can add job information to your contacts and manage the companies here in this tab.": "您可以在此標籤中為您的聯絡人新增職位資訊並管理公司。", + "You can add more account to log in to our service with one click.": "您可以新增更多帳戶,一鍵登入我們的服務。", + "You can be notified through different channels: emails, a Telegram message, on Facebook. You decide.": "您可以透過不同的管道收到通知:電子郵件、Telegram 訊息、Facebook。你決定。", + "You can change that at any time.": "您可以隨時更改它。", + "You can choose how you want Monica to display dates in the application.": "您可以選擇 Monica 在應用程式中顯示日期的方式。", + "You can choose which currencies should be enabled in your account, and which one shouldn’t.": "您可以選擇應在您的帳戶中啟用哪些貨幣,以及不應啟用哪些貨幣。", + "You can customize how contacts should be displayed according to your own taste/culture. Perhaps you would want to use James Bond instead of Bond James. Here, you can define it at will.": "您可以根據自己的品味/文化自訂聯絡人的顯示方式。也許您想使用詹姆斯龐德而不是邦德詹姆斯。這裡,你可以隨意定義。", + "You can customize the criteria that let you track your mood.": "您可以自訂讓您追蹤心情的標準。", + "You can move contacts between vaults. This change is immediate. You can only move contacts to vaults you are part of. All the contacts data will move with it.": "您可以在保管庫之間移動聯絡人。這個改變是立竿見影的。您只能將聯絡人移至您所屬的保管庫。所有聯絡人資料都將隨之移動。", + "You cannot remove your own administrator privilege.": "您無法刪除自己的管理員權限。", + "You don’t have enough space left in your account.": "您的帳戶中沒有足夠的空間。", + "You don’t have enough space left in your account. Please upgrade.": "您的帳戶中沒有足夠的空間。請升級。", + "You have been invited to join the :team team!": "您已被邀請加入「:team」團隊!", + "You have enabled two factor authentication.": "您已經啟用了雙重要素驗證。", + "You have not enabled two factor authentication.": "您還沒有啟用雙重要素驗證。", + "You have not setup Telegram in your environment variables yet.": "您尚未在環境變數中設定 Telegram。", + "You haven’t received a notification in this channel yet.": "您尚未在此頻道中收到通知。", + "You haven’t setup Telegram yet.": "您還沒有設定 Telegram。", + "You may accept this invitation by clicking the button below:": "您可以點擊下方的按鈕接受此邀請:", + "You may delete any of your existing tokens if they are no longer needed.": "如果不再需要,您可以刪除任何現有的 tokens。", + "You may not delete your personal team.": "您不能刪除您的個人團隊。", + "You may not leave a team that you created.": "您不能離開你建立的團隊。", + "You might need to reload the page to see the changes.": "您可能需要重新載入頁面才能看到變更。", + "You need at least one template for contacts to be displayed. Without a template, Monica won’t know which information it should display.": "您至少需要一個範本來顯示聯絡人。如果沒有模板,Monica將不知道應該顯示哪些資訊。", + "Your account current usage": "您的帳戶目前使用情況", + "Your account has been created": "您的帳號已經建立", + "Your account is linked": "您的帳戶已關聯", + "Your account limits": "您的帳戶限制", + "Your account will be closed immediately,": "您的帳戶將立即關閉,", + "Your browser doesn’t currently support WebAuthn.": "您的瀏覽器目前不支援 WebAuthn。", + "Your email address is unverified.": "您的電子郵件地址未被驗證。", + "Your life events": "你的生活事件", + "Your mood has been recorded!": "你的心情已被記錄下來!", + "Your mood that day": "你那天的心情", + "Your mood that you logged at this date": "您在該日期記錄的心情", + "Your mood this year": "今年你的心情", + "Your name here will be used to add yourself as a contact.": "您此處的姓名將用於將自己新增為聯絡人。", + "You wanted to be reminded of the following:": "您希望被提醒注意以下事項:", + "You WILL still have to delete your account on Monica or OfficeLife.": "您仍需要刪除您在 Monica 或 OfficeLife 上的帳戶。", + "You’ve been invited to use this email address in Monica, an open source personal CRM, so we can use it to send you notifications.": "您已被邀請在開源個人 CRM Monica 中使用此電子郵件地址,以便我們可以使用它向您發送通知。", + "ze/hir": "澤/希爾", + "⚠️ Danger zone": "⚠️危險地帶", + "🌳 Chalet": "🌳 小木屋", + "🏠 Secondary residence": "🏠 第二居所", + "🏡 Home": "🏡 首頁", + "🏢 Work": "🏢 工作", + "🔔 Reminder: :label for :contactName": "🔔 提醒::label 為 :contactName", + "😀 Good": "😀 好", + "😁 Positive": "😁 積極", + "😐 Meh": "😐 嗯", + "😔 Bad": "😔 不好", + "😡 Negative": "😡 負面", + "😩 Awful": "😩 太糟糕了", + "😶‍🌫️ Neutral": "😶‍🌫️中性", + "🥳 Awesome": "🥳 太棒了" +} \ No newline at end of file diff --git a/lang/zh_TW/auth.php b/lang/zh_TW/auth.php new file mode 100644 index 00000000000..100efe64408 --- /dev/null +++ b/lang/zh_TW/auth.php @@ -0,0 +1,8 @@ + '使用者名稱或密碼錯誤。', + 'lang' => '中文(台灣)', + 'password' => '密碼錯誤', + 'throttle' => '嘗試登入太多次,請在 :seconds 秒後再試。', +]; diff --git a/lang/zh_TW/format.php b/lang/zh_TW/format.php new file mode 100644 index 00000000000..79df9c7250e --- /dev/null +++ b/lang/zh_TW/format.php @@ -0,0 +1,15 @@ + 'D MMM YYYY', + 'day_month_parenthesis' => 'dddd (D MMM)', + 'day_number' => 'DD', + 'full_date' => 'dddd D MMM YYYY', + 'long_month_day' => 'D MMMM', + 'long_month_year' => 'MMMM Y', + 'short_date' => 'D MMM', + 'short_date_year_time' => 'D MMM YYYY H:mm', + 'short_day' => 'ddd', + 'short_month' => 'MMM', + 'short_month_year' => 'MMM Y', +]; diff --git a/lang/zh_TW/http-statuses.php b/lang/zh_TW/http-statuses.php new file mode 100644 index 00000000000..4be4b311222 --- /dev/null +++ b/lang/zh_TW/http-statuses.php @@ -0,0 +1,82 @@ + '未知錯誤', + '100' => '繼續', + '101' => '切換協議', + '102' => '加工', + '200' => '好的', + '201' => '已創建', + '202' => '公認', + '203' => '非權威信息', + '204' => '無內容', + '205' => '重置內容', + '206' => '部分內容', + '207' => '多狀態', + '208' => '已舉報', + '226' => '使用即時通訊', + '300' => '多項選擇', + '301' => '永久移動', + '302' => '成立', + '303' => '查看其他', + '304' => '未修改', + '305' => '使用代理服務器', + '307' => '臨時重定向', + '308' => '永久重定向', + '400' => '錯誤的請求', + '401' => '未經授權', + '402' => '需要付款', + '403' => '禁止', + '404' => '未找到', + '405' => '方法不允許', + '406' => '不能接受的', + '407' => '需要代理身份驗證', + '408' => '請求超時', + '409' => '衝突', + '410' => '走了', + '411' => '所需長度', + '412' => '前置條件失敗', + '413' => '有效載荷太大', + '414' => 'URI 太長', + '415' => '不支持的媒體類型', + '416' => '範圍不可滿足', + '417' => '期望失敗', + '418' => '我是茶壺', + '419' => '會話已過期', + '421' => '錯誤的請求', + '422' => '不可處理的實體', + '423' => '鎖定', + '424' => '失敗的依賴', + '425' => '太早了', + '426' => '需要升級', + '428' => '需要先決條件', + '429' => '請求太多', + '431' => '請求標頭字段太大', + '444' => '連接關閉無響應', + '449' => '重試', + '451' => '因法律原因無法使用', + '499' => '客戶端關閉請求', + '500' => '內部服務器錯誤', + '501' => '未實現', + '502' => '錯誤的網關', + '503' => '維護模式', + '504' => '網關超時', + '505' => '不支持 HTTP 版本', + '506' => '變體也協商', + '507' => '存儲空間不足', + '508' => '檢測到環路', + '509' => '超出帶寬限制', + '510' => '未擴展', + '511' => '需要網絡身份驗證', + '520' => '未知錯誤', + '521' => 'Web 服務器已關閉', + '522' => '連接超時', + '523' => '原點不可達', + '524' => '發生超時', + '525' => 'SSL 握手失敗', + '526' => '無效的 SSL 證書', + '527' => '軌道炮錯誤', + '598' => '網絡讀取超時錯誤', + '599' => '網絡連接超時錯誤', + 'unknownError' => '未知錯誤', +]; diff --git a/lang/zh_TW/pagination.php b/lang/zh_TW/pagination.php new file mode 100644 index 00000000000..5766a577969 --- /dev/null +++ b/lang/zh_TW/pagination.php @@ -0,0 +1,6 @@ + '下一頁 ❯', + 'previous' => '❮ 上一頁', +]; diff --git a/lang/zh_TW/passwords.php b/lang/zh_TW/passwords.php new file mode 100644 index 00000000000..526f1d8fa32 --- /dev/null +++ b/lang/zh_TW/passwords.php @@ -0,0 +1,9 @@ + '密碼已成功重設!', + 'sent' => '密碼重設郵件已發送!', + 'throttled' => '請稍候再試。', + 'token' => '密碼重設碼無效。', + 'user' => '找不到該 E-mail 對應的使用者。', +]; diff --git a/lang/zh_TW/validation.php b/lang/zh_TW/validation.php new file mode 100644 index 00000000000..96fe5c38221 --- /dev/null +++ b/lang/zh_TW/validation.php @@ -0,0 +1,215 @@ + '必須接受 :attribute。', + 'accepted_if' => '當 :other 為 :value 時,:attribute 必須接受。', + 'active_url' => ':Attribute 不是有效的網址。', + 'after' => ':Attribute 必須要晚於 :date。', + 'after_or_equal' => ':Attribute 必須要等於 :date 或更晚。', + 'alpha' => ':Attribute 只能以字母組成。', + 'alpha_dash' => ':Attribute 只能以字母、數字、連接線(-)及底線(_)組成。', + 'alpha_num' => ':Attribute 只能以字母及數字組成。', + 'array' => ':Attribute 必須為陣列。', + 'ascii' => ':Attribute 必須僅包含單字節字母數字字符和符號。', + 'attributes' => [ + 'address' => '地址', + 'age' => '年齡', + 'amount' => '數量', + 'area' => '區域', + 'available' => '可用的', + 'birthday' => '生日', + 'body' => '身體', + 'city' => '城市', + 'content' => '內容', + 'country' => '國家', + 'created_at' => '創建於', + 'creator' => '創造者', + 'current_password' => '當前密碼', + 'date' => '日期', + 'date_of_birth' => '出生日期', + 'day' => '天', + 'deleted_at' => '刪除於', + 'description' => '描述', + 'district' => '區', + 'duration' => '期間', + 'email' => 'e-mail', + 'excerpt' => '摘要', + 'filter' => '篩選', + 'first_name' => '名', + 'gender' => '性別', + 'group' => '團體', + 'hour' => '時', + 'image' => '圖片', + 'last_name' => '姓', + 'lesson' => '課', + 'line_address_1' => '行地址 1', + 'line_address_2' => '行地址 2', + 'message' => '信息', + 'middle_name' => '中間名字', + 'minute' => '分', + 'mobile' => '手機', + 'month' => '月', + 'name' => '名稱', + 'national_code' => '國家代碼', + 'number' => '數字', + 'password' => '密碼', + 'password_confirmation' => '確認密碼', + 'phone' => '電話', + 'photo' => '照片', + 'postal_code' => '郵政編碼', + 'price' => '價格', + 'province' => '省', + 'recaptcha_response_field' => '重新驗證響應字段', + 'remember' => '記住', + 'restored_at' => '恢復於', + 'result_text_under_image' => '圖片下方的結果文本', + 'role' => '角色', + 'second' => '秒', + 'sex' => '性別', + 'short_text' => '短文', + 'size' => '大小', + 'state' => '狀態', + 'street' => '街道', + 'student' => '學生', + 'subject' => '主題', + 'teacher' => '老師', + 'terms' => '條款', + 'test_description' => '測試說明', + 'test_locale' => '測試語言環境', + 'test_name' => '測試名稱', + 'text' => '文本', + 'time' => '時間', + 'title' => '標題', + 'updated_at' => '更新於', + 'username' => '使用者名稱', + 'year' => '年', + ], + 'before' => ':Attribute 必須要早於 :date。', + 'before_or_equal' => ':Attribute 必須要等於 :date 或更早。', + 'between' => [ + 'array' => ':Attribute: 必須有 :min - :max 個元素。', + 'file' => ':Attribute 必須介於 :min 至 :max KB 之間。', + 'numeric' => ':Attribute 必須介於 :min 至 :max 之間。', + 'string' => ':Attribute 必須介於 :min 至 :max 個字元之間。', + ], + 'boolean' => ':Attribute 必須為布林值。', + 'can' => ':Attribute 字段包含未經授權的值。', + 'confirmed' => ':Attribute 確認欄位的輸入不一致。', + 'current_password' => '當前密碼不正確。', + 'date' => ':Attribute 不是有效的日期。', + 'date_equals' => ':Attribute 必須等於 :date。', + 'date_format' => ':Attribute 不符合 :format 的格式。', + 'decimal' => ':Attribute 必須有 :decimal 位小數。', + 'declined' => ':Attribute 必須拒絕。', + 'declined_if' => '當 :other 為 :value 時,:attribute 必須拒絕。', + 'different' => ':Attribute 與 :other 必須不同。', + 'digits' => ':Attribute 必須是 :digits 位數字。', + 'digits_between' => ':Attribute 必須介於 :min 至 :max 位數字。', + 'dimensions' => ':Attribute 圖片尺寸不正確。', + 'distinct' => ':Attribute 已經存在。', + 'doesnt_end_with' => ':Attribute 不能以下列之一結尾::values。', + 'doesnt_start_with' => ':Attribute 不能以下列之一開頭::values。', + 'email' => ':Attribute 必須是有效的 E-mail。', + 'ends_with' => ':Attribute 結尾必須包含下列之一::values。', + 'enum' => ':Attribute 的值不正確。', + 'exists' => ':Attribute 不存在。', + 'file' => ':Attribute 必須是有效的檔案。', + 'filled' => ':Attribute 不能留空。', + 'gt' => [ + 'array' => ':Attribute 必須多於 :value 個元素。', + 'file' => ':Attribute 必須大於 :value KB。', + 'numeric' => ':Attribute 必須大於 :value。', + 'string' => ':Attribute 必須多於 :value 個字元。', + ], + 'gte' => [ + 'array' => ':Attribute 必須多於或等於 :value 個元素。', + 'file' => ':Attribute 必須大於或等於 :value KB。', + 'numeric' => ':Attribute 必須大於或等於 :value。', + 'string' => ':Attribute 必須多於或等於 :value 個字元。', + ], + 'image' => ':Attribute 必須是一張圖片。', + 'in' => '所選擇的 :attribute 選項無效。', + 'integer' => ':Attribute 必須是一個整數。', + 'in_array' => ':Attribute 沒有在 :other 中。', + 'ip' => ':Attribute 必須是一個有效的 IP 位址。', + 'ipv4' => ':Attribute 必須是一個有效的 IPv4 位址。', + 'ipv6' => ':Attribute 必須是一個有效的 IPv6 位址。', + 'json' => ':Attribute 必須是正確的 JSON 字串。', + 'lowercase' => ':Attribute 必須小寫。', + 'lt' => [ + 'array' => ':Attribute 必須少於 :value 個元素。', + 'file' => ':Attribute 必須小於 :value KB。', + 'numeric' => ':Attribute 必須小於 :value。', + 'string' => ':Attribute 必須少於 :value 個字元。', + ], + 'lte' => [ + 'array' => ':Attribute 必須少於或等於 :value 個元素。', + 'file' => ':Attribute 必須小於或等於 :value KB。', + 'numeric' => ':Attribute 必須小於或等於 :value。', + 'string' => ':Attribute 必須少於或等於 :value 個字元。', + ], + 'mac_address' => ':Attribute 必須是一個有效的 MAC 位址。', + 'max' => [ + 'array' => ':Attribute 最多有 :max 個元素。', + 'file' => ':Attribute 不能大於 :max KB。', + 'numeric' => ':Attribute 不能大於 :max。', + 'string' => ':Attribute 不能多於 :max 個字元。', + ], + 'max_digits' => ':Attribute 不得超過 :max 位。', + 'mimes' => ':Attribute 必須為 :values 的檔案。', + 'mimetypes' => ':Attribute 必須為 :values 的檔案。', + 'min' => [ + 'array' => ':Attribute 至少有 :min 個元素。', + 'file' => ':Attribute 不能小於 :min KB。', + 'numeric' => ':Attribute 不能小於 :min。', + 'string' => ':Attribute 不能小於 :min 個字元。', + ], + 'min_digits' => ':Attribute 必須至少有 :min 位數字。', + 'missing' => '必須缺少 :attribute 字段。', + 'missing_if' => '當 :other 為 :value 時,必須缺少 :attribute 字段。', + 'missing_unless' => '必須缺少 :attribute 字段,除非 :other 是 :value。', + 'missing_with' => '存在 :values 時,必須缺少 :attribute 字段。', + 'missing_with_all' => '存在 :values 時,必須缺少 :attribute 字段。', + 'multiple_of' => '所選擇的 :attribute 必須為 :value 中的多個。', + 'not_in' => '所選擇的 :attribute 選項無效。', + 'not_regex' => ':Attribute 的格式錯誤。', + 'numeric' => ':Attribute 必須為一個數字。', + 'password' => [ + 'letters' => ':Attribute 必須至少包含一個字母。', + 'mixed' => ':Attribute 必須至少包含一個大寫字母和一個小寫字母。', + 'numbers' => ':Attribute 必須至少包含一個數字。', + 'symbols' => ':Attribute 必須包含至少一個符號。', + 'uncompromised' => '給定的 :attribute 已出現數據洩漏。請選擇不同的 :attribute。', + ], + 'present' => ':Attribute 必須存在。', + 'prohibited' => ':Attribute 字段被禁止。', + 'prohibited_if' => '当 :other 为 :value 时,:attribute字段被禁止。', + 'prohibited_unless' => ':Attribute 字段被禁止,除非 :other 在 :values 中。', + 'prohibits' => ':Attribute 字段禁止包含 :other。', + 'regex' => ':Attribute 的格式錯誤。', + 'required' => ':Attribute 不能留空。', + 'required_array_keys' => ':Attribute 必須包含 :values 中的一個鍵。', + 'required_if' => '當 :other 是 :value 時 :attribute 不能留空。', + 'required_if_accepted' => '接受 :other 時需要 :attribute 字段。', + 'required_unless' => '當 :other 不是 :values 時 :attribute 不能留空。', + 'required_with' => '當 :values 出現時 :attribute 不能留空。', + 'required_without' => '當 :values 留空時 :attribute field 不能留空。', + 'required_without_all' => '當 :values 都不出現時 :attribute 不能留空。', + 'required_with_all' => '當 :values 出現時 :attribute 不能為空。', + 'same' => ':Attribute 與 :other 必須相同。', + 'size' => [ + 'array' => ':Attribute 必須是 :size 個元素。', + 'file' => ':Attribute 的大小必須是 :size KB。', + 'numeric' => ':Attribute 的大小必須是 :size。', + 'string' => ':Attribute 必須是 :size 個字元。', + ], + 'starts_with' => ':Attribute 開頭必須包含下列之一::values。', + 'string' => ':Attribute 必須是一個字串。', + 'timezone' => ':Attribute 必須是一個正確的時區值。', + 'ulid' => ':Attribute 必須是有效的 ULID。', + 'unique' => ':Attribute 已經存在。', + 'uploaded' => ':Attribute 上傳失敗。', + 'uppercase' => ':Attribute 必須大寫。', + 'url' => ':Attribute 的格式錯誤。', + 'uuid' => ':Attribute 必須是有效的 UUID。', +]; diff --git a/resources/js/Pages/Auth/Login.vue b/resources/js/Pages/Auth/Login.vue index 90b24c44db6..86c42ebc219 100644 --- a/resources/js/Pages/Auth/Login.vue +++ b/resources/js/Pages/Auth/Login.vue @@ -162,7 +162,7 @@ const reload = () => { v-if="canResetPassword" :href="route('password.request')" class="text-sm text-blue-500 hover:underline"> - {{ $t('Forgot password?') }} + {{ $t('Forgot your password?') }} diff --git a/resources/js/Pages/Profile/Partials/TwoFactorAuthenticationForm.vue b/resources/js/Pages/Profile/Partials/TwoFactorAuthenticationForm.vue index 59d6de9b3bd..433c3bce9bb 100644 --- a/resources/js/Pages/Profile/Partials/TwoFactorAuthenticationForm.vue +++ b/resources/js/Pages/Profile/Partials/TwoFactorAuthenticationForm.vue @@ -141,7 +141,7 @@ const disableTwoFactorAuthentication = () => {

{{ $t( - 'To finish enabling two factor authentication, scan the following QR code using your phone’s authenticator application or enter the setup key and provide the generated OTP code.', + "To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.", ) }}

diff --git a/resources/js/Pages/Profile/Partials/UpdateProfileInformationForm.vue b/resources/js/Pages/Profile/Partials/UpdateProfileInformationForm.vue index d8ba13e44f9..fa7ac70f1d4 100644 --- a/resources/js/Pages/Profile/Partials/UpdateProfileInformationForm.vue +++ b/resources/js/Pages/Profile/Partials/UpdateProfileInformationForm.vue @@ -80,7 +80,7 @@ const clearPhotoFileInput = () => {